branch_name
stringclasses
149 values
text
stringlengths
23
89.3M
directory_id
stringlengths
40
40
languages
listlengths
1
19
num_files
int64
1
11.8k
repo_language
stringclasses
38 values
repo_name
stringlengths
6
114
revision_id
stringlengths
40
40
snapshot_id
stringlengths
40
40
refs/heads/master
<repo_name>cesarghali/DNS-Privacy<file_sep>/src/domain_extractor.sh #!/bin/bash OUT=$2 find $1 -name "*.pcap.gz" | \ xargs -n 1 tshark -T fields -e ip.src -e dns.qry.name -Y "dns.flags.response eq 0" -r | \ #awk '$2>0 { if (system("grep " $2 " ${OUT}") == 1) print $2 }' awk '$2>0 { print $2 }' | xargs -n 1 ./appender.sh ${OUT} <file_sep>/README.md # DNS-Privacy DNS Privacy research with Verisign <file_sep>/src/domain_walker.py import sys import os import gzip from pcap_parser import * domains = set() num = 0 for dirpath, dnames, fnames in os.walk(sys.argv[1]): for f in fnames: if f.endswith(".pcap.gz"): print >> sys.stderr, "Opening %s" % (f) with gzip.open(os.path.join(dirpath, f), 'rb') as fh: # with open(os.path.join(dirpath, f), 'rb') as fh: parser = PacketParser() packets = parser.parseDNS(fh) for packet in packets: if packet.query != None: if packet.query.name not in domains: print "%d,%s" % (num, packet.query.name) num += 1 domains.add(packet.query.name) print len(domains) with open(sys.argv[2], "w") as fh: for domain in domains: fh.write(str(domain) + "\n")
b3d26b1c2e145e5601d7edd2ebac0d8702844587
[ "Markdown", "Python", "Shell" ]
3
Shell
cesarghali/DNS-Privacy
1c4b57528a119649e22b6b9779695a9c792c4288
709753507bfad070d129c8281480093f1878c41d
refs/heads/master
<file_sep>// Search_Student.js // Computer Science 3200 - Assignment 2 // Author(s): <NAME> (201761376), <NAME> (201712981) //Could not completed: //Sectors of 3x3 sectors could not be computed as it reaches an infinite loop //for unknown reason class Search_Student { constructor(grid, config) { this.config = config; // search configuration object // config.actions = array of legal [x, y] actions // config.actionCosts[i] = cost of config.actions[i] // config.heuristic = 'diag', 'card', 'dist', or 'zero' this.name = "Student"; this.grid = grid; // the grid we are using to search this.sx = -1; // x location of the start state this.sy = -1; // y location of the start state this.gx = -1; // x location of the goal state this.gy = -1; // y location of the goal state this.size = 1; // the square side length (size) of the agent this.maxSize = 3; // the maximum size of an agent this.inProgress = false; // whether the search is in progress this.expanded = 0; // number of nodes expanded (drawn in GUI) this.path = []; // the path, if the search found one this.open = []; // the current open list of the search (stores Nodes) this.closed = []; // the current closed list of the search this.cost = "Search Not Completed"; // the cost of the path found, -1 if no path this.sectors = []; this.computeSectors(); } startSearch(sx, sy, gx, gy, size) { if (sx == -1 || gx == -1) { return; } this.inProgress = true; // the search is now considered started this.sx = sx; // set the x,y location of the start state this.sy = sy; this.gx = gx; // set the x,y location of the goal state this.gy = gy; this.size = size; // the size of the agent this.path = []; // set an empty path this.open = []; this.closed = []; this.cost = -1; this.open.push( new Node(sx, sy, "self", [0, 0], 0, this.estimateCost(sx, sy, gx, gy)) ); //Add start node to the open list } estimateCost(x, y, gx, gy) { let dx = Math.abs(gx - x); let dy = Math.abs(gy - y); let hdistance = 0; // returns the diagonal manhattan distance heuristic if (this.config.heuristic == "diag") { while (dx > 0 && dy > 0) { dx -= 1; dy -= 1; hdistance += 141; } if (dx == 0 && dy != 0) { hdistance += dy * 100; } if (dy == 0 && dx != 0) { hdistance += dx * 100; } // returns the 4 directional Cardinal manhattan distance } else if (this.config.heuristic == "card") { return (dx + dy) * 100; // returns the 2D Euclidian distance (Pythagorus) } else if (this.config.heuristic == "dist") { return parseInt(Math.sqrt(dx * dx + dy * dy)); // returns Zero heuristic } else if (this.config.heuristic == "zero") { return 0; } return hdistance; } canFit(x, y, size) { if (this.grid.isOOB(x, y, size)) { return false; } for (let i = 0; i < size; i++) { for (let j = 0; j < size; j++) { if (this.grid.get(x, y) != this.grid.get(x + i, y + j)) { return false; } } } return true; } isConnected(x1, y1, x2, y2, size) { return this.sectors[x1][y1][size] == this.sectors[x2][y2][size]; } isLegalAction(x, y, size, action) { let dx = x + action[0]; let dy = y + action[1]; if (!this.canFit(dx, dy, size)) { return false; } //move in both x,y direction if (this.grid.get(x, y) != this.grid.get(dx, dy)) { return false; } //move in x direction if (this.grid.get(x, y) != this.grid.get(dx, y)) { return false; } //move in y direction if (this.grid.get(x, y) != this.grid.get(x, dy)) { return false; } return true; } // zeros(d) helper function from: // https://stackoverflow.com/questions/3689903/how-to-create-a-2d-array-of-zeroes-in-javascript zeros(dimensions) { let array = []; for (let i = 0; i < dimensions[0]; ++i) { array.push(dimensions.length == 1 ? 0 : this.zeros(dimensions.slice(1))); } return array; } computeSectors() { this.sectors = this.zeros([ this.grid.width, this.grid.height, this.maxSize + 1 ]); let sectorNumber = 0; for (let s = 1; s < this.maxSize; s++) { for (let x = 0; x < this.grid.width; x++) { for (let y = 0; y < this.grid.height; y++) { if (this.sectors[x][y][s] != 0 || !this.canFit(x, y, s)) continue; this.open = []; this.open.push([x, y, s]); sectorNumber += 1; while (true) { if (this.open.length == 0) break; let currState = this.open.shift(); this.sectors[currState[0]][currState[1]][s] = sectorNumber; this.expand(currState); } } } } this.open = []; } expand(currState) { let x = currState[0]; let y = currState[1]; let s = currState[2]; for (let i = 4; i < 8; i++) { let dx = x + this.config.actions[i][0]; let dy = y + this.config.actions[i][1]; if ( this.isLegalAction(x, y, s, this.config.actions[i]) && this.notVisited(dx, dy, s) ) { this.open.push([dx, dy, s]); } } } notVisited(x, y, s) { // look for matching states in open list if (this.sectors[x][y][s] != 0) { return false; } for (let k = 0; k < this.maxSize; k++) { for (var i = 0; i < this.open.length; i++) { if ( this.open[i][0] == x && this.open[i][1] == y && this.open[i][2] == k ) { return false; } } } return true; } searchIteration() { if (!this.inProgress) { return; } if (!this.isConnected(this.sx, this.sy, this.gx, this.gy, this.size)) { this.inProgress = false; this.cost = -1; return; } // if the search ended and no path was found, set self.cost = -1 if (this.open.length == 0) { this.path = []; this.cost = -1; this.inProgress = false; return; } var curr = this.pop_min_f(); // goal found if (curr.x == this.gx && curr.y == this.gy) { this.constructPathAndSetCost(curr); } else { this.closed.push(curr); this.expandNode(curr); } } constructPathAndSetCost(curr) { this.path.unshift(curr.action); // add current node's action to front of path let prevNode = curr.parent; // take the parent node of current node while ( !(prevNode.x == this.sx && prevNode.y == this.sy) && prevNode != "self" ) { this.path.unshift(prevNode.action); // add parent actions to the front of path prevNode = prevNode.parent; } this.cost = curr.g; this.inProgress = false; } expandNode(curr) { for (let i = 0; i < this.config.actions.length; i++) { let newx = curr.x + this.config.actions[i][0]; let newy = curr.y + this.config.actions[i][1]; let gDistance = curr.g + this.config.actionCosts[i]; if ( this.isLegalAction(curr.x, curr.y, this.size, this.config.actions[i]) && this.unvisitedNode(newx, newy, gDistance) ) { this.open.push( new Node( newx, newy, curr, this.config.actions[i], gDistance, this.estimateCost(newx, newy, this.gx, this.gy) ) ); // add to open list } } } unvisitedNode(x, y, gDistance) { //false if present in closed list for (let i = 0; i < this.closed.length; i++) { if (this.closed[i].x == x && this.closed[i].y == y) { return false; } } //false if present in open list but has lower gDistance for (let i = 0; i < this.open.length; i++) { if (this.open[i].x == x && this.open[i].y == y) { if (this.open[i].g <= gDistance) { return false; } } } return true; } pop_min_f() { let index = 0; let min_f = this.open[index].g + this.open[index].h; //returns node with lowest f cost or lowest f cost and lowest h cost for (let i = 1; i < this.open.length; i++) { if ( this.open[i].g + this.open[i].h < min_f || (this.open[i].g + this.open[i].h == min_f && this.open[i].h < this.open[index].h) ) { min_f = this.open[i].g + this.open[i].h; index = i; } } let minfNode = this.open[index]; //remove node from the open list this.open.splice(index, 1); return minfNode; } getOpen() { let openStates = []; for (let i = 0; i < this.open.length; i++) { openStates.push([this.open[i].x, this.open[i].y]); } return openStates; } getClosed() { let closedStates = []; for (let i = 0; i < this.closed.length; i++) { closedStates.push([this.closed[i].x, this.closed[i].y]); } return closedStates; } } class Node { constructor(x, y, parent, action, g, h) { this.x = x; this.y = y; this.action = action; this.parent = parent; this.g = g; this.h = h; } }
ca240401afafe0f58f1ff290ef8309b322a24957
[ "JavaScript" ]
1
JavaScript
rabeyabasri/Shortest-path-finding-using-A-Star-algorithm
92e025fe00bea0c004811f5704df0c0b7fd284d1
62d538f474671962da496e14b1d71a7ac83fe77c
refs/heads/master
<repo_name>YSS17/dev-hiring-challenge<file_sep>/app/models/user.rb class User < ApplicationRecord validates :email, presence: true, uniqueness: true, format: { with: /\A\S+@.+\.\S+\z/} validates :password, presence: true, length: { in: Devise.password_length }, confirmation: true devise :database_authenticatable, :registerable, :recoverable, :rememberable, :validatable end <file_sep>/README.md # Github Repo Searcher v1.0 Github Repo Searcher é uma aplicação que recebe como parâmetro linguagens ou repositórios que o usuário desejar procurar na base do Github. Os resultados são mostrados ao usuário e ele pode se logar e ter a opção de salvar como Favorito algum repositório de sua escolha. ## Environment Ruby 2.6.2 Rails 6.0.3 Base de Dados PostgreSQL Deployed on Heroku® ### Instalando as Gems: ``` bundle install ``` ### Criando a Base de Dados ``` rails db:create ``` ``` rails db:migrate ``` ## Rodando o Projeto ``` rails server ``` ## Testes Utilizei Minitest e ActiveSupport como base para TDD desta aplicação. ### Criando Base de Testes ``` rails db:create RAILS_ENV=test ``` ``` rails db:migrate RAILS_ENV=test ``` ### Rodando Testes ``` rake test test/models/repository_test.rb ``` ## Deploy Deploy feito na plataforma do Heroku https://gitreposearcher.herokuapp.com/ ## Documentação | URL | Rota | Descrição | | ----------- | ---- | --------- | | /?query=rails&commit=Search | repositories#index | URL de pesquisa que recebe como parâmetro a pesquisa pelo repositório | | /user/sign_in | users#sign_in | Página p/ usuários se logarem no aplicativo | | /repositories | repositories#index | Contém todos os favoritos salvos pelo usuário | | /repositories/{:id} | repositories#show | Mostra mais detalhes de cada repositório salvo pelo usuário, como suas métricas e um link de redirecionamento | <file_sep>/app/controllers/repositories_controller.rb class RepositoriesController < ApplicationController include HTTParty def index @results = Repository.all end def show @result = Repository.find(params[:id]) end def search if params['query'].present? @query = params["query"] search_url = "https://api.github.com/search/repositories?q=topic:#{@query}" @results = HTTParty.get(search_url, format: :json) end end def create repo_hash = params["repo"] @repo = Repository.new() @repo.full_name = repo_hash["full_name"] @repo.html_url = repo_hash["html_url"] @repo.description = repo_hash["description"] @repo.stargazers_count = repo_hash["stargazers_count"] @repo.language = repo_hash["language"] @repo.watchers_count = repo_hash["language"] @repo.forks = repo_hash["forks"] if @repo.save redirect_to repositories_path, notice: "Repositório salvo como favorito!" else redirect_to root_path, notice: "Tente novamente" end end def destroy @repo = Repository.find(params[:id]) @repo.destroy redirect_to repositories_path end private def search_params params.permit(:query) end end <file_sep>/config/routes.rb Rails.application.routes.draw do devise_for :users # For details on the DSL available within this file, see https://guides.rubyonrails.org/routing.html root to: "repositories#search" resources :repositories, only: [:search, :new, :create, :index, :destroy, :show] end <file_sep>/test/models/user_test.rb require 'test_helper' class UserTest < ActiveSupport::TestCase user = User.new() end <file_sep>/test/models/repository_test.rb require 'test_helper' require 'colorize' require 'faker' class RepositoryTest < ActiveSupport::TestCase # fixtures :repositories puts "\n******** ⚠️ Running Unit Tests for Repository ⚠️ *******\n".colorize(:yellow) repo = Repository.new() test "Should not save repo without name" do assert_not repo.save, "Repository shouldn't be created" puts "\n✅ Should not save a Repository without Name".colorize(:light_green) end test "Should not save repo without language" do assert_not repo.save, "Repository shouldn't be created" puts "\n✅ Should not save a Repository without Language".colorize(:light_green) end test "Should not save repo without Github URL" do assert_not repo.save, "Repository shouldn't be created" puts "\n✅ Should not save a Repository without Github URL".colorize(:light_green) end new_repo = Repository.new() new_repo.html_url = Faker::Internet.url(host: 'github.com', path: '/rails') new_repo.description = Faker::ProgrammingLanguage.creator new_repo.stargazers_count = Faker::Number.number(digits: 4) new_repo.language = Faker::ProgrammingLanguage.name new_repo.watchers_count = Faker::Number.number(digits: 5) new_repo.forks = Faker::Number.number(digits: 3) new_repo.full_name = Faker::Company.buzzword test "Should create an example Post" do assert new_repo.save, "Should create an sample repository" puts "\n✅ Should create a Repository Sample".colorize(:light_green) end end <file_sep>/app/models/repository.rb class Repository < ApplicationRecord validates :full_name, presence: true validates :html_url, presence: true validates :language, presence: true end
73d019bfff0b4a45ad182dc740ccca7874583566
[ "Markdown", "Ruby" ]
7
Ruby
YSS17/dev-hiring-challenge
21abb6318f0a8d0f6ad50d9950cbfc62a57d5095
aa5ebb40c3afd6e9a7a44fd84a731568da32b081
refs/heads/master
<file_sep>document.getElementById("amountAndInterest1").style.display = "none" document.getElementById("amountAndInterest2").style.display = "none" document.getElementById("amountAndInterest3").style.display = "none" // output div is hidden at first, starting date (today) is also hidden, although this should be adjustable in v2.0 document.getElementById("output").style.visibility = "hidden" document.getElementById("startDate").style.visibility = "hidden" document.getElementById("startDate").valueAsDate = new Date() // set up the date variables (wish I could force a minimum of 30 days from today) function setUpDates(userEnteredDate){ let freeDat = new Date(userEnteredDate) let totalDys = parseInt((freeDat - new Date()) / (1000 * 60 * 60 * 24)) let months = totalDys / 30.44 return [freeDat, totalDys, months]; } // setUpDates(document.getElementById("freedomDate").value) // var dates = setUpDates(); // var freeDat2 = setUpDates()[0] // console.log(setUpDates()[0] + ' should be users date'); var totalDys = setUpDates()[1] var months = setUpDates()[2] // initialize an array to hold all the debts info var debtArray = [[0,0],[0,0],[0,0],[0,0]]; // initialize array to hold all the payoff advice for the modal divs let adviceArr = []; // event of clicking yellow plus sign to add up to 3 other debt inputs document.getElementById("plus-sign").onclick = function() { if (document.getElementById("amountAndInterest1").style.display == "none") { document.getElementById("amountAndInterest1").style.display = "block" } else if ( document.getElementById("amountAndInterest2").style.display == "none" ) { document.getElementById("amountAndInterest2").style.display = "block" } else { document.getElementById("amountAndInterest3").style.display = "block" } }; // event of clicking yellow minus sign to remove 3 other debt inputs // with an assist by the very awesome <NAME> ["1", "2", "3"].forEach((number) => { document.getElementById(`minus-sign${number}`).onclick = function () { if (document.getElementById(`amountAndInterest${number}`).style.display == "block") { document.getElementById(`amountAndInterest${number}`).style.display = "none" } } }) // The main function: function calc() { var totalDys = setUpDates(document.getElementById("freedomDate").value)[1]; var months = setUpDates(document.getElementById("freedomDate").value)[2]; var debtInputs = document.getElementsByClassName('debts'); var rateInputs = document.getElementsByClassName('rates'); for (i = 0; i < debtInputs.length; i ++){ debtArray[i] = [debtInputs[i].value, rateInputs[i].value]; } console.log("debtArray...") console.log(debtArray) // reveal the output divs document.getElementById("output").style.visibility = "visible" // The amortization? formula -- '|| 0' avoids displaying "NaN" before the user can enter both values function xtraCalc(d, r) { const xtraIntr = r.value || 0 const rt = xtraIntr / 12 / 100 const dbt = d.value || 0 const monthlyPay = parseFloat((rt * dbt) / (1 - Math.pow(1 + rt, -months))) || 0 return monthlyPay.toFixed(2) }; // outputs the possible side gigs advice elements under each monthly payment. to-do: store as nested objects function planOutput(anyDebt, anyRate){ var advice = []; if((xtraCalc(anyDebt, anyRate) !== 0) && (xtraCalc(anyDebt, anyRate) > 0)){ advice = [ xtraCalc(anyDebt, anyRate), "- That's about " + (xtraCalc(anyDebt, anyRate) / 5).toFixed(2) + " hrs of online surveys ", (xtraCalc(anyDebt, anyRate) / 10).toFixed(2) + " hrs of teaching english ", "or " + (xtraCalc(anyDebt, anyRate) / 16).toFixed(2) + " hours of Lyft driving." ] }else{ advice = ""; } return advice } // output the first debt payment document.getElementById("monthlyPayOutput").innerHTML = "Debt 1: " + planOutput(debt1, rate1)[0]; // to-do: add debt nickname fields instead of Debt 1: Car: Credit Card:, etc // The bottom three days/months/years output divs: document.getElementById("numdays").innerHTML = totalDys document.getElementById("numMonths").innerHTML = months.toFixed(2) document.getElementById("numYears").innerHTML = (months / 12).toFixed(2) // with aNOTHER assist by the very awesome <NAME> // if any additional debts are added (made visible,) append to results div with the calculation (index + 1 because the first input must always already be made) function appendAdditionalDebt(debt, rate, para, index){ para = document.createElement("p") para.className = "card bg-warning mb-2" document.getElementById("monthlyPayOutput").appendChild(para) document.getElementsByClassName("card bg-warning mb-2")[index].innerHTML = `Debt ${index + 1}: ${planOutput(debt, rate)[0]}` } // if any additional debts are added (made visible,) append to results div with the calculation // add modal with grand total, payoff plan if (document.getElementById("amountAndInterest1").style.display == "block") { appendAdditionalDebt(debt2, rate2, para1, 1) } else { var para1 = document.createElement("p") para1.className = "card bg-warning mb-2" document.getElementById("monthlyPayOutput").appendChild(para1) document.getElementsByClassName("card bg-warning mb-2")[1].innerHTML = "click + / - to enter/remove more debts" } if ((document.getElementById("amountAndInterest2").style.display == "block") && planOutput(debt3, rate3)[0] > 0) { appendAdditionalDebt(debt3, rate3, para1, 2) } if ((document.getElementById("amountAndInterest3").style.display == "block") && planOutput(debt4, rate4)[0] > 0) { appendAdditionalDebt(debt4, rate4, para1, 3) } adviceArr = [planOutput(debt1, rate1), planOutput(debt2, rate2), planOutput(debt3, rate3), planOutput(debt4, rate4)]; return adviceArr; }; // listen for any inputs and recalculate const inputs = document.querySelectorAll("input") inputs.forEach(inp => { inp.addEventListener("input", calc) setUpDates(); console.log(months.toFixed(2) + ' should be months') }); // listen for minus sign clicks let minus = document.getElementsByClassName("minus-sign") for (var i = 0; i < minus.length; i++) { minus[i].addEventListener("click", function(event){ // for the debt/interest rate corresponding to whichever minus symbol was clicked, reset value to zero. // this will break if anything is added to the HTML form, so might be better to place inside lines 42-59 console.log("hey minus"); event.target.parentElement.firstElementChild.value = 0; event.target.parentElement.childNodes[3].value = 0; }) minus[i].addEventListener("click", calc) }; // listen for plus sign clicks var plus = document.getElementById("plus-sign"); plus.addEventListener("click", calc); // next steps: Maybe a pie chart divided evenly with each radio checked, or at least color coding <file_sep># debtFreeCalculator A pretty, one-page debt freedom date calculator. <file_sep> // advice modal divs are not displayed unless needed document.getElementById('plan2').style.display = "none" document.getElementById('plan3').style.display = "none" document.getElementById('plan4').style.display = "none" let modal = document.querySelector(".modalz"); let trigger = document.querySelector(".trigger"); // 'generate' btn let closeButton = document.querySelector(".closeButton"); // red 'x' btn function totalDebts(){ let total = (planOutput(debt1, rate1)) + ((planOutput(debt2, rate2)) || 0 ) + ((planOutput(debt3, rate3)) || 0 ) + ((planOutput(debt4, rate4)) || 0 ); return total; } let totalAllDebts = 0; // pop up modal function toggleModal() { modal.classList.toggle("show-modal"); totalAllDebts = 0; // reset the total to zero // loop through user debt inputs for (i = 0; i < debtArray.length; i++){ if (debtArray[i][0]){ var debt = parseInt(debtArray[i][0]); console.log(debt + " debt!") totalAllDebts += debt; }else{ totalAllDebts += 0 console.log('nada') } } // console.log(totalAllDebts + " totalAllDebts") // not DRY desiredFreedomDate = setUpDates(document.getElementById("freedomDate").value)[0].toLocaleDateString() function checkValidDate(){ let modalDateField; if (desiredFreedomDate == 'Invalid Date' ){ modalDateField = "...hmm, the date seems to be invalid, please go back and adjust it." } else { modalDateField = desiredFreedomDate } return modalDateField } document.getElementById('totalDebt').innerHTML = "To pay off all " + totalAllDebts + " by " + checkValidDate() + ": "; document.getElementById('plan1Amt').innerHTML = ` monthly payment is ${adviceArr[0][0]}` document.getElementById('plan1Gigs').innerHTML = `Possible gigs ${adviceArr[0][1]}, ${adviceArr[0][2]}, ${adviceArr[0][3]}` if (document.getElementById("amountAndInterest1").style.display == "block"){ document.getElementById('plan2').style.display = "block" document.getElementById('plan2Amt').innerHTML = ` monthly payment is ${adviceArr[1][0]}` document.getElementById('plan2Gigs').innerHTML = `Possible gigs ${adviceArr[1][1]}, ${adviceArr[1][2]}, ${adviceArr[1][3]}` } if (document.getElementById("amountAndInterest2").style.display == "block"){ document.getElementById('plan3').style.display = "block" document.getElementById('plan3Amt').innerHTML = ` monthly payment is ${adviceArr[2][0]}` document.getElementById('plan3Gigs').innerHTML = `Possible gigs ${adviceArr[2][1]}, ${adviceArr[2][2]}, ${adviceArr[2][3]}` } if (document.getElementById("amountAndInterest3").style.display == "block"){ document.getElementById('plan4').style.display = "block" document.getElementById('plan4Amt').innerHTML = ` monthly payment is ${adviceArr[3][0]}` document.getElementById('plan4Gigs').innerHTML = `Possible gigs ${adviceArr[3][1]}, ${adviceArr[3][2]}, ${adviceArr[3][3]}` } // Maybe a pie chart divided evenly with each radio checked // maybe add more planDetail } // close when user clicks anywhere outside of the modal function windowOnClick(event) { if (event.target === modal) { toggleModal(); } } trigger.addEventListener("click", toggleModal); closeButton.addEventListener("click", toggleModal); window.addEventListener("click", windowOnClick);
4864c600abf73d6ff75fe10be756d6c9792ce8e4
[ "JavaScript", "Markdown" ]
3
JavaScript
studiozandra/debtline
164e4a6cf2546a251ffd74486f5dd7f0c5cb5ba6
ed48524b36615748403e0dcdb4996ac84b26100f
refs/heads/master
<repo_name>mfilia/sandbox<file_sep>/README.md # sandbox ## Just screwing around <file_sep>/cats.py #!/usr/bin/python print "cats are awesome!"
ebcb030d358879d3d8d011af2c53bd9438381ef4
[ "Markdown", "Python" ]
2
Markdown
mfilia/sandbox
27c315f126bc123e284fbf6d304f9faa21b0f1af
677577e62691abac29881d2997ca183e0693cf22
refs/heads/master
<repo_name>anshul7sh/Leetcode-Problems<file_sep>/Prob1032/Solution.cpp // Approach 1:- class TrieNode { TrieNode* children[26]; bool word; public: TrieNode() { word=false; for(int i=0;i<26;i++) children[i]=nullptr; } void insert(string& s) { TrieNode* temp=this; for(int i=s.size()-1;i>=0;i--) { if(temp->children[s[i]-'a']==nullptr) temp->children[s[i]-'a']=new TrieNode(); temp=temp->children[s[i]-'a']; } temp->word=true; return ; } bool search(vector<char>& prev) { TrieNode* temp=this; for(int i=prev.size()-1;i>=0 && temp;i--) { int n=prev[i]-'a'; if(temp->children[n]==nullptr) return false; temp=temp->children[n]; if(temp->word) return true; } return false; } }; class StreamChecker { public: vector<char> queryChar; TrieNode root; StreamChecker(vector<string>& words) { for(int i=0;i<words.size();i++) root.insert(words[i]); } bool query(char letter) { queryChar.push_back(letter); return root.search(queryChar); } }; <file_sep>/Prob3/Solution.cpp // Approach 1:- class Solution { public: int lengthOfLongestSubstring(string s) { int len = 0; unordered_set<char> store; for (int i = 0; i < s.size(); i++) { int j = i; for (; j < s.size(); j++) if (store.find(s[j]) != store.end()) break; else store.insert(s[j]); len = max(len, j - i); store.clear(); } return len; } }; // Approach 2 :- class Solution { public: int lengthOfLongestSubstring(string s) { int len = 0; int start = 0, end = 0; unordered_set<char> store; while (end < s.size()) if (store.find(s[end]) != store.end()) store.erase(store.find(s[start++])); else { store.insert(s[end++]); len = max(len, end - start); } return len; } };<file_sep>/Prob775/Solution.cpp // Approach 1:- class Solution { public: bool isIdealPermutation(vector<int> &A) { for (int i = 0; i < A.size(); i++) for (int j = i + 2; j < A.size(); j++) if (A[i] > A[j]) return false; return true; } }; // Approach 2:- class Solution { public: bool isIdealPermutation(vector<int> &A) { int max_val = -1; int N = A.size() - 2; for (int i = 0; i < N; i++) { max_val = max(max_val, A[i]); if (max_val > A[i + 2]) return false; } return true; } }; // Approach 3:- class Solution { public: bool isIdealPermutation(vector<int> &A) { for (int i = 0; i < A.size(); i++) if (abs(A[i] - i) > 1) return false; return true; } };<file_sep>/Prob526/Solution.cpp // Approach 1:- class Solution { private: int res=0; vector<bool> store; public: int countArrangement(int N) { for (int i=0;i<N;i++) store.push_back(true); int pos=1; dfs(pos, N); return res; } void dfs(int& pos, int& N) { if (pos>N) { res++; return; } for (int i=0;i<N;i++) { if (!store[i] || !(pos%(i+1)==0 || (i+1)%pos==0)) continue; store[i]=false; pos++; dfs(pos, N); pos--; store[i]=true; } return; } };<file_sep>/Prob1524/Solution.cpp // Approach 1:- class Solution { public: int numOfSubarrays(vector<int> &arr) { int N = arr.size(); vector<long> store; store.push_back(0); long sum = 0; for (int i = 0; i < arr.size(); i++) { sum += arr[i]; store.push_back(sum); } int odd_before = 0, even_before = 1; int res = 0; int mod = pow(10, 9) + 7; for (int i = 1; i < arr.size() + 1; i++) if (store[i] % 2 == 0) { res += odd_before; res = res % mod; even_before++; } else { res += even_before; res = res % mod; odd_before++; } return res; } };<file_sep>/Prob381/Solution.cpp // Approach 1 :- class RandomizedCollection { private: vector<pair<int, int>> nums; unordered_map<int, vector<int>> store; public: RandomizedCollection() { } bool insert(int val) { bool result = store.find(val) == store.end(); store[val].push_back(nums.size()); nums.push_back({val, store[val].size() - 1}); return result; } bool remove(int val) { bool result = store.find(val) != store.end(); if (result) { auto last = nums.back(); store[last.first][last.second] = store[val].back(); nums[store[val].back()] = last; store[val].pop_back(); if (store[val].empty()) store.erase(val); nums.pop_back(); } return result; } int getRandom() { return nums[rand() % nums.size()].first; } }; <file_sep>/Prob103/Solution.cpp // Approach 1 :- class Solution { public: vector<vector<int>> zigzagLevelOrder(TreeNode *root) { stack<TreeNode *> first_stack, second_stack; if (root) first_stack.push(root); vector<vector<int>> res; int depth = 0; while (!first_stack.empty()) { res.push_back({}); while (!first_stack.empty()) { TreeNode *temp = first_stack.top(); first_stack.pop(); res[depth].push_back(temp->val); if (temp->left) second_stack.push(temp->left); if (temp->right) second_stack.push(temp->right); } depth++; if (!second_stack.empty()) res.push_back({}); while (!second_stack.empty()) { TreeNode *temp = second_stack.top(); second_stack.pop(); res[depth].push_back(temp->val); if (temp->right) first_stack.push(temp->right); if (temp->left) first_stack.push(temp->left); } depth++; } return res; } };<file_sep>/Prob637/Solution.cpp // Approach 1 :- (DFS). class Solution { public: vector<double> averageOfLevels(TreeNode *root) { vector<pair<long, long>> store; int depth = 0; dfs(root, store, depth); vector<double> res; for (int i = 0; i < store.size(); i++) res.push_back((double)(store[i].first) / (store[i].second)); return res; } void dfs(TreeNode *root, vector<pair<long, long>> &store, int &depth) { if (root == NULL) return; if (store.size() > depth) { store[depth].first += root->val; store[depth].second++; } else store.push_back(make_pair(root->val, 1)); depth++; dfs(root->left, store, depth); dfs(root->right, store, depth); depth--; } }; // Approach 2 :- class Solution { public: vector<double> averageOfLevels(TreeNode *root) { queue<TreeNode *> q; vector<double> res; if (root) q.push(root); while (!q.empty()) { int N = q.size(); double sum = 0; for (int i = 0; i < N; i++) { TreeNode *temp = q.front(); q.pop(); sum += (double)temp->val; if (temp->left) q.push(temp->left); if (temp->right) q.push(temp->right); } res.push_back((double)(sum) / N); } return res; } };<file_sep>/Prob983/Solution.java class Solution { public int mincostTickets(int[] days, int[] costs) { int n=days[days.length-1]; int[] dp=new int[n+1]; for(int i=0,j=1;j<n+1;j++,i++) { while(j<n+1 && days[i]!=j) { dp[j]=dp[j-1]; j++; } int one=dp[j-1]+costs[0]; int seven=dp[Math.max(j-7,0)]+costs[1]; int thirty=dp[Math.max(j-30,0)]+costs[2]; dp[j]=Math.min(one,Math.min(seven,thirty)); } return dp[n]; } }<file_sep>/Prob416/Solution.cpp // Approach 1:- class Solution { public: bool canPartition(vector<int> &nums) { int totalSum = 0; int n = nums.size(); for (int i = 0; i < n; i++) totalSum += nums[i]; if (totalSum % 2 != 0) return false; int halfSum = totalSum / 2; vector<vector<bool>> dp(n + 1, vector<bool>(halfSum + 1, false)); for (int i = 0; i < n + 1; i++) dp[i][0] = true; for (int i = 1; i < n + 1; i++) { for (int j = 1; j < halfSum + 1; j++) dp[i][j] = dp[i - 1][j] || (j >= nums[i - 1] ? (dp[i - 1][j - nums[i - 1]]) : false); if (dp[i][halfSum]) return true; } return false; } }; // Approach 2:- class Solution { public: bool canPartition(vector<int> &nums) { int totalSum = 0; int n = nums.size(); for (int i = 0; i < n; i++) totalSum += nums[i]; if (totalSum % 2 != 0) return false; int halfSum = totalSum / 2; vector<bool> dp(halfSum + 1, false); dp[0] = true; for (int i = 0; i < n; i++) { for (int j = halfSum; j >= nums[i]; j--) dp[j] = dp[j] || dp[j - nums[i]]; if (dp[halfSum]) return true; } return false; } };<file_sep>/Contest Solutions/Biweekly Contest 44/README.md ***Problem Links*** - [***Find the Highest Altitude***](https://leetcode.com/contest/biweekly-contest-44/problems/find-the-highest-altitude/) - [***Minimum Number of People to Teach***](https://leetcode.com/contest/biweekly-contest-44/problems/minimum-number-of-people-to-teach/) - [***Decode XORed Permutation***](https://leetcode.com/contest/biweekly-contest-44/problems/decode-xored-permutation/) - [***Count Ways to Make Array With Product***](https://leetcode.com/contest/biweekly-contest-44/problems/count-ways-to-make-array-with-product/)<file_sep>/Contest Solutions/Biweekly Contest 47/README.md ***Problem Links:-*** - [***Find Nearest Point That Has the Same X or Y Coordinate***](https://leetcode.com/contest/biweekly-contest-47/problems/find-nearest-point-that-has-the-same-x-or-y-coordinate/) - [***Check if Number is a Sum of Powers of Three***](https://leetcode.com/contest/biweekly-contest-47/problems/check-if-number-is-a-sum-of-powers-of-three/) - [***Sum of Beauty of All Substrings***](https://leetcode.com/contest/biweekly-contest-47/problems/sum-of-beauty-of-all-substrings/) - [***Count Pairs Of Nodes***](https://leetcode.com/contest/biweekly-contest-47/problems/count-pairs-of-nodes/)<file_sep>/Prob1525/Solution.cpp // Approach 1:- class Solution { public: int numSplits(string s) { int res = 0; unordered_map<char, int> store; unordered_set<char> set2; unordered_set<char> set1; set1.insert(s[0]); for (int i = 1; i < s.size(); i++) { store[s[i]]++; set2.insert(s[i]); } if (set1.size() == set2.size()) res++; for (int i = 1; i < s.size(); i++) { store[s[i]]--; if (store[s[i]] == 0) set2.erase(set2.find(s[i])); set1.insert(s[i]); if (set1.size() == set2.size()) res++; } return res; } };<file_sep>/Contest Solutions/Weekly Contest 243/README.md Problem Links:- - [***Check if Word Equals Summation of Two Words***](https://leetcode.com/contest/weekly-contest-243/problems/check-if-word-equals-summation-of-two-words/) - [***Maximum Value after Insertion***](https://leetcode.com/contest/weekly-contest-243/problems/maximum-value-after-insertion/) - [***Process Tasks Using Servers***](https://leetcode.com/contest/weekly-contest-243/problems/process-tasks-using-servers/) - [***Minimum Skips to Arrive at Meeting On Time***](https://leetcode.com/contest/weekly-contest-243/problems/minimum-skips-to-arrive-at-meeting-on-time/)<file_sep>/Prob1302/Solution.cpp // Approach 1:- class Solution { private: int max_depth=-1; int sum=0; public: int deepestLeavesSum(TreeNode* root) { int depth=0; traverse(root, depth); return sum; } void traverse(TreeNode* root, int& depth) { if (root==NULL) return; if (root->left==NULL && root->right==NULL) if (depth>max_depth) { max_depth=depth; sum=root->val; } else if (depth==max_depth) sum+=root->val; depth++; traverse(root->left, depth); traverse(root->right, depth); depth--; } };<file_sep>/Prob1456/Solution.cpp // Approach 1:- class Solution { public: int maxVowels(string s, int k) { int count = 0; unordered_set<char> vowels; vowels.insert('u'), vowels.insert('o'), vowels.insert('i'), vowels.insert('e'), vowels.insert('a'); int res = 0; int curr = 0; int start = 0, end = 0; while (end < k) { if (vowels.find(s[end]) != vowels.end()) curr++; end++; } res = max(res, curr); while (end < s.size()) { if (vowels.find(s[end]) != vowels.end()) curr++; end++; if (vowels.find(s[start]) != vowels.end()) curr--; start++; res = max(res, curr); } return res; } }; // Approach 2:- class Solution { public: int maxVowels(string s, int k) { vector<int> vowels(26); vowels[0] = 1; vowels['e' - 'a'] = 1; vowels['i' - 'a'] = 1; vowels['o' - 'a'] = 1; vowels['u' - 'a'] = 1; int res = 0; int curr = 0; int start = 0, end = 0; while (end < k) { if (vowels[s[end] - 'a'] == 1) curr++; end++; } res = curr; while (end < s.size()) { if (vowels[s[end] - 'a'] == 1) curr++; end++; if (vowels[s[start] - 'a'] == 1) curr--; start++; res = max(res, curr); } return res; } }; <file_sep>/Prob707/Solution.cpp // Approach 1:- class myNode { public: int val; myNode *next; myNode(int value) { val = value; next = nullptr; } }; class MyLinkedList { private: myNode *root = nullptr; int size = 0; public: MyLinkedList() { } int get(int index) { if (index >= size) return -1; myNode *temp = root; while (index > 0) { temp = temp->next; index--; } return temp->val; } void addAtHead(int val) { size++; myNode *temp = new myNode(val); temp->next = root; root = temp; return; } void addAtTail(int val) { size++; if (root == NULL) { root->next = new myNode(val); return; } myNode *temp = root; while (temp->next != NULL) temp = temp->next; temp->next = new myNode(val); return; } void addAtIndex(int index, int val) { if (index > size) return; size++; myNode *temp = root; if (index == 0) { addAtHead(val); return; } while (index - 1 > 0) { temp = temp->next; index--; } myNode *node = new myNode(val); node->next = temp->next; temp->next = node; } void deleteAtIndex(int index) { if (index >= size) return; size--; if (index == 0) { root = root->next; return; } myNode *temp = root; while (index - 1 > 0) { temp = temp->next; index--; } temp->next = temp->next->next; return; } };<file_sep>/Prob1694/Solution.cpp // Link To Problem:- // https://leetcode.com/problems/reformat-phone-number/ // Solution:- class Solution { public: string reformatNumber(string s) { string res = ""; int n = s.size(); for (int i = 0; i < n; i++) if (s[i] != ' ' && s[i] != '-') res += s[i]; n = res.size(); s = ""; int temp = n / 3 + ((n % 3 == 2) ? 0 : -1); for (int i = 0; i < temp; i++) { for (int k = 0; k < 3; k++) s += res[i * 3 + k]; s += '-'; } if (n % 3 == 1) { s += res[n - 4]; s += res[n - 3]; s += '-'; s += res[n - 2]; s += res[n - 1]; } else if (n % 3 == 0) { s += res[n - 3]; s += res[n - 2]; s += res[n - 1]; } else { s += res[n - 2]; s += res[n - 1]; } return s; } };<file_sep>/Contest Solutions/Weekly Contest 223/README.md ***Problem Links:-*** - [***Decode XORed Array***](https://leetcode.com/contest/weekly-contest-223/problems/decode-xored-array/) - [***Swapping Nodes in a Linked List***](https://leetcode.com/contest/weekly-contest-223/problems/swapping-nodes-in-a-linked-list/) - [***Minimize Hamming Distance After Swap Operations***](https://leetcode.com/contest/weekly-contest-223/problems/minimize-hamming-distance-after-swap-operations/) - [***Find Minimum Time to Finish All Jobs***](https://leetcode.com/contest/weekly-contest-223/problems/find-minimum-time-to-finish-all-jobs/)<file_sep>/Prob1032/Solution.java // Approach 1:- class StreamChecker { class TrieNode { boolean isWord=false; TrieNode[] next=new TrieNode[26]; } TrieNode root=new TrieNode(); StringBuilder sb = new StringBuilder(); public StreamChecker(String[] words) { createTrie(words); } public boolean query(char letter) { sb.append(letter); TrieNode node=root; for(int i=sb.length()-1;i>=0 && node!=null;i--) { char c=sb.charAt(i); node=node.next[c-'a']; if(node!=null && node.isWord) return true; } return false; } private void createTrie(String[] words) { for(String s: words) { TrieNode node=root; int len=s.length(); for(int i=len-1;i>=0;i--) { char c=s.charAt(i); if(node.next[c-'a']==null) node.next[c-'a']=new TrieNode(); node=node.next[c-'a']; } node.isWord=true; } } }<file_sep>/Prob404/Solution.cpp // Approach 1:- class Solution { private: int sum = 0; public: int sumOfLeftLeaves(TreeNode *root) { traversal(root, false); return sum; } void traversal(TreeNode *root, bool isLeft) { if (root == NULL) return; if (isLeft && root->left == NULL && root->right == NULL) { sum += root->val; return; } traversal(root->left, true); traversal(root->right, false); } };<file_sep>/Prob79/Solution.cpp // Approach 1 :- class Solution { public: bool exist(vector<vector<char>> &board, string &word) { for (int i = 0; i < board.size(); i++) for (int j = 0; j < board[i].size(); j++) if (wordFound(board, i, j, word, 0)) return true; return false; } private: bool wordFound(vector<vector<char>> &board, int row, int col, string &word, int index) { if (index >= word.size() - 1 && board[row][col] == word[index]) return true; if (board[row][col] != word[index]) return false; else board[row][col] = '.'; bool ans = false; if (row > 0) ans = ans || wordFound(board, row - 1, col, word, index + 1); if (col > 0) ans = ans || wordFound(board, row, col - 1, word, index + 1); if (row < board.size() - 1) ans = ans || wordFound(board, row + 1, col, word, index + 1); if (col < board[row].size() - 1) ans = ans || wordFound(board, row, col + 1, word, index + 1); board[row][col] = word[index]; return ans; } };<file_sep>/Prob1910/Solution.cpp // Link To Problem:- // https://leetcode.com/problems/remove-all-occurrences-of-a-substring/ // Solution:- class Solution { public: string removeOccurrences(string s, string part) { vector<char> temp; int k = part.size(); for (auto x : s) { temp.push_back(x); if (temp.size() >= k && isMatch(temp, part)) { int l = k; while (l--) temp.pop_back(); } } string res = ""; for (auto x : temp) res += x; return res; } bool isMatch(vector<char> &temp, string &part) { int i = part.size() - 1, j = temp.size() - 1; while (i >= 0) if (part[i] == temp[j]) i--, j--; else return false; return true; } };<file_sep>/Prob1291/Solution.cpp // Approach 1:- class Solution { public: vector<int> sequentialDigits(int low, int high) { string digits = "123456789"; vector<int> res; int min_len = to_string(low).size(); int max_len = to_string(high).size(); for (int i = min_len; i <= max_len; i++) for (int j = 0; j < 10 - i; j++) { int num = stoi(digits.substr(j, i)); if (num >= low && num <= high) res.push_back(num); } return res; } };<file_sep>/Prob677/Solution.cpp #include<stdio.h> #include<stdlib.h> #include<iostream> #include<vector> #include<unordered_map> using namespace std; // Approach 1:- class TrieNode { public: vector<TrieNode *> children; int val; TrieNode() { for (int i = 0; i < 26; i++) children.push_back(nullptr); val = 0; } }; class MapSum { private: TrieNode *root = new TrieNode(); unordered_map<string, int> store; public: MapSum() { } void insert(string key, int value) { int val = store[key]; store[key] = value; TrieNode *temp = root; for (auto c : key) if (temp->children[c - 'a'] != NULL) { temp = temp->children[c - 'a']; temp->val = temp->val - val + value; } else { temp->children[c - 'a'] = new TrieNode(); temp = temp->children[c - 'a']; temp->val = temp->val - val + value; } } int sum(string prefix) { TrieNode *temp = root; for (auto c : prefix) { if (!temp) break; temp = temp->children[c - 'a']; } return temp ? temp->val : 0; } }; // Main Function int main() { MapSum result; result.insert("apple", 3); int ans = result.sum("app"); cout << ans << endl; result.insert("app", 5); ans = result.sum("ap"); cout << ans << endl; result.insert("apple", 10); ans = result.sum("app"); cout << ans << endl; return 0; }<file_sep>/Prob1540/Solution.cpp // Approach 1:- class Solution { public: bool canConvertString(string s, string t, int k) { if (s.size()!=t.size()) return false; vector<int> store(26, -1); for (int i=0;i<s.size();i++) { if (s[i]==t[i]) { continue; } int diff=t[i]-s[i] > 0 ? t[i]-s[i] : 26+t[i]-s[i]; store[diff]++; if ((store[diff])*26+diff>k) return false; } return true; } };<file_sep>/Prob165/Solution.java // Approach 1:- class Solution { public int compareVersion(String version1, String version2) { int i=0,j=0; while(i<version1.length() && j<version2.length()) { int start1=i; while(i<version1.length() && version1.charAt(i)!='.') i++; int firstNum=Integer.valueOf(version1.substring(start1,i)); int start2=j; while(j<version2.length() && version2.charAt(j)!='.') j++; int secondNum=Integer.valueOf(version2.substring(start2,j)); if(firstNum>secondNum) return 1; if(firstNum<secondNum) return -1; i++; j++; } while(i<version1.length()) { int start=i; while(i<version1.length() && version1.charAt(i)!='.') i++; int num=Integer.valueOf(version1.substring(start,i)); if(num!=0) return 1; i++; } while(j<version2.length()) { int start=j; while(j<version2.length() && version2.charAt(j)!='.') j++; int num=Integer.valueOf(version2.substring(start,j)); if(num!=0) return -1; j++; } return 0; } }<file_sep>/Prob1529/Solution.cpp // Approach 1 :- class Solution { public: int minFlips(string target) { int res = 0; int start = 0; while (start < target.size() && target[start] == '0') start++; int end = target.size() - 1; while (end >= start) { char temp = target[end]; while (end >= start && target[end] == temp) end--; res++; } return res; } };<file_sep>/Contest Solutions/Weekly Contest 226/README.md ***Problem Links*** - [***Maximum Number of Balls in a Box***](https://leetcode.com/contest/weekly-contest-226/problems/maximum-number-of-balls-in-a-box/) - [***Restore the Array From Adjacent Pairs***](https://leetcode.com/contest/weekly-contest-226/problems/restore-the-array-from-adjacent-pairs/) - [***Can You Eat Your Favorite Candy on Your Favorite Day?***](https://leetcode.com/contest/weekly-contest-226/problems/can-you-eat-your-favorite-candy-on-your-favorite-day/) - [***Palindrome Partitioning IV***](https://leetcode.com/contest/weekly-contest-226/problems/palindrome-partitioning-iv/)<file_sep>/Prob342/Solution.cpp // Approach 1:- class Solution { public: bool isPowerOfFour(int num) { return (num > 0) && ((num - 1) % 3) == 0 && ((num - 1) & num) == 0; } };<file_sep>/Contest Solutions/Weekly Contest 232/README.md ***Problem Links:-*** - [***Check if One String Swap Can Make Strings Equal***](https://leetcode.com/contest/weekly-contest-232/problems/check-if-one-string-swap-can-make-strings-equal/) - [***Find Center of Star Graph***](https://leetcode.com/contest/weekly-contest-232/problems/find-center-of-star-graph/) - [***Maximum Average Pass Ratio***](https://leetcode.com/contest/weekly-contest-232/problems/maximum-average-pass-ratio/) - [***Maximum Score of a Good Subarray***](https://leetcode.com/contest/weekly-contest-232/problems/maximum-score-of-a-good-subarray/)<file_sep>/Prob495/Solution.cpp // Approach 1:- class Solution { public: int findPoisonedDuration(vector<int> &timeSeries, int duration) { int res = 0, n = timeSeries.size(); if (n < 1) return 0; for (int i = 1; i < n; i++) { res += min(timeSeries[i] - timeSeries[i - 1], duration); } return res + duration; } };<file_sep>/Prob15/Solution.cpp // Approach 1:- class Solution { public: vector<vector<int>> threeSum(vector<int> &nums) { if (nums.size() < 3) return {}; vector<vector<int>> res; sort(nums.begin(), nums.end()); int N = nums.size(); for (int i = 0; i < N; i++) { for (int j = i + 1; j < N; j++) { for (int k = j + 1; k < N; k++) { if ((nums[i] + nums[j] + nums[k]) == 0) res.push_back({nums[i], nums[j], nums[k]}); while (k < N - 1 && nums[k] == nums[k + 1]) k++; } while (j < N - 1 && nums[j] == nums[j + 1]) j++; } while (i < N - 1 && nums[i] == nums[i + 1]) i++; } return res; } }; // Approach 2:- class Solution { public: vector<vector<int>> threeSum(vector<int> &nums) { if (nums.size() < 3) return {}; sort(nums.begin(), nums.end()); vector<vector<int>> res; for (int i = 0; i < nums.size() - 2; i++) { int start = i + 1, end = nums.size() - 1; int sum = nums[i] + nums[start] + nums[end]; while (start < end) { sum = nums[i] + nums[start] + nums[end]; if (sum < 0) start++; else if (sum > 0) end--; else { res.push_back({nums[i], nums[start], nums[end]}); while (start < end && nums[start] == nums[start + 1]) start++; while (start < end && nums[end] == nums[end - 1]) end--; start++; end--; } } while (i < nums.size() - 1 && nums[i] == nums[i + 1]) i++; } return res; } };<file_sep>/Prob99/Solution.cpp // Approach 1:- class Solution { private: vector<TreeNode *> inorder; public: void recoverTree(TreeNode *root) { traversal(root); int first = -1, second = -1; for (int i = 0; i < inorder.size() - 1; i++) if (inorder[i]->val > inorder[i + 1]->val) if (first == -1) first = i; else { second = i + 1; break; } if (second == -1) swap(inorder[first]->val, inorder[first + 1]->val); else swap(inorder[first]->val, inorder[second]->val); return; } void traversal(TreeNode *root) { if (root == NULL) return; traversal(root->left); inorder.push_back(root); traversal(root->right); } }; // Approach 2:- class Solution { private: TreeNode *first = NULL; TreeNode *second = NULL; TreeNode *prevElement = new TreeNode(INT_MIN); public: void recoverTree(TreeNode *root) { traverse(root); swap(first->val, second->val); } private: void traverse(TreeNode *root) { if (root == NULL) return; traverse(root->left); if (first == NULL && prevElement->val > root->val) first = prevElement; if (first != NULL && prevElement->val > root->val) second = root; prevElement = root; traverse(root->right); } };<file_sep>/Prob134/Solution.cpp // Approach 1:- class Solution { public: int canCompleteCircuit(vector<int> &gas, vector<int> &cost) { int start = 0, currentCost = 0, totalCost = 0; int n = gas.size(); for (int i = 0; i < n; i++) { totalCost += gas[i] - cost[i]; currentCost += gas[i] - cost[i]; if (currentCost < 0) { currentCost = 0; start = i + 1; } } return totalCost < 0 ? -1 : start; } };<file_sep>/Prob357/Solution.cpp // Approach 1:- class Solution { public: int countNumbersWithUniqueDigits(int n) { int ans = 1; while (n) { int count = 9; int fact = 9; for (int i = 2; i <= n; i++, fact--) count *= fact; ans += count; n--; } return ans; } };<file_sep>/Contest Solutions/Warm_up_Contest/README.md Problem Links:- - [**First Unique Character in a String**](https://leetcode.com/contest/warm-up-contest/problems/first-unique-character-in-a-string/) - [**Lexicographical Numbers**](https://leetcode.com/contest/warm-up-contest/problems/lexicographical-numbers/) - [**Longest Absolute File Path**](https://leetcode.com/contest/warm-up-contest/problems/longest-absolute-file-path/)<file_sep>/Prob987/Solution.cpp // Approach 1:-(DFS) class Solution { private: map<int, map<int, set<int>>> store; public: vector<vector<int>> verticalTraversal(TreeNode* root) { traverse(root, 0, 0); vector<vector<int>> res; for (auto p:store) { vector<int> col; for (auto q:p.second) col.insert(col.end(), q.second.begin(), q.second.end()); res.push_back(col); } return res; } void traverse(TreeNode* root, int x, int y) { if (root) { store[x][y].insert(root->val); traverse(root->left, x-1, y+1); traverse(root->right, x+1, y+1); } } }; // Approach 2:-(BFS) class Solution { public: vector<vector<int>> verticalTraversal(TreeNode* root) { map<int, map<int, set<int>>> store; queue<pair<TreeNode*, pair<int, int>>> todo; todo.push({ root, { 0, 0 } }); while (!todo.empty()) { auto p=todo.front(); todo.pop(); TreeNode* node=p.first; int x=p.second.first, y=p.second.second; store[x][y].insert(node->val); if (node->left) todo.push({ node->left, { x-1, y+1 } }); if (node->right) todo.push({ node->right, { x+1, y+1 } }); } vector<vector<int>> res; for (auto p:store) { vector<int> col; for (auto q:p.second) col.insert(col.end(), q.second.begin(), q.second.end()); res.push_back(col); } return res; } };<file_sep>/Prob120/Solution.cpp // Approach 1:- class Solution { private: int res = 0; public: int minimumTotal(vector<vector<int>> &triangle) { res += triangle[0][0]; res += helper(triangle, 1, 0); return res; } int helper(vector<vector<int>> &triangle, int row, int index) { if (row >= triangle.size()) return 0; int first = triangle[row][index] + helper(triangle, row + 1, index); int second = triangle[row][index + 1] + helper(triangle, row + 1, index + 1); return min(first, second); } }; // Approach 2:- class Solution { public: int minimumTotal(vector<vector<int>> &triangle) { int n = triangle.size(); vector<int> dp(n + 1, 0); for (int i = n - 1; i >= 0; i--) for (int j = 0; j <= i; j++) dp[j] = min(dp[j], dp[j + 1]) + triangle[i][j]; return dp[0]; } };<file_sep>/Prob214/Solution.cpp // Approach 1:- class Solution { public: string shortestPalindrome(string s) { string rev_s = reverseIt(s); string temp = s + "#" + rev_s; vector<int> prefixArray(temp.size(), 0); for (int i = 1; i < prefixArray.size(); i++) { int j = prefixArray[i - 1]; while (j > 0 && temp[i] != temp[j]) j = prefixArray[j - 1]; if (temp[i] == temp[j]) prefixArray[i] = j + 1; } return rev_s.substr(0, s.size() - prefixArray[temp.size() - 1]) + s; } private: string reverseIt(string &s) { string res; for (int i = s.size() - 1; i >= 0; i--) res += s[i]; return res; } };<file_sep>/Prob474/Solution.cpp // Approach 1:- class Solution { public: int findMaxForm(vector<string> &strs, int m, int n) { vector<vector<int>> dp(m + 1, vector<int>(n + 1, 0)); int zeroes, ones; for (auto &s : strs) { zeroes = 0, ones = 0; for (auto &x : s) if (x == '1') ones++; else zeroes++; for (int i = m; i >= zeroes; i--) for (int j = n; j >= ones; j--) dp[i][j] = max(dp[i - zeroes][j - ones] + 1, dp[i][j]); } return dp[m][n]; } }; <file_sep>/Prob229/Solution.cpp // Approach 1:- class Solution { public: vector<int> majorityElement(vector<int> &nums) { unordered_map<int, int> store; int n = nums.size(); vector<int> res; for (int i = 0; i < n; i++) store[nums[i]]++; for (auto x : store) if (x.second > n / 3) res.push_back(x.first); return res; } };<file_sep>/Prob99/Solution.java // Approach 1:- class Solution { private List<TreeNode> inorder; public void recoverTree(TreeNode root) { inorder=new ArrayList<TreeNode>(); traversal(root); int first=-1,second=-1; for(int i=0;i<inorder.size()-1;i++) if(inorder.get(i).val>inorder.get(i+1).val) if(first==-1) first=i; else { second=i+1; break; } if(second==-1) swap(inorder.get(first),inorder.get(first+1)); else swap(inorder.get(first),inorder.get(second)); return; } private void traversal(TreeNode root) { if(root==null) return ; traversal(root.left); inorder.add(root); traversal(root.right); } private void swap(TreeNode A,TreeNode B) { int temp=A.val; A.val=B.val; B.val=temp; } } // Approach 2:- class Solution { private TreeNode first; private TreeNode second; private TreeNode prevElement = new TreeNode(Integer.MIN_VALUE); public void recoverTree(TreeNode root) { traverse(root); int temp=first.val; first.val=second.val; second.val=temp; } private void traverse(TreeNode root) { if(root==null) return ; traverse(root.left); if(first==null && prevElement.val>root.val) first=prevElement; if(first!=null && prevElement.val>root.val) second=root; prevElement=root; traverse(root.right); } }<file_sep>/Contest Solutions/Weekly Contest 225/README.md ***Problem Links*** - [***Latest Time by Replacing Hidden Digits***](https://leetcode.com/contest/weekly-contest-225/problems/latest-time-by-replacing-hidden-digits/) - [***Change Minimum Characters to Satisfy One of Three Conditions***](https://leetcode.com/contest/weekly-contest-225/problems/change-minimum-characters-to-satisfy-one-of-three-conditions/) - [***Find Kth Largest XOR Coordinate Value***](https://leetcode.com/contest/weekly-contest-225/problems/find-kth-largest-xor-coordinate-value/) - [***Building Boxes***](https://leetcode.com/contest/weekly-contest-225/problems/building-boxes/)<file_sep>/Prob866/Solution.cpp // Approach 1:- class Solution { public: int primePalindrome(int N) { if (N >= 8 && N <= 11) return 11; for (int x = 1; x < 100000; x++) { string s = to_string(x), r(s.rbegin(), s.rend()); int y = stoi(s + r.substr(1)); if (y >= N && isPrime(y)) return y; } return -1; } bool isPrime(int N) { if (N < 2 || N % 2 == 0) return N == 2; for (int i = 3; i * i <= N; i += 2) if (N % i == 0) return false; return true; } };<file_sep>/Prob449/Solution.Cpp // Approach 1:- class Codec { public: string serialize(TreeNode *root) { if (root == NULL) return "-1"; return to_string(root->val) + "," + serialize(root->left) + "," + serialize(root->right); } TreeNode *deserialize(string data) { queue<int> q; buildQueue(data, q); return helper_deserialize(q); } void buildQueue(string &s, queue<int> &q) { int n = s.size(); for (int i = 0; i < n; i++) { int j = i + 1; while (j < s.size() && s[j] != ',') j++; q.push(stoi(s.substr(i, j - i))); i = j; } return; } TreeNode *helper_deserialize(queue<int> &q) { if (q.front() == (-1)) { q.pop(); return nullptr; } TreeNode *node = new TreeNode(q.front()); q.pop(); node->left = helper_deserialize(q); node->right = helper_deserialize(q); return node; } };<file_sep>/Prob331/Solution.java // Approach 1:- class Solution { private int index=0; private boolean res=true; public boolean isValidSerialization(String preorder) { preOrder(preorder); return index>=preorder.length() && res; } void preOrder(String preorder) { if(index>=preorder.length()) { res=false; return ; } int i=index; while(i<preorder.length() && preorder.charAt(i)!=',') i++; String temp=preorder.substring(index,i); index=i+1; if(temp.equals("#")) return ; preOrder(preorder); preOrder(preorder); } }<file_sep>/Contest Solutions/Biweekly Contest 57/README.md **_Problem Links:-_** - [***Check if All Characters Have Equal Number of Occurrences***](https://leetcode.com/contest/biweekly-contest-57/problems/check-if-all-characters-have-equal-number-of-occurrences/) - [***The Number of the Smallest Unoccupied Chair***](https://leetcode.com/contest/biweekly-contest-57/problems/the-number-of-the-smallest-unoccupied-chair/) - [***Describe the Painting***](https://leetcode.com/contest/biweekly-contest-57/problems/describe-the-painting/) - [***Number of Visible People in a Queue***](https://leetcode.com/contest/biweekly-contest-57/problems/number-of-visible-people-in-a-queue/)<file_sep>/Contest Solutions/Weekly Contest 252/README.md **_Problem Links:-_** - [**_Three Divisors_**](https://leetcode.com/contest/weekly-contest-252/problems/three-divisors/) - [**_Maximum Number of Weeks for Which You Can Work_**](https://leetcode.com/contest/weekly-contest-252/problems/maximum-number-of-weeks-for-which-you-can-work/) - [**_Minimum Garden Perimeter to Collect Enough Apples_**](https://leetcode.com/contest/weekly-contest-252/problems/minimum-garden-perimeter-to-collect-enough-apples/) - [**_Count Number of Special Subsequences_**](https://leetcode.com/contest/weekly-contest-252/problems/count-number-of-special-subsequences/) <file_sep>/Contest Solutions/Weekly Contest 244/README.md ***Problem Links:-*** - [***Determine Whether Matrix Can Be Obtained By Rotation***](https://leetcode.com/contest/weekly-contest-244/problems/determine-whether-matrix-can-be-obtained-by-rotation/) - [***Reduction Operations to Make the Array Elements Equal***](https://leetcode.com/contest/weekly-contest-244/problems/reduction-operations-to-make-the-array-elements-equal/) - [***Minimum Number of Flips to Make the Binary String Alternating***](https://leetcode.com/contest/weekly-contest-244/problems/minimum-number-of-flips-to-make-the-binary-string-alternating/) - [***Minimum Space Wasted From Packaging***](https://leetcode.com/contest/weekly-contest-244/problems/minimum-space-wasted-from-packaging/)<file_sep>/Contest Solutions/Weekly Contest 3/README.md ***Problem Links*** - 01 [***Is Subsequence***](https://leetcode.com/contest/leetcode-weekly-contest-3/problems/is-subsequence/) - 02 [***UTF-8 Validation***](https://leetcode.com/contest/leetcode-weekly-contest-3/problems/utf-8-validation/) - 03 [***Decode String***](https://leetcode.com/contest/leetcode-weekly-contest-3/problems/decode-string/) - 04 [***Longest Substring with At Least K Repeating Characters***](https://leetcode.com/contest/leetcode-weekly-contest-3/problems/longest-substring-with-at-least-k-repeating-characters/)<file_sep>/Contest Solutions/Biweekly Contest 30/README.md **_Problem Links:-_** - [**_Reformat Date_**](https://leetcode.com/contest/biweekly-contest-30/problems/reformat-date/) - [**_Range Sum of Sorted Subarray Sums_**](https://leetcode.com/contest/biweekly-contest-30/problems/range-sum-of-sorted-subarray-sums/) - [**_Minimum Difference Between Largest and Smallest Value in Three Moves_**](https://leetcode.com/contest/biweekly-contest-30/problems/minimum-difference-between-largest-and-smallest-value-in-three-moves/) - [**_Stone Game IV_**](https://leetcode.com/contest/biweekly-contest-30/problems/stone-game-iv/)<file_sep>/Prob1457/Solution.cpp // Approach 1:- class Solution { private: vector<int> store; int res = 0; int even = 0, odd = 0; public: int pseudoPalindromicPaths(TreeNode *root) { for (int i = 0; i < 9; i++) store.push_back(0); traversal(root); return res; } void traversal(TreeNode *root) { if (root == NULL) return; store[root->val - 1]++; if (store[root->val - 1] % 2 == 0) { even++; if (odd > 0) odd--; } else { odd++; if (even > 0) even--; } if (root->left == NULL && root->right == NULL) { if (odd < 2) res++; } else { traversal(root->left); traversal(root->right); } store[root->val - 1]--; if (store[root->val - 1] % 2 == 0) even++, odd--; else odd++, even--; } }; // Approach 2:- class Solution { private: vector<int> store; int res = 0; int odd = 0; public: int pseudoPalindromicPaths(TreeNode *root) { for (int i = 0; i < 9; i++) store.push_back(0); traversal(root); return res; } void traversal(TreeNode *root) { if (root == NULL) return; store[root->val - 1]++; if (store[root->val - 1] % 2 == 0) { if (odd > 0) odd--; } else odd++; if (root->left == NULL && root->right == NULL) { if (odd < 2) res++; } else { traversal(root->left); traversal(root->right); } store[root->val - 1]--; if (store[root->val - 1] % 2 == 0) odd--; else odd++; } };<file_sep>/Prob520/Solution.cpp // Approach 1:- class Solution { public: bool detectCapitalUse(string s) { if (s.size() < 2) return true; bool isCapital = false; if (s[1] <= 'Z' && s[1] >= 'A') { isCapital = true; if (s[0] > 'Z' || s[0] < 'A') return false; } for (int i = 2; i < s.size(); i++) if ((s[i] <= 'Z' && s[i] >= 'A') != isCapital) return false; return true; } };<file_sep>/Prob717/Solution.cpp // Approach 1:- class Solution { public: bool isOneBitCharacter(vector<int> &bits) { int pointer = 0; while (pointer < bits.size() - 1) { if (bits[pointer] == 1) pointer += 2; else pointer++; } return pointer == bits.size() - 1; } };<file_sep>/Prob501/Solution.cpp // Approach 1:- class Solution { private: vector<int> res; int max_count = 0; int count = 0; TreeNode *prev = nullptr; public: vector<int> findMode(TreeNode *root) { traverse(root); return res; } void traverse(TreeNode *root) { if (root == NULL) return; traverse(root->left); if (prev && prev->val == root->val) count++; else count = 1; if (count > max_count) { res.clear(); max_count = count; res.push_back(root->val); } else if (count == max_count) res.push_back(root->val); prev = root; traverse(root->right); return; } };<file_sep>/Prob436/Solution.cpp // Approach 1:- class Solution { public: vector<int> findRightInterval(vector<vector<int>>& A) { unordered_map<int, int> store; for (int i=0;i<A.size();i++) store[A[i][0]]=i; sort(A.begin(), A.end()); vector<int> res(A.size()); for (int i=0;i<A.size();i++) { int index=binarySearch(A, A[i][1], i); if (index==A.size()) res[store[A[i][0]]]=-1; else res[store[A[i][0]]]=store[A[index][0]]; } return res; } int binarySearch(vector<vector<int>>& A, int& val, int start) { int end=A.size()-1; while (start<=end) { int mid=start+(end-start)/2; if (A[mid][0]==val) return mid; else if (A[mid][0]>val) end=mid-1; else start=mid+1; } return start; } };<file_sep>/Prob303/Description.txt Link To Probelm:- https://leetcode.com/problems/range-sum-query-immutable/description/ Given an integer array nums, find the sum of the elements between indices i and j (i ≤ j), inclusive. Example: Given nums = [-2, 0, 3, -5, 2, -1] sumRange(0, 2) -> 1 sumRange(2, 5) -> -1 sumRange(0, 5) -> -3<file_sep>/Prob5/Solution.cpp // Approach 1 : - class Solution { private: int max_len = 0, start, end; public: string longestPalindrome(string s) { for (int i = 0; i < s.size(); i++) { revelPalindrome(s, i, i); revelPalindrome(s, i, i + 1); } return s.substr(start, end - start + 1); } void revelPalindrome(string &s, int i, int j) { while (i >= 0 && j < s.size() && s[i] == s[j]) i--, j++; if ((j - i - 1) > max_len) { max_len = j - i - 1; start = i + 1; end = j - 1; } } };<file_sep>/Prob345/Solution.cpp // Approach 1:- class Solution { public: string reverseVowels(string s) { vector<int> vowels(26, 0); vowels['a' - 'a'] = 1, vowels['e' - 'a'] = 1, vowels['i' - 'a'] = 1, vowels['o' - 'a'] = 1, vowels['u' - 'a'] = 1; int start = 0, end = s.size() - 1; while (start <= end) { while (start <= end && (!isalpha(s[start]) || vowels[tolower(s[start]) - 'a'] == 0)) start++; while (start <= end && (!isalpha(s[end]) || vowels[tolower(s[end]) - 'a'] == 0)) end--; if (start <= end) swap(s[start++], s[end--]); } return s; } };<file_sep>/Prob1523/Solution.cpp // Approach 1 :- class Solution { public: int countOdds(int low, int high) { int res = 0; for (int i = low; i <= high; i++) if (i % 2 != 0) res++; return res; } }; // Approach 2 :- class Solution { public: int countOdds(int low, int high) { return (high + 1) / 2 - low / 2; } };<file_sep>/Contest Solutions/Weekly Contest 2/README.md ***Problem Links*** - [***Find the Difference***](https://leetcode.com/contest/leetcode-weekly-contest-2/problems/find-the-difference/) - [***Elimination Game***](https://leetcode.com/contest/leetcode-weekly-contest-2/problems/elimination-game) - [***Perfect Rectangle***](https://leetcode.com/contest/leetcode-weekly-contest-2/problems/perfect-rectangle/)<file_sep>/Prob1305/Solution.cpp // Approach 1:- class Solution { private: vector<int> res; public: vector<int> getAllElements(TreeNode *root1, TreeNode *root2) { traversal(root1); traversal(root2); sort(res.begin(), res.end()); return res; } void traversal(TreeNode *root) { if (root == NULL) return; res.push_back(root->val); traversal(root->left); traversal(root->right); } }; // Approach 2:- class Solution { public: vector<int> getAllElements(TreeNode *root1, TreeNode *root2) { vector<int> first, second, res; inorder(root1, first); inorder(root2, second); merge_arrays(res, first, second); return res; } void inorder(TreeNode *root, vector<int> &arr) { if (root == NULL) return; inorder(root->left, arr); arr.push_back(root->val); inorder(root->right, arr); } void merge_arrays(vector<int> &res, vector<int> &first, vector<int> &second) { int i = 0, j = 0; while (i < first.size() && j < second.size()) { if (first[i] <= second[j]) res.push_back(first[i++]); else res.push_back(second[j++]); } while (i < first.size()) res.push_back(first[i++]); while (j < second.size()) res.push_back(second[j++]); } }; // Approach 3:- class Solution { public: vector<int> getAllElements(TreeNode *root1, TreeNode *root2) { stack<TreeNode *> S1, S2; vector<int> res; TreeNode *temp = root1; while (temp != NULL) { S1.push(temp); temp = temp->left; } temp = root2; while (temp != NULL) { S2.push(temp); temp = temp->left; } TreeNode *top; while (!S1.empty() && !S2.empty()) if (S1.top()->val <= S2.top()->val) { top = S1.top(); S1.pop(); res.push_back(top->val); top = top->right; while (top) { S1.push(top); top = top->left; } } else { top = S2.top(); S2.pop(); res.push_back(top->val); top = top->right; while (top) { S2.push(top); top = top->left; } } while (!S1.empty()) { top = S1.top(); S1.pop(); res.push_back(top->val); top = top->right; while (top) { S1.push(top); top = top->left; } } while (!S2.empty()) { top = S2.top(); S2.pop(); res.push_back(top->val); top = top->right; while (top) { S2.push(top); top = top->left; } } return res; } };<file_sep>/Prob48/Solution.cpp // Approach 1:- class Solution { public: int lengthOfLastWord(string s) { int i = s.size() - 1; while (i >= 0 && s[i] == ' ') i--; int end = i; while (i >= 0 && isalpha(s[i])) i--; return end - i; } };<file_sep>/Contest Solutions/Weekly Contest 230/README.md ***Problem Links:-*** - [***Count Items Matching a Rule***](https://leetcode.com/contest/weekly-contest-230/problems/count-items-matching-a-rule/) - [***Closest Dessert Cost***](https://leetcode.com/contest/weekly-contest-230/problems/closest-dessert-cost/) - [***Equal Sum Arrays With Minimum Number of Operations***](https://leetcode.com/contest/weekly-contest-230/problems/equal-sum-arrays-with-minimum-number-of-operations/) - [***Car Fleet II***](https://leetcode.com/contest/weekly-contest-230/problems/car-fleet-ii/)<file_sep>/Prob165/Solution.cpp // Approach 1:- class Solution { public: int compareVersion(string version1, string version2) { int i = 0, j = 0; while (i < version1.size() && j < version2.size()) { int start1 = i; while (i < version1.size() && version1[i] != '.') i++; int firstNum = stoi(version1.substr(start1, i - start1)); int start2 = j; while (j < version2.size() && version2[j] != '.') j++; int secondNum = stoi(version2.substr(start2, j - start2)); if (firstNum > secondNum) return 1; if (firstNum < secondNum) return -1; i++, j++; } while (i < version1.size()) { int start = i; while (i < version1.size() && version1[i] != '.') i++; int num = stoi(version1.substr(start, i - start)); if (num != 0) return 1; i++; } while (j < version2.size()) { int start = j; while (j < version2.size() && version2[j] != '.') j++; int num = stoi(version2.substr(start, j - start)); if (num != 0) return -1; j++; } return 0; } };<file_sep>/Contest Solutions/Biweekly Contest 36/README.md **_Problem Links:-_** - [***Design Parking System***](https://leetcode.com/contest/biweekly-contest-36/problems/design-parking-system/) - [***Alert Using Same Key-Card Three or More Times in a One Hour Period***](https://leetcode.com/contest/biweekly-contest-36/problems/alert-using-same-key-card-three-or-more-times-in-a-one-hour-period/) - [***Find Valid Matrix Given Row and Column Sums***](https://leetcode.com/contest/biweekly-contest-36/problems/find-valid-matrix-given-row-and-column-sums/) - [***Find Servers That Handled Most Number of Requests***](https://leetcode.com/contest/biweekly-contest-36/problems/find-servers-that-handled-most-number-of-requests/)<file_sep>/Contest Solutions/Weekly Contest 253/README.md **_Problem Links:-_** - [**_Check If String Is a Prefix of Array_**](https://leetcode.com/contest/weekly-contest-253/problems/check-if-string-is-a-prefix-of-array/) - [**_Remove Stones to Minimize the Total_**](https://leetcode.com/contest/weekly-contest-253/problems/remove-stones-to-minimize-the-total/) - [**_Minimum Number of Swaps to Make the String Balanced_**](https://leetcode.com/contest/weekly-contest-253/problems/minimum-number-of-swaps-to-make-the-string-balanced/) - [**_Find the Longest Valid Obstacle Course at Each Position_**](https://leetcode.com/contest/weekly-contest-253/problems/find-the-longest-valid-obstacle-course-at-each-position/)<file_sep>/Contest Solutions/Biweekly Contest 49/README.md ***Problem Links:-*** - [***Determine Color of a Chessboard Square***](https://leetcode.com/contest/biweekly-contest-49/problems/determine-color-of-a-chessboard-square/) - [***Sentence Similarity III***](https://leetcode.com/contest/biweekly-contest-49/problems/sentence-similarity-iii/) - [***Count Nice Pairs in an Array***](https://leetcode.com/contest/biweekly-contest-49/problems/count-nice-pairs-in-an-array/) - [***Maximum Number of Groups Getting Fresh Donuts***](https://leetcode.com/contest/biweekly-contest-49/problems/maximum-number-of-groups-getting-fresh-donuts/)<file_sep>/Prob881/Solution.cpp // Approach 1:- class Solution { public: int numRescueBoats(vector<int> &people, int limit) { int res = 0; sort(people.begin(), people.end()); int start = 0, end = people.size() - 1; while (start <= end) { res++; if ((people[end] + people[start]) <= limit) start++; end--; } return res; } }; // Approach 2:- class Solution { public: int numRescueBoats(vector<int> &people, int limit) { int res = 0; vector<int> bucket(limit + 1); for (int i = 0; i < people.size(); i++) bucket[people[i]]++; int start = 0, end = bucket.size() - 1; while (start <= end) { while (start <= end && bucket[start] <= 0) start++; while (start <= end && bucket[end] <= 0) end--; if (bucket[start] <= 0 && bucket[end] <= 0) break; res++; if (start + end <= limit) bucket[start]--; bucket[end]--; } return res; } }; <file_sep>/Prob593/Solution.cpp // Approach 1:- class Solution { public: bool validSquare(vector<int>& p1, vector<int>& p2, vector<int>& p3, vector<int>& p4) { unordered_set<int> store; store.insert((p1[0]-p2[0])*(p1[0]-p2[0])+(p1[1]-p2[1])*(p1[1]-p2[1])); store.insert((p1[0]-p3[0])*(p1[0]-p3[0])+(p1[1]-p3[1])*(p1[1]-p3[1])); store.insert((p1[0]-p4[0])*(p1[0]-p4[0])+(p1[1]-p4[1])*(p1[1]-p4[1])); store.insert((p2[0]-p3[0])*(p2[0]-p3[0])+(p2[1]-p3[1])*(p2[1]-p3[1])); store.insert((p2[0]-p4[0])*(p2[0]-p4[0])+(p2[1]-p4[1])*(p2[1]-p4[1])); store.insert((p3[0]-p4[0])*(p3[0]-p4[0])+(p3[1]-p4[1])*(p3[1]-p4[1])); return store.size()==2 && store.find(0)==store.end(); } };<file_sep>/Prob389/Solution.java // Approach 1:- class Solution { public char findTheDifference(String s, String t) { Map<String,Integer> store = new HashMap<String,Integer>(); for(int i=0;i<s.length();i++) { String c=Character.toString(s.charAt(i)); if(store.containsKey(c)) store.put(c,store.get(c)+1); else store.put(c,1); } for(int i=0;i<t.length();i++) { String c=Character.toString(t.charAt(i)); if((store.containsKey(c) && store.get(c)==0) || !(store.containsKey(c))) return t.charAt(i); else store.put(c,store.get(c)-1); } return 'a'; } } // Approach 2:- class Solution { public char findTheDifference(String s, String t) { int n = t.length() - 1; char c = t.charAt(n); for (int i = 0; i < n; i++) { c ^= s.charAt(i); c ^= t.charAt(i); } return c; } }<file_sep>/Prob67/Solution.cpp #include <stdio.h> #include <stdlib.h> #include <iostream> #include <string> #include <vector> #include <algorithm> using namespace std; bool checkString(string &); //addBinary Code Starts Here. // Approach 1 :- class Solution { public: string addBinary(string a, string b) { string res = ""; int i = a.size() - 1, j = b.size() - 1; int carry = 0; while (i >= 0 || j >= 0) { int x = i >= 0 ? a[i] - '0' : 0; int y = j >= 0 ? b[j] - '0' : 0; res += to_string((x + y + carry) % 2); carry = (x + y + carry) / 2; i--, j--; } if (carry) res += '1'; reverse(res.begin(), res.end()); return res; } }; // addBinary code ends here. // Main Function int main() { Solution Result; string s1, s2; cout << "Enter binary string 1:-" << endl; cin >> s1; if (!checkString(s1)) { cout << "Invalid String"; exit(0); } cout << "Enter binary string 2:-" << endl; cin >> s2; if (!checkString(s2)) { cout << "Invalid String"; exit(0); } string ans = Result.addBinary(s1, s2); cout << "Your Final answer is:-" << endl; cout << ans; return 0; } bool checkString(string &s) { for (int i = 0; i < s.size(); i++) if (s[i] != '0' && s[i] != '1') return false; return true; } <file_sep>/Prob1888/Solution.cpp // Link To Problem:- // https://leetcode.com/problems/minimum-number-of-flips-to-make-the-binary-string-alternating/ // Solution:- class Solution { public: int minFlips(string s) { int n = s.size(); int odd1 = 0, odd0 = 0, even1 = 0, even0 = 0; for (int i = 0; i < n; i++) if (i % 2 == 0) if (s[i] == '0') odd0++; else odd1++; else if (s[i] == '0') even0++; else even1++; int res = min(odd0 + even1, odd1 + even0); if (n % 2 == 0) return abs(res); for (int i = 0; i < n; i++) { if (s[i] == '0') { odd0--; even0++; } else { odd1--; even1++; } swap(odd0, even0); swap(odd1, even1); res = min(res, min(odd0 + even1, odd1 + even0)); } return abs(res); } };<file_sep>/Prob1/Solution.cpp #include <iostream> #include <vector> #include <stdio.h> #include <unordered_map> using namespace std; // Approach 1 : - class Solution { public: vector<int> twoSum(vector<int> &nums, int target) { for (int i = 0; i < nums.size(); i++) for (int j = i + 1; j < nums.size(); j++) if (nums[i] + nums[j] == target) return {i, j}; return {}; } }; // Approach 2 :- class Solution { public: vector<int> twoSum(vector<int> &nums, int target) { unordered_map<int, int> store; for (int i = 0; i < nums.size(); i++) if (store.find(target - nums[i]) != store.end()) return {store[target - nums[i]], i}; else store[nums[i]] = i; return {}; } }; // Main function int main() { vector<int> nums={2, 7, 11, 15}; int target=9; Solution result; vector<int> res=result.twoSum(nums,target); cout<<"The result is: {"<<res[0]<<","<<res[1]<<"}"<<endl; return 0; }<file_sep>/Prob980/Solution.cpp // Approach 1:- class Solution { private: int totNonObs = 0, res = 0, m, n; pair<int, int> start; public: int uniquePathsIII(vector<vector<int>> &grid) { n = grid.size(), m = grid[0].size(); for (int i = 0; i < n; i++) for (int j = 0; j < m; j++) if (grid[i][j] == 0) totNonObs++; else if (grid[i][j] == 1) start = {i, j}; int currNonObs = 0; helper(grid, start.first, start.second, currNonObs); return res; } void helper(vector<vector<int>> &grid, int i, int j, int &currNonObs) { if (grid[i][j] == 2) { if (totNonObs == currNonObs) res++; return; } int val = grid[i][j]; grid[i][j] = -2; if (val == 0) currNonObs++; if (i - 1 >= 0 && grid[i - 1][j] != 1 && grid[i - 1][j] != -1 && grid[i - 1][j] != -2) helper(grid, i - 1, j, currNonObs); if (i + 1 < n && grid[i + 1][j] != 1 && grid[i + 1][j] != -1 && grid[i + 1][j] != -2) helper(grid, i + 1, j, currNonObs); if (j - 1 >= 0 && grid[i][j - 1] != 1 && grid[i][j - 1] != -1 && grid[i][j - 1] != -2) helper(grid, i, j - 1, currNonObs); if (j + 1 < m && grid[i][j + 1] != 1 && grid[i][j + 1] != -1 && grid[i][j + 1] != -2) helper(grid, i, j + 1, currNonObs); grid[i][j] = val; if (val == 0) currNonObs--; } }; <file_sep>/Contest Solutions/Biweekly Contest 24/README.md ***Problem Links:-*** - [***Minimum Value to Get Positive Step by Step Sum***](https://leetcode.com/contest/biweekly-contest-24/problems/minimum-value-to-get-positive-step-by-step-sum/) - [***Find the Minimum Number of Fibonacci Numbers Whose Sum Is K***](https://leetcode.com/contest/biweekly-contest-24/problems/find-the-minimum-number-of-fibonacci-numbers-whose-sum-is-k/) - [***The k-th Lexicographical String of All Happy Strings of Length n***](https://leetcode.com/contest/biweekly-contest-24/problems/the-k-th-lexicographical-string-of-all-happy-strings-of-length-n/) - [***Restore The Array***](https://leetcode.com/contest/biweekly-contest-24/problems/restore-the-array/)<file_sep>/Prob650/Solution.cpp // Approach 1:- class Solution { public: int minSteps(int n) { vector<int> dp(n + 1); for (int i = 2; i < n + 1; i++) { dp[i] = i; for (int j = i - 1; j > 1; j--) { if (i % j == 0) { dp[i] = dp[j] + (i / j); break; } } } return dp[n]; } }; // Approach 2:- class Solution { public: int minSteps(int n) { static vector<int> dp(2, 0); while (dp.size() < n + 1) { int n = dp.size(); dp.push_back(n); for (int i = n - 1; i > 0; i--) if (n % i == 0) { dp[n] = n / i + dp[i]; break; } } return dp[n]; } }; // Approach 3:- class Solution { public: int minSteps(int n) { for (int i = n - 1; i > 0; i--) if (n % i == 0) return minSteps(i) + n / i; return n - 1; } };<file_sep>/Prob969/Solution.java // Approach 1:- class Solution { public List<Integer> pancakeSort(int[] A) { List<Integer> res=new ArrayList<>(); int x,i; for(x=A.length;x>0;x--) { for(i=0;A[i]!=x;i++); reverse(A,i+1); res.add(i+1); reverse(A,x); res.add(x); } return res; } private void reverse(int[] A,int k) { for(int i=0,j=k-1;i<j;i++,j--) { int temp=A[i]; A[i]=A[j]; A[j]=temp; } } }<file_sep>/Prob1007/Solution.Cpp // Approach 1:- class Solution { public: int minDominoRotations(vector<int>& A, vector<int>& B) { unordered_map<int,int> store; int n=A.size(); for(int i=0;i<n && store.size()<=2;i++) { store[A[i]]++; store[B[i]]++; } int change_val,count=0; for(auto x : store) if(count<x.second) change_val=x.first,count=x.second; int resA=0,resB=0; for(int i=0;i<n;i++) { if(A[i]!=change_val && B[i]!=change_val) return -1; if(A[i]!=change_val) resA++; else if(B[i]!=change_val) resB++; } return min(resA,resB); } };<file_sep>/Prob413/Solution.cpp // Approach 1:- class Solution { public: int numberOfArithmeticSlices(vector<int> &A) { int res = 0; int N = A.size() - 2; for (int i = 0; i < N;) { int prev = i; int diff = A[i + 1] - A[i]; while (i < A.size() - 1 && A[i + 1] - A[i] == diff) i++; if (i > prev + 1) res += (i - prev) * (i - prev - 1) / 2; } return res; } };<file_sep>/Prob1528/Solution.cpp // Approach 1:- class Solution { public: string restoreString(string s, vector<int> &indices) { int N = s.size(); string res; for (int i = 0; i < N; i++) res += " "; for (int i = 0; i < N; i++) res[indices[i]] = s[i]; return res; } };<file_sep>/Prob494/Solution.cpp // Approach 1:- class Solution { private: int res = 0, negativeSum, currSum = 0; public: int findTargetSumWays(vector<int> &nums, int S) { int totalSum = 0; for (int i = 0; i < nums.size(); i++) totalSum += nums[i]; negativeSum = totalSum - S; if (negativeSum == 0) res++; if (negativeSum % 2 != 0) return 0; else negativeSum /= 2; for (int i = 0; i < nums.size(); i++) { currSum += nums[i]; helper(nums, i + 1); currSum -= nums[i]; } return res; } void helper(vector<int> &nums, int index) { if (currSum > negativeSum) return; if (currSum == negativeSum) res++; for (int i = index; i < nums.size(); i++) { currSum += nums[i]; helper(nums, i + 1); currSum -= nums[i]; } return; } }; // Approach 2:- class Solution { public: int findTargetSumWays(vector<int> &nums, int S) { int totalSum = 0; int sum = accumulate(nums.begin(), nums.end(), 0); return sum < S || (S + sum) % 2 != 0 ? 0 : subsetSum(nums, (S + sum) / 2); } int subsetSum(vector<int> &nums, int sum) { vector<int> dp(sum + 1, 0); dp[0] = 1; for (int n : nums) for (int i = sum; i >= n; i--) { dp[i] += dp[i - n]; } return dp[sum]; } };<file_sep>/Prob980/Solution.java // Approach 1:- class Solution { private int totNonObs = 0, res = 0, m, n; private Pair<Integer, Integer> start; public int uniquePathsIII(int[][] grid) { n = grid.length; m = grid[0].length; for (int i = 0; i < n; i++) for (int j = 0; j < m; j++) if (grid[i][j] == 0) totNonObs++; else if (grid[i][j] == 1) start = new Pair(i, j); int currNonObs = 0; helper(grid, start.getKey(), start.getValue(), currNonObs); return res; } private void helper(int[][] grid, int i, int j, int currNonObs) { if (grid[i][j] == 2) { if (totNonObs == currNonObs) res++; return; } int val = grid[i][j]; grid[i][j] = -2; if (val == 0) currNonObs++; if (i - 1 >= 0 && grid[i - 1][j] != 1 && grid[i - 1][j] != -1 && grid[i - 1][j] != -2) helper(grid, i - 1, j, currNonObs); if (i + 1 < n && grid[i + 1][j] != 1 && grid[i + 1][j] != -1 && grid[i + 1][j] != -2) helper(grid, i + 1, j, currNonObs); if (j - 1 >= 0 && grid[i][j - 1] != 1 && grid[i][j - 1] != -1 && grid[i][j - 1] != -2) helper(grid, i, j - 1, currNonObs); if (j + 1 < m && grid[i][j + 1] != 1 && grid[i][j + 1] != -1 && grid[i][j + 1] != -2) helper(grid, i, j + 1, currNonObs); grid[i][j] = val; if (val == 0) currNonObs--; } }<file_sep>/Prob447/Solution.cpp // Approach 1 : - class Solution { public: int numberOfBoomerangs(vector<vector<int>> &points) { unordered_map<int, int> store; int res = 0; for (int i = 0; i < points.size(); i++) { for (int j = 0; j < points.size(); j++) { if (i == j) continue; int d = getDistance(points[i], points[j]); store[d]++; } for (auto x : store) res += x.second * (x.second - 1); store.clear(); } return res; } int getDistance(vector<int> &a, vector<int> &b) { int x = a[0] - b[0]; int y = a[1] - b[1]; return x * x + y * y; } };<file_sep>/Prob701/Solution.cpp // Approach 1:- class Solution { private: TreeNode *prev = NULL; bool isDone = false; public: TreeNode *insertIntoBST(TreeNode *root, int val) { prev = NULL; TreeNode *node = new TreeNode(val); if (root == NULL) return node; helper(root, val); if (prev->val > val) prev->left = node; else prev->right = node; return root; } void helper(TreeNode *root, int &val) { if (!isDone && root->val > val) if (root->left != NULL) helper(root->left, val); else { prev = root; isDone = true; } else if (!isDone) if (root->right != NULL) helper(root->right, val); else { prev = root; isDone = true; } } };<file_sep>/Contest Solutions/Weekly Contest 5/README.md ***Problem Links:-*** - [***Nth Digit***](https://leetcode.com/contest/leetcode-weekly-contest-5/problems/nth-digit/) - [***Binary Watch***](https://leetcode.com/contest/leetcode-weekly-contest-5/problems/binary-watch/) - [***Remove K Digits***](https://leetcode.com/contest/leetcode-weekly-contest-5/problems/remove-k-digits/) - [***Frog Jump***](https://leetcode.com/contest/leetcode-weekly-contest-5/problems/frog-jump/)<file_sep>/Prob409/Solution.cpp // Approach 1:- class Solution { public: int longestPalindrome(string s) { unordered_map<char, int> store; for (int i = 0; i < s.size(); i++) store[s[i]]++; int flag = 0, sets = 0; for (auto x : store) { if (x.second % 2 != 0) flag = 1; sets += x.second / 2; } return sets * 2 + (flag ? 1 : 0); } };<file_sep>/Prob983/Solution.cpp // Approach 1:- class Solution { public: int mincostTickets(vector<int> &days, vector<int> &costs) { int n = days[days.size() - 1]; vector<int> dp(n + 1, 0); for (int i = 0, j = 1; j < n + 1; j++, i++) { while (j < n + 1 && days[i] != j) { dp[j] = dp[j - 1]; j++; } int one = dp[j - 1] + costs[0]; int seven = dp[max(j - 7, 0)] + costs[1]; int thirty = dp[max(j - 30, 0)] + costs[2]; dp[j] = min(one, min(seven, thirty)); } return dp[n]; } };<file_sep>/Contest Solutions/Weekly Contest 233/README.md ***Problem Links:- *** - [***Maximum Ascending Subarray Sum***](https://leetcode.com/contest/weekly-contest-233/problems/maximum-ascending-subarray-sum/) - [***Number of Orders in the Backlog***](https://leetcode.com/contest/weekly-contest-233/problems/number-of-orders-in-the-backlog/) - [***Maximum Value at a Given Index in a Bounded Array***](https://leetcode.com/contest/weekly-contest-233/problems/maximum-value-at-a-given-index-in-a-bounded-array/) - [***Count Pairs With XOR in a Range***](https://leetcode.com/contest/weekly-contest-233/problems/count-pairs-with-xor-in-a-range/)<file_sep>/Prob622/Solution.cpp // Approach 1:- class MyCircularQueue { private: vector<int> res; int start = 0, end = -1; int currSize = 0; public: MyCircularQueue(int k) { res.resize(k); } bool enQueue(int value) { if (currSize == res.size()) return false; currSize++; end = (end + 1) % res.size(); res[end] = value; return true; } bool deQueue() { if (currSize == 0) return false; start = (start + 1) % res.size(); currSize--; return true; } int Front() { if (isEmpty()) return -1; else return res[start]; } int Rear() { if (isEmpty()) return -1; else return res[end]; } bool isEmpty() { return currSize == 0; } bool isFull() { return currSize == res.size(); } };<file_sep>/Prob994/Solution.cpp // Approach 1:- class Solution { public: int orangesRotting(vector<vector<int>>& grid) { queue<pair<int, int>> q; int r=grid.size(), c=grid[0].size(), fresh=0, t=0; for (int i=0;i<r;i++) for (int j=0;j<c;j++) if (grid[i][j]==2) q.push({ i, j }); else if (grid[i][j]==1) fresh++; while (!q.empty()) { int N=q.size(); for (int i=0;i<N;i++) { int x=q.front().first, y=q.front().second; q.pop(); if (x>0 && grid[x-1][y]==1) grid[x-1][y]=2, fresh--, q.push({ x-1, y }); if (y>0 && grid[x][y-1]==1) grid[x][y-1]=2, fresh--, q.push({ x, y-1 }); if (x<r-1 && grid[x+1][y]==1) grid[x+1][y]=2, fresh--, q.push({ x+1, y }); if (y<c-1 && grid[x][y+1]==1) grid[x][y+1]=2, fresh--, q.push({ x, y+1 }); } if (!q.empty()) t++; } return fresh==0?t:-1; } };<file_sep>/Prob224/Solution.cpp // Approach 1:- class Solution { public: int calculate(string s) { stack<int> store; long long int res = 0, num = 0, sign = 1; for (int i = 0; i < s.size(); i++) if (isdigit(s[i])) num = num * 10 + s[i] - '0'; else if (s[i] == '+' || s[i] == '-') { res += sign * num; num = 0; sign = (s[i] == '+') ? 1 : -1; } else if (s[i] == '(') { store.push(res); store.push(sign); sign = 1; res = 0; } else if (s[i] == ')') { res += sign * num; num = 0; res *= store.top(), store.pop(); res += store.top(), store.pop(); } if (num != 0) res += sign * num; return res; } };<file_sep>/Contest Solutions/Biweekly Contest 46/README.md ***Problem Links:-*** - [***Longest Nice Substring***](https://leetcode.com/contest/biweekly-contest-46/problems/longest-nice-substring/) - [***Form Array by Concatenating Subarrays of Another Array***](https://leetcode.com/contest/biweekly-contest-46/problems/form-array-by-concatenating-subarrays-of-another-array/) - [***Map of Highest Peak***](https://leetcode.com/contest/biweekly-contest-46/problems/map-of-highest-peak/) - [***Tree of Coprimes***](https://leetcode.com/contest/biweekly-contest-46/problems/tree-of-coprimes/)<file_sep>/Prob415/Solution.cpp // Approach 1:- class Solution { public: string addStrings(string num1, string num2) { string res = ""; int i = num1.size() - 1, j = num2.size() - 1; int carry = 0, ans; while (i >= 0 && j >= 0) { ans = num1[i] - '0' + num2[j] - '0' + carry; carry = ans / 10; res += to_string(ans % 10); i--, j--; } while (i >= 0) { ans = num1[i] - '0' + carry; carry = ans / 10; res += to_string(ans % 10); i--; } while (j >= 0) { ans = num2[j] - '0' + carry; carry = ans / 10; res += to_string(ans % 10); j--; } if (carry) res += to_string(carry); reverse(res.begin(), res.end()); return res; } };<file_sep>/Prob216/Solution.cpp // Approach 1:- class Solution { private: int target, limit; vector<int> temp; vector<vector<int>> res; public: vector<vector<int>> combinationSum3(int k, int n) { target = n, limit = k; for (int i = 1; i < 10; i++) { int sum = i; temp.push_back(i); backTrack(sum, i, 1); temp.pop_back(); } return res; } void backTrack(int sum, int last, int size) { if (size > limit || sum > target) return; if (sum == target && size == limit) { res.push_back(temp); return; } for (int i = last + 1; i < 10; i++) { sum += i; temp.push_back(i); backTrack(sum, i, size + 1); sum -= i; temp.pop_back(); } return; } };<file_sep>/Contest Solutions/Weekly Contest 228/README.md ***Problem Links:-*** - [***Minimum Changes To Make Alternating Binary String***](https://leetcode.com/contest/weekly-contest-228/problems/minimum-changes-to-make-alternating-binary-string/) - [***Count Number of Homogenous Substrings***](https://leetcode.com/contest/weekly-contest-228/problems/count-number-of-homogenous-substrings/) - [***Minimum Limit of Balls in a Bag***](https://leetcode.com/contest/weekly-contest-228/problems/minimum-limit-of-balls-in-a-bag/) - [***Minimum Degree of a Connected Trio in a Graph***](https://leetcode.com/contest/weekly-contest-228/problems/minimum-degree-of-a-connected-trio-in-a-graph/)<file_sep>/Prob496/Solution.cpp // Approach 1:- int find(vector<int>, int); class Solution { public: vector<int> nextGreaterElement(vector<int> &nums1, vector<int> &nums2) { vector<int> A; for (int i = 0; i < nums1.size(); i++) { int max = nums1[i]; int index = find(nums2, max); for (int j = index + 1; j < nums2.size(); j++) if (nums2[j] > max) { max = nums2[j]; break; } if (max == nums1[i]) A.push_back(-1); else A.push_back(max); } return A; } }; int find(vector<int> A, int value) { for (int i = 0; i < A.size(); i++) if (A[i] == value) return i; return -1; } // Approach 2:- class Solution { public: vector<int> nextGreaterElement(vector<int> &nums1, vector<int> &nums2) { unordered_map<int, int> store; stack<int> container; for (int i = 0; i < nums2.size(); i++) { while (!container.empty() && container.top() < nums2[i]) { store.insert(make_pair(container.top(), nums2[i])); container.pop(); } container.push(nums2[i]); } vector<int> res; for (int i = 0; i < nums1.size(); i++) if (store.find(nums1[i]) != store.end()) res.push_back(store[nums1[i]]); else res.push_back(-1); return res; } };<file_sep>/Contest Solutions/Weekly Contest 186/README.md **_Problem Links:-_** - [**_Maximum Score After Splitting a String_**](https://leetcode.com/contest/weekly-contest-186/problems/maximum-score-after-splitting-a-string/) - [**_Maximum Points You Can Obtain from Cards_**](https://leetcode.com/contest/weekly-contest-186/problems/maximum-points-you-can-obtain-from-cards/) - [**_Diagonal Traverse II_**](https://leetcode.com/contest/weekly-contest-186/problems/diagonal-traverse-ii/) - [**_Constrained Subsequence Sum_**](https://leetcode.com/contest/weekly-contest-186/problems/constrained-subsequence-sum/) <file_sep>/Contest Solutions/Biweekly Contest 48/README.md ***Problem Links:-*** - [***Second Largest Digit in a String***](https://leetcode.com/contest/biweekly-contest-48/problems/second-largest-digit-in-a-string/) - [***Design Authentication Manager***](https://leetcode.com/contest/biweekly-contest-48/problems/design-authentication-manager/) - [***Maximum Number of Consecutive Values You Can Make***](https://leetcode.com/contest/biweekly-contest-48/problems/maximum-number-of-consecutive-values-you-can-make/) - [***Maximize Score After N Operations***](https://leetcode.com/contest/biweekly-contest-48/problems/maximize-score-after-n-operations/)<file_sep>/Contest Solutions/Weekly Contest 4/README.md ***Problem Links*** - [***Rotate Function***](https://leetcode.com/contest/leetcode-weekly-contest-4/problems/rotate-function/) - [***Integer Replacement***](https://leetcode.com/contest/leetcode-weekly-contest-4/problems/integer-replacement/) - [***Random Pick Index***](https://leetcode.com/contest/leetcode-weekly-contest-4/problems/random-pick-index/) - [***Evaluate Division***](https://leetcode.com/contest/leetcode-weekly-contest-4/problems/evaluate-division/)<file_sep>/Prob331/Solution.cpp // Approach 1:- class Solution { private: int index = 0; bool res = true; public: bool isValidSerialization(string preorder) { preOrder(preorder); return index >= preorder.size() && res ? true : false; } void preOrder(string &preorder) { if (index >= preorder.size()) { res = false; return; } int i = index; while (i < preorder.size() && preorder[i] != ',') i++; string temp = preorder.substr(index, i - index); index = i + 1; if (temp == "#") return; preOrder(preorder); preOrder(preorder); } }; <file_sep>/Prob1530/Solution.cpp // Approach 1 : - class Solution { private: int res = 0; int min_dist; public: int countPairs(TreeNode *root, int distance) { vector<int> dist; min_dist = distance; preorder(root, dist); return res; } void preorder(TreeNode *root, vector<int> &dist) { if (root == NULL) return; int N = dist.size(); for (int i = 0; i < N; i++) dist[i]++; if (root->left == NULL && root->right == NULL) { check(dist); dist.push_back(0); } preorder(root->left, dist); preorder(root->right, dist); for (int i = 0; i < N; i++) dist[i]--; for (int i = N; i < dist.size(); i++) dist[i]++; } void check(vector<int> &dist) { for (int i = 0; i < dist.size(); i++) if (dist[i] <= min_dist) res++; } };<file_sep>/Prob389/Solution.cpp // Approach 1:- class Solution { public: char findTheDifference(string s, string t) { unordered_map<char, int> store; for (auto x : s) store[x]++; for (auto x : t) if (store[x] == 0) return x; else store[x]--; return NULL; } }; // Approach 2:- class Solution { public: char findTheDifference(string s, string t) { int n = t.size() - 1; char c = t[n]; for (int i = 0; i < n; i++) { c ^= s[i]; c ^= t[i]; } return c; } }; <file_sep>/Prob1041/Solution.cpp // Approach 1:- class Solution { public: bool isRobotBounded(string instructions) { vector<int> dire(4, 0); int idx = 0; int dist = 0; for (auto c : instructions) if (c == 'G') { dire[idx]++; dist++; } else if (c == 'L') { idx--; idx += 4; idx %= 4; } else { idx++; idx %= 4; } return dist == 0 || idx != 0 || (dire[0] == dire[2] && dire[0] != 0); } };<file_sep>/Prob1041/Solution.java // Approach 1:- class Solution { public boolean isRobotBounded(String instructions) { int[] dire = new int[4]; int idx=0; int dist=0; for(int i=0;i<instructions.length();i++) { char c=instructions.charAt(i); if(c=='G') { dire[idx]++; dist++; } else if(c=='L') { idx--; idx+=4; idx%=4; } else { idx++; idx%=4; } } return dist==0 || idx!=0 || (dire[0]==dire[2] && dire[0]!=0); } }<file_sep>/Prob260/Solution.cpp // Approahc 1 :- class Solution { public: vector<int> singleNumber(vector<int> &nums) { unordered_map<int, int> store; for (int i = 0; i < nums.size(); i++) store[nums[i]]++; vector<int> res; for (auto x : store) if (x.second < 2) res.push_back(x.first); return res; } };<file_sep>/Prob717/Solution.java // Approach 1:- class Solution { public boolean isOneBitCharacter(int[] bits) { int pointer=0; while(pointer< bits.length-1) { if(bits[pointer]==1) pointer+=2; else pointer++; } return pointer==(bits.length-1); } }<file_sep>/prob292/Solution.cpp #include <stdio.h> #include <stdlib.h> #include <iostream> using namespace std; // Approach 1:- (Time Limit Exceed). class Solution { public: bool canWinNim(int n) { if (n == 0) return false; if (n < 4) return true; vector<bool> dp(n); dp[0] = true; dp[1] = true; dp[2] = true; for (int i = 3; i < n; i++) dp[i] = !(dp[i - 1] && dp[i - 2] && dp[i - 3]); return dp[n - 1]; } }; // Approach 2 :- (Math Approach). class Solution { public: bool canWinNim(int n) { return !(n % 4 == 0); } }; // Main Function int main() { cout << "Enter Number fo Stones:-" << endl; int n; cin >> n; Solution result; bool ans = result.canWinNim(n); if (ans) cout << "You can win the game if you will play smartly."; else cout << "You can not win the game in any condition."; return 0; }<file_sep>/Contest Solutions/Weekly Contest 6/README.md ***Problem Links*** - [***Sum of Left Leaves***](https://leetcode.com/contest/leetcode-weekly-contest-6/problems/sum-of-left-leaves/) - [***Convert a Number to Hexadecimal***](https://leetcode.com/contest/leetcode-weekly-contest-6/problems/convert-a-number-to-hexadecimal/) - [***Queue Reconstruction by Height***](https://leetcode.com/contest/leetcode-weekly-contest-6/problems/queue-reconstruction-by-height/) - [***Trapping Rain Water II***](https://leetcode.com/contest/leetcode-weekly-contest-6/problems/trapping-rain-water-ii/) <file_sep>/Prob859/Solution.cpp // Approach 1:- class Solution { public: bool buddyStrings(string A, string B) { if (A.size() != B.size()) return false; vector<int> index; bool isDuplicate = false; unordered_map<char, int> store; int n = A.size(); for (int i = 0; i < n; i++) if (A[i] != B[i]) index.push_back(i); else { store[A[i]]++; if (store[A[i]] > 1) isDuplicate = true; } if (index.size() != 2) { if (index.size() == 0 && isDuplicate) return true; else return false; } if (A[index[0]] == B[index[1]] && A[index[1]] == B[index[0]]) return true; else return false; } };<file_sep>/Contest Solutions/Weekly Contest 251/README.md **_Problem Links:-_** - [**_ Sum of Digits of String After Convert_**](https://leetcode.com/contest/weekly-contest-251/problems/sum-of-digits-of-string-after-convert/) - [**_Largest Number After Mutating Substring_**](https://leetcode.com/contest/weekly-contest-251/problems/largest-number-after-mutating-substring/) - [**_Maximum Compatibility Score Sum_**](https://leetcode.com/contest/weekly-contest-251/problems/maximum-compatibility-score-sum/) - [**_Delete Duplicate Folders in System_**](https://leetcode.com/contest/weekly-contest-251/problems/delete-duplicate-folders-in-system/)<file_sep>/Prob299/Solution.cpp // Approach 1:- class Solution { public: string getHint(string secret, string guess) { unordered_map<char, int> store; int bulls = 0, cows = 0; for (int i = 0; i < secret.size(); i++) { if (secret[i] == guess[i]) bulls++; else store[secret[i]]++; } for (int j = 0; j < secret.size(); j++) if (secret[j] != guess[j] && store[guess[j]] != 0) { cows++; store[guess[j]]--; } return to_string(bulls) + 'A' + to_string(cows) + 'B'; } }; // Approach 2:- class Solution { public: string getHint(string secret, string guess) { vector<int> store(10, 0); int bulls = 0, cows = 0; for (int i = 0; i < secret.size(); i++) { if (secret[i] == guess[i]) bulls++; else store[secret[i] - '0']++; } for (int j = 0; j < secret.size(); j++) if (secret[j] != guess[j] && store[guess[j] - '0'] != 0) { cows++; store[guess[j] - '0']--; } return to_string(bulls) + 'A' + to_string(cows) + 'B'; } };<file_sep>/Prob434/Solution.cpp // Approach 1:- class Solution { public: int countSegments(string s) { int res = 0; int i = 0; while (i < s.size()) { int prev = i; while (i < s.size() && s[i] != ' ') i++; if (prev != i) res++; while (i < s.size() && s[i] == ' ') i++; } return res; } };<file_sep>/Prob735/Solution.Cpp // Approach 1:- class Solution { public: vector<int> asteroidCollision(vector<int> &asteroids) { int n = asteroids.size(); stack<int> store; for (int i = 0; i < n; i++) if (store.empty() || store.top() * asteroids[i] > 0) store.push(asteroids[i]); else { if (asteroids[i] > 0) store.push(asteroids[i]); else { int flag = 1; while (!store.empty() && store.top() * asteroids[i] < 0) if (abs(store.top()) > abs(asteroids[i])) { flag = 0; break; } else if (abs(store.top()) < abs(asteroids[i])) store.pop(); else { flag = 0; store.pop(); break; } if (flag) store.push(asteroids[i]); } } vector<int> res(store.size()); while (!store.empty()) { res[store.size() - 1] = store.top(); store.pop(); } return res; } };<file_sep>/Prob2/Solution.cpp #include <iostream> #include <stdio.h> using namespace std; struct ListNode { int val; ListNode *next; ListNode() : val(0), next(nullptr) {} ListNode(int x) : val(x), next(nullptr) {} ListNode(int x, ListNode *next) : val(x), next(next) {} }; ListNode *formList(); class Solution { public: ListNode *addTwoNumbers(ListNode *l1, ListNode *l2) { ListNode *dummy = new ListNode(0); ListNode *p = l1, *q = l2, *curr = dummy; int carry = 0; while (p != nullptr || q != nullptr) { int x = p != nullptr ? p->val : 0; int y = q != nullptr ? q->val : 0; int sum = carry + x + y; carry = sum / 10; curr->next = new ListNode(sum % 10); curr = curr->next; p != nullptr ? p = p->next : p; q != nullptr ? q = q->next : q; } if (carry > 0) curr->next = new ListNode(carry); return dummy->next; } }; int main() { ListNode* head1=formList(); ListNode* head2=formList(); Solution result; ListNode* ans = result.addTwoNumbers(head1,head2); cout<<"The Sum of the Given Numbers is :-"<<endl; while(ans!=nullptr) { cout<<ans->val; ans=ans->next; } return 0; } ListNode* formList() { cout<<"Enter NUmber of Elements in the list :"; int n; cin>>n; ListNode* dummy=new ListNode(); ListNode* temp=dummy; cout<<"Enter the Values of the list:"<<endl; while(n) { int value ; cin>>value ; temp->next=new ListNode(value); temp=temp->next; n--; } return dummy->next; }<file_sep>/Contest Solutions/Biweekly Contest 56/README.md **_Problem Links:-_** - [**_Count Square Sum Triples_**](https://leetcode.com/contest/biweekly-contest-56/problems/count-square-sum-triples/) - [**_Nearest Exit from Entrance in Maze_**](https://leetcode.com/contest/biweekly-contest-56/problems/nearest-exit-from-entrance-in-maze/) - [**_Sum Game_**](https://leetcode.com/contest/biweekly-contest-56/problems/sum-game/) - [**_Minimum Cost to Reach Destination in Time_**](https://leetcode.com/contest/biweekly-contest-56/problems/minimum-cost-to-reach-destination-in-time/) <file_sep>/Prob676/Solution.cpp // Approach 1:- class TrieNode { public: TrieNode *children[26]; bool isWord; TrieNode() { for (int i = 0; i < 26; i++) children[i] = nullptr; isWord = false; } void insert(string &word) { TrieNode *curr = this; for (auto c : word) { if (curr->children[c - 'a'] == nullptr) curr->children[c - 'a'] = new TrieNode(); curr = curr->children[c - 'a']; } curr->isWord = true; } }; class MagicDictionary { private: TrieNode *root = new TrieNode(); public: /** Initialize your data structure here. */ MagicDictionary() { } void buildDict(vector<string> dictionary) { int n = dictionary.size(); for (int i = 0; i < n; i++) root->insert(dictionary[i]); } bool search(string searchWord) { int n = searchWord.size(); TrieNode *curr = root; for (int i = 0; i < n; i++) { char c = searchWord[i]; bool res = false; for (int j = 0; j < 26; j++) { if (j == (c - 'a')) continue; res = res || helper(searchWord, curr->children[j], i + 1); if (res) return res; } if (curr->children[c - 'a'] == nullptr) return false; else curr = curr->children[c - 'a']; } return false; } bool helper(string &searchWord, TrieNode *curr, int index) { int n = searchWord.size(); for (int i = index; i < n && curr; i++) { char c = searchWord[i]; if (curr->children[c - 'a'] == nullptr) return false; else curr = curr->children[c - 'a']; } return curr && curr->isWord; } };<file_sep>/Prob866/Solution.java // Approach 1:- class Solution { public int primePalindrome(int N) { if(N>=8 && N<=11) return 11; for(int x=1;x<100000;x++) { String s=Integer.toString(x),r=new StringBuilder(s).reverse().toString(); int y=Integer.parseInt(s+r.substring(1)); if(y>=N && isPrime(y)) return y; } return -1; } private boolean isPrime(int N) { if(N<2 || N%2==0) return N==2; for(int i=3;i*i<=N;i++) if(N%i==0) return false; return true; } }<file_sep>/Contest Solutions/README.md ***Contest Links:-*** - [***Warm Up Contest***](https://leetcode.com/contest/warm-up-contest) - [***Weekly Contest 2***](https://leetcode.com/contest/leetcode-weekly-contest-2) - [***Weekly Contest 3***](https://leetcode.com/contest/leetcode-weekly-contest-3) - [***Weekly Contest 4***](https://leetcode.com/contest/leetcode-weekly-contest-4) - [***Weekly Contest 5***](https://leetcode.com/contest/leetcode-weekly-contest-5) - [***Weekly Contest 6***](https://leetcode.com/contest/leetcode-weekly-contest-6) - [***Weekly Contest 225***](https://leetcode.com/contest/weekly-contest-225) - [***Weekly Contest 226***](https://leetcode.com/contest/weekly-contest-226) - [***Biweekly Contest 44***](https://leetcode.com/contest/biweekly-contest-44) - [***Weekly Contest 224***](https://leetcode.com/contest/weekly-contest-224) - [***Weekly Contest 223***](https://leetcode.com/contest/weekly-contest-223) - [***Weekly Contest 228***](https://leetcode.com/contest/weekly-contest-228) - [***Weekly Contest 229***](https://leetcode.com/contest/weekly-contest-229) - [***Weekly Contest 230***](https://leetcode.com/contest/weekly-contest-230) - [***Biweekly Contest 47***](https://leetcode.com/contest/biweekly-contest-47) - [***Biweekly Contest 46***](https://leetcode.com/contest/biweekly-contest-46) - [***Biweekly Contest 48***](https://leetcode.com/contest/biweekly-contest-48) - [***Weekly Contest 233***](https://leetcode.com/contest/weekly-contest-233) - [***Weekly Contest 232***](https://leetcode.com/contest/weekly-contest-232) - [***Biweekly Contest 49***](https://leetcode.com/contest/biweekly-contest-49) - [***Weekly Contest 243***](https://leetcode.com/contest/weekly-contest-243/) - [***Weekly Contest 244***](https://leetcode.com/contest/weekly-contest-244/) - [***Biweekly Contest 24***](https://leetcode.com/contest/biweekly-contest-24/) - [***Biweekly Contest 30***](https://leetcode.com/contest/biweekly-contest-30/) - [***Biweekly Contest 36***](https://leetcode.com/contest/biweekly-contest-36/) - [***Biweekly Contest 56***](https://leetcode.com/contest/biweekly-contest-56/) - [***Weekly Contest 186***](https://leetcode.com/contest/weekly-contest-186/) - [***Weekly Contest 252***](https://leetcode.com/contest/weekly-contest-252/) - [***Weekly Contest 251***](https://leetcode.com/contest/weekly-contest-251/) - [***Biweekly Contest 57***](https://leetcode.com/contest/biweekly-contest-57/) - [***Weekly Contest 253***](https://leetcode.com/contest/weekly-contest-253/)<file_sep>/Contest Solutions/Weekly Contest 229/README.md ***Problem Links:-*** - [***Merge Strings Alternately***](https://leetcode.com/contest/weekly-contest-229/problems/merge-strings-alternately/) - [***Minimum Number of Operations to Move All Balls to Each Box***](https://leetcode.com/contest/weekly-contest-229/problems/minimum-number-of-operations-to-move-all-balls-to-each-box/) - [***Maximum Score from Performing Multiplication Operations***](https://leetcode.com/contest/weekly-contest-229/problems/maximum-score-from-performing-multiplication-operations/) - [***Maximize Palindrome Length From Subsequences***](https://leetcode.com/contest/weekly-contest-229/problems/maximize-palindrome-length-from-subsequences/)<file_sep>/Prob384/Solution.cpp // Approach 1:- class Solution { private: vector<int> arr, original; int N; public: Solution(vector<int> &nums) { arr = nums; original = nums; N = arr.size(); } vector<int> reset() { arr = original; return original; } vector<int> shuffle() { for (int i = 0; i < N; i++) { int index = rand() % N; swap(arr[i], arr[index]); } return arr; } }; // Approach 2:- class Solution { private: vector<int> arr, original; int N; public: Solution(vector<int> &nums) { arr = nums; original = nums; N = arr.size(); } vector<int> reset() { return original; } vector<int> shuffle() { for (int i = 0; i < N; i++) { int index = rand() % N; swap(arr[i], arr[index]); } return arr; } };<file_sep>/Prob224/Solution.java // Approach 1:- class Solution { public int calculate(String s) { Stack<Integer> store = new Stack<Integer> (); int res=0,num=0,sign=1; for(int i=0;i<s.length();i++) if(Character.isDigit(s.charAt(i))) num=num*10+ (int)(s.charAt(i)-'0'); else if(s.charAt(i)=='+' || s.charAt(i)=='-') { res+=sign*num; num=0; sign = (s.charAt(i)=='+') ? 1 : -1; } else if(s.charAt(i)=='(') { store.push(res); store.push(sign); sign=1; res=0; } else if(s.charAt(i)==')') { res+=sign*num; num=0; res*=store.pop(); res+=store.pop(); } if(num!=0) res+=sign*num; return res; } }<file_sep>/Prob1381/Solution.cpp // Approach 1:- class CustomStack { private: int size; vector<int> store; public: CustomStack(int maxSize) { size = maxSize; return; } void push(int x) { if (store.size() < size) store.push_back(x); return; } int pop() { if (store.empty()) return -1; int val = store[store.size() - 1]; store.pop_back(); return val; } void increment(int k, int val) { for (int i = 0; i < k && i < store.size(); i++) store[i] += val; return; } };<file_sep>/Prob933/Solution.java // Approach 1:- class RecentCounter { private Queue<Integer> q; public RecentCounter() { q = new LinkedList<Integer>(); } public int ping(int t) { q.add(t); while((t-q.peek())>3000) q.poll(); return q.size(); } }<file_sep>/Prob139/Solution.java // Approach 1:- class Solution { public boolean wordBreak(String s, List<String> wordDict) { Set<String> store = new HashSet<String>(); int n=s.length(); for(String x : wordDict) store.add(x); boolean[] dp = new boolean[n + 1]; dp[0]=true; for(int i=1;i<=n;i++) for(int j=0;j<i;j++) { String temp=s.substring(j,i); if(dp[j] && store.contains(temp)) { dp[i]=true; break; } } return dp[n]; } }<file_sep>/Contest Solutions/Weekly Contest 224/README.md ***Problem Links*** - [***Number Of Rectangles That Can Form The Largest Square***](https://leetcode.com/contest/weekly-contest-224/problems/number-of-rectangles-that-can-form-the-largest-square/) - [***Tuple with Same Product***](https://leetcode.com/contest/weekly-contest-224/problems/tuple-with-same-product/) - [***Largest Submatrix With Rearrangements***](https://leetcode.com/contest/weekly-contest-224/problems/largest-submatrix-with-rearrangements/) - [***Cat and Mouse II***](https://leetcode.com/contest/weekly-contest-224/problems/cat-and-mouse-ii/)
6c0df008fe1116dceb3b610a9ac0936b682b9c43
[ "Markdown", "Java", "Text", "C++" ]
127
C++
anshul7sh/Leetcode-Problems
1bdea8f3dc061560a7820179f31f81734819056e
77a56fc8db9771ef7a2cba10810119680bdc0483
refs/heads/master
<repo_name>Grishma100/MLMiniProjects<file_sep>/Session 2/faceReco.py import cv2 cap = cv2.VideoCapture(0) classifier = cv2.CascadeClassifier("haarcascade_frontFace.xml") while True: ret , frame = cap.read() if ret: faces= classifier.detectMultiScale(frame) for face in faces: x, y, w, h = face frame = cv2.rectangle(frame,(x,y), (x+w, y+h), (0,0,255), 4) cv2.imshow('My window', frame) key = cv2.waitKey(45) if key == ord("q"): break cap.release() cv2.destroyAllWindows()
27ed3036b7b239db1c1ec8f7a5d30b1d34cb19c6
[ "Python" ]
1
Python
Grishma100/MLMiniProjects
a6dcd497f32415098a223fbbdb7436c2f3543b94
839c4e4b8b378e0e2716dcb215bfb642aad86857
refs/heads/master
<file_sep>f = open('input.txt', 'r') lines = f.readlines() n = len(lines) m = int(lines[n-1]) pair = [] for i in range(n-1): pair.append(lines[i].split(":")) pair[i][1] = pair[i][1].replace("\n", "") pair.sort () for j in range(n-1): if m % int(pair[j][0]) == 0: print(pair[j][1], end="")
dd85ab700919f14268ebb6b008bdae6bc9380948
[ "Python" ]
1
Python
ito3tech/submit
e69a677238fcaa99bd82ae797b011e77d9962a85
d6e3ad2a297367c9b2bd65d057c8edffc384c2f3
refs/heads/master
<file_sep>import sys import numpy as np import nltk import math from DA_experiments import synth2_experiments from create_experiment_utilities import write_data, flip_label np.random.seed(10) # get synthetic experiment to set up datasets for exp = sys.argv[1] train_split = float(sys.argv[2]) flip_domains = synth2_experiments[exp] # get data from file f = open(sys.argv[3], "r") data = f.readlines() data = [l.strip() for l in data] # set up lists of data norm_data, flip_data = [], [] train_data, val_data, test_data = [], [], [] # get data below threshold length, separate out into lists for l in data: label, sentence, domain = l.split('\t') if len(nltk.word_tokenize(sentence)) < 128 and int(domain) in flip_domains: norm_data.append(l) flip_data.append(flip_label(label) + '\t' + sentence + '\t' + str(int(domain)+1)) # make the train, validation, test datasets norm_data, flip_data = np.asarray(norm_data), np.asarray(flip_data) perm = np.random.permutation(len(norm_data)) train_data += norm_data[perm[:round(train_split*len(norm_data))]].tolist() train_data += flip_data[perm[:round(train_split*len(norm_data))]].tolist() val_data += norm_data[perm[round(train_split*len(norm_data)):]].tolist() val_data += flip_data[perm[round(train_split*len(norm_data)):]].tolist() test_data += norm_data[perm[round(train_split*len(norm_data)):]].tolist() test_data += flip_data[perm[round(train_split*len(norm_data)):]].tolist() # write train, validation, & test data to appropriate files write_data(exp + "_train.txt", train_data) write_data(exp + "_val.txt", val_data) write_data(exp + "_test.txt", test_data) <file_sep># DA LANGUAGE MODELS ---------------------------------------------------------- # # Models for zero-shot domain adaptation experiments on language modeling task. # imports import numpy as np import torch from SST_models import get_sentence_vectors from train_utils import write from models import MY_L, MY_NL, MY_LSTM, to_tensor, batch_setup, acc_helper device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") # DA_BASELINE ----------------------------------------------------------------- # # Baseline model for Zero-Shot DA for language modeling. # Consists of a sentence encoder (LSTM) and a classifier layer. # LSTM allows specifying number of layers, dropout, and bidirectionality. class DA_B_lang(torch.nn.Module): # initialization method def __init__(self, in_d, h_d, layers, dropout, bi, vocab_size, vectors, output_vectors): super(DA_B_lang, self).__init__() # Baseline modules out_vects = 2 if bi else 1 self.vectors = vectors self.lstm = MY_LSTM(in_d, h_d, layers, dropout, bi, lang=True) self.map_output = MY_L(h_d, 100) self.output = torch.from_numpy(output_vectors).float() self.output.requires_grad = False self.output = torch.t(self.output) self.output = self.output.to(device) # forward propagation def forward(self, input_inds, targets, lengths): # set up batch in pytorch b_size = len(input_inds) inputs = get_sentence_vectors(input_inds, self.vectors) inputs, indices = batch_setup(inputs, lengths) targets, _, _ = batch_setup(targets, lengths, pack=False, pad_val=-1, x_or_y="Y") # data --> GPU inputs = inputs.to(device) targets = targets.to(device) # forward computation (LSTM output) inputs_proc = self.lstm.forward(inputs, b_size) # get processed inputs in correct form for output layer - (B x S) x 200 inputs_proc, _ = torch.nn.utils.rnn.pad_packed_sequence(inputs_proc, batch_first=True) inputs_proc = inputs_proc.contiguous() inputs_proc = inputs_proc.view(-1, inputs_proc.shape[2]) # get targets in correct form for output layer - (B x S) targets = targets.contiguous() targets = targets.view(-1) # get final outputs and return # return self.output.forward(inputs_proc), targets to_outputs = self.map_output.forward(inputs_proc) return torch.matmul(to_outputs, self.output), targets # cross-entropy/perplexity computation def accuracy(self, inputs, targets, lengths, batch_size, loss): self.eval() crossent_loss = 0 perplexity = 0 # total number of words in data (for avg loss/perplexity) tot_words = np.sum(lengths) # switch off gradients, get accuracy, data if on with torch.no_grad(): if len(inputs) % batch_size == 0: iterations = len(inputs)//batch_size else: iterations = len(inputs)//batch_size + 1 for batch in range(iterations): # get batch b_inputs = inputs[batch*batch_size : (batch+1)*batch_size] b_targets = targets[batch*batch_size : (batch+1)*batch_size] b_lengths = lengths[batch*batch_size : (batch+1)*batch_size] # forward pass, compute loss b_outputs, b_targets = self.forward(b_inputs, b_targets, b_lengths) crossent_loss += loss(b_outputs, b_targets).item() crossent_loss = crossent_loss/tot_words perplexity = np.exp(crossent_loss) self.train() return crossent_loss, perplexity # DA_TRANS -------------------------------------------------------------------- # # Embedding-transformation model for Zero-Shot DA for language modeling. # Consists of sentence encoder, transformation, attn-transformation, classifier, # and domain encoder (if we're using sequential domain knowledge). # number of layers, dropout, and bidirectionality can be specified # for sentence and domain encoders. class DA_TRANS_lang(torch.nn.Module): # initialization method def __init__(self, in_d, attn_width, dom_seq, vocab_size, out_style, vectors, output_vectors, s_h_d, s_layers, s_dropout, s_bi, d_h_d, d_layers, d_dropout, d_bi): super(DA_TRANS_lang, self).__init__() # If domain information is a single vector self.vectors = vectors s_out_vects = 2 if s_bi else 1 self.sent_lstm = MY_LSTM(in_d, s_h_d, s_layers, s_dropout, s_bi, lang=True) self.dom_lstm = None trans_in = in_d # If domain information is a sequence of vectors if dom_seq: d_out_vects = 2 if d_bi else 1 self.dom_lstm = MY_LSTM(in_d, d_h_d, d_layers, d_dropout, d_bi) trans_in = d_h_d * d_out_vects # some fixed variables self.out_style = out_style self.in_d = in_d self.out_d = 100 self.map_d = s_h_d*s_out_vects self.attn_width = attn_width # Transformation, attention-transformation, output layer self.trans = MY_L(trans_in, in_d*in_d) self.attn_trans = MY_L(trans_in, attn_width*(in_d+2) + 1) self.map_output = MY_L(self.map_d, self.out_d) self.output = torch.from_numpy(output_vectors).float() self.output.requires_grad = False self.output = torch.t(self.output) self.output = self.output.to(device) # output conditioning if out_style == "attn": self.attn_out = MY_L(trans_in, vocab_size) elif out_style == "ta": self.trans_out = MY_L(trans_in, self.out_d*self.out_d) self.attn_trans_out = MY_L(trans_in, attn_width*(self.out_d+2) + 1) # forward propagation def forward(self, input_inds, targets, lengths, doms, dom_lengths, get_data=False): # create any required modules drop = torch.nn.Dropout(p=0.5) # set up batch b_size = len(input_inds) inputs = get_sentence_vectors(input_inds, self.vectors) inputs, indices, in_lengths = batch_setup(inputs, lengths, pack=False) targets, _, _ = batch_setup(targets, lengths, pack=False, pad_val=-1, x_or_y="Y") # prep domain knowledge d_size = len(doms) if self.dom_lstm != None: doms, dom_indices = batch_setup(doms, dom_lengths) dom_ind_rev = torch.zeros(len(dom_indices)).long() dom_ind_rev[dom_indices] = torch.arange(len(dom_indices)).long() dom_ind_rev = dom_ind_rev.to(device) else: doms = torch.from_numpy(doms).float() doms = doms[indices] # sent data --> GPU doms = doms.to(device) inputs = inputs.to(device) targets = targets.to(device) # get domain-specific transformation, attn-transformation vectors if self.dom_lstm != None: doms = self.dom_lstm.forward(doms, d_size) t, attn_t = self.trans.forward(doms), self.attn_trans.forward(doms) if self.dom_lstm != None: transforms, attn_transforms = t[dom_ind_rev][indices], attn_t[dom_ind_rev][indices] else: transforms, attn_transforms = t, attn_t # apply dropout transforms = drop(transforms) attn_transforms = drop(attn_transforms) # get transformed/domain-specific embeddings, attn weights trans_inputs = self.transform_inputs(transforms, inputs, lengths) attn_weights = self.compute_attn(attn_transforms, inputs, lengths) # apply attention, pack sequence weighted_inputs = (inputs * attn_weights) + (trans_inputs * (1 - attn_weights)) packed_inputs = torch.nn.utils.rnn.pack_padded_sequence(weighted_inputs, in_lengths, batch_first=True) # process inputs, get the processed inputs back in (B x S) x 200 form inputs_proc_init = self.sent_lstm.forward(packed_inputs, b_size) inputs_proc_init, _ = torch.nn.utils.rnn.pad_packed_sequence(inputs_proc_init, batch_first=True) inputs_proc = torch.zeros(inputs_proc_init.size()[0], inputs_proc_init.size()[1], self.out_d).float() inputs_proc = inputs_proc.to(device) for i in range(len(inputs_proc_init)): inputs_proc[i] = self.map_output.forward(inputs_proc_init[i]) # if we're using domain information to apply attention over final word scores if self.out_style == "attn": # get attention vectors for each domain attn_out = self.attn_out.forward(doms) if self.dom_lstm != None: attn_out_vects = attn_out[dom_ind_rev][indices] else: attn_out_vects = attn_out # get attention in appropriate form full_attn = torch.zeros(inputs_proc.size()).float() for i in range(len(full_attn)): full_attn[i] = attn_out_vects[i].repeat(len(inputs_proc[i]), 1) # get processed inputs, attention, and targets in correct form inputs_proc = inputs_proc.contiguous() inputs_proc = inputs_proc.view(-1, inputs_proc.shape[2]) full_attn = full_attn.view(-1, full_attn.shape[2]) targets = targets.contiguous() targets = targets.view(-1) # compute outputs, apply attention to them outputs = torch.matmul(inputs_proc, self.output) outputs = outputs * full_attn # if we're using domain information to apply transformation + attention to LSTM output elif self.out_style == "ta": # get transformation, attention vectors for each domain t_out, attn_t_out = self.trans_out.forward(doms), self.attn_trans_out.forward(doms) if self.dom_lstm != None: trans_out, attn_trans_out = t_out[dom_ind_rev][indices], attn_t_out[dom_ind_rev][indices] else: trans_out, attn_trans_out = t_out, attn_t_out # apply dropout trans_out = drop(trans_out) attn_trans_out = drop(attn_trans_out) # get transformed/domain-specific embeddings, attn weights trans_inputs_proc = self.transform_inputs(trans_out, inputs_proc, in_lengths, in_lstm=False) attn_weights_proc = self.compute_attn(attn_trans_out, inputs_proc, in_lengths, in_lstm=False) # apply attention inputs_proc_attn = (inputs_proc * attn_weights_proc) + (trans_inputs_proc * (1 - attn_weights_proc)) # get inputs, targets in appropriate form inputs_proc_attn = inputs_proc_attn.contiguous() inputs_proc_attn = inputs_proc_attn.view(-1, inputs_proc_attn.shape[2]) targets = targets.contiguous() targets = targets.view(-1) # compute outputs outputs = torch.matmul(inputs_proc_attn, self.output) # if we're not applying anything to LSTM output/final word scores else: # get LSTM output in correct form inputs_proc = inputs_proc.contiguous() inputs_proc = inputs_proc.view(-1, inputs_proc.shape[2]) # get targets in correct form for output layer - (B x S) targets = targets.contiguous() targets = targets.view(-1) # get final outputs outputs = torch.matmul(inputs_proc, self.output) # save data if on if get_data: if self.out_style == "attn": return outputs, targets, \ [t.clone().numpy(), attn_t.clone().numpy(), attn_out.clone().numpy()] else: return outputs, targets, \ [t.clone().numpy(), attn_t.clone().numpy(), t_out.clone().numpy(), attn_t_out.clone().numpy()] else: return outputs, targets # accuracy computation def accuracy(self, inputs, targets, lengths, domains, doms, dom_lengths, batch_size, loss): self.eval() crossent_loss = 0 perplexity = 0 # total number of words in data (for avg loss/perplexity) tot_words = np.sum(lengths) # switch off gradients, get accuracy, data if on with torch.no_grad(): if len(inputs) % batch_size == 0: iterations = len(inputs)//batch_size else: iterations = len(inputs)//batch_size + 1 for batch in range(iterations): # get batch, forward, backward, update b_inputs = inputs[batch*batch_size : (batch+1)*batch_size] b_targets = targets[batch*batch_size : (batch+1)*batch_size] b_lengths = lengths[batch*batch_size : (batch+1)*batch_size] b_domains = domains[batch*batch_size : (batch+1)*batch_size] # get domain knowledge for batch domains b_doms = doms[b_domains] if dom_lengths != None: b_dom_lengths = dom_lengths[b_domains] else: b_dom_lengths = None # forward pass, compute loss b_outputs, b_targets = self.forward(b_inputs, b_targets, b_lengths, b_doms, b_dom_lengths) crossent_loss += loss(b_outputs, b_targets).item() crossent_loss = crossent_loss/tot_words perplexity = np.exp(crossent_loss) self.train() return crossent_loss, perplexity # helper method for getting transformation, applying it def transform_inputs(self, transforms, inputs, lengths, in_lstm=True): # set dimensionality of transformation we're generating if in_lstm == True: dim = self.in_d else: dim = self.out_d # set up transformed representations trans_inputs = torch.zeros(inputs.size()).float() trans_inputs = trans_inputs.to(device) # iterate over batch representations, transform them for i in range(len(inputs)): trans = transforms[i].view(dim, dim) trans_inputs[i][:int(lengths[i])] = torch.matmul(inputs[i][:int(lengths[i])], trans) return trans_inputs # helper method for getting attn network, applying it def compute_attn(self, attn_transforms, inputs, lengths, in_lstm=True): # set dimensionality of attention we're generating if in_lstm == True: dim = self.in_d else: dim = self.out_d # first & second layer projections, bias vectors attn_trans_m1 = attn_transforms[:,:self.attn_width*dim] attn_trans_b1 = attn_transforms[:,self.attn_width*dim : self.attn_width*(dim+1)] attn_trans_m2 = attn_transforms[:,self.attn_width*(dim+1) : self.attn_width*(dim+2)] attn_trans_b2 = attn_transforms[:,self.attn_width*(dim+2):] # set up attention weights for batch representations attn_weights = torch.zeros(inputs.size()[0], inputs.size()[1], 1).float() attn_weights = attn_weights.to(device) # iterate over batch representations, get attention weights for each for i in range(len(inputs)): # get projections, bias vectors for current domain in proper form m1 = attn_trans_m1[i].view(dim, self.attn_width) b1 = attn_trans_b1[i].view(1, self.attn_width) m2 = attn_trans_m2[i].view(self.attn_width, 1) b2 = attn_trans_b2[i].view(1, 1) # apply attn network to get weights for current representations relu, sigmoid = torch.nn.LeakyReLU(), torch.nn.Sigmoid() hiddens = relu(torch.matmul(inputs[i][:int(lengths[i])], m1) + b1) attn_weights[i][:int(lengths[i])] = sigmoid(torch.matmul(hiddens, m2) + b2) return attn_weights <file_sep># DOMAIN INFORMATION ---------------------------------------------------------- # # Information for domains in different datasets for experiments. List of stopwords also. # AMAZON INFORMATION ---------------------------------------------------------- domain_names = ["clothing", "camera", "cuisine", "magazine", "software", "toy", "car", "cell phone", "grocery/food", "music", "sports", "video", "baby", "video_games", "health/healthy lifestyle", "cosmetics", "movie", "jewellry/watches", "book", "electronics", "kitchen/house", "patio/garden"] a_d0 = """Clothing is an item or fabric, usually sewn together to cover part of the human body. Humans are the only animals which wear clothing, and all people do wear suitable clothing. The torso (body) can be covered by shirts, arms by sleeves, legs by pants or skirts, hands by gloves, feet by footwear, and head by headgear or masks. In cold climates, people also wear heavy, thick coats such as trenchcoats. Clothing protects the human body from the hot sun and high temperatures in warm tropical countries. Clothing such as thick wool coats and boots keeps the human body warm in very cold temperatures (such as in the arctic). To some extent, clothing protects people from damage to their body. Clothing is also worn for decoration, as a fashion (clothing). People from different cultures wear different clothing, and have different beliefs and customs about what type of clothing should be worn. For many people, clothing is a status symbol. It helps people project an image. Often, clothing is a form of self-expression. Adults in different social or work situations present different views of themselves by the clothes they wear. Young people have an entirely different form of dress to express their personalities. Often people will simply follow popular fashion styles so that they will fit in. Clothing is far more than just a means to protect our bodies.""" a_d1 = """A camera is a device that takes pictures (photographs). It uses film or electronics to make a picture of something. It is a tool of photography. A lens makes the image that the film or electronics "sees". A camera that takes one picture at a time is sometimes called a still camera. A camera that can take pictures that seem to move is called a movie camera. If it can take videos it is called a video camera or a camcorder. The majority of cameras are on a phone. This is called a "Camera phone". All cameras are basically a box that light can not get into until a photo is taken. There is a hole on one side of the camera where the light can get in through the lens, and this is called the aperture. On the other side is a special material that can record the image that comes through the aperture. This material is the film in a film camera or electronic sensor in a digital camera. Finally, there is also the shutter, which stops light from getting in until a photo is taken. When a photo is taken, the shutter moves out of the way. This lets light come in through the aperture and make a picture on the film or electronic sensor. In many cameras, the size of the aperture can be changed to let in more light or less light. The amount of time that the shutter lets light through can be changed as well. This also lets in more light or less light. Most of the time, electronics inside the camera control these, but in some cameras the person taking the picture can change them as well.""" a_d2 = """Cuisine refers to any style of cooking, including its practices, traditions and recipes. A cuisine is usually associated with a specific culture. It is mainly influenced by the ingredients that are available to that culture. Cooking methods, customs and ingredients together form meals that are unique to a particular region. When people talk about Italian cuisine, they are referring to the food that Italians are famous for. Cuisine is a French word that means "kitchen", but it originally comes from the Latin word coquere, which means "to cook". Traditionally, cuisines are shaped by a number of things. In some religious traditions, certain foods are forbidden by law (an example is in Judaism). Climate and trade affect the what ingredients are available. Climate may also affect the methods by which food is prepared. Before the exploration of Asia and America by Europeans, certain foods were not known to European cuisine. Tomatoes, maize, avocados and cacao, for example, did not enter European diets until merchants brought these ingredients back from the New World. In modern times, cuisines are becoming more and more multicultural. New cuisines continue to develop even today.""" a_d3 = """A magazine is a type of book people read. Magazines are not like regular books. This is because a new version of the magazine is printed many times each year. Magazines are a type of periodical. They are called periodicals because new versions of them keep being printed. Magazines are printed on paper. People usually need to subscribe to them. An example of a magazine is Time. There are magazines printed about many things. Magazines are similar to newspapers, but usually new versions take longer to make, they cost more money, and they are in color on every page. Also, sometimes magazines come with little gifts to reward the readers who buy it.""" a_d4 = """Computer software, often called as software, is a set of instructions and its associated documentations that tells a computer what to do or how to perform a task. Software includes all different software programs on a computer, such as applications and the operating system. Applications are programs that are designed to perform a specific operation, such as a game or a word processor. The operating system including Mac OS, Microsoft Windows and Linux is an open source software that is used as a platform for running the applications, and controls all user interface tools including display and the keyboard. People, processes and tools are considered as essential ingredient of software design. The word software was first used in the late 1960s to emphasize on its difference from computer hardware, which can be physically observed by the user. Software is a set of instructions that the computer follows. Before compact discs (CDs) or development of the Internet age, software was used on various computer data storage media tools like paper punch cards, magnetic discs or magnetic tapes. The word firmware is sometimes used to describe a style of software that is made specifically for a particular type of computer or an electronic device and is usually stored on a Flash memory or ROM chip in the computer. Firmware usually refers to a piece of software that directly controls a piece of hardware. The firmware for a CD drive or the firmware for a modem are examples of firmware implementation. Today, software has become an inseparable part of our lives. We are using software everywhere. Software engineers are responsible for producing fault-free software which has literally become an essential part of our daily lives. Changeability and conformity are two of the main properties of software design. There are also different processing models for designing software including Build and Fix, Waterfall and Agile software processing design methods.""" a_d5 = """A toy is something to play with. Toys are for children, adults, and animals. Before 1970, most toys were made of metal and wood. Now, they are mostly made of plastic. Sometimes they are made of electronic material. Some people also consider video games toys. Toys include balls, plastic cars, and dolls. They also can be sex related products. Toys originated many years ago. Dolls of infants, animals, and soldiers and toy tools are found in archaeological places. The origin of the word "toy" is not known. However, it is thought that it was first used in the 14th century. The earliest toys were made from rocks, sticks or clay. In Ancient Egypt, children played with dolls made of clay and sticks.[2] In Ancient Greece and Ancient Rome, children played with dolls made of wax or terracotta, sticks, bows and arrows, and yo-yos. Later these developmental games were used in creation of indoor playsets for homes [3]. When Greek children, especially girls became adults, it was required to sacrifice the toys to the gods. On the eve of their wedding, young girls around fourteen would offer their dolls in a temple as a rite of passage into adulthood.""" a_d6 = """A car is a road vehicle used to carry passengers. It is also called an automobile, which comes from the Greek word "auto" and the French word "mobile". This name means "self-moving", as cars do not need horses or other external sources of power to move. Cars usually have four wheels and get their power from an engine. Millions of cars were made during the 20th century.""" a_d7 = """A mobile phone (also known as a hand phone, cell phone, or cellular telephone) is a small portable radio telephone. The mobile phone can be used to communicate over long distances without wires. It works by communicating with a nearby base station (also called a "cell site") which connects it to the main phone network. When moving, if the mobile phone gets too far away from the cell it is connected to, that cell sends a message to another cell to tell the new cell to take over the call. This is called a "hand off," and the call continues with the new cell the phone is connected to. The hand-off is done so well and carefully that the user will usually never even know that the call was transferred to another cell. As mobile phones became more popular, they began to cost less money, and more people could afford them. Monthly plans became available for rates as low as US$30 or US$40 a month. Cell phones have become so cheap to own that they have mostly replaced pay phones and phone booths except for urban areas with many people. In the 21st century, a new type of mobile phone, called smartphones, have become popular. Now, more people are using smartphones than the old kind of mobile phone, which are called feature phones.""" a_d8 = """Food is what people and animals eat to survive. Food usually comes from animals or plants. It is eaten by living things to provide energy and nutrition.[1] Food contains the nutrition that people and animals need to be healthy. The consumption of food is enjoyable to humans. It contains protein, fat, carbohydrates, vitamins, and minerals. Liquids used for energy and nutrition are often called "drinks". If someone cannot afford food they go hungry. Food for humans is mostly made through farming or gardening. It includes animal and vegetable sources. Some people refuse to eat food from animal origin, like meat, eggs, and products with milk in them. Not eating meat is called vegetarianism. Not eating or using any animal products is called veganism. A grocery store (or just grocery) is a retail store that sells food. Most grocery stores sell fresh fruit, vegetables, seafood, meat, and other prepared foods. The person who controls a grocery store is called a grocer. A grocer will order food from farmers or other people who send out farmers food to other grocery stores and restaurants.""" a_d9 = """Music is a form of art; an expression of emotions through harmonic frequencies. Music is also a form of entertainment that puts sounds together in a way that people like, find interesting or dance to. Most music includes people singing with their voices or playing musical instruments, such as the piano, guitar, drums or violin. The word music comes from the Greek word (mousike), which means "(art) of the Muses". In Ancient Greece the Muses included the goddesses of music, poetry, art, and dance. Someone who makes music is known as a musician.""" a_d10 = """A sport is commonly defined as an athletic activity that involves a degree of competition, such as tennis or basketball. Some games and many kinds of racing are called sports. A professional at a sport is called an athlete. Many people play sports with their friends. They need coaches to teach or train teams or individuals how to do better. Sports can be played indoors or outdoors and by individuals or teams. Some people like to watch other people play sports. Those who watch others playing sports are called fans. While some fans watch sports on television, others actually go to stadiums or other places where people pay to watch them in person. These fans are called spectators. People engage in many kinds of sports""" a_d11 = """Video is a technology. It records moving images onto some medium. The recorder may be a separate machine such as a videocassette recorder (also called a VCR) or built into something else such as a video camera. A popular 20th century videotape format was VHS. It was used by many people to record television programmes onto cassettes. This is usually an analog format. In the 21st century digital recording is used more often than analog recording. By extension, a video clip is a short movie. A music video usually stars someone who recorded an (audio) album. One purpose is to promote the album.""" a_d12 = """A baby is a general word used to describe a human until about age 1 or 2 years old. Other terms can be used to describe the baby's stage of development. These terms do not follow clear rules and are used differently by different people, and in different regions. For example, infant may be used until the baby can walk, while some use "infant" until the baby is one year old. From birth until to 3 months of age, a baby can be called a newborn. Depending on how many weeks gestation at birth, newborns may be termed premature, post-mature, or full term. The word infant comes from Latin: infans means "unable to speak". At birth, many parts of the newborn's skull are yet converted to bone, leaving "soft spots". Later in the child's life, these bones fuse together naturally. A protein called noggin is responsible for the delay in an infant's skull fusion. During labour and birth, the infant's skull changes shape as it goes through the birth canal. Sometimes this causes the child to be born with a misshapen or elongated head. It will usually return to normal in a short time. Some religions have ceremonies that occur after a new baby is born, such as Baptism, which involves party or fully covering the baby in water. After learning to walk, babies are often called toddlers, usually between one and three years of age. Sometimes, a woman's baby may die before or during its birth. Babies which have died in this way (no matter what gender) are called stillborn babies, or miscarried babies.""" a_d13 = """Video games are electronic games played on a video screen (normally a television, a built-in screen when played on a handheld machine, or a computer). There are many types, or genres, of these games: role-playing games; shooters, first-person shooters, side-scrollers, and platformers are just a few. Some games include a clan chat like Clash of Clans and Clash Royale created by Supercell or Roblox made by <NAME> and Minecraft by Mojang Video games usually come on CDs, DVDs or digital download. Many games used to come on cartridges. A specialised device used to play a video game at home is called a console. There have been many types of consoles and home computers used to play video games. Some of the first were the Atari 2600, the Sega Master System and Nintendo Entertainment System in the 1980s. Newer video game consoles are the Xbox One, PlayStation 4 and Nintendo Switch. The best selling video game console of all time is the PlayStation 2, made by Sony. People can also use computers to play games, which are sometimes called PC games. The older consoles do not have new games developed for them often, although console games are emulated for PCs (see emulator). This means that new computers can play many old console games along with games made just for new computers. Older games are often more popular emulated than when they were first on sale, because of the ease of download. People can play portable video games anywhere. Mobile devices (running operating systems such as iOS or Android) also can download games, making them portable game machines. Mobile phones have many games, some of them using a mobile emulator for games from consoles. Not all PC or console Games are on mobile or iPad/ iPod/Tablet. Competitions of video game players are called electronic sports games like Fifa !8 and Fifa Mobile.""" a_d14 = """Health is "a state of complete physical, mental, and social well-being and not merely the absence of disease" according to the World Health Organization (WHO). [1][2] Physical is about the body. Mental is about how people think and feel. Social talks about how people live with other people. It is about family, work, school, and friends. A healthy lifestyle is one which helps to keep and improve people's health and well-being.[1] Many governments and non-governmental organizations work at promoting healthy lifestyles. [2] They measure the benefits with critical health numbers, including weight, blood sugar, blood pressure, and blood cholesterol. Healthy living is a lifelong effect. The ways to being healthy include healthy eating, physical activities, weight management, and stress management. Good health allows people to do many things.""" a_d15 = """Cosmetics (also called makeup, make up, or make-up) are products used to make the human body look different. Often cosmetics are used to make someone more attractive to one person, or to a culture or sub-culture. In Western culture, women are the main users of cosmetics. Their use by men is less frequent, except on stage, television and movies. Cosmetics are widely used in the world of acting. All cosmetics are temporary. They need to be renewed after a certain time. Cosmetics include lipstick, powders (e.g. blush, eyeshadow), and lotions as well as other things.""" a_d16 = """Movies, also known as films, are a type of visual communication which uses moving pictures and sound to tell stories or teach people something. People in every part of the world watch movies as a type of entertainment, a way to have fun. For some people, fun movies can mean movies that make them laugh, while for others it can mean movies that make them cry, or feel afraid. Most movies are made so that they can be shown on big screens at movie theatres and at home. After movies are shown on movie screens for a period of weeks or months, they may be marketed through several other media. They are shown on pay television or cable television, and sold or rented on DVD disks or videocassette tapes, so that people can watch the movies at home. You can also download or stream movies. Older movies are shown on television broadcasting stations. A movie camera or video camera takes pictures very quickly, usually at 24 or 25 pictures (frames) every second. When a movie projector, a computer, or a television shows the pictures at that rate, it looks like the things shown in the set of pictures are really moving. Sound is either recorded at the same time, or added later. The sounds in a movie usually include the sounds of people talking (which is called dialogue), music (which is called the "soundtrack"), and sound effects, the sounds of activities that are happening in the movie (such as doors opening or guns being fired). In the 20th century the camera used photographic film. The product is still often called a "film" even though there usually is no film.""" a_d17 = """Jewellery (or jewelry) refers to any clothing accessory that is worn as a decoration. In itself, jewellery has no other purpose than to look attractive. However, it is often added to items that have a practical function. Items such as belts and handbags are mainly accessories but may be decorated. A broach, often worn to keep a cloak closed, could be highly decorated with jewels. Necklaces, finger rings and earrings are the most usual kinds of jewellery. A watch is a small clock carried or worn by a person. It makes it easy to see the time. It is also a fashion accessory for men and women, and expensive watches are designed for this purpose. A watch may be one of the few accessories worn by a man. A wristwatch is designed to be worn on a wrist, attached by a strap or other type of bracelet. A pocket watch is to be carried in a pocket. There are other variations. Nurses often wear a watch attached to the front of their uniform. It hangs down from a short strap: when lifted by the user it is right side up.""" a_d18 = """A book is a set of printed sheets of paper held together between two covers. The sheets of paper are usually covered with a text, language and illustrations that is the main point of a printed book. A writer of a book is called an author. Someone who draws pictures in a book is called an illustrator. Books can have more than one author or illustrator. A book can also be a text in a larger collection of texts. That way a book is perhaps written by one author, or it only treats one subject area. Books in this sense can often be understood without knowing the whole collection. Examples are the Bible, the Illiad or the Odyssey – all of them consist of a number of books in this sense of the word. Encyclopedias often have separate articles written by different people, and published as separate volumes. Each volume is a book. Hardcover books have hard covers made of cardboard covered in cloth or leather and are usually sewn together. Paperback books have covers of stiff paper and are usually glued together. The words in books can be read aloud and recorded on tapes or compact discs. These are called "audiobooks". Books can be borrowed from a library or bought from a bookstore. People can make their own books and fill them with family photos, drawings, or their own writing. Some books are empty inside, like a diary, address book, or photo album. Most of the time, the word "book" means that the pages inside have words printed or written on them. Some books are written just for children, or for entertainment, while other books are for studying something in school such as math or history. Many books have photographs or drawings.""" a_d19 = """Electronics is the study of how to control the flow of electrons. It deals with circuits made up of components that control the flow of electricity. Electronics is a part of physics and electrical engineering. Electrical components like transistors and relays can act as switches. This lets us use electrical circuits to process information and transmit information across long distances. Circuits can also take a weak signal (like a whisper) and amplify it (make it louder). Most electronic systems fall into two categories: Processing and distribution of information. These are called communications systems. Conversion and distribution of energy. These are called control systems. One way of looking at an electronic system is to separate it into three parts: Inputs - Electrical or mechanical sensors, which take signals from the physical world (in the form of temperature, pressure, etc.) and convert them into electric current and voltage signals. Signal processing circuits - These consist of electronic components connected together to manipulate, interpret and transform the information contained in the signals. Outputs - Actuators or other devices that transform current and voltage signals back into human readable information. A television set, for example, has as its input a broadcast signal received from an antenna, or for cable television, a cable. Signal processing circuits inside the television set use the brightness, colour, and sound information contained in the received signal to control the television set's output devices. The display output device may be a cathode ray tube (CRT) or a plasma or liquid crystal display screen. The audio output device might be a magnetically driven audio speaker. The display output devices convert the signal processing circuits' brightness and colour information into the visible image displayed on a screen. The audio output device converts the processed sound information into sounds that can be heard by listeners. Analysis of a circuit/network involves knowing the input and the signal processing circuit, and finding out the output. Knowing the input and output and finding out or designing the signal processing part is called synthesis.""" a_d20 = """A house is a building that is made for people to live in. It is a "permanent" building that is meant to stay standing. It is not easily packed up and carried away like a tent, or moved like a caravan. If people live in the same house for more than a short stay, then they call it their "home". Being without a home is called homelessness. Houses come in many different shapes and sizes. They may be as small as just one room, or they may have hundreds of rooms. They also are made many different shapes, and may have just one level or several different levels. A house is sometimes joined to other houses at the sides to make a "terrace" or "row house" (a connected row of houses). A big building with many levels and apartments is called "a block of flats" (British) or an apartment building. One of the differences between a house and an apartment is that a house has a front door to the outside world, whereas the main door of an apartment usually opens onto a passage or landing that can be used by other people in the building. Houses have a roof to keep off the rain and sun, and walls to keep out the wind and cold. They have window openings to let in light, and a floor. Houses of different countries look different to each other, because of different materials, climate, and styles. The kitchen is the room in the house where food is cooked. Sometimes, people eat in their kitchens, too. Hotels, schools, and places where people work often have kitchens as well. A person who works in a kitchen in one of these places may be a kitchen worker or a chef (depending on where he/she cooks).""" a_d21 = """A patio ("courtyard", "forecourt", "yard") is an outdoor space generally used for dining or recreation that adjoins a residence and is typically paved. In Australia the term is expanded to include roofed structures similar to a pergola, which provides protection from sun and rain. A garden is usually a piece of land that is used for growing flowers, trees, shrubs, and other plants. The act of caring for a garden by watering the flowers and plants and removing the weeds is called gardening.""" amazon_domains = [a_d0, a_d1, a_d2, a_d3, a_d4, a_d5, a_d6, a_d7, a_d8, a_d9, a_d10, a_d11, a_d12, a_d13, a_d14, a_d15, a_d16, a_d17, a_d18, a_d19, a_d20, a_d21] # SYNTH3 INFORMATION ---------------------------------------------------------- """ synth3_domain = Movies, also known as films, are a type of visual communication which uses moving pictures and sound to tell stories or teach people something. People in every part of the world watch movies as a type of entertainment, a way to have fun. For some people, fun movies can mean movies that make them laugh, while for others it can mean movies that make them cry, or feel afraid. Most movies are made so that they can be shown on big screens at movie theatres and at home. After movies are shown on movie screens for a period of weeks or months, they may be marketed through several other media. They are shown on pay television or cable television, and sold or rented on DVD disks or videocassette tapes, so that people can watch the movies at home. You can also download or stream movies. Older movies are shown on television broadcasting stations. A movie camera or video camera takes pictures very quickly, usually at 24 or 25 pictures (frames) every second. When a movie projector, a computer, or a television shows the pictures at that rate, it looks like the things shown in the set of pictures are really moving. Sound is either recorded at the same time, or added later. The sounds in a movie usually include the sounds of people talking (which is called dialogue), music (which is called the "soundtrack"), and sound effects, the sounds of activities that are happening in the movie (such as doors opening or guns being fired). In the 20th century the camera used photographic film. The product is still often called a "film" even though there usually is no film. """ synth3_domain = """good cool amazing love beautiful funny touching best bad boring terrible trash horrible dull obnoxious worst""" # REDDIT INFORMATION ---------------------------------------------------------- domain_names = ["climate", "politics", "democrats", "Liberal", "progressive", "Feminism", "lgbt", "LGBTeens", "TwoXChromosomes", "TrollXChromosomes", "transgender", "atheism", "skeptic", "Freethought", "ukpolitics", "Libertarian", "MensRights", "climateskeptics", "conspiracy", "Republican", "Conservative", "4chan", "KotakuInAction", "religion", "Christianity", "CringeAnarchy", "PussyPass", "pussypassdenied", "MGTOW", "sjwhate", "fatpeoplehate"] r_d0 = """A community for truthful science-based news about climate and related politics and activism """ r_d1 = """for news and discussion about U.S. politics. """ r_d2 = """The Democratic Party is fighting for a country where everyone, from every walk of life, has an equal chance at the American dream. This sub offers daily news updates, policy analysis, links, and opportunities to participate in the political process. """ r_d3 = """A community for liberals. Favoring maximum individual liberty in political and social reform. Democratic. """ r_d4 = """A community to share stories related to the growing Modern Political and Social Progressive Movement. The Modern Progressive Movement advocates change and reform through directed governmental action. The Modern Progressive Movement stands in opposition of conservative or reactionary ideologies. """ r_d5 = """Discuss and promote awareness of issues related to equality for women.""" r_d6 = """A safe space for GSRM (Gender, Sexual, and Romantic Minority) folk to discuss their lives, issues, interests, and passions. LGBT is still a popular term used to discuss gender and sexual minorities, but all GSRM are welcome beyond lesbian, gay, bisexual, and transgender people who consent to participate in a safe space.""" r_d7 = """A place where LGBT teens and LGBT allies can hang out, get advice, and share content!""" r_d8 = """Welcome to TwoXChromosomes, a subreddit for both serious and silly content, and intended for women's perspectives. We are a welcoming subreddit and support the rights of all genders. Posts are moderated for respect, equanimity, grace, and relevance.""" r_d9 = """A subreddit for rage comics and other memes with a girly slant.""" r_d10 = """Transgender news, issues, and discussion""" r_d11 = """Welcome to r/atheism, the web's largest atheist forum. All topics related to atheism, agnosticism and secular living are welcome here.""" r_d12 = """A person inclined to question or doubt accepted opinions.""" r_d13 = """Freethought is an open forum dedicated to rational, logical and scientific examination of culture, politics, religion, science, business and more! Freethinkers reject claims and beliefs which are not testable and verifiable using established scientific methods, and encourage a society that espouses the priority of rationality and reason over dogma, emotion and pop doctrine.""" r_d14 = """Political news and debate concerning the United Kingdom.""" r_d15 = """A place to discuss libertarianism, related topics, and share things that would be of interest to libertarians.""" r_d16 = """The Men's Rights subreddit is a place for those who wish to discuss men's rights and the ways said rights are infringed upon. r/MensRights has been here since March 19, 2008.""" r_d17 = """Questioning climate related environmentalism.""" r_d18 = """The conspiracy subreddit is a thinking ground. Above all else, we respect everyone's opinions and ALL religious beliefs and creeds. We hope to challenge issues which have captured the public’s imagination, from JFK and UFOs to 9/11. This is a forum for free thinking, not hate speech. Respect other views and opinions, and keep an open mind.** **Our intentions are aimed towards a fairer, more transparent world and a better future for everyone.""" r_d19 = """Republican is a partisan subreddit. This is a place for Republicans to discuss issues with other Republicans.""" r_d20 = """The place for Conservatives on Reddit.""" r_d21 = """Quantum Realm time travel is used to collect stones and bring back the dusted.""" r_d22 = """KotakuInAction is the main hub for GamerGate on Reddit and welcomes discussion of community, industry and media issues in gaming and broader nerd culture including science fiction and comics.""" r_d23 = """The belief in and worship of a superhuman controlling power, especially a personal God or gods. Christianity. """ r_d24 = """Christianity is a subreddit to discuss Christianity and aspects of Christian life. All are welcome to participate.""" r_d25 = """A sub dedicated to cataloguing cringy content. Not affiliated with those hat subs or whatever #lovewins""" r_d26 = """The Pussy Pass is a modern phenomenon where by just owning a pussy gets you benefits.""" r_d27 = """Welcome to /r/pussypassdenied, where women are not allowed to use their gender as a handicap or an excuse to act like assholes. Yay equality!""" r_d28 = """This subreddit is for men going their own way, forging their own identities and paths to self-defined success.""" r_d29 = """Come to rage about SJW and how they are fucking shit up in real life and on the net. More rules and guidelines will be added as needed.""" r_d30 = """Come to rage about, hate on, and make fun of fat people. """ reddit_domains = [r_d0, r_d1, r_d2, r_d3, r_d4, r_d5, r_d6, r_d7, r_d8, r_d9, r_d10, r_d11, r_d12, r_d13, r_d14, r_d15, r_d16, r_d17, r_d18, r_d19, r_d20, r_d21, r_d22, r_d23, r_d24, r_d25, r_d26, r_d27, r_d28, r_d29, r_d30] # STOPWORDS ------------------------------------------------------------------- stopwords = ['i', 'me', 'my', 'myself', 'we', 'our', 'ours', 'ourselves', 'you', "you're", "you've", "you'll", "you'd", 'your', 'yours', 'yourself', 'yourselves', 'he', 'him', 'his', 'himself', 'she', "she's", 'her', 'hers', 'herself', 'it', "it's", 'its', 'itself', 'they', 'them', 'their', 'theirs', 'themselves', 'what', 'which', 'who', 'whom', 'this', 'that', "that'll", 'these', 'those', 'am', 'is', 'are', 'was', 'were', 'be', 'been', 'being', 'have', 'has', 'had', 'having', 'do', 'does', 'did', 'doing', 'a', 'an', 'the', 'and', 'but', 'if', 'or', 'because', 'as', 'until', 'while', 'of', 'at', 'by', 'for', 'with', 'about', 'against', 'between', 'into', 'through', 'during', 'before', 'after', 'above', 'below', 'to', 'from', 'up', 'down', 'in', 'out', 'on', 'off', 'over', 'under', 'again', 'further', 'then', 'once', 'here', 'there', 'when', 'where', 'why', 'how', 'all', 'any', 'both', 'each', 'few', 'more', 'most', 'other', 'some', 'such', 'no', 'nor', 'not', 'only', 'own', 'same', 'so', 'than', 'too', 'very', 's', 't', 'can', 'will', 'just', 'don', "don't", 'should', "should've", 'now', 'd', 'll', 'm', 'o', 're', 've', 'y', 'ain', 'aren', "aren't", 'couldn', "couldn't", 'didn', "didn't", 'doesn', "doesn't", 'hadn', "hadn't", 'hasn', "hasn't", 'haven', "haven't", 'isn', "isn't", 'ma', 'mightn', "mightn't", 'mustn', "mustn't", 'needn', "needn't", 'shan', "shan't", 'shouldn', "shouldn't", 'wasn', "wasn't", 'weren', "weren't", 'won', "won't", 'wouldn', "wouldn't"] <file_sep>import sys import numpy as np import nltk import math from DA_experiments import synth1_experiments from create_experiment_utilities import write_data, flip_label, train_val_split np.random.seed(10) # get synthetic experiment to set up datasets for exp = sys.argv[1] train_split = float(sys.argv[2]) d_train_norm = synth1_experiments[exp][0] d_train_tech = synth1_experiments[exp][1] d_test_norm = synth1_experiments[exp][2] d_test_tech = synth1_experiments[exp][3] # get data from file f = open(sys.argv[3], "r") data = f.readlines() data = [l.strip() for l in data] # set up lists of data test_data_norm, test_data_tech = [], [] train_data, val_data, test_data = [], [], [] domains_data_norm, domains_data_tech = [[] for i in range(22)], [[] for i in range(22)] # divide data below threshold length into separate lists, flip labels for l in data: label, sentence, domain = l.split('\t') if len(nltk.word_tokenize(sentence)) < 128: if int(domain) in d_test_norm: test_data_norm.append(l) elif int(domain) in d_test_tech: test_data_tech.append(flip_label(label) + '\t' + sentence + '\t' + domain) elif int(domain) in d_train_norm: domains_data_norm[int(domain)].append(l) else: domains_data_tech[int(domain)].append(flip_label(label) + '\t' + sentence + '\t' + domain) # make the test dataset test_data = test_data_norm + test_data_tech # separate out norm and tech domains data into train and validation train_data_norm, val_data_norm = train_val_split(domains_data_norm, train_split) train_data_tech, val_data_tech = train_val_split(domains_data_tech, train_split) train_data = train_data_norm + train_data_tech val_data = val_data_norm + val_data_tech # write train, validation, & test data to appropriate files write_data(exp + "_train.txt", train_data) write_data(exp + "_val.txt", val_data) write_data(exp + "_test.txt", test_data) <file_sep># DA MODEL EXPERIMENTS -------------------------------------------------------- # # Script for training models on multiple domains and testing their performance # on new domains (Zero-Shot Domain Adaptation) for the language modeling task. # IMPORTS, ETC ---------------------------------------------------------------- import timeit import nltk import numpy as np import torch from scipy.stats import ortho_group from modifying_methods import get_pca_words from embedding_helper_methods import read_embeddings, normalize_embeddings from data_utilities import DA_load_data, get_rel_words from data_utilities import get_sent_vect_indices_2, get_sentence_vectors from data_utilities import replace_oov, get_sent_vect_indices_lang from models_lang import DA_B_lang, DA_TRANS_lang from train_utils_lang import train_DA_B_lang, train_DA_Con_lang from train_utils import write, write_history from domain_info import amazon_domains, reddit_domains, stopwords from DA_experiments import amazon_experiments, reddit_experiments from sklearn.decomposition import PCA import sys device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") np.random.seed(10) torch.manual_seed(10) write("\nImports complete. \n") # EMBEDDINGS, TEST INFO ------------------------------------------------------- # set up embeddings words, vectors = read_embeddings() vectors = normalize_embeddings(vectors) lookup = dict(zip(words, np.arange(len(vectors)))) # get job information exp = sys.argv[1] mod_type = sys.argv[2] DK_type = sys.argv[3] trials = int(sys.argv[4]) write_hist = sys.argv[5] out_style = sys.argv[6] small_or_nah = sys.argv[7] mb_size = int(sys.argv[8]) lr = float(sys.argv[9]) check = sys.argv[10] exp_type, exp_no = exp.split("/") # get training & testing domains, domain knowledge if exp_type == "amazon": d_train, d_test = amazon_experiments[exp_no] domains = amazon_domains else: # yelp dom_file = open("experiments/" + exp_type + "/yelp_DK.txt", "r") domains = dom_file.readlines() dom_file.close() write("Embeddings, test info set up. \n") # DATA ------------------------------------------------------------------------ # fetch training data, validation, test data if exp_type == "amazon": tr_sents, _, tr_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_train.txt", d_train) sd_te_sents, _, sd_te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_val.txt", d_train) te_sents, _, te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_test.txt", d_test) else: tr_sents, _, tr_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_train.txt") sd_te_sents, _, sd_te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_val.txt") te_sents, _, te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_test.txt") # get all data (for vocab), domain knowledge all_sents = tr_sents + sd_te_sents + te_sents domains_tok = [] if DK_type == "Norm": for domain in domains: domains_tok.append(nltk.word_tokenize(domain)) else: for domain in domains: domains_tok.append([word for word in nltk.word_tokenize(domain) if word not in stopwords]) write("Data set up. \n") # PREPARE VECTORS, GET LENGTHS ------------------------------------------------ # get words in the data all_data = np.concatenate((all_sents + domains_tok), axis=0) rel_words = get_rel_words(all_data, words, vectors, lookup, mds=True) # create out of vocabulary token, 0's vector, index oov_tok = "oov" oov_vect = np.zeros(200) # iterate over data, replace oov words with oov token tr_sents, d_tr = replace_oov(tr_sents, tr_domains, rel_words, oov_tok) sd_te_sents, d_sd_te = replace_oov(sd_te_sents, sd_te_domains, rel_words, oov_tok) te_sents, d_te = replace_oov(te_sents, te_domains, rel_words, oov_tok) # new set of words, vectors based on what's relevant new_vectors = np.zeros((len(rel_words) + 1, vectors.shape[1])) for i in range(len(rel_words)): new_vectors[i] = vectors[lookup[rel_words[i]]] # add oov word to this and reset words, vectors, lookup new_vectors[len(rel_words)] = oov_vect rel_words.append(oov_tok) vectors, words = new_vectors, rel_words lookup = dict(zip(words, np.arange(len(vectors)))) # vocab size write("Vocabulary size for experiment: ") write(len(words)) write("\n") # get training, same-domain testing, testing vector indices x_tr, y_tr = get_sent_vect_indices_lang(tr_sents, vectors, lookup) x_sd_te, y_sd_te = get_sent_vect_indices_lang(sd_te_sents, vectors, lookup) x_te, y_te = get_sent_vect_indices_lang(te_sents, vectors, lookup) # get lengths l_tr = [len(x_tr_sent) for x_tr_sent in x_tr] l_sd_te = [len(x_sd_te_sent) for x_sd_te_sent in x_sd_te] l_te = [len(x_te_sent) for x_te_sent in x_te] # shift to numpy x_tr, y_tr = np.asarray(x_tr), np.asarray(y_tr) d_tr, l_tr = np.asarray(d_tr), np.asarray(l_tr) x_sd_te, y_sd_te = np.asarray(x_sd_te), np.asarray(y_sd_te) d_sd_te, l_sd_te = np.asarray(d_sd_te), np.asarray(l_sd_te) x_te, y_te = np.asarray(x_te), np.asarray(y_te) d_te, l_te = np.asarray(d_te), np.asarray(l_te) # domain vector setup dom_sents, dom_indices = get_sent_vect_indices_2(domains_tok, words, vectors, lookup) doms = get_sentence_vectors(dom_indices, vectors) # get domain knowledge in final, appropriate form l_doms = [len(dom) for dom in doms] doms, l_doms = np.asarray(doms), np.asarray(l_doms) if DK_type == "Avg": new_doms = np.zeros((len(doms), vectors.shape[1])) for i in range(len(doms)): new_doms[i] = np.mean(doms[i], axis=0) doms, l_doms = new_doms, None if check == "control": doms = np.ones(doms.shape) # prep output layer pca = PCA(n_components=100) output_vectors = pca.fit_transform(vectors) write("Preparing vectors done. \n") # SET UP MODEL ---------------------------------------------------------------- # if testing on a batch of datapoints if small_or_nah == "yes": x_tr, y_tr = x_tr[:128], y_tr[:128] d_tr, l_tr = d_tr[:128], l_tr[:128] # hyperparameters for each trial epochs = 200 learn_rate = lr batch_size = mb_size write("Setting up model done. \n \n") # TRAIN ----------------------------------------------------------------------- # accuracies, parameters for model that gives best validation accuracy across trials all_time_val_perp = 100000 all_time_train_perp = 100000 all_time_test_perp = 100000 all_time_m_dict = None # accuracies across trials (for calculating averages) val_perps = [] train_perps = [] test_perps = [] # test the model "trials" # of times for t in range(trials): start = timeit.default_timer() # setup, training for baseline model if mod_type == "B": model = DA_B_lang(in_d=vectors.shape[1], h_d=2048, layers=2, dropout=0.5, bi=False, vocab_size=len(words), vectors=vectors, output_vectors=output_vectors) val_perp, train_perp, test_perp, model_dict, history = train_DA_B_lang(model, x_tr, y_tr, l_tr, x_sd_te, y_sd_te, l_sd_te, x_te, y_te, l_te, epochs, learn_rate, batch_size, report_acc=5, weaken_lr=0.8) # setup, training for conditioning model else: model = DA_TRANS_lang(in_d=vectors.shape[1], attn_width=20, dom_seq=False, vocab_size=len(words), out_style=out_style, vectors=vectors, output_vectors=output_vectors, s_h_d=2048, s_layers=2, s_dropout=0.5, s_bi=False, d_h_d=None, d_layers=None, d_dropout=None, d_bi=None) val_perp, train_perp, test_perp, model_dict, history = train_DA_Con_lang(model, doms, l_doms, x_tr, y_tr, l_tr, d_tr, x_sd_te, y_sd_te, l_sd_te, d_sd_te, x_te, y_te, l_te, d_te, epochs, learn_rate, batch_size, report_acc=5, weaken_lr=0.8) end = timeit.default_timer() time_taken = end - start # print history if on if write_hist == "Hist": write("Full trial history: ") write_history(history) # print results of current trial write("Training done.") write("Best training perplexity: " + str(train_perp)) write("Best validation perplexity: " + str(val_perp)) write("Best test perplexity: " + str(test_perp)) write("Time taken: " + str(time_taken) + "\n") # append current accuracies to lists val_perps.append(val_perp) train_perps.append(train_perp) test_perps.append(test_perp) # update best accuracies, model if needed if val_perp < all_time_val_perp: all_time_val_perp = val_perp all_time_train_perp = train_perp all_time_test_perp = test_perp all_time_m_dict = {} all_time_m_dict[exp_type + "_" + exp_no + "_" + mod_type + "_" + out_style] = model_dict # save best performing model from trials torch.save(all_time_m_dict, "models_lang/" + exp_type + "_" + exp_no + "_" + mod_type + "_" + out_style + ".pt") # print best accuracies from trials write("\nBest training perplexity over trials: " + str(all_time_train_perp)) write("Best validation perplexity over trials: " + str(all_time_val_perp)) write("Best test perplexity over trials: " + str(all_time_test_perp) + "\n") # calculate and print average accuracies from trials write("Average training perplexity over trials: " + str(np.mean(np.asarray(train_perps)))) write("Average validation perplexity over trials: " + str(np.mean(np.asarray(val_perps)))) write("Average test perplexity over trials: " + str(np.mean(np.asarray(test_perps))) + "\n") <file_sep># DA MODEL EXPERIMENTS -------------------------------------------------------- # # Script for training models on multiple domains and testing their performance # on new domains (Zero-Shot Domain Adaptation) for the sentiment analysis task. # IMPORTS, ETC ---------------------------------------------------------------- import timeit import nltk import numpy as np import torch from modifying_methods import get_pca_words from embedding_helper_methods import read_embeddings, normalize_embeddings from data_utilities import DA_load_data, get_rel_words, get_sent_vect_indices from data_utilities import get_sent_vect_indices_2, get_sentence_vectors, balance from data_utilities import transform_sent_vects from models import DA_B, DA_TRANS from train_utils import train_DA_B, train_DA_Con, write, write_history from domain_info import amazon_domains, reddit_domains, synth3_domain, stopwords from DA_experiments import amazon_experiments, reddit_experiments from DA_experiments import synth1_experiments, synth2_experiments, synth3_experiments import sys device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") np.random.seed(10) torch.manual_seed(10) write("\nImports complete. \n") # EMBEDDINGS, TEST INFO ------------------------------------------------------- # set up embeddings words, vectors = read_embeddings() vectors = normalize_embeddings(vectors) vectors = vectors * 3 lookup = dict(zip(words, np.arange(len(vectors)))) # get job information exp = sys.argv[1] mod_type = sys.argv[2] DK_type = sys.argv[3] trials = int(sys.argv[4]) write_hist = sys.argv[5] exp_type, exp_no = exp.split("/") # get training & testing domains if exp_type == "amazon": d_train, d_test = amazon_experiments[exp_no] domains = amazon_domains elif exp_type == "yelp": dom_file = open("experiments/" + exp_type + "/yelp_DK.txt", "r") domains = dom_file.readlines() dom_file.close() elif exp_type == "reddit": d_train, d_test = reddit_experiments[exp_no] domains = reddit_domains elif exp_type == "synth1": d_train_norm, d_train_tech, d_test_norm, d_test_tech = synth1_experiments[exp_no] d_train, d_test = d_train_norm + d_train_tech, d_test_norm + d_test_tech domains = amazon_domains elif exp_type == "synth2": d_train, d_test = synth2_experiments[exp_no][0], synth2_experiments[exp_no][0] domains = amazon_domains else: # synth3 num_words = int(sys.argv[6]) _, num_domains, num_test_domains = synth3_experiments[exp_no] d_train = [i for i in range(num_domains - num_test_domains)] d_test = [i for i in range((num_domains - num_test_domains), num_domains)] domains = [synth3_domain] write("Embeddings, test info set up. \n") # DATA ------------------------------------------------------------------------ # set up training data tr_sents, tr_labels, tr_domains = [], [], [] # fetch training data, validation, test data (not yelp) if exp_type != "yelp": for d in d_train: c_sents, c_labels, c_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_train.txt", [d]) c_sents, c_labels, c_domains = balance(c_sents, c_labels, c_domains) tr_sents += c_sents tr_labels += c_labels tr_domains += c_domains sd_te_sents, sd_te_labels, sd_te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_val.txt", d_train) te_sents, te_labels, te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_test.txt", d_test) # if yelp (no need to balance) else: tr_sents, tr_labels, tr_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_train.txt") sd_te_sents, sd_te_labels, sd_te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_val.txt") te_sents, te_labels, te_domains, _ = DA_load_data("experiments/" + exp + "/" + exp_no + "_test.txt") # get all data all_sents = tr_sents + sd_te_sents + te_sents if exp_type == "synth3": all_labels = tr_labels + sd_te_labels + te_labels # get domain data domains_tok = [] if DK_type == "Norm": for domain in domains: domains_tok.append(nltk.word_tokenize(domain)) else: for domain in domains: domains_tok.append([word for word in nltk.word_tokenize(domain) if word not in stopwords]) # if synth3, get DK knowledge to transform if exp_type == "synth3": domain_tok_for_trans = [word for word in nltk.word_tokenize(synth3_domain) if word not in stopwords] write("Data set up. \n") # PREPARE VECTORS, GET LENGTHS ------------------------------------------------ # get words in the data all_data = np.concatenate((all_sents + domains_tok), axis=0) rel_words = get_rel_words(all_data, words, vectors, lookup, mds=True) # get words to be domain-specific if synth3 if exp_type == "synth3": words_dict = get_pca_words(rel_words, stopwords, all_sents, all_labels) trans_words = list(words_dict.keys())[-num_words:] trans_words += domain_tok_for_trans else: trans_words = None # get training, same-domain testing, testing vector indices x_tr_sents, y_tr, d_tr, x_tr_indices, x_tr_trans = get_sent_vect_indices(tr_sents, tr_labels, tr_domains, rel_words, vectors, lookup, trans_words) x_sd_te_sents, y_sd_te, d_sd_te, x_sd_te_indices, x_sd_te_trans = get_sent_vect_indices(sd_te_sents, sd_te_labels, sd_te_domains, rel_words, vectors, lookup, trans_words) x_te_sents, y_te, d_te, x_te_indices, x_te_trans = get_sent_vect_indices(te_sents, te_labels, te_domains, rel_words, vectors, lookup, trans_words) # get vector sequences x_tr = get_sentence_vectors(x_tr_indices, vectors) x_sd_te = get_sentence_vectors(x_sd_te_indices, vectors) x_te = get_sentence_vectors(x_te_indices, vectors) # if synth3, get transformations for each domain and transform data if exp_type == "synth3": transforms = np.asarray([np.random.rand(vectors.shape[1]) for i in range(num_domains)]) x_tr = transform_sent_vects(x_tr, x_tr_trans, d_tr, transforms) x_sd_te = transform_sent_vects(x_sd_te, x_sd_te_trans, d_sd_te, transforms) x_te = transform_sent_vects(x_te, x_te_trans, d_te, transforms) # get lengths l_tr = [len(x_tr_sent) for x_tr_sent in x_tr] l_sd_te = [len(x_sd_te_sent) for x_sd_te_sent in x_sd_te] l_te = [len(x_te_sent) for x_te_sent in x_te] # shift to numpy x_tr, y_tr = np.asarray(x_tr), np.asarray(y_tr) d_tr, l_tr = np.asarray(d_tr), np.asarray(l_tr) x_sd_te, y_sd_te = np.asarray(x_sd_te), np.asarray(y_sd_te) d_sd_te, l_sd_te = np.asarray(d_sd_te), np.asarray(l_sd_te) x_te, y_te = np.asarray(x_te), np.asarray(y_te) d_te, l_te = np.asarray(d_te), np.asarray(l_te) # domain vector setup dom_sents, dom_indices = get_sent_vect_indices_2(domains_tok, rel_words, vectors, lookup) doms = get_sentence_vectors(dom_indices, vectors) # transform domain knowledge (and add as new domain knowledge) if synth3 if exp_type == "synth3": doms = [np.matmul(doms[0], transforms[i]) for i in range(num_domains)] # get domain knowledge in final, appropriate form l_doms = [len(dom) for dom in doms] doms, l_doms = np.asarray(doms), np.asarray(l_doms) if DK_type == "Avg": new_doms = np.zeros((len(doms), vectors.shape[1])) for i in range(len(doms)): new_doms[i] = np.mean(doms[i], axis=0) doms, l_doms = new_doms, None write("Preparing vectors done. \n") # SET UP MODEL ---------------------------------------------------------------- # hyperparameters for each trial epochs = 50 learn_rate = 0.003 batch_size = 128 loss = torch.nn.BCELoss() write("Setting up model done. \n \n") # TRAIN ----------------------------------------------------------------------- # accuracies, parameters for model that gives best validation accuracy across trials all_time_val_acc = 0 all_time_train_acc = 0 all_time_test_acc = 0 all_time_m_dict = None # accuracies across trials (for calculating averages) val_accs = [] train_accs = [] test_accs = [] # test the model "trials" # of times for t in range(trials): start = timeit.default_timer() # setup, training for baseline model if mod_type == "B": model = DA_B(in_d=vectors.shape[1], h_d=100, layers=2, dropout=0.5, bi=True) val_acc, train_acc, test_acc, model_dict, history = train_DA_B(model, x_tr, y_tr, l_tr, x_sd_te, y_sd_te, l_sd_te, x_te, y_te, l_te, epochs, learn_rate, loss, batch_size, report_acc=5, weaken_lr=0) # setup, training for conditioning model else: if DK_type == "Norm": model = DA_TRANS(in_d=vectors.shape[1], attn_width=20, dom_seq=True, s_h_d=100, s_layers=2, s_dropout=0.5, s_bi=True, d_h_d=20, d_layers=1, d_dropout=0, d_bi=True) else: model = DA_TRANS(in_d=vectors.shape[1], attn_width=20, dom_seq=False, s_h_d=100, s_layers=2, s_dropout=0.5, s_bi=True, d_h_d=None, d_layers=None, d_dropout=None, d_bi=None) val_acc, train_acc, test_acc, model_dict, history = train_DA_Con(model, doms, l_doms, x_tr, y_tr, l_tr, d_tr, x_sd_te, y_sd_te, l_sd_te, d_sd_te, x_te, y_te, l_te, d_te, epochs, learn_rate, loss, batch_size, report_acc=5, weaken_lr=0) end = timeit.default_timer() time_taken = end - start # print history if on if write_hist == "Hist": write("Full trial history: ") write_history(history) # print results of current trial write("Training done.") write("Best training accuracy: " + str(train_acc)) write("Best validation accuracy: " + str(val_acc)) write("Best test accuracy: " + str(test_acc)) write("Time taken: " + str(time_taken) + "\n") # append current accuracies to lists val_accs.append(val_acc) train_accs.append(train_acc) test_accs.append(test_acc) # update best accuracies, model if needed if val_acc > all_time_val_acc: all_time_val_acc = val_acc all_time_train_acc = train_acc all_time_test_acc = test_acc all_time_m_dict = {} all_time_m_dict[exp_type + "_" + exp_no + "_" + mod_type + "_" + DK_type] = model_dict # save best performing model from trials torch.save(all_time_m_dict, "models/" + exp_type + "_" + exp_no + "_" + mod_type + "_" + DK_type + ".pt") # print best accuracies from trials write("\nBest training accuracy over trials: " + str(all_time_train_acc)) write("Best validation accuracy over trials: " + str(all_time_val_acc)) write("Best test accuracy over trials: " + str(all_time_test_acc) + "\n") # calculate and print average accuracies from trials write("Average training accuracy over trials: " + str(np.mean(np.asarray(train_accs)))) write("Average validation accuracy over trials: " + str(np.mean(np.asarray(val_accs)))) write("Average test accuracy over trials: " + str(np.mean(np.asarray(test_accs))) + "\n") <file_sep># EMBEDDING MODIFYING METHODS ------------------------------------------------- # # Methods for modifying word embeddings and searching for certain words. # imports import numpy as np from sklearn.decomposition import PCA from sklearn.cluster import KMeans from embedding_helper_methods import normalize_embeddings from skipdict import SkipDict from nltk import pos_tag # function that projects embeddings onto subspace that captures the meaning of certain words def word_salad_PCA(vectors, lookup, imp_words, k, diff=False): # if invalid # of components if (k > vectors.shape[1]): k = vectors.shape[1] # get vectors for meaning-significant words imp_vectors = np.zeros((len(imp_words), vectors.shape[1])) for i in range(len(imp_words)): imp_vectors[i] = vectors[lookup[imp_words[i]]] # use PCA to get basis that captures meaning for given words, project embeddings pca = PCA(n_components=k, svd_solver='full') pca.fit(imp_vectors) projected_vectors = pca.transform(vectors) return projected_vectors, pca.explained_variance_ratio_, pca.components_, pca.mean_ # function for getting discriminatory (+ive/-ive) words in data to do PCA on def get_pca_words(words, stopwords, sentences, labels): # get entropy of set of sentences p_init = np.sum(labels)/len(labels) e_init = entropy_1att(p_init) word_probs = {} # get counts for non-stopwords that we have embeddings for for i in range(len(sentences)): sent_words = [] for j in range(len(sentences[i])): if sentences[i][j] in words and sentences[i][j] not in stopwords \ and sentences[i][j] not in sent_words: if sentences[i][j] in word_probs: word_probs[sentences[i][j]][0] += 1 word_probs[sentences[i][j]][1] += 1/len(sentences) else: word_probs[sentences[i][j]] = [1, 1/len(sentences)] sent_words.append(sentences[i][j]) word_p_probs = {} word_np_probs = {} words = list(word_probs.keys()) # set probabilities of +ive sentence based on occurrence/lack of occurrence of word to zero for i in range(len(words)): word_p_probs[words[i]] = 0 word_np_probs[words[i]] = 0 # compute probabilities of +ive sentence based on occurrence/lack of occurrence of word for i in range(len(words)): for j in range(len(sentences)): if labels[j] == 1: if words[i] in sentences[j]: word_p_probs[words[i]] += 1/word_probs[words[i]][0] else: word_np_probs[words[i]] += 1/(len(sentences) - word_probs[words[i]][0]) word_scores = {} # compute information gain scores for words for i in range(len(words)): att_probs = [word_probs[words[i]][1], 1 - word_probs[words[i]][1]] pos_probs = [word_p_probs[words[i]], word_np_probs[words[i]]] word_scores[words[i]] = e_init - entropy(words[i], att_probs, pos_probs) word_scores = SkipDict(word_scores) return word_scores # function for getting words with certain tags def filter_for_tags(words, sentences, tags=['JJ', 'JJS']): sent_words = [] for word in words: for sentence in sentences: if word in sentence: tagged_sentence = pos_tag(sentence) for sentence_word, tag in tagged_sentence: if sentence_word == word and tag in tags: sent_words.append(word) break break return sent_words # function for k-means clustering to measure "noisiness" of different words def kmeans(words, vectors, lookup, k, seed=0, pca=0, pca_dims=10): # get vectors for words, set up k-means clustering imp_vectors = np.zeros((len(words), vectors.shape[1])) for i in range(len(words)): imp_vectors[i] = vectors[lookup[words[i]]] kmeans = KMeans(n_clusters=k, random_state=seed) # do pca either on all vectors, or on vectors for important words if pca == 1: pca = PCA(n_components=pca_dims, svd_solver='full').fit(vectors) imp_vectors = pca.transform(imp_vectors) elif pca == 2: pca = PCA(n_components=pca_dims, svd_solver='full').fit(imp_vectors) imp_vectors = pca.transform(imp_vectors) # do clustering, get centers & labels kmeans.fit(imp_vectors) centers = kmeans.cluster_centers_ labels = kmeans.labels_ # get sets of words in each cluster, distance of each word from cluster center clusters = [[] for i in range(k)] cluster_mapping = dict(zip(words, labels)) word_dists = {} for i in range(k): for j in range(len(words)): if cluster_mapping[words[j]] == i: clusters[i].append(words[j]) word_dists[words[j]] = np.linalg.norm(centers[i] - imp_vectors[j]) word_dists = SkipDict(word_dists) return clusters, word_dists # function for filtering out "noisy" words with k-means clustering def kmeans_filter(words, vectors, lookup, trials, cluster_nums): # get vectors for words imp_vectors = np.zeros((len(words), vectors.shape[1])) for i in range(len(words)): imp_vectors[i] = vectors[lookup[words[i]]] # set up distance test word_dists = {} for i in range(len(words)): word_dists[words[i]] = 0 # iterate over and perform clustering tests for j in cluster_nums: for i in range(trials): clusters, trial_word_dists = kmeans(words, vectors, lookup, j, seed=i) for word in words: word_dists[word] += trial_word_dists[word] return SkipDict(word_dists) # UTILITIES ------------------------------------------------------------------- # helper entropy function 1 def entropy_1att(p): if np.isclose(p, 0): return 0 elif np.isclose(p, 1): return 0 else: return -p * np.log2(p) - (1-p) * np.log2(1-p) # helper entropy function 2 def entropy(word, att_probs, pos_probs): entropy = 0 for i in range(len(att_probs)): entropy += att_probs[i]*entropy_1att(pos_probs[i]) return entropy # cosine similarity def cosine(vect1, vect2): return np.dot(vect1, vect2)/(np.linalg.norm(vect1) * np.linalg.norm(vect2)) # method that computes "subspace alignment" def alignment(ss1, ss2, axis=0, cos_or_dot=1): if axis == 0: alignments = np.zeros(ss1.shape[0]) for i in range(ss1.shape[0]): if cos_or_dot == 1: alignments[i] = cosine(ss1[0], ss2[0]) else: alignments[i] = np.dot(ss1[0], ss2[0]) else: alignments = np.zeros(ss1.shape[1]) for i in range(ss1.shape[1]): if cos_or_dot == 1: alignments[i] = cosine(ss1[:,0], ss2[:,0]) else: alignments[i] = np.dot(ss1[:,0], ss2[:,0]) return alignments # function for printing cosine similarities of word pairs def similarities(words, vectors, lookup): for i in range(len(words)): for j in range(len(words)): if i == j: continue print("Similarity between ", words[i], " and ", words[j], ": ", cosine(vectors[lookup[words[i]]], vectors[lookup[words[j]]])) print("\n")<file_sep># Conditioning Language Models for Domain Adaptation This repository contains the code for my senior thesis on a method for training language models to perform zero-shot domain adaptation. All models are implemented in Pytorch. Read the thesis [here](https://www.dropbox.com/s/qu3k4m6lou60u5b/Thesis_Final_Report.pdf?dl=0). ## About the Method ### What is "zero-shot domain adaptation"? Why does it matter? In simple terms, "zero-shot domain adaptation" here means training a model to be able to perform a task well in domains that it has not trained on - to adapt well to such domains with "zero" training data. At a high level, I've attempted to solve this problem in a language context, by coming up with a mechanism that learns to modulate a language model's parameters based on some information about the domain that the model's input is coming from. To motivate the problem from a practical perspective, consider a setting in which we want to perform a task in a certain domain, but have no training data for that domain. Perhaps we have some labeled training data for the task from other domains. We might try training a model on these domains and then transfer it to the domains we care about. The model ends up learning to look for a set of features in its input for the domains it trains on. Assuming that the domains not present in the training data are different from the ones that are, a couple undesirable things might be happening: - The model learns "average" features across inputs from the training domains. In this case, it doesn't even learn to use domain specific features for the training domains; it certainly isn't capable of figuring out what kind of domain-specific features need to be used for inputs from non-training domains. - The model might memorize domain-specific features for the training domains. In this case, it still may not have learned to figure out what *kind* of domain it's input is from and use the appropriate features, preventing it from doing so for inputs from non-training domains. Instead of simply pre-training a model on a set of domains and hoping it transfers well to other ones, we might explicitly provide it with some information about the domain that its input is from, both at training and test time. If the information accurately represents domain similarity, the model should learn to modify the features it uses based on the kind of domain its input is from. In a nutshell, coming up with good ways to condition a model on domain information would be useful because they would likely lead to better domain transfer in the scenarios where little-to-no target domain data is available. The problem has significance from a "pure AI" perspective too, as humans solve it all the time. We're very good at learning something in a new domain with little-to-no experience, or conditioning the way we do something in a new setting based on some high-level knowledge about that setting. We'd like to make AI that can do this stuff too. ### Conditioning Models There are multiple ways, each with different structures and biases, to have a model take domain information into account. The simplest option might be to concatenate an information vector to the model's input. However, more structured methods exist, as discussed in Dumoulin et al.'s paper on [Feature-Wise Transformations](https://distill.pub/2018/feature-wise-transformations/). They discuss a general-purpose method for conditioning a model's computation on some domain or task information, called "FiLM", or Feature-Wise Linear Modulation. In FiLM, a transformation is trained to take an information vector, and output the parameters of an affine layer that acts on a set of features/representation in a model. The affine layer essentially consists of gating and bias vectors - in the domain adaptation context, they switch nodes or feature maps in the model on and off for the given domain: ![FiLM](images/Film3.png) ### The Conditioning Mechanism As stated, for my thesis, I've considered the zero-shot adaptation problem in the language context. A simple way in which the same language varies in its meaning/interpretation across domains is through changes in word meaning. While reading a horror film review, the word "terrifying" might be used to indicate a positive experience; in a restaurant review, this seems unlikely. Words like "LGBT" and "gun" are used with different connotations depending on whether they appear on a left-leaning or right-leaning online community. To account for this kind of change from domain to domain that we see in language, we might train a "mechanism" that learns to accept some domain information as input, and produce an operation that modifies the words in an input sentence properly for the corresponding domain. The mechanism is parametrized by two transformations, each of which take domain information as input. These transformations learn to produce a transformation and a single-layered attention network, which work in the following way: **1.** The produced transformation takes the generic embeddings in the input sentence and transforms them for the current domain: ![Mechanism Transformation](images/Mech1.png) **2.** The attention network outputs a set of attentional weights describing the extent to which the transformed embedding - as opposed to the initial, generic embedding - should be used to represent each word: ![Attention Network](images/Mech2.png) **3.** Using the attentional weights, a weighted linear combination between the transformed and generic embeddings is taken to create new embeddings that represent the input sentence: ![Weighted Combination](images/Mech3.png) Once the new set of embeddings has been obtained, they are input to the language model that performs the task. A straightforward way to think about this is that the transformation and attention network the mechanism produces are part of the language model's embedding layer - we are thus using domain information to condition the embedding layer of a language model. The two transformations that parametrize the mechanism are trained in tandem with the language model on data and information from a set of training domains. To illustrate what this is meant to do in practice, consider the following scenario: we want to train a model to perform binary sentiment classification on comments from online communities. We might train a model to perform the task on comments from a subset of communities, and train a mechanism simultaneously to produce transformations/attn networks that modify a comment's embeddings for the online community that it is from. During training, the mechanism might learn to recognize indicators of political orientation from the domain information it is given, and produce transformations/attn networks that modify the embeddings in comments accordingly. When given domain information for a new domain, it might recognize that the domain is left-leaning, and: - Produce a transformation that maps "LGBT" to a latent positive meaning, and "gun" to a latent negative meaning. - Produce an attention network that chooses to represent the words "LGBT" and "gun" with the transformed embeddings, but chooses to represent words like "hello" or "goodbye" with generic ones (as their meaning doesn't really change with political orientation). ### Experiments ## Running the Code ### Dependencies ### Running Experiments <file_sep># DA TRAINING UTILITIES/FUNCTIONS --------------------------------------------- # # Methods for training models for Zero-Shot Domain Adaptation for language modeling. # imports import sys import torch import numpy as np from train_utils import write, write_history device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") # function for training baseline model def train_DA_B_lang(model, tr_inputs, tr_targets, tr_lengths, sd_te_inputs, sd_te_targets, sd_te_lengths, te_inputs, te_targets, te_lengths, epochs, learn_rate, batch_size, report_acc=0, weaken_lr=0): # optimizer, model --> GPU optimizer = torch.optim.Adam(model.parameters(), lr=learn_rate) model.to(device) loss = torch.nn.CrossEntropyLoss(ignore_index=-1, reduction='sum') acc_loss = torch.nn.CrossEntropyLoss(ignore_index=-1, reduction='sum') # best validation perplexity variable, corresponding training/test perplexity variables best_sd_te_perp = 100000 corr_tr_perp = 100000 corr_te_perp = 100000 model_dict = None # history history = [] # iterate over epochs for epoch in range(epochs): # decay learning rate if on if weaken_lr != 0 and (epoch+1) % 5 == 0: for param_group in optimizer.param_groups: param_group["lr"] *= weaken_lr # permute datapoints perm = np.random.permutation(len(tr_inputs)) # iterate over minibatches if len(tr_inputs) % batch_size == 0: iterations = len(tr_inputs)//batch_size else: iterations = len(tr_inputs)//batch_size + 1 for batch in range(iterations): # get batch, forward pass, backward pass, update b_inputs = tr_inputs[perm[batch*batch_size : (batch+1)*batch_size]] b_targets = tr_targets[perm[batch*batch_size : (batch+1)*batch_size]] b_lengths = tr_lengths[perm[batch*batch_size : (batch+1)*batch_size]] b_outputs, b_targets = model.forward(b_inputs, b_targets, b_lengths) optimizer.zero_grad() curr_loss = loss(b_outputs, b_targets) curr_loss.backward() optimizer.step() # compute perplexity after epoch, add to history tr_cross, tr_perp = model.accuracy(tr_inputs, tr_targets, tr_lengths, batch_size, acc_loss) sd_te_cross, sd_te_perp = model.accuracy(sd_te_inputs, sd_te_targets, sd_te_lengths, batch_size, acc_loss) te_cross, te_perp = model.accuracy(te_inputs, te_targets, te_lengths, batch_size, acc_loss) history.append([tr_perp, sd_te_perp, te_perp]) # update best perplexities, model dicts if sd_te_perp < best_sd_te_perp: best_sd_te_perp = sd_te_perp corr_tr_perp = tr_perp corr_te_perp = te_perp model_dict = model.state_dict() # report perplexities and crossentropies if on if report_acc != 0 and ((epoch+1) % report_acc == 0 or epoch == 0): write("Training stuff after epoch " + str(epoch) + ": " + str(tr_cross) + " " + str(tr_perp)) write("Same-domain test stuff after epoch " + str(epoch) + ": " + str(sd_te_cross) + " " + str(sd_te_perp)) write("Test stuff after epoch " + str(epoch) + ": " + str(te_cross) + " " + str(te_perp) + "\n") return best_sd_te_perp, corr_tr_perp, corr_te_perp, model_dict, history # function for training transformation-based model def train_DA_Con_lang(model, doms, dom_lengths, tr_inputs, tr_targets, tr_lengths, tr_domains, sd_te_inputs, sd_te_targets, sd_te_lengths, sd_te_domains, te_inputs, te_targets, te_lengths, te_domains, epochs, learn_rate, batch_size, report_acc=0, weaken_lr=0): # set up optimizer, model --> GPU, loss optimizer = torch.optim.Adam(model.parameters(), lr=learn_rate) model.to(device) loss = torch.nn.CrossEntropyLoss(ignore_index=-1, reduction='sum') acc_loss = torch.nn.CrossEntropyLoss(ignore_index=-1, reduction='sum') # best validation perplexity variable, corresponding training/test variables best_sd_te_perp = 100000 corr_tr_perp = 100000 corr_te_perp = 100000 model_dict = None # history history = [] # iterate over epochs for epoch in range(epochs): # decay learning rate if on if weaken_lr != 0 and (epoch+1) % 10 == 0: for param_group in optimizer.param_groups: param_group["lr"] *= weaken_lr # permute datapoints perm = np.random.permutation(len(tr_inputs)) # iterate over minibatches if len(tr_inputs) % batch_size == 0: iterations = len(tr_inputs)//batch_size else: iterations = len(tr_inputs)//batch_size + 1 for batch in range(iterations): # get batch b_inputs = tr_inputs[perm[batch*batch_size : (batch+1)*batch_size]] b_targets = tr_targets[perm[batch*batch_size : (batch+1)*batch_size]] b_lengths = tr_lengths[perm[batch*batch_size : (batch+1)*batch_size]] b_domains = tr_domains[perm[batch*batch_size : (batch+1)*batch_size]] # get domain information for batch domains b_doms = doms[b_domains] if dom_lengths != None: b_dom_lengths = dom_lengths[b_domains] else: b_dom_lengths = None # forward pass, backward pass, update b_outputs, b_targets = model.forward(b_inputs, b_targets, b_lengths, b_doms, b_dom_lengths) optimizer.zero_grad() curr_loss = loss(b_outputs, b_targets) curr_loss.backward() optimizer.step() # compute perplexity/crossentropy after epoch, add to history tr_cross, tr_perp = model.accuracy(tr_inputs, tr_targets, tr_lengths, \ tr_domains, doms, dom_lengths, batch_size, acc_loss) sd_te_cross, sd_te_perp = model.accuracy(sd_te_inputs, sd_te_targets, sd_te_lengths, \ sd_te_domains, doms, dom_lengths, batch_size, acc_loss) te_cross, te_perp = model.accuracy(te_inputs, te_targets, te_lengths, \ te_domains, doms, dom_lengths, batch_size, acc_loss) history.append([tr_perp, sd_te_perp, te_perp]) # update best accuracies, model dicts if sd_te_perp < best_sd_te_perp: best_sd_te_perp = sd_te_perp corr_tr_acc = tr_perp corr_te_acc = te_perp model_dict = model.state_dict() # report accuracies if on if report_acc != 0 and ((epoch+1) % report_acc == 0 or epoch == 0): write("Training stuff after epoch " + str(epoch) + ": " + str(tr_cross) + " " + str(tr_perp)) write("Same-domain test stuff after epoch " + str(epoch) + ": " + str(sd_te_cross) + " " + str(sd_te_perp)) write("Test stuff after epoch " + str(epoch) + ": " + str(te_cross) + " " + str(te_perp) + "\n") return best_sd_te_perp, corr_tr_perp, corr_te_perp, model_dict, history <file_sep># DA SENTIMENT ANALYSIS/MISCELLANEOUS MODELS ---------------------------------- # # Models for zero-shot domain adaptation experiments on sentiment analysis task. # imports import torch from train_utils import write device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") # DA_BASELINE ----------------------------------------------------------------- # # Baseline model for Zero-Shot DA for sentiment analysis. # Consists of a sentence encoder (LSTM) and a classifier layer. # LSTM allows specifying number of layers, dropout, and bidirectionality. class DA_B(torch.nn.Module): # initialization method def __init__(self, in_d, h_d, layers, dropout, bi): super(DA_B, self).__init__() # Baseline modules out_vects = 2 if bi else 1 self.lstm = MY_LSTM(in_d, h_d, layers, dropout, bi) self.classifier = MY_NL(h_d*out_vects, 1) # forward propagation def forward(self, inputs, targets, lengths): # set up batch in pytorch b_size = len(inputs) inputs, indices = batch_setup(inputs, lengths) targets = torch.from_numpy(targets).float() targets = targets[indices][:,None] # data --> GPU inputs = inputs.to(device) targets = targets.to(device) # forward computation inputs_proc = self.lstm.forward(inputs, b_size) outputs = self.classifier.forward(inputs_proc) return outputs, targets # accuracy computation def accuracy(self, inputs, targets, lengths, batch_size): self.eval() classfn_acc = 0 # switch off gradients, get accuracy, data if on with torch.no_grad(): if len(inputs) % batch_size == 0: iterations = len(inputs)//batch_size else: iterations = len(inputs)//batch_size + 1 for batch in range(iterations): # get batch, forward, backward, update batch_inputs = inputs[batch*batch_size : (batch+1)*batch_size] batch_targets = targets[batch*batch_size : (batch+1)*batch_size] batch_lengths = lengths[batch*batch_size : (batch+1)*batch_size] # forward pass, accuracy for batch batch_outputs, batch_targets = self.forward(batch_inputs, batch_targets, batch_lengths) classfn_acc += acc_helper(batch_outputs, batch_targets) classfn_acc = classfn_acc/len(inputs) self.train() return classfn_acc # DA_TRANS -------------------------------------------------------------------- # # Embedding-transformation model for Zero-Shot DA for sentiment analysis. # Consists of sentence encoder, transformation, attn-transformation, classifier, # and domain encoder (the latter only if domain information is sequential). # Number of layers, dropout, and bidirectionality can be specified # for sentence and domain encoders. class DA_TRANS(torch.nn.Module): # initialization method def __init__(self, in_d, attn_width, dom_seq, s_h_d, s_layers, s_dropout, s_bi, d_h_d, d_layers, d_dropout, d_bi): super(DA_TRANS, self).__init__() # parts of model that don't depend on the shape of domain information s_out_vects = 2 if s_bi else 1 self.sent_lstm = MY_LSTM(in_d, s_h_d, s_layers, s_dropout, s_bi) self.dom_lstm = None trans_in = in_d # If domain information is a sequence of vectors (not a single one) if dom_seq: d_out_vects = 2 if d_bi else 1 self.dom_lstm = MY_LSTM(in_d, d_h_d, d_layers, d_dropout, d_bi) trans_in = d_h_d * d_out_vects # Transformation, attention-transformation, classifier self.in_d = in_d self.attn_width = attn_width self.trans = MY_L(trans_in, in_d*in_d) self.attn_trans = MY_L(trans_in, attn_width*(in_d+2) + 1) self.classifier = MY_NL(s_h_d*s_out_vects, 1) # forward propagation def forward(self, inputs, targets, lengths, doms, dom_lengths, get_data=False): # create any required modules drop = torch.nn.Dropout(p=0.5) # set up batch b_size = len(inputs) inputs, indices, lengths = batch_setup(inputs, lengths, pack=False) targets = torch.from_numpy(targets).float() targets = targets[indices][:,None] # prep domain information d_size = len(doms) if self.dom_lstm != None: doms, dom_indices = batch_setup(doms, dom_lengths) dom_ind_rev = torch.zeros(len(dom_indices)).long() dom_ind_rev[dom_indices] = torch.arange(len(dom_indices)).long() dom_ind_rev = dom_ind_rev.to(device) else: doms = torch.from_numpy(doms).float() doms = doms[indices] # sent data --> GPU doms = doms.to(device) inputs = inputs.to(device) targets = targets.to(device) # get domain-specific transformation, attn-transformation vectors if self.dom_lstm != None: doms = self.dom_lstm.forward(doms, d_size) t, attn_t = self.trans.forward(doms), self.attn_trans.forward(doms) if self.dom_lstm != None: transforms, attn_transforms = t[dom_ind_rev][indices], attn_t[dom_ind_rev][indices] else: transforms, attn_transforms = t, attn_t # apply dropout transforms = drop(transforms) attn_transforms = drop(attn_transforms) # get transformed/domain-specific embeddings, attn weights trans_inputs = self.transform_inputs(transforms, inputs, lengths) attn_weights = self.compute_attn(attn_transforms, inputs, lengths) # apply attention to take weighted combo of domain specific/generic embeddings weighted_inputs = (inputs * attn_weights) + (trans_inputs * (1 - attn_weights)) # pack the padded, transformed input sequence packed_inputs = torch.nn.utils.rnn.pack_padded_sequence(weighted_inputs, lengths, batch_first=True) # finish processing the sentence inputs_proc = self.sent_lstm.forward(packed_inputs, b_size) outputs = self.classifier.forward(inputs_proc) # save data if on if get_data: return outputs, targets, [t.clone().numpy(), attn_t.clone().numpy()] else: return outputs, targets # accuracy computation def accuracy(self, inputs, targets, lengths, domains, doms, dom_lengths, batch_size): self.eval() classfn_acc = 0 # switch off gradients, get accuracy, data if on with torch.no_grad(): if len(inputs) % batch_size == 0: iterations = len(inputs)//batch_size else: iterations = len(inputs)//batch_size + 1 for batch in range(iterations): # get batch, forward, backward, update b_inputs = inputs[batch*batch_size : (batch+1)*batch_size] b_targets = targets[batch*batch_size : (batch+1)*batch_size] b_lengths = lengths[batch*batch_size : (batch+1)*batch_size] b_domains = domains[batch*batch_size : (batch+1)*batch_size] # get domain information for batch domains b_doms = doms[b_domains] if dom_lengths != None: b_dom_lengths = dom_lengths[b_domains] else: b_dom_lengths = None # forward pass, accuracy for batch b_outputs, b_targets = self.forward(b_inputs, b_targets, b_lengths, b_doms, b_dom_lengths) classfn_acc += acc_helper(b_outputs, b_targets) classfn_acc = classfn_acc/len(inputs) self.train() return classfn_acc # helper method for getting transformation, applying it def transform_inputs(self, transforms, inputs, lengths): # set up transformed sentences trans_inputs = torch.zeros(inputs.size()).float() trans_inputs = trans_inputs.to(device) # iterate over batch sentences, transform them for i in range(len(inputs)): trans = transforms[i].view(self.in_d, self.in_d) trans_inputs[i][:int(lengths[i])] = torch.matmul(inputs[i][:int(lengths[i])], trans) return trans_inputs # helper method for getting attn network, applying it def compute_attn(self, attn_transforms, inputs, lengths): # first & second layer projections, bias vectors attn_trans_m1 = attn_transforms[:,:self.attn_width*self.in_d] attn_trans_b1 = attn_transforms[:,self.attn_width*self.in_d : self.attn_width*(self.in_d+1)] attn_trans_m2 = attn_transforms[:,self.attn_width*(self.in_d+1) : self.attn_width*(self.in_d+2)] attn_trans_b2 = attn_transforms[:,self.attn_width*(self.in_d+2):] # set up attention weights for word embeddings in batch sentences attn_weights = torch.zeros(inputs.size()[0], inputs.size()[1], 1).float() attn_weights = attn_weights.to(device) # iterate over batch sentences, compute attention weights for i in range(len(inputs)): # get projections, bias vectors for current domain in proper form m1 = attn_trans_m1[i].view(self.in_d, self.attn_width) b1 = attn_trans_b1[i].view(1, self.attn_width) m2 = attn_trans_m2[i].view(self.attn_width, 1) b2 = attn_trans_b2[i].view(1, 1) # apply attn network to get weights for current sentence words relu, sigmoid = torch.nn.LeakyReLU(), torch.nn.Sigmoid() hiddens = relu(torch.matmul(inputs[i][:int(lengths[i])], m1) + b1) attn_weights[i][:int(lengths[i])] = sigmoid(torch.matmul(hiddens, m2) + b2) return attn_weights # LSTM ------------------------------------------------------------------------ # # Creates LSTM module. Applies Xavier initialization to weights. # Expects inputs as packed sequence. Supports multiple layers, directions, # and sets up initial values of hidden/cell state as parameters. class MY_LSTM(torch.nn.Module): # initialization method def __init__(self, in_d, h_d, layers=1, dropout=0.0, bi=False, lang=False): super(MY_LSTM, self).__init__() # initial states self.lang = lang self.out_vects = 2 if bi else 1 self.h_init = torch.nn.Parameter(torch.randn(layers*self.out_vects, 1, h_d).float()) * 0.1 self.c_init = torch.nn.Parameter(torch.randn(layers*self.out_vects, 1, h_d).float()) * 0.1 # inner lstm self.lstm = torch.nn.LSTM(input_size=in_d, hidden_size=h_d, \ num_layers=layers, dropout=dropout, bidirectional=bi) # xavier initialization for param in self.lstm.parameters(): torch.nn.init.xavier_normal_(param) if len(param.size()) > 1 else param.data.fill_(0) # forward propagation def forward(self, inputs, b_size): # set initial states for current batch size h_0 = self.h_init.repeat(1, b_size, 1).to(device) c_0 = self.c_init.repeat(1, b_size, 1).to(device) # compute output and return h_all, (h_final, _) = self.lstm.forward(inputs, (h_0, c_0)) if not self.lang: if self.out_vects == 2: final_output = torch.cat((h_final[-2], h_final[-1]), 1) else: final_output = h_final[-1] else: final_output = h_all return final_output # LINEAR TRANSFORMATION ------------------------------------------------------- # # Creates Linear module, applies xavier initialization to weights # Returns Linear output class MY_L(torch.nn.Module): def __init__(self, in_d, out_d): super(MY_L, self).__init__() self.linear = torch.nn.Linear(in_features=in_d, out_features=out_d) for param in self.linear.parameters(): if len(param.size()) > 1: torch.nn.init.xavier_normal_(param) else: param.data.fill_(0) def forward(self, inputs): return self.linear.forward(inputs) # NON-LINEAR TRANSFORMATION --------------------------------------------------- # # Creates Linear module, applies xavier initialization to weights. # Returns sigmoid fn applied to Linear output. class MY_NL(torch.nn.Module): def __init__(self, in_d, out_d): super(MY_NL, self).__init__() self.linear = torch.nn.Linear(in_features=in_d, out_features=out_d) for param in self.linear.parameters(): if len(param.size()) > 1: torch.nn.init.xavier_normal_(param) else: param.data.fill_(0) def forward(self, inputs): sigmoid = torch.nn.Sigmoid() return sigmoid(self.linear.forward(inputs)) # BASIC NET ------------------------------------------------------------------- # # Creates Basic 1-hidden-layer neural net. Hidden layer uses relu # activations, output uses sigmoid activation. class NET(torch.nn.Module): def __init__(self, in_d, out_d): super(NET, self).__init__() self.l1 = torch.nn.Linear(in_features=in_d, out_features=in_d) self.l2 = torch.nn.Linear(in_features=in_d, out_features=out_d) for param in list(self.l1.parameters()) + list(self.l2.parameters()): if len(param.size()) > 1: torch.nn.init.xavier_normal_(param) else: param.data.fill_(0) def forward(self, inputs): relu, sigmoid = torch.nn.LeakyReLU(), torch.nn.Sigmoid() h = relu(self.l1.forward(inputs)) return sigmoid(self.l2.forward(h)) # VARIABLE FEEDFORWARD NET ---------------------------------------------------- # # Feedforward neural net whose architecture the user can specify, in the form of # a list (the arch_spec argument). For example: setting arch_spec to [100, 50, 10] # will create a network with a 100-dimensional input layer, a 50-dimensional # hidden layer, and a 10-dimensional output layer. class SPEC_NET(torch.nn.Module): def __init__(self, arch_spec): super(SPEC_NET, self).__init__() self.params = torch.nn.ParameterList() for i in range(len(arch_spec)-1): self.params.append(torch.nn.Parameter(torch.Tensor(arch_spec[i+1], arch_spec[i]).float())) self.params.append(torch.nn.Parameter(torch.zeros(arch_spec[i+1]).float())) for param in [self.params[i] for i in range(len(self.params)) if (i%2 == 0)]: torch.nn.init.xavier_normal_(param) def forward(self, sentence): logistic, relu = torch.nn.Sigmoid(), torch.nn.ReLU() for i in range(int((len(self.params)/2))-1): sentence = relu(torch.matmul(self.params[2*i], sentence) + self.params[2*i+1]) return logistic(torch.matmul(self.params[-2], sentence) + self.params[-1]) # UTILITIES ------------------------------------------------------------------- # list of arrays --> list of tensors def to_tensor(inputs, x_or_y="X"): tor_inputs = [] for element in inputs: if x_or_y == "X": tor_inputs.append(torch.from_numpy(element).float()) else: tor_inputs.append(torch.from_numpy(element).long()) return tor_inputs # set up batch inputs as packed sequence def batch_setup(inputs, lengths, pack=True, pad_val=0, x_or_y="X"): inputs = to_tensor(inputs, x_or_y) lengths = torch.from_numpy(lengths).float() inputs = torch.nn.utils.rnn.pad_sequence(inputs, batch_first=True, padding_value=pad_val) lengths, indices = torch.sort(lengths) lengths, indices = lengths.flip(0).tolist(), indices.flip(0) inputs = inputs[indices] if pack: inputs = torch.nn.utils.rnn.pack_padded_sequence(inputs, lengths, batch_first=True) return inputs, indices else: return inputs, indices, lengths # accuracy computation helper def acc_helper(outputs, targets): outputs = torch.round(outputs) indicators = torch.abs(outputs - targets) classfn_acc = len(indicators) - torch.sum(indicators) return classfn_acc <file_sep>import sys import numpy as np import nltk import math from DA_experiments import synth3_experiments from create_experiment_utilities import write_data, flip_label, train_val_split np.random.seed(10) # get synthetic experiment to set up datasets for exp = sys.argv[1] train_split = float(sys.argv[2]) # get info on experiment exp_info = synth3_experiments[exp] s_per_domain = int(exp_info[0]) num_domains = int(exp_info[1]) num_test_domains = int(exp_info[2]) # training and testing domains d_train = [i for i in range(num_domains - num_test_domains)] d_test = [i for i in range((num_domains - num_test_domains), num_domains)] # get data from file f = open(sys.argv[3], "r") data = f.readlines() data = [l.strip() for l in data] # randomly permute the data perm = np.random.permutation(len(data)) data = np.asarray(data)[perm].tolist() # set up experiment data exp_data = [] # iterate over number of domains, set up "domain" data for l in range(num_domains * s_per_domain): label, sentence, domain = data[l].split('\t') exp_data.append(label + '\t' + sentence + '\t' + str(l//s_per_domain)) # set up lists of data train_data, val_data, test_data = [], [], [] domains_data = [[] for i in range(num_domains)] # separate experiment data into test, domains data for l in exp_data: label, sentence, domain = l.split('\t') if int(domain) in d_test: test_data.append(l) else: domains_data[int(domain)].append(l) # separate out domains data into train, validation train_data, val_data = train_val_split(domains_data, train_split) # write train, validation, & test data to appropriate files write_data(exp + "_train.txt", train_data) write_data(exp + "_val.txt", val_data) write_data(exp + "_test.txt", test_data) <file_sep>import sys import numpy as np import nltk from DA_experiments import experiments from create_experiment_utilities import write_data, train_val_split np.random.seed(10) # get experiment to set up datasets for exp = sys.argv[1] train_split = float(sys.argv[2]) d_train = experiments[exp][0] d_test = experiments[exp][1] # get data from file f = open(sys.argv[3], "r") data = f.readlines() data = [l.strip() for l in data] # set up lists of data train_data, val_data, test_data = [], [], [] domains_data = [[] for i in range(len(d_train + d_test))] # divide data below threshold length into test_data & domains_data for l in data: if len(l.split('\t')) == 3: label, sentence, domain = l.split('\t') if len(nltk.word_tokenize(sentence)) < 128: if int(domain) in d_test: test_data.append(l) else: domains_data[int(domain)].append(l) # separate out domains_data into train and validation train_data, val_data = train_val_split(domains_data, train_split) # write data to appropriate files write_data(exp + "_train.txt", train_data) write_data(exp + "_val.txt", val_data) write_data(exp + "_test.txt", test_data) <file_sep># DA EXPERIMENT SETUP --------------------------------------------------------- # # Setup for different domain adaptation experiments (conducted by DA_test, # DA_test_lang scripts). # AMAZON DA TESTS ------------------------------------------------------------- # Domain numbers correspond to different domains from the amazon data. amazon_experiments = {} # test_i --> [[training domains], [testing domains]] set1 = [[i for i in range(6)], [i for i in range(6, 12)], [i for i in range(12, 17)], [i for i in range(17, 22)]] amazon_experiments["e1"] = [set1[0] + set1[1] + set1[2], set1[3]] amazon_experiments["e2"] = [set1[0] + set1[1] + set1[3], set1[2]] amazon_experiments["e3"] = [set1[0] + set1[2] + set1[3], set1[1]] amazon_experiments["e4"] = [set1[1] + set1[2] + set1[3], set1[0]] # REDDIT DA TESTS ------------------------------------------------------------- # Domain numbers correspond to different domains from the reddit data. reddit_experiments = {} reddit_experiments["e1"] = [[0, 1, 2, 4, 5, 6, 8, 11, 12, 14, 15, 16, 18, 19, 21, 22, 23, 25, 26, 29], \ [3, 7, 9, 10, 13, 17, 20, 24, 27, 28, 30]] reddit_experiments["e2"] = [[0, 1, 2, 3, 7, 9, 10, 12, 13, 14, 17, 18, 20, 22, 24, 27, 28, 30], \ [4, 5, 6, 8, 11, 15, 16, 19, 21, 23, 25, 26, 29]] # SYNTHETIC (1) DA TESTS ------------------------------------------------------ # Domain numbers correspond to different domains from the synth1 data. synth1_experiments = {} synth1_experiments["e1"] = [[0, 2, 10, 14, 15], [1, 7, 13, 16, 19], [8, 17], [4, 11]] synth1_experiments["e2"] = [[0, 3, 10, 14, 17], [1, 4, 7, 11, 16], [15, 18], [13, 19]] # SYNTHETIC (2) DA TESTS ------------------------------------------------------ # Domains correspond to the domains from the synth2 data. synth2_experiments = {} synth2_experiments["e1"] = [[0, 1]] # SYNTHETIC (3) DA TESTS ------------------------------------------------------ synth3_experiments = {} # test_i --> [# datapoints per domain, # training domains, # test] synth3_experiments["e1"] = [1000, 20, 5] synth3_experiments["e2"] = [1000, 60, 10] synth3_experiments["e3"] = [40, 1500, 300] <file_sep># DATA UTILITIES -------------------------------------------------------------- # # Functions for loading, preparing data for training & testing models. # imports import numpy as np import nltk from train_utils import write # function for getting data def DA_load_data(filename, domains_wanted=None): f = open(filename, "r") data = f.readlines() data = [l.strip() for l in data] sents = [] labels = [] domains = [] for l in data: label, sent, domain = l.split('\t') if domains_wanted == None: labels.append(float(label)) sents.append(nltk.word_tokenize(sent)) domains.append(int(domain)) else: if int(domain) in domains_wanted: labels.append(float(label)) sents.append(nltk.word_tokenize(sent)) domains.append(int(domain)) num_domains, counts = np.unique(domains, return_counts=True) num_per_domain = dict(zip(num_domains, counts)) return sents, labels, domains, num_per_domain # function for getting embeddings for words in the datasets def get_data_embeddings(all_data, words, vectors, lookup): dist_words = distinct_words(all_data) data_embedding_words = [] dist_vectors = np.zeros((len(dist_words), vectors.shape[1])) for i in range(len(dist_words)): if (dist_words[i] in words): data_embedding_words.append(dist_words[i]) dist_words = np.asarray(data_embedding_words) for i in range(len(dist_words)): dist_vectors[i] = vectors[lookup[dist_words[i]]] dist_lookup = dict(zip(dist_words, np.arange(len(dist_vectors)))) return dist_words, dist_vectors, dist_lookup # function that retrieves words in data for which we have embeddings def get_rel_words(all_data, words, vectors, lookup, mds): if (mds == False): dist_words = distinct_words(all_data) else: dist_words = set() for i in range(len(all_data)): dist_words.add(all_data[i]) dist_words = np.asarray(list(dist_words)) dist_emb_words = [] for i in range(len(dist_words)): if (dist_words[i] in words): dist_emb_words.append(dist_words[i]) return dist_emb_words # function that replaces oov words in data with oov token def replace_oov(data, domains, rel_words, oov): new_data = [] new_domains = [] for i in range(len(data)): sentence = data[i] new_sentence = [] oov_count = 0 for w in range(len(sentence)): word = sentence[w] if word in rel_words: new_sentence.append(word) else: new_sentence.append(oov) oov_count += 1 if oov_count < len(sentence) and len(new_sentence) > 1: new_data.append(new_sentence) new_domains.append(domains[i]) return new_data, new_domains # function that gets vector indices for words in data def get_sent_vect_indices(x_data_sents, y_data, d_data, rel_words, vectors, lookup, trans_words): sentences = [] sentence_vector_indices = [] labels = [] domains = [] if trans_words != None: sentence_vector_trans = [] else: sentence_vector_trans = None for i in range(len(x_data_sents)): sentence = x_data_sents[i] sentence_vect_indices = [] if trans_words != None: sentence_vect_trans = [] for w in range(len(sentence)): if sentence[w] in rel_words: sentence_vect_indices.append(lookup[sentence[w]]) if trans_words != None: if sentence[w] in trans_words: sentence_vect_trans.append(1) else: sentence_vect_trans.append(0) if (len(sentence_vect_indices) != 0): sentences.append(sentence) sentence_vector_indices.append(sentence_vect_indices) if trans_words != None: sentence_vector_trans.append(sentence_vect_trans) labels.append(y_data[i]) domains.append(d_data[i]) return sentences, labels, domains, sentence_vector_indices, sentence_vector_trans # function that applies given matrix transformation to sentences (sequences of word vectors) def transform_sent_vects(sentences, sentence_vect_trans, domains, transforms): new_sentences = [] for i in range(len(sentences)): old_sent = sentences[i] new_sent = np.zeros((old_sent.shape[0], old_sent.shape[1])) sentence_trans = sentence_vect_trans[i] for w in range(len(old_sent)): if sentence_trans[w] == 1: new_sent[w] = np.matmul(old_sent[w], transforms[int(domains[i])]) else: new_sent[w] = old_sent[w] new_sentences.append(new_sent) return new_sentences # function that gets vector indices for words in data (doesn't check for no-embedding sentences) def get_sent_vect_indices_2(x_data_sents, rel_words, vectors, lookup): sentences = [] sentence_vector_indices = [] for i in range(len(x_data_sents)): sentence_vect_indices = [] for w in range(len(x_data_sents[i])): if(x_data_sents[i][w] in rel_words): sentence_vect_indices.append(lookup[x_data_sents[i][w]]) sentences.append(x_data_sents[i]) sentence_vector_indices.append(sentence_vect_indices) return sentences, sentence_vector_indices # function that gets vector indices for words in data (for language modeling) def get_sent_vect_indices_lang(x_data_sents, vectors, lookup, test=False, only_test=None): X, Y = [], [] for i in range(len(x_data_sents)): sentence = x_data_sents[i] sentence_vect_indices = np.zeros(len(sentence)) for w in range(len(sentence)): word = sentence[w] sentence_vect_indices[w] = lookup[word] X.append(sentence_vect_indices[:len(sentence)-1]) Y.append(sentence_vect_indices[1:len(sentence)]) return X, Y # function that retrieves sentence vectors for a dataset def get_sentence_vectors(sentence_vector_indices, vectors): sentence_vectors = [] for i in range(len(sentence_vector_indices)): sentence = np.zeros((len(sentence_vector_indices[i]), vectors.shape[1])) for w in range(len(sentence_vector_indices[i])): sentence[w] = vectors[int(sentence_vector_indices[i][w])] sentence_vectors.append(sentence) return sentence_vectors # function that averages sentence words for LR/NN with fixed input size def avg_for_LR_NN(x_data): x_data_avgd = [] for i in range(len(x_data)): x_data_avgd.append(np.mean(x_data[i], axis=0)) return x_data_avgd # function that returns list of distinct words in a dataset def distinct_words(data): words = set() for i in range(len(data)): for w in range(len(data[i])): words.add(data[i][w]) words = np.asarray(list(words)) return words # function that returns % of distinct words from dataset that we have embeddings for def in_embeddings(words, distinct_words): in_embeddings = 0 for i in range(len(distinct_words)): if (distinct_words[i] in words): in_embeddings+=1 percentage = (in_embeddings/len(distinct_words)) * 100 return percentage # function that balances data def balance(sentences, labels, domains): pos_s = [sentences[i] for i in range(len(sentences)) if labels[i] == 1] pos_l = [label for label in labels if label == 1] pos_d = [domains[i] for i in range(len(sentences)) if labels[i] == 1] neg_s = [sentences[i] for i in range(len(sentences)) if labels[i] == 0] neg_l = [label for label in labels if label == 0] neg_d = [domains[i] for i in range(len(sentences)) if labels[i] == 0] if (len(pos_s) > len(neg_s)): new_neg_s = [] new_neg_l = [] new_neg_d = [] q = len(pos_s) // len(neg_s) r = len(pos_s) % len(neg_s) for i in range(q): new_neg_s += neg_s new_neg_l += neg_l new_neg_d += neg_d rands = np.random.permutation(len(neg_s)) new_neg_s += list(np.asarray(neg_s)[rands[:r]]) new_neg_l += list(np.asarray(neg_l)[rands[:r]]) new_neg_d += list(np.asarray(neg_d)[rands[:r]]) sentences = pos_s + new_neg_s labels = pos_l + new_neg_l domains = pos_d + new_neg_d elif (len(pos_s) < len(neg_s)): new_pos_s = [] new_pos_l = [] new_pos_d = [] q = len(neg_s) // len(pos_s) r = len(neg_s) % len(pos_s) for i in range(q): new_pos_s += pos_s new_pos_l += pos_l new_pos_d += pos_d rands = np.random.permutation(len(pos_s)) new_pos_s += list(np.asarray(pos_s)[rands[:r]]) new_pos_l += list(np.asarray(pos_l)[rands[:r]]) new_pos_d += list(np.asarray(pos_d)[rands[:r]]) sentences = new_pos_s + neg_s labels = new_pos_l + neg_l domains = new_pos_d + neg_d return sentences, labels, domains <file_sep># DA TRAINING UTILITIES/FUNCTIONS --------------------------------------------- # # Methods for training models for Zero-Shot Domain Adaptation for sentiment analysis. # imports import sys import torch import numpy as np device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") # function for training baseline model def train_DA_B(model, tr_inputs, tr_targets, tr_lengths, sd_te_inputs, sd_te_targets, sd_te_lengths, te_inputs, te_targets, te_lengths, epochs, learn_rate, loss, batch_size, report_acc=0, weaken_lr=0): # optimizer, model --> GPU optimizer = torch.optim.Adam(model.parameters(), lr=learn_rate) model.to(device) # best validation acc. variable, corresponding training/test acc. variables best_sd_te_acc = 0 corr_tr_acc = 0 corr_te_acc = 0 model_dict = None # history history = [] # iterate over epochs for epoch in range(epochs): # decay learning rate if on if weaken_lr != 0 and (epoch+1) % 10 == 0: for param_group in optimizer.param_groups: param_group["lr"] *= weaken_lr # permute datapoints perm = np.random.permutation(len(tr_inputs)) # iterate over minibatches if len(tr_inputs) % batch_size == 0: iterations = len(tr_inputs)//batch_size else: iterations = len(tr_inputs)//batch_size + 1 for batch in range(iterations): # get batch, forward pass, backward pass, update batch_inputs = tr_inputs[perm[batch*batch_size : (batch+1)*batch_size]] batch_targets = tr_targets[perm[batch*batch_size : (batch+1)*batch_size]] batch_lengths = tr_lengths[perm[batch*batch_size : (batch+1)*batch_size]] batch_outputs, batch_targets = model.forward(batch_inputs, batch_targets, batch_lengths) optimizer.zero_grad() curr_loss = loss(batch_outputs, batch_targets) curr_loss.backward() optimizer.step() # compute accuracies after epoch, add to history tr_acc = model.accuracy(tr_inputs, tr_targets, tr_lengths, batch_size) sd_te_acc = model.accuracy(sd_te_inputs, sd_te_targets, sd_te_lengths, batch_size) te_acc = model.accuracy(te_inputs, te_targets, te_lengths, batch_size) history.append([tr_acc, sd_te_acc, te_acc]) # update best accuracies, model dictionaries if sd_te_acc > best_sd_te_acc: best_sd_te_acc = sd_te_acc corr_tr_acc = tr_acc corr_te_acc = te_acc model_dict = model.state_dict() # report accuracies if on if report_acc != 0 and ((epoch+1) % report_acc == 0 or epoch == 0): write("Training accuracy after epoch " + str(epoch) + ": " + str(tr_acc)) write("Same-domain test accuracy after epoch " + str(epoch) + ": " + str(sd_te_acc)) write("Test accuracy after epoch " + str(epoch) + ": " + str(te_acc) + "\n") return best_sd_te_acc, corr_tr_acc, corr_te_acc, model_dict, history # function for training transformation-based model def train_DA_Con(model, doms, dom_lengths, tr_inputs, tr_targets, tr_lengths, tr_domains, sd_te_inputs, sd_te_targets, sd_te_lengths, sd_te_domains, te_inputs, te_targets, te_lengths, te_domains, epochs, learn_rate, loss, batch_size, report_acc=0, weaken_lr=0): # set up optimizer, model --> GPU optimizer = torch.optim.Adam(model.parameters(), lr=learn_rate) model.to(device) # best validation acc. variable, corresponding training/test acc. variables best_sd_te_acc = 0 corr_tr_acc = 0 corr_te_acc = 0 model_dict = None # history history = [] # iterate over epochs for epoch in range(epochs): # decay learning rate if on if weaken_lr != 0 and (epoch+1) % 10 == 0: for param_group in optimizer.param_groups: param_group["lr"] *= weaken_lr # permute datapoints perm = np.random.permutation(len(tr_inputs)) # iterate over minibatches if len(tr_inputs) % batch_size == 0: iterations = len(tr_inputs)//batch_size else: iterations = len(tr_inputs)//batch_size + 1 for batch in range(iterations): # get batch b_inputs = tr_inputs[perm[batch*batch_size : (batch+1)*batch_size]] b_targets = tr_targets[perm[batch*batch_size : (batch+1)*batch_size]] b_lengths = tr_lengths[perm[batch*batch_size : (batch+1)*batch_size]] b_domains = tr_domains[perm[batch*batch_size : (batch+1)*batch_size]] # get domain knowledge for batch domains b_doms = doms[b_domains] if dom_lengths != None: b_dom_lengths = dom_lengths[b_domains] else: b_dom_lengths = None # forward pass, backward pass, update b_outputs, b_targets = model.forward(b_inputs, b_targets, b_lengths, b_doms, b_dom_lengths) optimizer.zero_grad() curr_loss = loss(b_outputs, b_targets) curr_loss.backward() optimizer.step() # compute accuracies after epoch, add to history tr_acc = model.accuracy(tr_inputs, tr_targets, tr_lengths, \ tr_domains, doms, dom_lengths, batch_size) sd_te_acc = model.accuracy(sd_te_inputs, sd_te_targets, sd_te_lengths, \ sd_te_domains, doms, dom_lengths, batch_size) te_acc = model.accuracy(te_inputs, te_targets, te_lengths, \ te_domains, doms, dom_lengths, batch_size) history.append([tr_acc, sd_te_acc, te_acc]) # update best accuracies, model dicts if sd_te_acc > best_sd_te_acc: best_sd_te_acc = sd_te_acc corr_tr_acc = tr_acc corr_te_acc = te_acc model_dict = model.state_dict() # report accuracies if on if report_acc != 0 and ((epoch+1) % report_acc == 0 or epoch == 0): write("Training accuracy after epoch " + str(epoch) + ": " + str(tr_acc)) write("Same-domain test accuracy after epoch " + str(epoch) + ": " + str(sd_te_acc)) write("Test accuracy after epoch " + str(epoch) + ": " + str(te_acc) + "\n") return best_sd_te_acc, corr_tr_acc, corr_te_acc, model_dict, history # UTILITIES ------------------------------------------------------------------- # write output immediately def write(string): print(string) sys.stdout.flush() # write history def write_history(history): for epoch in history: epoch_accs = str(round(epoch[0], 4)) + " " + str(round(epoch[1], 4)) + " " + str(round(epoch[2], 4)) write(epoch_accs) write("") <file_sep>import sys import numpy as np import nltk import math from DA_experiments import experiments np.random.seed(10) # helper function for writing data to file def write_data(filename, data): f = open(filename, "w") for i in range(len(data)): if i == (len(data)-1): f.write(data[i]) else: f.write(data[i] + '\n') f.close() # helper function for flipping a label def flip_label(label): new_label = str(int(math.fabs(int(label) - 1))) return new_label # helper function for splitting domains into training, validation set def train_val_split(domains_data, train_split): train_data, val_data = [], [] for domain_data in domains_data: if len(domain_data) > 0: domain_data = np.asarray(domain_data) perm = np.random.permutation(len(domain_data)) train_data += domain_data[perm[:round(train_split*len(domain_data))]].tolist() val_data += domain_data[perm[round(train_split*len(domain_data)):]].tolist() return train_data, val_data <file_sep># EMBEDDING HELPER METHODS ---------------------------------------------------- # # Methods for getting word embeddings from file & manipulating them. # imports import numpy as np # function for getting word embeddings from file def read_embeddings(fn='glove.6B.200d.txt', d=200): with open(fn, 'r') as f: embeddings = f.readlines() # set up word & vector arrays words = np.empty(shape=(len(embeddings)), dtype=object) vectors = np.zeros((len(embeddings), d)) # parse lines from embedding file to get words, vectors for i in range(len(embeddings)): words[i], vectors[i] = parse_embedding(embeddings[i], fn[:5]) return words, vectors # function for parsing lines into words and vectors def parse_embedding(line, type): # split line string into values, create line array if type != "glove": line = line.rstrip("\n ") split_line = line.split(' ') line_array = np.empty(shape = (len(split_line)), dtype = object) # make vector values in the line array floats for i in range(len(split_line)): if (i == 0): line_array[i] = split_line[i] else: line_array[i] = float(split_line[i]) return line_array[0], line_array[1:] # function for normalizing embeddings to have unit length def normalize_embeddings(vectors): # iterate over embeddings and normalize them normed_vectors = np.zeros(np.shape(vectors)) for i in range(len(vectors)): normed_vectors[i] = vectors[i]/np.linalg.norm(vectors[i]) return normed_vectors
09f4d604e8259dbd7df79ce938d23e341d0d0386
[ "Markdown", "Python" ]
17
Python
karoara/Thesis_Domain_Adaptation
6a4a4c774391d7af5b10764a32a0727e8e20051b
4e44b8d45271300a4effbab05bfc4a7282a40bba
refs/heads/master
<repo_name>cashlu/JavaExecise<file_sep>/src/testThread/testThreadPriority/TestPriority.java package testThread.testThreadPriority; /** * Created by cashlu on 15/3/1. */ public class TestPriority { public static void main(String[] args) { ThreadDemo demo = new ThreadDemo(); Thread t1 = new Thread(demo); Thread t2 = new Thread(demo); t1.setPriority(Thread.MAX_PRIORITY); t2.setPriority(Thread.MIN_PRIORITY); t1.start(); t2.start(); } } <file_sep>/src/testThread/threadConnWithLock/testProducerConsumer/ProducerConsumerDemo.java package testThread.threadConnWithLock.testProducerConsumer; import java.util.concurrent.locks.Condition; import java.util.concurrent.locks.Lock; import java.util.concurrent.locks.ReentrantLock; /** * 模拟生产消费流程,没生产一个产品,消费一个产品,依次进行。 * 具有生产、消费两个线程来操作共同的资源。 * <p/> * 升级版本!使用Lock替代同步。 * Created by cashlu on 15/2/6. */ public class ProducerConsumerDemo { public static void main(String[] args) { Res res = new Res(); Producer producer = new Producer(res); Consumer consumer = new Consumer(res); Thread t1 = new Thread(producer); Thread t2 = new Thread(consumer); Thread t3 = new Thread(producer); Thread t4 = new Thread(consumer); t1.start(); t2.start(); t3.start(); t4.start(); } } class Res { private String name; private int count = 1; private boolean hasRes = false; //创建锁对象 private Lock lock = new ReentrantLock(); //创建lock对象的Condition对象,一个lock对象可以有多个Condition对象 private Condition conditionPro = lock.newCondition(); private Condition conditionCon = lock.newCondition(); public void in(String name) throws InterruptedException { lock.lock(); try { while (hasRes) { //生产等待 conditionPro.await(); } this.name = name + "---" + count++; System.out.println(Thread.currentThread().getName() + "...Producer......" + this.name); hasRes = true; //消费唤醒 conditionCon.signal(); } finally { //释放锁 lock.unlock(); } } public void out() throws InterruptedException { lock.lock(); try { while (!hasRes) { conditionCon.await(); } System.out.println(Thread.currentThread().getName() + "...Consumer..." + this.name); hasRes = false; conditionPro.signal(); } finally { lock.unlock(); } } } class Producer implements Runnable { private Res res; public Producer(Res res) { this.res = res; } @Override public void run() { while (true) { try { res.in("商品"); } catch (InterruptedException e) { e.printStackTrace(); } } } } class Consumer implements Runnable { private Res res; public Consumer(Res res) { this.res = res; } @Override public void run() { while (true) { try { res.out(); } catch (InterruptedException e) { e.printStackTrace(); } } } }<file_sep>/src/testio/StreamDemo/FileTypeIndex2.java package testio.StreamDemo; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; import java.util.ArrayList; import java.util.List; /** * 产生指定文件类型索引文件的第二版实现。 * 结构更清晰,将实现拆分为两个方法: * fileToList()将索引结果存储至List<File>集合中,使用到了集合与泛型。 * writeToFile()将集合中的结果写入文件,使用了缓冲IO流。 * * * Created by cashlu on 15/4/17. */ public class FileTypeIndex2 { public static void main(String[] args) { File searchRoot = new File("/Users/cashlu/IdeaProjects"); File resFile = new File("/Users/cashlu/Desktop/list.txt"); List<File> fileList = new ArrayList<File>(); fileToList(searchRoot, fileList, ".java"); for (File f : fileList){ System.out.println(f.getAbsolutePath()); } try { writeToFile(fileList, resFile); } catch (IOException e) { e.printStackTrace(); } } public static void fileToList(File dir, List<File> list, String type){ File files[] = dir.listFiles(); for (File file : files){ if (file.isDirectory()){ fileToList(file, list, type); } else{ if (file.getName().endsWith(type)){ list.add(file); } } } } public static void writeToFile(List<File> list, File listFile) throws IOException { BufferedWriter bw = new BufferedWriter(new FileWriter(listFile)); int count = 0; for (File f : list){ count++; bw.write(f.getAbsolutePath()); bw.newLine(); } bw.write("文件数:" + count); bw.close(); } } <file_sep>/src/testio/mybufferedreader/Test.java package testio.mybufferedreader; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; /** * 测试自定义类MyBufferedReader。 * Created by cashlu on 15/4/1. */ public class Test { public static void main(String[] args) { File f = new File("/Users/cashlu/Desktop/demo.txt"); FileReader fr = null; MyBufferedReader mbr = null; try { fr = new FileReader(f); mbr = new MyBufferedReader(fr); String line = null; while ((line = mbr.myReadLine()) != null){ System.out.println(line); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { mbr.close(); } } } <file_sep>/src/testio/StreamDemo/ExceptionToFile.java package testio.StreamDemo; import java.io.*; /** * 将异常信息重定向输出至文本文件。 * Created by cashlu on 15/4/13. */ public class ExceptionToFile { public static void main(String[] args) { int arr[] = new int[2]; BufferedWriter bw = null; try { bw = new BufferedWriter(new FileWriter("/Users/cashlu/Desktop/log.txt")); System.out.println(arr[3]); } catch (Exception e) { //将错误输出至文件,与自己实现的writeLog()方法作用一样 try { e.printStackTrace(new PrintStream("/Users/cashlu/Desktop/log.txt")); } catch (FileNotFoundException e1) { e1.printStackTrace(); } // writeLog(bw, e); } } /** * 该方法的功能是将本来应该输出到控制台的异常信息,输出到文本文件中。 * @param bw BufferedWriter对象,封装输出异常的目的地文件。 * @param e 有可能抛出的异常对象。 */ private static void writeLog(BufferedWriter bw, Exception e){ try { bw.write(e.toString()); bw.flush(); } catch (IOException e1) { e1.printStackTrace(); }finally { if (bw != null){ try { bw.close(); } catch (IOException e1) { e1.printStackTrace(); } } } } } <file_sep>/src/testio/testfile/TestConstructor.java package testio.testfile; import java.io.File; /** * 测试File对象的构造器方法 * Created by cashlu on 15/4/13. */ public class TestConstructor { public static void main(String[] args) { File d = new File("/Users/cashlu/Desktop/"); File f1 = new File("/Users/cashlu/Desktop/f1.txt"); File f2 = new File("/Users/cashlu/Desktop", "f2.txt"); File f3 = new File(d, "f3.txt"); File f4 = new File("f4.txt"); System.out.println(d); System.out.println(f1); System.out.println(f2); System.out.println(f3); System.out.println(f4); } } <file_sep>/src/testio/testproperties/TestProperties.java package testio.testproperties; import java.util.Properties; import java.util.Set; /** * Properties对象的键值对,全部为String型。不需泛型。 * Created by cashlu on 15/4/17. */ public class TestProperties { public static void main(String[] args) { setAndGet(); } /** * 设置和获取Properties对象的键值对。 */ public static void setAndGet(){ Properties properties = new Properties(); properties.setProperty("<NAME>", "31"); properties.setProperty("<NAME>", "31"); properties.setProperty("<NAME>", "25"); System.out.println(properties); System.out.println("-----通过键获取值-----"); //如果键不存在,返回null。 System.out.println(properties.getProperty("<NAME>")); //多了一个Default Value的参数,如果通过键没有找到相应的值,那么返回参数中指定的默认值。 System.out.println(properties.getProperty("LuMan", "Hello")); System.out.println("-----遍历对象中的所有键-----"); //使用Properties类的stringPropertiesNames()方法,返回Set<String>对象,存储了所有的键。 Set<String> names = properties.stringPropertyNames(); for (String name : names){ System.out.println(name + " : " + properties.getProperty(name)); } } } <file_sep>/src/testException/CustomException.java package testException; /** * 自定义异常。 * 本程序中的除法,除了不能被0除以外,也不能被负数除,否则抛异常。 * 不能被0除JDK已经定了相关的异常,需要自己定义不能被负数除的异常。 * Created by cashlu on 15/3/11. */ public class CustomException { public static void main(String[] args) { Demo demo = new Demo(); /* 如果方法内部调用一个有可能抛出异常的方法,那么就必须对该异常处理,要么抛出,要么捕获。 因为main方法已经是最高级的方法了,如果抛出的话,就等于抛给了JVM,这样并不好,所以做try/catch处理。 */ try { demo.div(4, -1); } catch (FushuException e) { // e.printStackTrace(); System.out.println(e.getMessage()); System.out.println("错误的数值是:" + e.getValue()); } } } class Demo{ /* * 自定义除法方法,定义一个规则,除了被除数不能为0外,也不能为负数。 * 如果在方法内部出现了throw异常对象,那么必须对该异常进行处理, * 要么在方法内部对该异常做try/catch处理,要么在方法申明上抛给上一级调用者。 * */ int div(int a, int b) throws FushuException{ if (b < 0){ throw new FushuException("除数不能<0", b); } return a / b; } } /** * 定义不能被负数除的异常类。 * 因为Exception的父类Throwable已经定义了带有异常信息参数的构造器函数, * 所以在子类实现中,只需要在构造器函数中调用父类的构造器函数,并传入一个String参数代表异常信息即可。 */ class FushuException extends Exception{ private int value; //无参的构造函数 FushuException(){} //带有异常信息参数的构造函数 FushuException(String msg){ super(msg); } //带有异常信息以及错误值的构造函数 FushuException(String msg, int value){ super(msg); this.value = value; this.getValue(); } //value的get方法 public int getValue() { return value; } }<file_sep>/src/testio/testobjectStream/Person.java package testio.testobjectStream; import java.io.Serializable; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; /** * Created by cashlu on 15/4/28. */ //ObjectOutputStream.writeObject()要求传入的Object对象必须实现Serializable接口,详见文档。 public class Person implements Serializable { /* serialVersionUID是Serializable接口定义的一个变量,用于类对象的序列化。 Java通过serialVersionUID来判断两个对象的类是否是同一个。 如果这里不指定这个变量,那么如果Person类重新编译,已经存入文件的对象将不能读取, 因为读取时依托Person类,创建对象时用的Person类和读取时用到的Person类不是同一个了。 所以这里手工的制定UID,那么不论这个类怎么变化,只要核心业务层面的数据结构不变,Java始终会认为是同一个类创建的对象。 */ static final long serialVersionUID = 42L; private String name; private char sex; private Date birthday; private SimpleDateFormat df = new SimpleDateFormat("yyyy-MM-dd"); public Person(String name, char sex, String birthday) { this.name = name; this.sex = sex; try { this.birthday = df.parse(birthday); } catch (ParseException e) { e.printStackTrace(); } } public String getName() { return name; } public char getSex() { return sex; } public String getBirthday() { return df.format(birthday); } //如果一个类重写了toString()方法,那么可以将该类的对象作为参数直接传入打印的方法中。 public String toString(){ return name + ":" + sex + ":" + birthday; } } <file_sep>/src/testException/ExceptionExercise/BoomException.java package testException.ExceptionExercise; /** * Created by cashlu on 15/3/14. */ public class BoomException extends Exception { public BoomException(String msg) { super(msg); } } <file_sep>/src/testio/mylinenumberreader/Test.java package testio.mylinenumberreader; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; /** * 测试MyLineNumberReader类。 * Created by cashlu on 15/4/2. */ public class Test { public static void main(String[] args) { FileReader fr = null; MyLineNumberReader mlnr = null; try { String line = null; fr = new FileReader("/Users/cashlu/Desktop/demo .txt"); mlnr = new MyLineNumberReader(fr); while ((line = mlnr.readLine()) != null) { System.out.println(mlnr.getLineNum() + "\t|\t" + line); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { mlnr.close(); } } }<file_sep>/src/testNetwork/udpmsgtransv2/UdpSendv2.java package testNetwork.udpmsgtransv2; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; import java.net.*; /** * 需求:从键盘读取输入流,将输入的字符串发送到接收端。 * * 1.建立Socket对象,指定发送端口。 * 2.键盘读取字符串,将字符串封装为DatagramPacket对象。 * 3.通过Socket对象的send()方法将DatagramPacket对象发送出去。 * 4.释放资源。 * Created by cashlu on 15/7/7. */ public class UdpSendv2 { public static void main(String[] args) { //将DatagramSocket和BufferedReader对象定义在外边,是为了最后可以释放资源。 DatagramSocket ds = null; BufferedReader br = null; try { //发送端绑定8888端口 ds = new DatagramSocket(8888); br = new BufferedReader(new InputStreamReader(System.in)); String msg = null; while ((msg = br.readLine()) != null) { if (msg.equals("OVER")) { break; } byte[] data = msg.getBytes(); //末尾的端口号是对端的端口,因为单机测试,所以上面创建DatagramSocket时绑定的端口必须区分开。 DatagramPacket dp = new DatagramPacket(data, data.length, InetAddress.getByName("rMBP.local"), 9999); // DatagramPacket dp = new DatagramPacket(data, data.length, InetAddress.getByName("127.0.0.1"), 8888); ds.send(dp); } } catch (SocketException e) { e.printStackTrace(); } catch (UnknownHostException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { ds.close(); if (br != null) { try { br.close(); } catch (IOException e) { e.printStackTrace(); } } } } } <file_sep>/src/testString/TestString.java package testString; /** * Created by cashlu on 14/11/11. */ public class TestString { public static void main(String[] args) { //创建String对象的三种方式 String str1 ="str1"; String str2 = new String("str1"); char c[] = {'s', 't', 'r', '3'}; String str3 = new String(c); System.out.println(str1 + ":\t" + str1.getClass()); System.out.println(str2 + ":\t" + str2.getClass()); System.out.println(str3 + ":\t" + str3.getClass()); //测试String的replace()方法 String strOld = "Nice to meet you Simon"; String strNew; strNew = strOld.replace("Simon", "Jean"); System.out.println(strNew); /** * 测试字符串比较的两种方法:==和equals() * equals()方法比较是两个字符串的内容,详细参考equals()方法的源代码 * equalsIgnoreCase()方法是比较字符串,忽略大小写的区别。 * * strA == strB是因为这两个变量是都指向了常量池中的“Hello”,字符串常量是在编译器就产生的。 * strA != strC是因为strC是一个String对象,String对象是在程序运行期生成,并存储在堆内存中,所以不相等。 * * strA == strD是因为"He"和"llo"都是字符串常量,两个字符串常量拼接得来的肯定还是字符串常量,程序在编译期, * 先计算"He" + "llo",得到一个字符串常量"Hello",然后查看常量池中是否有这个常量,有的话直接将strD指向该常量, * 没有的话就先创建,再指向。这里需要注意的是,常量池中的常量,都是唯一的,相同的只存储一遍,然后被多个变量指向。 */ String strA = "Hello"; String strB = "Hello"; String strC = new String("Hello"); String strD = "He" + "llo"; String strE = "hello"; System.out.println("strA.equals(strB):\t" + strA.equals(strB)); System.out.println("strA == strB:\t" + (strA == strB)); System.out.println("strA == strB:\t" + (strA == strB)); //true System.out.println("strA == strC:\t" + (strA == strC)); //false System.out.println("strA == strD:\t" + (strA == strD)); //true System.out.println("strA.equalsIgnoreCase(strE):\t" + strA.equalsIgnoreCase(strE)); /** * 测试String切割字符串方法split() * @param "" 参数传入分割的界限 * @return String[] 返回一个字符串数组 */ String strFull1 = "aaa,bbb,ccc"; String strFull2 = "nice to meet you"; String strFull1_s[] = strFull1.split(","); String strFull2_s[] = strFull2.split(" "); for(int i = 0; i < strFull1_s.length; i++){ System.out.print(strFull1_s[i] + "\t"); } System.out.println(); for(int i = 0; i < strFull2_s.length; i++){ System.out.print(strFull2_s[i] + "\t"); } System.out.println(); /** * 测试String.trim()方法,用于去除字符串首位的空格 * @return 返回一个新的String对象 */ String strWithSpace = " aa bb cc "; System.out.println(strWithSpace.trim()); /** * 测试String.toCharArray()方法,用于将字符串拆分成字符数组 * @return 返回一个新的char[]数组对象 */ char res[]; res = strA.toCharArray(); for(char ch: res){ System.out.print(ch + "\t"); } System.out.println(); /** * 测试indexOf()方法,用于返回某char在String中的index。 * @return 返回一个int,代表该字符在String对象中的下标。如果查找的char在String对象中不是唯一,那么返回第一个的index。 */ System.out.println("strA.indexOf('l'):\t" + strA.indexOf('l')); System.out.println(); /** * 测试startWith()和endWith()方法。 * @param String 传入一个String对象的参数。判断是否由该字符串开头或结束。 * @rentun boolean */ System.out.println("strA.startsWith(\"He\"):\t" + strA.startsWith("He")); System.out.println("strA.endsWith(\"llo\")" + strA.endsWith("llo")); } } <file_sep>/src/testGenerics/MethodForGen.java package testGenerics; /** * Created by cashlu on 15/2/2. */ public class MethodForGen { public static void main(String[] args) { } public static <T> void test(T t){ System.out.println(t); } } <file_sep>/src/testNetwork/tcptrans_fileupload_threads/ServerThread.java package testNetwork.tcptrans_fileupload_threads; import java.io.*; import java.net.Socket; /** * 服务器端的线程体代码。封装了除了创建服务器端ServerSocket对象以外的其他代码。 * Created by cashlu on 15/7/21. */ public class ServerThread implements Runnable { private Socket client; public ServerThread(Socket client){ this.client = client; } @Override public void run() { BufferedOutputStream bos = null; String clientIP = client.getInetAddress().getHostAddress(); System.out.println(clientIP + " connected..."); long time = System.currentTimeMillis(); try { BufferedInputStream bis = new BufferedInputStream(client.getInputStream()); //用于读取文件名 BufferedReader br = new BufferedReader(new InputStreamReader(client.getInputStream())); String fileName = br.readLine(); System.out.println("文件名已接收"); System.out.println("FileName: " + fileName); File file = new File("/Users/cashlu/Desktop/tt/" + time + fileName); System.out.println("新的文件:" + file.getAbsolutePath()); bos = new BufferedOutputStream(new FileOutputStream(file)); //开始循环接收文件 int by = 0; while ((by = bis.read()) != -1) { bos.write(by); } /* 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 重要的话说三遍!!! */ PrintWriter pw = new PrintWriter(client.getOutputStream(), true); pw.println("接收完成"); } catch (IOException e) { System.out.println(clientIP + " 上传失败"); e.printStackTrace(); } finally { try { if (bos != null) { bos.close(); } if (client != null) { client.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testMyArrayList/MyArrayList.java package testMyArrayList; /** * 通过数组模拟JDK中ArrayList类的功能。 * Created by cashlu on 14/11/18. */ public class MyArrayList { private Object value[]; private int size; public int getSize() { return this.size; } public MyArrayList() { // value = new Object[16]; //一个构造器调用另一个构造器,相当于是调用了下方重载的那个构造器 this(16); } //重载了构造器函数 public MyArrayList(int size) { if (size < 0) { try { throw new Exception(); } catch (Exception e) { e.printStackTrace(); } } value = new Object[size]; } //向自建容器内添加元素 public void add(Object object) { value[size] = object; size++; /** * 数组扩容 * 因为MyArrayList对象的初始长度是16,如果增加元素超过16个,会抛出下标溢出的异常。 * 创建一个新的MyArrayList对象,长度是原来的两倍,并将原数组的元素copy过来,然后将原数组指向新数组。 */ if (size >= value.length) { int newCapacity = value.length * 2; Object newList[] = new Object[newCapacity]; for (int i = 0; i < value.length; i++) { newList[i] = value[i]; } value = newList; } } //从自建容器中提取元素 public Object get(int index) { if (index < 0 || index > size - 1) { try { throw new Exception(); } catch (Exception e) { e.printStackTrace(); } } return value[index]; } //返回元素在数组内的下标 public int indexOf(Object obj) { if (obj == null) { return -1; } else { for (int i = 0; i < value.length; i++) { if (obj == value[i]) { return i; } } return -1; } } public static void main(String[] args) { MyArrayList mal = new MyArrayList(); mal.add("Hey"); mal.add("nice"); mal.add('c'); mal.add(56); Human p1 = new Human("Simon"); mal.add(p1); for (int i = 0; i <= 100; i++) { mal.add(i); } for (int i = 0; i < mal.getSize(); i++) { System.out.println(mal.get(i)); } System.out.println(mal.indexOf('c')); } } <file_sep>/src/testMultiArray/Matrix.java package testMultiArray; /** * 通过矩阵的加法,来测试二维数组 * Created by cashlu on 14/11/19. */ public class Matrix { /** * printMatrix(int matrix[][])方法封装了矩阵的打印算法 * static方法是在程序编译期就存入内存中的,所以不需要实例化对象来调用 * @param matrix 传入一个二维数组对象 */ private static void printMatrix(int matrix[][]){ for (int i = 0; i < matrix.length; i++) { for (int j = 0; j < matrix[i].length; j++) { System.out.print(matrix[i][j] + "\t"); } System.out.println(); } } /** * add(int matrixA[][], int matrixB[][])方法实现了矩阵相加的算法,即相同位置的元素相加。 * @param matrixA * @param matrixB * @param aLength 传入数组的一维长度 * @param aILength 传入数组的二维长度 * @return 返回一个新的数组对象,为相加的结果。 */ private static int[][] add(int matrixA[][], int matrixB[][], int aLength, int aILength) { int matrixC[][] = new int[aLength][aILength]; for (int i = 0; i < matrixA.length; i++) { for (int j = 0; j < matrixA[i].length; j++) { matrixC[i][j] = matrixA[i][j] + matrixB[i][j]; } } return matrixC; } public static void main(String[] args) { //定义矩阵A int a[][] = { {1, 3, 1}, {2, 4, 1}, {1, 1, 1} }; //定义矩阵B int b[][] = { {3, 4, 1}, {5, 6, 1}, {1, 1, 1} }; int c[][]; c = add(a, b, a.length, a[0].length); System.out.println(a.length); System.out.println(a[0].length); // //打印矩阵 System.out.println("Matrix A:"); printMatrix(a); System.out.println("Matrix B:"); printMatrix(b); System.out.println("Matrix C:"); printMatrix(c); } } <file_sep>/src/testException/ExceptionExercise/LanPingException.java package testException.ExceptionExercise; /** * 定义电脑蓝屏的异常 * Created by cashlu on 15/3/13. */ public class LanPingException extends Exception{ public LanPingException(String msg){ super(msg); } } <file_sep>/src/testNetwork/udpmsgtransv2/UdpReceivev2.java package testNetwork.udpmsgtransv2; import java.io.IOException; import java.net.DatagramPacket; import java.net.DatagramSocket; import java.net.SocketException; /** * 需求:接收发送端发来的数据。 * * 1.创建UDP Socket对象,绑定监听端口。 * 2.创建一个字节缓冲区,以及空的DatagramPacket对象,用于存储接收到的数据。 * 3.通过DatagrameSocket的receive()方法接收数据。 * 4.对接收到的数据进行解析,输出到控制台。 * Created by cashlu on 15/7/7. */ public class UdpReceivev2 { public static void main(String[] args) { try { DatagramSocket ds = new DatagramSocket(9999); //创建空的字节缓冲区 byte[] buf = new byte[1024]; DatagramPacket dp = new DatagramPacket(buf, buf.length); while (true){ ds.receive(dp); String ip = dp.getAddress().getHostAddress(); String hostname = dp.getAddress().getHostName(); String data = new String(dp.getData(), 0, dp.getLength()); System.out.println(ip + " :: " + data); } } catch (SocketException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } } } <file_sep>/src/testStringBuilder/testStringBuilder.java package testStringBuilder; /** * 测试可变字符序列:StringBuilder、StringBuffer * StringBuilder:线程不安全,效率高 * StringBuffer:线程安全,效率低 * * Created by cashlu on 14/11/12. */ public class testStringBuilder { public static void main(String[] args) { StringBuilder sb1 = new StringBuilder(); StringBuilder sb2 = new StringBuilder("abcd"); StringBuilder sb3 = new StringBuilder("abcdefghijklmnopqrstuvwxyz"); /** * 测试append()方法 * 向字符串对象追加字符串,String类没有这个方法,因为String类是不可变字符串 * @param StringBuilder 需要追加的字符串 * @return StringBuilder 返回修改后的字符串 * */ sb2.append("efg"); System.out.println(sb2); System.out.println(sb2.getClass()); /** * 测试StringBuilder的一些其他常用方法 */ sb3.delete(3, 5).delete(3, 5); //删除特定字符(包头不包尾) System.out.println(sb3); System.out.println(sb3.reverse()); //反转字符串 } } <file_sep>/src/testThread/ThreadDemo.java package testThread; /** * * Created by cashlu on 15/2/3. */ class Thread1 extends Thread{ @Override public void run() { for (int i = 0; i < 1000; i++) { System.out.println(i); try { Thread.sleep(100); } catch (InterruptedException e) { e.printStackTrace(); } } } } class Thread2 extends Thread{ @Override public void run() { for (int i = 2000; i < 3000; i++) { System.out.println(i); try { Thread.sleep(100); } catch (InterruptedException e) { e.printStackTrace(); } } } } public class ThreadDemo{ public static void main(String[] args) { Thread1 td1 = new Thread1(); Thread2 td2 = new Thread2(); td1.start(); td2.start(); } } <file_sep>/src/testThread/testThreadPriority/ThreadDemo.java package testThread.testThreadPriority; /** * 测试多线程的优先级。需要注意的是,优先级不是绝对的顺序指定,是共享资源冲突时的优先概率控制, * 程序员并不能精确的控制线程的执行先后顺序。 * Created by cashlu on 15/3/1. */ public class ThreadDemo implements Runnable { @Override public void run() { int count = 0; for (int i = 0; i < 100000000; i++) { if (Thread.currentThread().isAlive()) { count++; System.out.printf("正在执行------%s------%d\n", Thread.currentThread().getName(), count); } } } } <file_sep>/src/map/Demo2.java package map; import java.util.HashMap; import java.util.Map; import java.util.Set; /** * there is a cat that is a mice and where is the food? * 统计上面这句话每个单词出现的次数。 * 存储到Map中: * key: String * value: 自定义类型(或者Integer) * * 思路: * 遍历容器,当key已不存在时,创建key,count为1,当key存在时,count++ * Created by cashlu on 15/2/3. */ public class Demo2 { public static void main(String[] args) { String str = "there is a cat that is a mice and where is the food"; //首先分割字符串 String[] strArray = str.split(" "); Map<String, Letter> letters = new HashMap<String, Letter>(); //遍历数组,将其中元素存储进map中 for (String temp: strArray){ //首先判断key是否存在,不存在则创建 if (!letters.containsKey(temp)){ Letter col = new Letter(); col.setCount(1); letters.put(temp, col); }else { Letter col = letters.get(temp); col.setCount(col.getCount() + 1); } } for (String temp: strArray){ Letter col = letters.get(temp); col.setCount(col.getCount() + 1); } //输出Map的内容 Set<String> keys = letters.keySet(); for (String key: keys){ Letter col = letters.get(key); System.out.println(key + " ---- " + col.getCount()); } } } <file_sep>/src/testNetwork/tcptrans_picfile/Server.java package testNetwork.tcptrans_picfile; import java.io.*; import java.net.ServerSocket; import java.net.Socket; /** * 服务器端:接收客户端发来的文件。 * 1、创建服务器端的ServerSocket对象,并绑定监听端口。 * 2、接收客户端发来的文件名。 * 3、用客户端发来的文件名创建File对象。 * 4、创建Socket输入流来接收文件。 * 5、接收完成后,通过输出流向客户端返回成果信息。 * 6、关闭资源。 * Created by cashlu on 15/7/20. */ public class Server { public static void main(String[] args) { ServerSocket server = null; Socket client = null; BufferedOutputStream bos = null; //用于写入文件。 try { server = new ServerSocket(10000); client = server.accept(); BufferedInputStream bis = new BufferedInputStream(client.getInputStream()); //用于读取文件名 BufferedReader br = new BufferedReader(new InputStreamReader(client.getInputStream())); String fileName = br.readLine(); System.out.println("文件名已接收"); System.out.println("FileName: " + fileName); File file = new File("/Users/cashlu/Desktop/tt/" + fileName); // File file = new File("c:/" + fileName); System.out.println("新的文件:" + file.getAbsolutePath()); bos = new BufferedOutputStream(new FileOutputStream(file)); //开始循环接收文件 int by = 0; while ((by = bis.read()) != -1) { bos.write(by); } /* 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 重要的话说三遍!!! */ PrintWriter pw = new PrintWriter(client.getOutputStream(), true); pw.println("接收完成"); } catch (IOException e) { e.printStackTrace(); } finally { try { if (bos != null) { bos.close(); } if (client != null) { client.close(); } if (server != null) { server.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testWrapperClass/TestBoxing.java package testWrapperClass; /** * 自动装箱,拆箱(Auto-Boxing/unboxing) * Created by cashlu on 14/11/21. */ public class TestBoxing { public static void main(String[] args) { /** * 装箱(Boxing) * 下面的语法是JDK5支持的新特性。左边为Integer的引用,右边是一个int。实际上编译器会将代码自动转换为如下形式: * Integer a = new Ingeter(1000); */ Integer a = 1000; System.out.println(a.getClass()); /** * 拆箱(unboxing) * 下面的语法是JDK5支持的新特性。左边为int类型,右边引用的是一个Integer对象。实际上编译器会将代码自动转换为如下形式: * int b = new Integer(1000).ValueOf() ; */ int b = new Integer(1000); /** * 下面是对象比较的一个问题 * a1 == a2为false,是因为==运算符比较的是两个引用的内存地址,这里明显是new了两个不同的Integer对象,地址当然不同。 * a1.equals(a2)为true,可以查看equals()方法的代码,这里比较的是两个对象的valueOf(),所以是相等的。 * * b1 == b2为true,但是a1 == a2为false,查看Integer.ValueOf()代码,其实JAVA对-128~127范围的int进行了缓存, * 所以b1 == b2时,虽然比较的是引用的地址,但实际上b1和b2都引用了同一个内存地址,所以返回true。 * * 这就是为什么相同的方法,不同的数字,比较返回不同结果的原因了。 * */ System.out.println("################"); Integer a1 = 200; Integer a2 = 200; System.out.println(a1 == a2); //false System.out.println(a1.equals(a2)); //true System.out.println("################"); Integer b1 = 100; Integer b2 = 100; System.out.println(b1 == b2); //true System.out.println(a1.equals(a2)); //true } } <file_sep>/src/testio/testsequenceInputstream/SplitFile.java package testio.testsequenceInputstream; import java.io.*; import java.util.Enumeration; import java.util.Vector; /** * 文件的切割。 * Created by cashlu on 15/4/24. */ public class SplitFile { public static void main(String[] args) { File splitSrc = new File("/Users/cashlu/Desktop/pic.jpg"); File splitDestDir = new File("/Users/cashlu/Desktop/pics/"); try { splitFile(splitSrc, splitDestDir); } catch (IOException e) { e.printStackTrace(); } File joinDestFile = new File("/Users/cashlu/Desktop/pics/pic.jpg"); Vector<BufferedInputStream> v = new Vector<BufferedInputStream>(); joinFiles(v, joinDestFile); } /** * 文件的合并方法。 * * @param v 被合并文件的Vector集合封装对象。 * @param joinDestFile 合并后的目的地对象。 */ public static void joinFiles(Vector<BufferedInputStream> v, File joinDestFile) { SequenceInputStream sis = null; BufferedOutputStream bos = null; try { /* 因为分割文件时,是按字节读取一定量后截取的,所以在合并时,是顺序敏感的。 而Vector是有序集合(比起ArrayList线程安全),刚好可以按照顺序保存每一个文件片段。 所以当Vector对象在add时,顺序一定要正确。 Vector虽然线程安全,但是效率较低,所以在不考虑多线程操作的情况下,可以使用ArrayList来代替。 但是ArrayList没有枚举,只有迭代。所以要用迭代器获取元素,然后用枚举封装,重写hasMoreElement() 和nextElement()方法 。 */ v.add(new BufferedInputStream(new FileInputStream("/Users/cashlu/Desktop/pics/0.part"))); v.add(new BufferedInputStream(new FileInputStream("/Users/cashlu/Desktop/pics/1.part"))); v.add(new BufferedInputStream(new FileInputStream("/Users/cashlu/Desktop/pics/2.part"))); v.add(new BufferedInputStream(new FileInputStream("/Users/cashlu/Desktop/pics/3.part"))); v.add(new BufferedInputStream(new FileInputStream("/Users/cashlu/Desktop/pics/4.part"))); Enumeration<BufferedInputStream> en = v.elements(); sis = new SequenceInputStream(en); bos = new BufferedOutputStream(new FileOutputStream(joinDestFile)); int by = 0; while ((by = sis.read()) != -1) { bos.write(by); } System.out.println("合并文件完成..."); } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { if (sis != null) { try { sis.close(); } catch (IOException e) { e.printStackTrace(); } } if (bos != null) { try { bos.close(); } catch (IOException e) { e.printStackTrace(); } } } } /** * 文件的分割方法。 * * @param src 要分割的源文件。 * @param destDir 分割后分卷文件存放的目录。 * @throws IOException */ public static void splitFile(File src, File destDir) throws IOException { FileInputStream fis = new FileInputStream(src); FileOutputStream fos = null; //创建一个1M的缓冲区,将文件按照1M的大小进行切割。 byte buf[] = new byte[1024 * 1024]; int len = 0; int fileName = 0; while ((len = fis.read(buf)) != -1) { fos = new FileOutputStream(destDir.getPath() + "/" + fileName++ + ".part"); fos.write(buf, 0, len); fos.close(); } fis.close(); } } <file_sep>/src/testio/TestLineNumberReader.java package testio; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; import java.io.LineNumberReader; /** * 测试LineNumberReader的使用方法。LineNumberReader类也是一个装饰类。 * Created by cashlu on 15/4/2. */ public class TestLineNumberReader { public static void main(String[] args) { FileReader fr = null; LineNumberReader lnr = null; try { fr = new FileReader("/Users/cashlu/Desktop/demo.txt"); lnr = new LineNumberReader(fr); String line; while ((line = lnr.readLine()) != null){ //同时输出行号 System.out.println(lnr.getLineNumber() + "\t|\t" + line); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); }finally { try { lnr.close(); } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/myIterator/MyArrayList2.java package myIterator; import java.util.Iterator; /** * 自己实现迭代器,加入接口。使用接口的好处是,如果没有接口,如果希望再次遍历容器, * 因为cursor已经到了最大值,所以需要再new一个容器对象,开销大。 * 如果有接口,只需要new一个迭代器对象,开销小。 * Created by cashlu on 15/2/2. */ public class MyArrayList2 { private String[] elem = {"A", "B", "C", "D", "E", "F", "G"}; private int size = elem.length; private class MyIt implements Iterator<String> { private int cursor = -1; public boolean hasNext() { return cursor + 1 < size; } public String next() { cursor++; return elem[cursor]; } public void remove() { String[] temp = new String[elem.length - 1]; for (int i = 0; i < cursor; i++) { temp[i] = elem[i]; } for (int i = cursor; i < elem.length; i++) { temp[i] = elem[i + 1]; } elem = temp; } } public Iterator<String> iterator(){ return new MyIt(); } public static void main(String[] args) { MyArrayList2 list = new MyArrayList2(); Iterator<String> it = list.iterator(); while (it.hasNext()){ System.out.print(it.next() + "\t"); } it = list.iterator(); while (it.hasNext()){ System.out.print(it.next() + "\t"); } } } <file_sep>/src/testio/testfile/FileMethods.java package testio.testfile; import java.io.File; import java.io.FileFilter; import java.io.FilenameFilter; import java.io.IOException; import java.util.Date; /** * File类的常用方法: * 1、创建 * 2、删除 * 3、判断 * 4、获取信息 * Created by cashlu on 15/4/13. */ public class FileMethods { public static void main(String[] args) throws IOException { //创建文件,返回boolean型,表示是否创建成功。文件已存在则不创建,返回false。 File f1 = new File("/Users/cashlu/Desktop/f1.txt"); boolean f1Create = f1.createNewFile(); System.out.println(f1Create); //删除文件 File f2 = new File("/Users/cashlu/Desktop/f2.txt"); f2.createNewFile(); boolean f2Delete = f2.delete(); System.out.println(f2Delete); //在程序退出时执行删除,所以输出f1的存在状态为true f1.deleteOnExit(); System.out.println(f1.exists()); //判断是否存在,是否是文件,是否是文件夹 File f3 = new File("/Users/cashlu/Desktop/f3.txt"); File f4 = new File("/Users/cashlu/Desktop/f4.txt"); File f5 = new File("f5.txt"); f3.createNewFile(); f4.mkdir(); System.out.println("f3:\t是否存在:" + f3.exists() + "\t是否文件:" + f3.isFile() + "\t是否目录:" + f3.isDirectory()); System.out.println("f4:\t是否存在:" + f4.exists() + "\t是否文件:" + f4.isFile() + "\t是否目录:" + f4.isDirectory()); System.out.println("f5:\t是否存在:" + f5.exists() + "\t是否文件:" + f5.isFile() + "\t是否目录:" + f5.isDirectory()); //获取文件信息 System.out.println("getName()\t" + f3.getName()); System.out.println("getPath()\t" + f3.getPath()); System.out.println("getParent()\t" + f3.getParent()); System.out.println("getAbsolutePath()\t" + f5.getAbsolutePath()); System.out.println("getTotalSpace()\t" + f3.getTotalSpace()); System.out.println("lastModified()\t" + new Date(f3.lastModified())); File list[] = File.listRoots(); for (File f : list) { System.out.println(f); } System.out.println("-------------"); File d = new File("/Users/cashlu"); String[] names = d.list(); for (String name : names) System.out.println(name + "\t"); System.out.println("-------------"); listFilenameFilteDemo(); System.out.println("makeDirWithFiles()-------------"); makeDirWithFiles(); File dir = new File("/Users/cashlu/Desktop/aaa/"); delNoneEmptyDIr(dir); } /** * 打印指定目录下指定后缀的文件,目录忽略。 * 测试File.listFile(FileFilter)方法。 * 该方法要求传入的形参是FileFilter对象。 */ public static void listFileFilterDemo() { File txtD = new File("/Users/cashlu/Desktop"); FileFilter filter = new FileFilter() { @Override public boolean accept(File pathname) { if (pathname.isFile() == true) return pathname.getPath().endsWith(".txt"); else return false; } }; File[] files = txtD.listFiles(filter); for (File f : files) System.out.println(f.getAbsolutePath()); } /** * 打印指定目录下指定后缀的文件,目录忽略。 * 测试File.listFile(FileNameFilter)方法。 * 该方法要求传入的形参是FileNameFilter对象。 */ public static void listFilenameFilteDemo() { System.out.println("listFileFilterDemo()..."); File txtD = new File("/Users/cashlu/Desktop"); FilenameFilter filter = new FilenameFilter() { @Override public boolean accept(File dir, String name) { return name.endsWith(".txt"); } }; String docs[] = txtD.list(filter); for (String name : docs) System.out.println(name + "\t"); System.out.println("-----------------"); } /** * 删除一个带有内容的多级目录。 * 1、先创建文件对象 * 2、创建目录 * 3、创建文件 * 4、删除文件 * 5、删除目录 */ public static void makeDirWithFiles() throws IOException { File file = new File("/Users/cashlu/Desktop/aaa/bbb/ccc/abc.txt"); boolean makeDirsRes = file.getParentFile().mkdirs(); boolean fileCreateRes = file.createNewFile(); System.out.println("文件名称:\t" + file.getAbsolutePath() + "\n" + "目录创建结果:\t" + makeDirsRes + "\n" + "文件创建结果:\t" + fileCreateRes); } /** * 删除一个非空的多级目录。 * 因为要多级遍历,所以使用到了递归。 * <p/> * 作为传输传入的dir,必须是一个目录,如果不是目录的话,listFiles()方法会返回null, * 那么在for循环遍历的时候,会抛出空指针异常。 * * @param dir 需要删除的目录。 */ public static void delNoneEmptyDIr(File dir) { File files[] = dir.listFiles(); for (File file : files) { //遍历数组,如果元素是目录,则递归。 if (file.isDirectory()) { delNoneEmptyDIr(file); } else { System.out.println("删除文件:" + file.delete() + "\t" + file.getAbsolutePath()); } } System.out.println("删除目录:" + dir.delete() + "\t" + dir.getAbsolutePath()); } } <file_sep>/src/testCollection/TestSet.java package testCollection; import java.util.HashSet; import java.util.Set; /** * 测试set的常用方法。 * HashSet底层是由HashMap来实现的,hashMap具有Key唯一的特性,set利用了这个特性。 * Created by cashlu on 15/1/19. */ public class TestSet { public static void main(String[] args) { Set set = new HashSet(); set.add("aaa"); set.add("BBB"); set.add("aaa"); System.out.println(set.size()); //输出为2,因为两个"aaa"的equals为true。(参考HashMap中key不能重复的实现机制) System.out.println(set.contains("aaa")); set.remove("BBB"); } } <file_sep>/src/testio/TextFileCopy.java package testio; import java.io.*; /** * 文件的拷贝,实现原理是将源文件内容读入缓冲,在目的地创建目标文件,将缓冲写入。 * Created by cashlu on 15/3/25. */ public class TextFileCopy { private File sour; private File dest; private boolean isAppend; /** * 文件拷贝方法。 * * @param s 源文件 * @param d 目标文件,不存在则创建 * @param append 是否追加拷贝,如果该参数为true,并且该目标文件存在时,则向目标文件结尾追加拷贝。 */ public void copy(File s, File d, boolean append) { this.sour = s; this.dest = d; this.isAppend = append; FileReader fr = null; FileWriter fw = null; //Begin to read the content of source file try { fr = new FileReader(s); fw = new FileWriter(d, isAppend); char[] buffer = new char[1024]; int len = 0; while ((len = fr.read(buffer)) != -1) { System.out.print(new String(buffer, 0, len)); //write the content into destination file fw.write(buffer); fw.flush(); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { if (fr != null) { try { fr.close(); } catch (IOException e) { e.printStackTrace(); } } if (fw != null) { try { fw.close(); } catch (IOException e) { e.printStackTrace(); } } } } public static void main(String[] args) { File s = new File("/Users/cashlu/Desktop/demo.txt"); File d = new File("/Users/cashlu/Desktop/demoTo.txt"); File as = new File("/Users/cashlu/Desktop/湟源县农牧局通讯录导入SQL.txt"); TextFileCopy t = new TextFileCopy(); t.copy(s, d, false); t.copy(as, d, true); } } <file_sep>/src/testException/ExceptionExercise2/IllegalValue.java package testException.ExceptionExercise2; /** * 求面积参数的非法值异常。在长方形中,长、高都不能小于等于0;圆形中,半径不能小于等于0。 * Created by cashlu on 15/3/17. */ public class IllegalValue extends RuntimeException { public IllegalValue(String message) { super(message); } } <file_sep>/src/testNetwork/tcptrans_fileupload_threads/Client2.java package testNetwork.tcptrans_fileupload_threads; import java.io.*; import java.net.Socket; /** * 客户端:向服务器端发送图片文件。 * 1、创建客户端Socket对象,指定服务器端的IP及监听端口。 * 2、创建图片的File对象,指向特定文件。 * 3、创建Socket的读取流对象和发送流对象。 * 4、获取文件名,并向服务器端发送文件名,以便创建文件对象。 * 5、循环内发送文件。 * 6、创建Socket接收流对象,用于接收服务器返回的发送状态信息。 * 7、关闭发送流。 * 8、关闭其他资源(文件读取流和Socket)。 * Created by cashlu on 15/7/20. */ public class Client2 { public static void main(String[] args) { Socket client = null; BufferedInputStream bis = null; try { client = new Socket("127.0.0.1", 10000); File file = new File("/Users/cashlu/Downloads/兵临城下.mp4"); // File file = new File("c:/ddd/test.jpg"); bis = new BufferedInputStream(new FileInputStream(file)); BufferedOutputStream bos = new BufferedOutputStream(client.getOutputStream()); BufferedReader br = new BufferedReader(new InputStreamReader(client.getInputStream())); /* 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 这里一定要加上他妈的参数true!!! 重要的话说三遍!!! */ PrintWriter pw = new PrintWriter(client.getOutputStream(), true); //向服务器端发送文件名。 String fileName = file.getName(); System.out.println("读取的文件名:" + fileName); pw.println(fileName); System.out.println("文件名已发送"); //开始读取并传输文件 int by = 0; while ((by = bis.read()) != -1) { bos.write(by); } //文件传输完成,关闭输出流。 client.shutdownOutput(); //接收服务器端返回的完成信息。 String reply = br.readLine(); System.out.println(reply); } catch (Exception e) { e.printStackTrace(); } finally { try { if (bis != null) { bis.close(); } if (client != null) { client.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testThread/ticketSellSystem/MultiThreadBugTest.java package testThread.ticketSellSystem; /** * 通过这段代码,来还原出多线程可能出现的bug——多线程安全问题。 * 票只有一张,按照业务逻辑,四个线程应该只有一个可以卖出一张票,程序结束。 * 但是有可能第1(N)个线程在判断ticket>0后,CPU将其挂起,后续线程陆续判断为true, * 那么ticket--会被执行多次,从而变成负数。 * <p/> * 解决办法:同步代码块 * Created by cashlu on 15/2/4. */ public class MultiThreadBugTest { public static void main(String[] args) { Ticket3 ticket = new Ticket3(); Thread t1 = new Thread(ticket); Thread t2 = new Thread(ticket); Thread t3 = new Thread(ticket); Thread t4 = new Thread(ticket); t1.start(); t2.start(); t3.start(); t4.start(); } } class Ticket3 implements Runnable { private int ticket = 1; Object o = new Object(); @Override public void run() { while (true) { synchronized (o) { //对象o叫做“锁”,可以理解为公用厕所的门锁。呵呵 if (ticket > 0) { try { Thread.sleep(1000); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(Thread.currentThread().getName() + " selling No." + ticket--); } else { break; } } } System.out.println(Thread.currentThread().getName() + " 估清!!!!"); } } <file_sep>/src/testException/testExceptionWithDiv.java package testException; /** * 多异常的处理。这里的第二个/ by zero异常没有被处理,因为异常压根就没有产生。 * 数组越界异常发生时,程序就跳转处理异常了。div方法并没有执行完全。 * Created by cashlu on 15/3/8. */ class DivDemo{ int div(int a, int b) throws ArithmeticException, ArrayIndexOutOfBoundsException { //制造了第一个异常:数组越界 int[] arr = new int[a]; System.out.println(arr[a + 1]); //制造了第二个异常:/ by zero return a / b; } } public class testExceptionWithDiv { public static void main(String[] args){ DivDemo demo = new DivDemo(); try { int res = demo.div(4, 0); System.out.println(res); }catch (ArithmeticException e){ System.out.println("Cannot div by zero!!!"); }catch (ArrayIndexOutOfBoundsException e){ System.out.println("Array Index Out Of Bounds Exception"); } } } <file_sep>/src/testNetwork/udpmsgtrans/UdpReceive.java package testNetwork.udpmsgtrans; import java.io.IOException; import java.net.DatagramPacket; import java.net.DatagramSocket; /** * 需求:接收udp协议发送过来的数据。 * * 1、建立UDP Socket服务,指定监听端口。 * 2、定义一个空的数据包对象,用于存储接收到的字节数据。 * 3、通过Socket的receive方法接收数字节数据,并存储进数据包对象。 * 4、解析数据包对象的内容,将其打印在控制台。 * 5、释放资源。 * * Created by cashlu on 15/7/7. */ public class UdpReceive { public static void main(String[] args) throws IOException { //创建udp socket服务,监听10000端口。 DatagramSocket ds = new DatagramSocket(10000); //创建缓冲区字节数组 byte[] buf = new byte[1024]; //创建数据包对象,用于存储接收到的数据。(用于发送和接收的DatagramPacket对象,构造函数不一样) DatagramPacket dp = new DatagramPacket(buf, buf.length); //接收数据(阻塞式) ds.receive(dp); //解析接收到的数据 String ip = dp.getAddress().getHostAddress(); int dataLen = dp.getLength(); // String data = dp.getData().toString(); //上面背注释的代码也可以,但是会生成1024长度的字符串,而下面这句更合理,只生成合适长度的字符串。 String data = new String(dp.getData(), 0, dp.getLength()); int port = dp.getPort(); System.out.println(ip + ":" + port); System.out.println(data + "(" + dataLen + ")"); //释放资源 ds.close(); } } <file_sep>/src/testNetwork/udpmsgtrans/UdpSend.java package testNetwork.udpmsgtrans; import java.io.IOException; import java.net.*; /** * 需求:通过UDP协议,将一段文字传输出去。 * * 1、建立UDP Socket服务。 * 2、创建要传输的数据,并将数据封装为数据包对象。 * 3、通过Socket服务的发送方法,将数据包对象发送出去。 * 4、释放资源。 * Created by cashlu on 15/7/7. */ public class UdpSend { public static void main(String[] args) throws IOException { //1、创建UDP socket服务。 DatagramSocket ds = new DatagramSocket(8888); //2、确定数据,并封装成数据包对象。 byte[] data = "这是一段需要发送的文字".getBytes(); DatagramPacket dp = new DatagramPacket(data, data.length, InetAddress.getByName("rMBP.local"), 10000); //3、通过Socket服务将数据包对象发送出去。 ds.send(dp); //4、释放资源 System.out.println("Data:" + new String(data, 0, data.length)); System.out.println("Port:" + ds.getPort()); ds.close(); } } <file_sep>/src/testException/ExceptionExercise2/Test.java package testException.ExceptionExercise2; /** * Created by cashlu on 15/3/16. */ public class Test{ public static void main(String[] args) { Rec r = new Rec(5, 12); r.getArea(); Circle c = new Circle(10); c.getArea(); } } <file_sep>/src/testNetwork/udpmsgtransv3/Chat.java package testNetwork.udpmsgtransv3; import java.net.DatagramSocket; import java.net.SocketException; /** * Created by cashlu on 15/7/7. */ public class Chat { public static void main(String[] args) { try { DatagramSocket dss = new DatagramSocket(30000); DatagramSocket dsr = new DatagramSocket(20000); new Thread(new Send(dss)).start(); new Thread(new Receive(dsr)).start(); } catch (SocketException e) { e.printStackTrace(); } } } <file_sep>/src/testio/FileStreamRead.java package testio; import java.io.FileInputStream; import java.io.IOException; /** * 字节流读写文件的方法 * Created by cashlu on 15/4/2. */ public class FileStreamRead { public static void main(String[] args) { try { readFile(); } catch (IOException e) { e.printStackTrace(); } } /** * FileInputStream对象的read()方法的JDK说明如下: * Reads up to buf.length() bytes of data from this input stream into an array of bytes. * This method blocks until some input is available. * 简单的说,就是读取参数数组长度的字节,而字节数组初始化时,长度指定为下次非阻断能读取到的长度, * 所以在此例中,不用循环就读取了文件的全部内容。 * <p/> * 注意!!! * 这个方法有一个最大的问题,就是有可能造成内存溢出。试想如果这里读取的文件是一个1080P的电影文件, * 大小可能有几十个G,很有可能超出系统内存的大小,所以这个方法尽量避免使用,除非十分确定读取的文件都是小文件。 * * @throws IOException */ public static void readFileOnce() throws IOException { FileInputStream fis = new FileInputStream("/Users/cashlu/Desktop/demo.txt"); byte buf[] = new byte[fis.available()]; fis.read(buf); System.out.println(new String(buf)); fis.close(); } public static void readFile() throws IOException { FileInputStream fis = new FileInputStream("/Users/cashlu/Desktop/demo.txt"); byte buf[] = new byte[1024]; int len; while ((len = fis.read(buf)) != -1) { /* 上面之所以要创建变量len,并且将fis.read(buf)的返回值(本次读取到的数据长度)赋值给len, 并且在下面的输出语句中指定String对象的长度,是因为while体内,不断的在对buf[]进行重复的赋值, 覆盖之前的内容。 最后一次赋值的字节个数,并不一定会刚好等于数组长度,那么数组内必然会存在一些没有被覆盖的垃圾数据。 */ System.out.println(new String(buf, 0, len)); } } } <file_sep>/src/testException/TestReadFile.java package testException; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; /** * Created by cashlu on 14/11/28. */ public class TestReadFile { public static void main(String[] args) { File file = new File("/Users/cashlu/Desktop/test"); //reader的声明放在try的外面,是因为要在finally中关闭资源,如果放在try中,就成了局部变量,只在代码块内有效了。 //reader要被初始化为null,因为在编译器检查时,finally中的reader.close()调用,会检查出reader没有被初始化。所以要初始化一个空值。 FileReader reader = null; try { reader = new FileReader(file); char c = (char) reader.read(); System.out.println(c); /** * FileNotFoundException异常可以不捕获,因为其是IOException的子类, * 根据JAVA多态的原则,IOException一样可以处理这个异常。 * * 如果两个异常都分开捕获的话,那么一定要注意顺序。一般的顺序的是先从子类开始处理。 */ } catch (FileNotFoundException e) { e.printStackTrace(); System.out.println("File is NOT exists"); } catch (IOException e) { e.printStackTrace(); }finally { //这里再次捕获异常,是因为reader调用close()方法时,需要检查reader所引用的对象是否存在。 //这里判断reader是否为空,是出于代码严谨考虑,避免之前new对象的时候失败。 try { if(reader != null){ reader.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testio/testproperties/PropertiesFileDemo.java package testio.testproperties; import java.io.*; import java.util.Properties; import java.util.Set; /** * 从指定的配置文件中读取键值对。 * <p/> * 1、用读取流来读取文件。 * 2、每次读取一行,用"="来切割读取到的字符串 * 3、将分割后的字符串分别做为键值存入Properties集合中。 * Created by cashlu on 15/4/17. */ public class PropertiesFileDemo { public static void main(String[] args) { File proFile = new File("/Users/cashlu/Desktop/properties.txt"); Properties properties = new Properties(); // fileToProp(proFile, properties); loadFile(properties, proFile); // printProperties(properties); //列出Properties集合中的键值对 properties.list(System.out); properties.setProperty("王五", "60"); properties.list(System.out); modifyFile(proFile, properties); Integer c = new Integer(properties.getProperty("王五")); System.out.println(c); } /** * 使用Properties自带的load()方法读取配置文件,将配置文件中的键值对保存至Properties集合中。 * * @param properties 保存键值对的Properties对象。 * @param file 读取的配置文件。 * @return 返回保存键值对之后的Properties对象。 */ public static Properties loadFile(Properties properties, File file) { BufferedInputStream bis = null; BufferedReader br = null; try { // //load()方法要求传入的参数是一个InputStream或者Reader对象。 //区别在于load(FileReader)方法不用考虑字符编码问题。 // bis = new BufferedInputStream(new FileInputStream(file)); // properties.load(bis); br = new BufferedReader(new FileReader(file)); properties.load(br); return properties; } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { // if (bis != null) { // try { // bis.close(); // } catch (IOException e) { // e.printStackTrace(); // } // } if (br != null) { try { br.close(); } catch (IOException e) { e.printStackTrace(); } } } return null; } /** * 读取配置文件,并将读取到的键值对存储进Properties集合对象中。 * * @param file 配置文件 * @param properties 要存储的Properties对象。 */ public static void fileToProp(File file, Properties properties) { BufferedReader br = null; try { br = new BufferedReader(new FileReader(file)); String line = null; while ((line = br.readLine()) != null) { String[] str = line.split("="); properties.setProperty(str[0], str[1]); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { if (br != null) { try { br.close(); } catch (IOException e) { e.printStackTrace(); } } } } /** * 遍历Properties集合对象,在控制台打印键值对。 * * @param properties 需要遍历打印的Properties对象。 */ public static void printProperties(Properties properties) { Set<String> keySet = properties.stringPropertyNames(); for (String s : keySet) System.out.println(s + " : " + properties.getProperty(s)); } /** * 更改配置文件的方法。如果Properties对象中存储的键值对发生变化,那么需要同步更新到配置文件中。 * 使用Properties对象的store()方法来实现。需要传入一个OutputStream对象,也可以用Writer对象。 * @param file 配置文件 * @param properties Properties对象 */ public static void modifyFile(File file, Properties properties) { BufferedOutputStream bos = null; BufferedWriter bw = null; try { // bos = new BufferedOutputStream(new FileOutputStream(file)); // properties.store(bos, "hh"); bw = new BufferedWriter(new FileWriter(file)); properties.store(bw, "Comments..."); } catch (IOException e) { e.printStackTrace(); }finally { if (bw != null){ try { bw.close(); } catch (IOException e) { e.printStackTrace(); } } } } } <file_sep>/src/testException/TestTryCatchWithReturn.java package testException; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; /** * 测试try/catch/finally结构体中的return * Created by cashlu on 14/11/28. */ public class TestTryCatchWithReturn { public static void main(String[] args) { String str = new TestTryCatchWithReturn().openFile(); System.out.println(str); } /** * 定义openFile()方法为String类型 * @return String 返回一个字符串,用于表示读取文件的状态 */ String openFile() { File file = new File("/Users/cashlu/Desktop/test"); /* reader的声明放在try的外面,是因为要在finally中关闭资源,如果放在try中,就成了局部变量,只在代码块内有效了。 reader要被初始化为null,因为在编译器检查时,finally中的reader.close()调用,会检查出reader没有被初始化。 所以要初始化一个空值。 */ FileReader reader = null; /* 在一个方法中,只能有一个return生效,在下面try/catch/finally结构中,为每一种不同的情况都设置了return的值。 程序上需要注意控制,不要让多个return都执行,因为在try/catch/finally结构中,当执行到return时,实际上并没有马上的返回, 而是先将该值保存起来,等finally执行完毕之后再return,那么在finally结束之前,如果有第二个return语句被执行,那么之前保存的 return的值就会被覆盖,因为一个方法中只return一次。 根据上面的原则,所以一般情况下,除非你真的知道自己在干什么,否则不要再finally代码块中执行return,因为finally总会被执行, 那么之前如果有return的话,总会被finally的return给覆盖掉。 */ try { reader = new FileReader(file); //这里不是很严谨,因为只读取了文件中的第一个字符 char c = (char) reader.read(); System.out.println(c); return "读取成功"; } catch (FileNotFoundException e) { e.printStackTrace(); return "文件不存在"; } catch (IOException e) { e.printStackTrace(); return "IO异常"; //finally代码块中不要return,除非你真的知道自己在干什么。 } finally { try { if (reader != null) { reader.close(); // return "文件关闭成功"; } } catch (IOException e) { e.printStackTrace(); // return "文件关闭失败"; } } } } <file_sep>/src/testio/testPipedStream/PipedStreamDemo.java package testio.testPipedStream; import java.io.IOException; import java.io.PipedInputStream; import java.io.PipedOutputStream; /** * 测试管道流。 * Created by cashlu on 15/4/28. */ public class PipedStreamDemo { public static void main(String[] args) { //创建输入、输出管道流。 PipedInputStream in = new PipedInputStream(); PipedOutputStream out = new PipedOutputStream(); try { //将两个管道流连接起来 in.connect(out); Reader reader = new Reader(in); Sender sender = new Sender(out); new Thread(reader).start(); new Thread(sender).start(); } catch (IOException e) { e.printStackTrace(); } } } <file_sep>/src/testNetwork/tcptransv2/Client.java package testNetwork.tcptransv2; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.net.Socket; /** * 需求:客户端通过TCP协议向服务端发送数据,服务端接收到数据后,向客户端返回数据。 * 1、创建客户端Scoket对象,并指定服务端的IP和端口。 * 2、创建客户端输出流,发送数据。 * 3、创建客户端输入流,接收数据。 * 4、处理并打印输入流接收到的数据。 * Created by cashlu on 15/7/10. */ public class Client { public static void main(String[] args) { try { Socket s = new Socket("127.0.0.1", 9999); String msgOut = "Goodbye, my darling"; OutputStream out = s.getOutputStream(); out.write(msgOut.getBytes()); InputStream in = s.getInputStream(); byte[] buf = new byte[1024]; int len = in.read(buf); String msgIn = new String(buf, 0, len); System.out.println("Server say: " + msgIn); } catch (IOException e) { e.printStackTrace(); } } } <file_sep>/src/testException/ExceptionExercise2/shape.java package testException.ExceptionExercise2; /** * 创建一个“图形”接口。所有实现该接口的类,都必须重写求面积的方法。 * Created by cashlu on 15/3/16. */ public interface shape { void getArea() throws IllegalValue; } <file_sep>/src/testException/ExceptionExercise2/Rec.java package testException.ExceptionExercise2; /** * 长方形类。 * Created by cashlu on 15/3/16. */ public class Rec implements shape { private double length; private double height; private double area; public Rec(double height, double length) { if (height <= 0 || length <= 0){ throw new IllegalValue("长方形的长、宽不能小于等于0"); } this.height = height; this.length = length; } @Override public void getArea() { area = length * height; System.out.println("长方形的面积是:" + area); } } <file_sep>/src/testException/ExceptionExercise/StopPrelectException.java package testException.ExceptionExercise; /** * 老师停止讲课的异常。用于处理电脑爆炸的异常。 * Created by cashlu on 15/3/14. */ public class StopPrelectException extends Exception { public StopPrelectException(String message) { super(message); } } <file_sep>/src/testio/StreamDemo/KeyboardToTerminal.java package testio.StreamDemo; import java.io.*; /** * 键盘输入,终端输出显示。 * 1、确认输入流为System.in, 输出流为System.out。 * 2、因为System.in实际上是InputStream类的对象,是一个字节流,需转为字符流,用Reader中的转换流InputStreamReader(注意命名方式)。 * 3、控制台输出是System.out,是OutputStream类的对象,同上,用OutputStreamWriter转换。 * Created by cashlu on 15/4/13. */ public class KeyboardToTerminal { public static void main(String[] args) { InputStreamReader isr = new InputStreamReader(System.in); OutputStreamWriter osw = new OutputStreamWriter(System.out); //字符流的缓冲区是BufferedReader和BufferedWriter BufferedReader br = new BufferedReader(isr); BufferedWriter bw = new BufferedWriter(osw); while (true){ try { StringBuilder sb = new StringBuilder(br.readLine()); if (sb.toString().equals("over")){ break; } bw.write(sb.toString()); bw.newLine(); bw.flush(); } catch (IOException e) { e.printStackTrace(); } } if (br != null){ try { br.close(); } catch (IOException e) { e.printStackTrace(); } } if (bw != null){ try { bw.close(); } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testGUI/testAWT/MyWindow.java package testGUI.testAWT; import java.awt.event.WindowAdapter; import java.awt.event.WindowEvent; /** * Created by cashlu on 15/7/4. */ public class MyWindow extends WindowAdapter{ public void windowClosing(WindowEvent e){ System.out.println("Window is Closing..."); System.exit(0); } public void windowClosed(WindowEvent e){ System.out.println("Closed"); } public void windowActivated(WindowEvent e){ System.out.println("Activated"); } public void windowOpened(WindowEvent e){ System.out.println("Opend"); } } <file_sep>/src/testio/mylinenumberreader/MyLineNumberReader.java package testio.mylinenumberreader; import java.io.FileReader; import java.io.IOException; /** * 自己实现一个类似于LineNumberReader的类。 * Created by cashlu on 15/4/2. */ public class MyLineNumberReader { private FileReader fr; private int lineNum = 0; private int ch = 0; public MyLineNumberReader(FileReader fr) { this.fr = fr; } public String readLine() throws IOException { StringBuilder sb = new StringBuilder(); lineNum++; while ((ch = fr.read()) != -1) { if (ch == '\r') continue; if (ch == '\n') { lineNum++; return sb.toString(); } else { sb.append((char) ch); } } if (sb.length() != 0) { return sb.toString(); } return null; } public int getLineNum() { return lineNum; } public void setLineNum(int lineNum) { this.lineNum = lineNum; } public void close() { try { if (fr != null) fr.close(); } catch (IOException e) { e.printStackTrace(); } } } <file_sep>/src/testException/ExceptionExercise/ExceptionExercise1.java package testException.ExceptionExercise; /** * 老师讲课的测试类。用于模拟实际生活中老师讲课的环境。 * 老师讲课需要有一个老师对象,还需要一个电脑对象。 * 老师使用电脑来讲课。 * Created by cashlu on 15/3/13. */ public class ExceptionExercise1 { public static void main(String[] args) { Teacher teacher = new Teacher("<NAME>"); teacher.computer.setState(4); try { teacher.prelect(); } catch (StopPrelectException e) { System.out.println(e.getMessage()); System.out.println("换个电脑"); } } } <file_sep>/src/testSingleton/Singleton.java package testSingleton; /** * 测试设计模式的单例模式。 * 所谓“单例模式”,是指在它的核心结构中只包含一个被称为单例类的特殊类。 * 通过单例模式可以保证系统中一个类只有一个实例而且该实例易于外界访问, * 从而方便对实例个数的控制并节约系统资源。在系统中这个类的对象只能存在一个。 * <p/> * -----单例模式保证了对象的唯一性----- * <p/> * 要求: * 1、类不能被外部实例化。 * 2、存在一个该类的实例,由该类自己实例化。 * 3、外部可以访问这个实例。 * <p/> * 解决思路: * 1、构造函数私有化。 * 2、类内部做对象的创建。 * 3、创建一个访问该对象的方法。 * <p/> * 两种模式的区别: * 饿汉模式:SingleHungry类一进内存,就在堆内存中创建了对象。 * 懒汉模式:SingleLazy类进入内存时,并没有创建对象,直到getInstance()方法被调用,才创建。 * <p/> * Created by cashlu on 15/2/5. */ //饿汉模式,先初始化对象。(建议使用,线程安全) class SingleHungry { //构造函数私有化 private SingleHungry() { } //创建对象 private static SingleHungry s = new SingleHungry(); //创建一个外部访问该实例的方法,因为该类在外部不能被实例化,那么必须要用类名调用该类的方法。 //所以该方法必须是静态方法,加static修饰。 //该静态方法内要访问该类的成员变量s,所以s也必须是静态的。 public static SingleHungry getInstance() { return s; } } //以下是“懒汉模式”,先判断对象是否存在,不存在先初始化对象,再返回。 //懒汉模式有可能造成多线程问题。解决的话需要双重验证(推荐),或者同步函数。 class SingleLazy { private SingleLazy() { } //声明对象为null private static SingleLazy s = null; public static SingleLazy getInstance() { if (s == null) { s = new SingleLazy(); } return s; } } public class Singleton { public static void main(String[] args) { //这里不是在外部创建了Single类的实例,而是创建了一个该对象的引用。(理解为指针) SingleHungry s = SingleHungry.getInstance(); SingleLazy s1 = SingleLazy.getInstance(); } } <file_sep>/src/testDate/testCalendar.java package testDate; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; import java.util.GregorianCalendar; /** * 测试Calendar类 * Calendar类是抽象类,具体实现可使用其子类GregorianCalendar * Calendar计算月份时,一月是0 * Calendar计算星期时,周天是0 * * Created by cashlu on 14/11/25. */ public class testCalendar { public static void main(String[] args) { Calendar birthday = new GregorianCalendar(); /** * 使用getTime()方法来获取时间 * 当创建GregorianCalendar对象时没有传入参数,那么该对象代表当前时刻 */ System.out.println(birthday.getTime()); // set()方法传入int型参数,设置时间 birthday.set(1984, 0, 7, 8, 45); System.out.println(birthday.getTime()); // 创建一个Date对象,以便于使用SimpleDateFormat类的方法来格式化时间的显示 // getTime()方法返回一个Date对象,来表示this对象代表的时间 // 吐槽一下:难道就不能给Calendar类专门写一个格式化的方法吗?非要去调用SimpleDateFormat类的方法 Date d = birthday.getTime(); SimpleDateFormat df = new SimpleDateFormat("yyyy-MM-dd"); System.out.println(df.format(d)); GregorianCalendar c = new GregorianCalendar(); // setTime()方法传入Date型对象,设置时间 // 查看Date类的构造器函数代码,传入的第一个参数年份是相对于历元(1900年)的偏移量 // 吐槽一下:这个鸡巴构造器函数是谁写的?难道就不能直接传入年份吗?和月、日的行为不一致!!!难道就没有直接一点的类或者方法吗? c.setTime(new Date(84, GregorianCalendar.JANUARY, 7)); System.out.println(c.getTime()); c.add(Calendar.YEAR, 30); System.out.println(c.getTime()); System.out.println(c); } } <file_sep>/src/testGenerics/StudentForPolymorphism.java package testGenerics; /** * 测试泛型的使用。 * Created by cashlu on 15/2/1. */ public class StudentForPolymorphism { private Object javase; private Object oracle; public StudentForPolymorphism() { } public StudentForPolymorphism(Object javase, Object oracle) { this.javase = javase; this.oracle = oracle; } public Object getJavase() { return javase; } public void setJavase(Object javase) { this.javase = javase; } public Object getOracle() { return oracle; } public void setOracle(Object oracle) { this.oracle = oracle; } } <file_sep>/src/testNetwork/tcptrans_textfile/Client.java package testNetwork.tcptrans_textfile; import java.io.*; import java.net.Socket; /** * 客户端向服务器端发送文本文件。 * Created by cashlu on 15/7/20. */ public class Client { public static void main(String[] args) { Socket client = null; BufferedReader bufr = null; try { client = new Socket("127.0.0.1", 20000); bufr = new BufferedReader(new FileReader("/Users/cashlu/Desktop/test.txt")); PrintWriter pw = new PrintWriter(client.getOutputStream(), true); String time = String.valueOf(System.currentTimeMillis()); String line = null; while ((line = bufr.readLine()) != null) { pw.println(line); } /* 文件传输完成后,给服务器端一个信号,关闭输出流。这样可以避免客户端传输完成后,服务器端while循环的等待。 客户端之所以可以正常跳出循环,是因为读取文件,用readline()方法,判断了是否等于null。readline()方法当读到了文件的结尾, 也就是读到了null后,while循环会终止。而客户端并不会将null发送给服务器端,所以服务器端不会跳出循环。 */ client.shutdownOutput(); /* 客户端循环发送结束后,服务器端并不知道已经结束,一直会阻塞等待,所以客户端需要给服务端发送一个结束标记。 常规的做法是,客户端先将标记发过去,让服务端知道标记是什么,然后再发送数据。这样就不用在服务端将标记写死。 不过这样写,标记还是有可能和发送的正文冲突,造成文件接收不完整。那么可以使用时间戳作为结束标记。但是使用时间戳作为 标记,会使得代码中使用过多的流对象,比较繁琐。 */ // pw.println("over"); BufferedReader bufIn = new BufferedReader(new InputStreamReader(client.getInputStream())); String reply = bufIn.readLine(); System.out.println(reply); } catch (IOException e) { e.printStackTrace(); } finally { try { if (bufr != null) { bufr.close(); } if (client != null) { client.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testNetwork/tcptrans_textfile/Server.java package testNetwork.tcptrans_textfile; import java.io.*; import java.net.ServerSocket; import java.net.Socket; /** * 客户端向服务器端发送文本文件。 * Created by cashlu on 15/7/20. */ public class Server { public static void main(String[] args) { ServerSocket server = null; Socket client = null; PrintWriter pwWriter = null; try { server = new ServerSocket(20000); client = server.accept(); String clientIP = client.getInetAddress().getHostAddress(); System.out.println(clientIP + " connected..."); BufferedReader bufIn = new BufferedReader(new InputStreamReader(client.getInputStream())); // pwWriter = new PrintWriter(new FileWriter("/Users/cashlu/Desktop/test111111.txt"), true); pwWriter = new PrintWriter("/Users/cashlu/Desktop/test111111.txt", "utf-8"); // pwWriter = new PrintWriter("c:/test.txt", "utf-8"); DataInputStream dis = new DataInputStream(client.getInputStream()); String line = null; while ((line = bufIn.readLine()) != null) { pwWriter.println(line); } PrintWriter pwOut = new PrintWriter(client.getOutputStream(), true); pwOut.println("上传成功"); System.out.println("接收完成"); } catch (Exception e) { e.printStackTrace(); } finally { try { if (pwWriter != null) { pwWriter.close(); } if (client != null) { client.close(); } if (server != null) { server.close(); } } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testCollection/testCollection/testInterator/IteratorMap.java package testCollection.testCollection.testInterator; import java.util.HashMap; import java.util.Iterator; import java.util.Map; import java.util.Map.Entry; import java.util.Set; /** * Created by cashlu on 15/1/31. */ public class IteratorMap { public static void main(String[] args) { Map map = new HashMap(); Set keys = map.keySet(); /* 第一种迭代Map的方法,先迭代key,然后通过key找value。 因为需要多次根据key找value,所以效率有可能稍差。 */ for (Iterator iter = keys.iterator(); iter.hasNext(); ) { String key = (String) iter.next(); String value = (String) map.get(key); } /* 第二种迭代Map的方法,迭代Map的Entry(以键值对为单位),然后分别遍历每一个Entry。 比起第一种方法,在大部分情况下,效率会高一些。 */ for (Iterator iter = map.entrySet().iterator(); iter.hasNext();) { Entry e = (Entry) iter.next(); String key = (String) e.getKey(); String value = (String) e.getValue(); } } } <file_sep>/src/testThread/testJoinYieldSleep/YieldDemo.java package testThread.testJoinYieldSleep; /** * Yield 让正在运行的线程进入就绪状态,相当于让线程等待了 * Created by cashlu on 15/2/27. */ public class YieldDemo implements Runnable{ public static void main(String[] args) { YieldDemo yield = new YieldDemo(); Thread t = new Thread(yield); t.start(); } @Override public void run() { for (int i = 0; i < 100; i++) { System.out.println("Yield..." + i); } } } <file_sep>/src/testWrapperClass/TestWrapperClass.java package testWrapperClass; /** * 包装类 * 包装类的作用是将普通数据类型包装为对象,从而可以使用对象的一些特性 * Created by cashlu on 14/11/21. */ public class TestWrapperClass { public static void main(String[] args) { Integer a = new Integer(1000); int b = 2000; //打印Integer对象的最大值和最小值 System.out.println(Integer.MAX_VALUE); System.out.println(Integer.MIN_VALUE); //字符串转换为Integer String str = "123"; Integer c = Integer.parseInt(str); Integer d = new Integer("345"); System.out.println(c.getClass()); System.out.println(d.getClass()); //Integer对象转换为int int f = d.intValue(); System.out.println(f); } } <file_sep>/src/testException/TestMyException.java package testException; /** * Created by cashlu on 14/11/29. */ public class TestMyException extends Exception { public TestMyException(){ } public TestMyException(String message){ super(message); } } class Test{ void test() throws TestMyException{ /// } public static void main(String[] args) { try { new Test().test(); } catch (TestMyException e) { e.printStackTrace(); } } }<file_sep>/src/testio/StreamDemo/TextToText.java package testio.StreamDemo; import java.io.*; /** * 将一个文本文件的内容,复制到另一个文本文件中。 * 1、确认输入流为FileReader, 输出流为FileWriter * 2、使用缓冲,输入流缓冲为BufferedReader, 输出流缓冲为BufferedWriter * Created by cashlu on 15/4/12. */ public class TextToText { public static void main(String[] args) { BufferedReader br = null; BufferedWriter bw = null; try { br = new BufferedReader(new FileReader("/Users/cashlu/Desktop/src.txt")); bw = new BufferedWriter(new FileWriter("/Users/cashlu/Desktop/dest.txt")); int ch; while ((ch = br.read()) != -1){ System.out.print((char) ch); bw.write(ch); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { if (br != null){ try { br.close(); } catch (IOException e) { e.printStackTrace(); } } if (bw != null){ try { bw.close(); } catch (IOException e) { e.printStackTrace(); } } } } } <file_sep>/src/testNetwork/tcptransv4/Client.java package testNetwork.tcptransv4; import java.io.*; import java.net.Socket; /** * 在tcptansv3的基础上进行改进,因为处理的是文本,所以可以充分利用各种缓冲流技术。 * Created by cashlu on 15/7/10. */ public class Client { public static void main(String[] args) { Socket client = null; BufferedReader br = null; try { client = new Socket("127.0.0.1", 10000); //定义键盘读取的流对象。 br = new BufferedReader(new InputStreamReader(System.in)); //定义目的,将数据写出到socket输出流,发给服务端。 BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(client.getOutputStream())); //定义读取服务器端返回数据的读取流。 BufferedReader brIn = new BufferedReader(new InputStreamReader(client.getInputStream())); String line = null; while ((line = br.readLine()) != null){ if (line.equals("over")){ break; } /* write方法需要手动加上换行,因为服务端的readline()方法是阻塞式方法,没有收到换行符,会一直等待。 或者使用BufferedWriter.newLine()方法。 */ bw.write(line); bw.newLine(); //一定要刷新缓冲区,否则数据会保存在缓冲区,直到缓冲区满了,否则不会发送出去。如果手动的关闭了缓冲区,则不需要flush()。 bw.flush(); System.out.println("Server reply: " + brIn.readLine()); } } catch (IOException e) { e.printStackTrace(); }finally { try { // client.close(); br.close(); } catch (IOException e) { e.printStackTrace(); } } } } <file_sep>/src/testCollection/testCollection/CollectInSet.java package testCollection.testCollection; import java.text.DateFormat; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.*; /** * 测试HashSet的用法,创建三个Employee对象,将其放入set中。 * Created by cashlu on 15/1/29. */ public class CollectInSet { public static void main(String[] args) { // String strDate = "2014-12"; DateFormat format = new SimpleDateFormat("yyyy-MM"); Employee simon = null; Employee seven = null; Employee liang = null; try { simon = new Employee("项目部", 001, format.parse("2011-11"), "<NAME>", 3000); seven = new Employee("项目部", 002, format.parse("2012-06"), "<NAME>", 4000); liang = new Employee("技术部", 003, format.parse("2014-12"), "<NAME>", 5000); } catch (ParseException e) { e.printStackTrace(); } Set employeeSet = new HashSet(); employeeSet.add(simon); employeeSet.add(seven); employeeSet.add(liang); Iterator iterator = employeeSet.iterator(); while (iterator.hasNext()) { Employee e = (Employee) iterator.next(); // System.out.println(e.getId() + "\t" + e.getName() + "\t" + e.getDepartement() + "\t" // + e.getSalary() + "\t" + format.format(e.getHireDate())); System.out.println(e.getId() + "\t" + e.getName() + "\t" + e.getDepartement() + "\t" + e.getSalary() + "\t" + e.getHireDate()); } Map employeeMap = new HashMap(); } } <file_sep>/src/testThread/TestDoubleSync.java package testThread; /** * 以多窗口卖票需求为例,创建一个同步函数,一个同步代码块, * 分两次使用相同的锁和不同的锁,来验证线程安全问题。 * <p/> * 使用不同锁:线程不安全 * 使用相同锁:线程安全 * Created by cashlu on 15/2/5. */ public class TestDoubleSync { public static void main(String[] args) { testThread.TicketStatic t = new testThread.TicketStatic(); Thread t1 = new Thread(t); Thread t2 = new Thread(t); t1.start(); try { Thread.sleep(10); } catch (InterruptedException e) { e.printStackTrace(); } t.flag = false; t2.start(); } } class Ticket implements Runnable { private int ticket = 1000; Object o = new Object(); boolean flag = true; @Override public void run() { if (flag) { while (true) { //下面是同步代码块,使用的锁对象为o,这时候程序会出问题,产生多卖的问题。 //因为两个同步锁不一样,改成this,问题解决。 synchronized (this) { if (ticket > 0) { try { Thread.sleep(10); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(Thread.currentThread().getName() + " selling " + ticket--); } else { break; } } } } else { sellTicket(); } } //下面是同步方法,使用的锁是this。 public synchronized void sellTicket() { while (true){ if (ticket > 0) { try { Thread.sleep(10); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(Thread.currentThread().getName() + " selling---- " + ticket--); }else { break; } } } }
bfa9cf20c931f73904293039ea72d42e2fb0bc46
[ "Java" ]
65
Java
cashlu/JavaExecise
cdf3453b29f275de506e125c15100dd10b580c9f
2a68e3550d6d571c854e486d76ecfa1c66420b94
refs/heads/master
<repo_name>mosquito/toasyncio<file_sep>/toasyncio/__init__.py # encoding: utf-8 version_info = (0, 5, 3) author_info = ( {"name": "<NAME>", "email": "<EMAIL>"}, {"name": "<NAME>", "email": "<EMAIL>"}, ) __version__ = ".".join(map(str, version_info)) __author__ = ", ".join("{name} <{email}>".format(**a) for a in author_info) <file_sep>/setup.py # encoding: utf-8 from setuptools import setup, find_packages import toasyncio setup( name='toasyncio', packages=find_packages(exclude=['tests']), install_requires=( 'tornado>=4.3', 'asyncio', ), author=toasyncio.__author__, version=toasyncio.__version__, author_email=", ".join("{email}".format(**a) for a in toasyncio.author_info), long_description=open('README.rst', 'r').read(), license='MIT', keywords=( "tornado", "asyncio", ), url='https://github.com/mosquito/toasyncio', description='Transparent convert any asyncio futures and inline yield methods to tornado futures.', zip_safe=False, classifiers=[ 'Environment :: Console', 'Programming Language :: Python :: 3 :: Only', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], ) <file_sep>/tox.ini [tox] envlist = py34, py35 [testenv] deps=nose commands=nosetests<file_sep>/toasyncio/testing.py # encoding: utf-8 from .gen import coroutine from tornado.ioloop import IOLoop import tornado.testing import tornado.platform.asyncio from functools import wraps, partial def gen_test(func=None, timeout=None): if timeout is None: timeout = tornado.testing.get_async_test_timeout() def wrap(f): @wraps(f) def pre_coroutine(self, *args, **kwargs): result = f(self, *args, **kwargs) is_coroutine = any(( isinstance(result, tornado.testing.GeneratorType), tornado.testing.iscoroutine(result) )) self._test_generator = result if is_coroutine else None return result if tornado.testing.iscoroutinefunction(f): coro = pre_coroutine else: coro = coroutine(pre_coroutine) @wraps(coro) def post_coroutine(self, *args, **kwargs): io_loop = getattr(self, "io_loop", None) io_loop = io_loop or IOLoop.instance() try: p = partial(coro, self, *args, **kwargs) assert isinstance(io_loop, tornado.platform.asyncio.AsyncIOLoop), \ "IOLoop must be instance of tornado.platform.asyncio.AsyncIOLoop" return self.io_loop.run_sync(p, timeout=timeout) except TimeoutError as e: self._test_generator.throw(e) raise return post_coroutine if func is not None: return wrap(func) else: return wrap class _AIOPropMixin: @property def aio_loop(self): return self.io_loop.asyncio_loop class AsyncTestCase(_AIOPropMixin, tornado.testing.AsyncTestCase): pass class AsyncHTTPTestCase(_AIOPropMixin, tornado.testing.AsyncHTTPTestCase): pass <file_sep>/README.rst toasyncio ========= .. image:: https://travis-ci.org/mosquito/toasyncio.svg :target: https://travis-ci.org/mosquito/toasyncio .. image:: https://img.shields.io/pypi/v/toasyncio.svg :target: https://pypi.python.org/pypi/toasyncio/ :alt: Latest Version .. image:: https://img.shields.io/pypi/wheel/toasyncio.svg :target: https://pypi.python.org/pypi/toasyncio/ .. image:: https://img.shields.io/pypi/pyversions/toasyncio.svg :target: https://pypi.python.org/pypi/toasyncio/ .. image:: https://img.shields.io/pypi/l/toasyncio.svg :target: https://pypi.python.org/pypi/toasyncio/ Write on tornado with asyncio easy. About ===== Transparent convert any asyncio futures and inline yield methods to tornado futures. Examples ======== Using :: import tornado.gen import asyncio from tornado.ioloop import IOLoop from toasyncio.gen import coroutine @coroutine def test(): print('Tornado future') yield tornago.gen.sleep(1) print('Asyncio future') yield from asyncio.sleep(1, loop=IOLoop.current().asyncio_loop) print('Done') IOLoop.current().run_sync(test) Testing :: import asyncio from tornado.gen import sleep from toasyncio.testing import gen_test, AsyncTestCase class TestBasic(AsyncTestCase): @gen_test def test_all_together(self): step = 0.1 count = 10 t0 = self.io_loop.time() for i in range(count): yield sleep(step / 2) yield from asyncio.sleep(step / 2, loop=self.aio_loop) self.assertTrue((t0 + (count * step)) <= self.io_loop.time()) <file_sep>/toasyncio/gen.py # encoding: utf-8 import types import asyncio import tornado.ioloop import tornado.gen import tornado.platform.asyncio import traceback from functools import wraps def coroutine(func): @tornado.gen.coroutine @wraps(func) def wrap(*args, **kwargs): result = func(*args, **kwargs) if not isinstance(result, types.GeneratorType): return result io_loop = tornado.ioloop.IOLoop.current() assert isinstance(io_loop, tornado.platform.asyncio.AsyncIOLoop), \ "IOLoop must be instance of tornado.platform.asyncio.AsyncIOLoop" current_future = None try: while True: if not current_future: current_future = next(result) if isinstance(current_future, types.GeneratorType): task = asyncio.tasks.Task(current_future, loop=io_loop.asyncio_loop) current_future = tornado.platform.asyncio.to_tornado_future(task) elif isinstance(current_future, asyncio.Future): current_future = tornado.platform.asyncio.to_tornado_future(current_future) elif not isinstance(current_future, (tornado.gen.Future, list)): result.throw(TypeError, 'Expected generator or future: %s' % type(current_future), result.gi_frame.f_trace) current_result = None try: current_result = yield current_future except Exception as ex: current_future = result.throw(type(ex), ex) else: current_future = result.send(current_result) except StopIteration as e: return e.value return wrap tornado.ioloop.IOLoop.configure('tornado.platform.asyncio.AsyncIOLoop') <file_sep>/tests/test_type_error.py # encoding: utf-8 from toasyncio.testing import gen_test, AsyncTestCase from tornado.stack_context import wrap from toasyncio.gen import coroutine class TestTypeError(AsyncTestCase): @gen_test def test_type_error(self): try: yield tuple() except TypeError: pass else: self.fail('TypeError not raised') <file_sep>/tests/test_basic.py # encoding: utf-8 import asyncio from tornado.gen import sleep from toasyncio.testing import gen_test, AsyncTestCase class TestBasic(AsyncTestCase): @gen_test def test_dummy(self): pass @gen_test def test_basic_func(self): print(42) @gen_test def test_basic_future(self): step = 0.1 count = 10 t0 = self.io_loop.time() for i in range(count): yield sleep(step) self.assertTrue((t0 + (count * step)) <= self.io_loop.time()) @gen_test(timeout=10) def test_basic_future_gen_timeout(self): step = 0.1 count = 10 t0 = self.io_loop.time() for i in range(count): yield sleep(step) self.assertTrue((t0 + (count * step)) <= self.io_loop.time()) @gen_test def test_aio_task(self): step = 0.1 count = 10 t0 = self.io_loop.time() for i in range(count): yield from asyncio.sleep(step, loop=self.aio_loop) self.assertTrue((t0 + (count * step)) <= self.io_loop.time()) @gen_test def test_all_together(self): step = 0.1 count = 10 t0 = self.io_loop.time() for i in range(count): yield sleep(step / 2) yield from asyncio.sleep(step / 2, loop=self.aio_loop) self.assertTrue((t0 + (count * step)) <= self.io_loop.time())
ecadb8448ec85875b0e92395076709aeb7837c66
[ "Python", "reStructuredText", "INI" ]
8
Python
mosquito/toasyncio
d3f972b0ff8779d3f2ee0a542b26d3c584595ca9
9113f2ff2c94dad489c722d69584ce8a6a6e0ded
refs/heads/main
<file_sep>const { expect } = require('chai'); const { buildUnreleasedCommitsMessage, } = require('../utils/unreleased-commits'); describe('unmerged', () => { it('can build the unmerged PRs message', () => { const commits = require('./fixtures/unreleased-commits.json'); const branch = '9-x-y'; const initiator = 'codebytere'; const message = buildUnreleasedCommitsMessage(branch, commits, initiator); const expected = `Unreleased commits in *9-x-y* (from <@codebytere>): * \`<https://github.com/electron/electron/commit/f799b6eb37cb8ef40f8f65c002fe1d752ca439ef|f799b6eb>\` build: ensure symbol files are named lowercase on disk so that boto can find them (<https://github.com/electron/electron/pull/24858|#24858>) * \`<https://github.com/electron/electron/commit/7063ba73dfe8862e02d6b1a01b7742e52bac2515|7063ba73>\` fix: do not render inactive titlebar as active on Windows (<https://github.com/electron/electron/pull/24873|#24873>) * \`<https://github.com/electron/electron/commit/f01bb5f43b384527b7f1cdebfc4e5c1d067b9af6|f01bb5f4>\` fix: increase max crash key value length (<https://github.com/electron/electron/pull/24854|#24854>)`; expect(message).to.equal(expected); }); }); <file_sep>const { appCredentialsFromString, getAuthOptionsForRepo, } = require('@electron/github-app-auth'); const { ORGANIZATION_NAME, REPO_NAME, UNRELEASED_GITHUB_APP_CREDS, } = require('../constants'); const { Octokit } = require('@octokit/rest'); let octokit; const getOctokit = async () => { if (octokit) return octokit; const creds = appCredentialsFromString(UNRELEASED_GITHUB_APP_CREDS); const authOpts = await getAuthOptionsForRepo( { owner: ORGANIZATION_NAME, name: REPO_NAME, }, creds, ); octokit = new Octokit({ ...authOpts }); return octokit; }; module.exports = { getOctokit }; <file_sep>const { getOctokit } = require('./octokit'); const { BLOCKS_RELEASE_LABEL, ORGANIZATION_NAME, REPO_NAME, } = require('../constants'); const formatMessage = pr => { return `* <${pr.html_url}|#${pr.number}>${pr.draft ? ' (*DRAFT*)' : ''} - ${ pr.title.split(/[\r\n]/, 1)[0] }`; }; function getReleaseBlockers(prs) { return prs.filter(pr => { return pr.labels.some(label => label.name === BLOCKS_RELEASE_LABEL); }); } // Fetch all PRs targeting a specified release line branch that have NOT been merged. async function fetchUnmergedPRs(branch) { const octokit = await getOctokit(); return await octokit.paginate(octokit.pulls.list, { owner: ORGANIZATION_NAME, repo: REPO_NAME, base: branch, }); } // Build the text blob that will be posted to Slack. function buildUnmergedPRsMessage(branch, prs) { if (prs.length === 0) { return `*No unmerged PRs targeting \`${branch}\`!*`; } let message = prs.map(formatMessage).join('\n'); message += `\n *${prs.length} unmerged PR(s) targeting \`${branch}\`!*`; const releaseBlockers = getReleaseBlockers(prs); if (releaseBlockers.length > 0) { message += '\n\n'; message += releaseBlockers.map(formatMessage).join('\n'); message += `\n *${releaseBlockers.length} unmerged PR(s) blocking release of \`${branch}\`!*`; } return message; } module.exports = { buildUnmergedPRsMessage, fetchUnmergedPRs, }; <file_sep>const https = require('https'); const url = require('url'); const { WebClient } = require('@slack/web-api'); const { ORGANIZATION_NAME, REPO_NAME, NUM_SUPPORTED_VERSIONS, RELEASE_BRANCH_PATTERN, SLACK_BOT_TOKEN, } = require('../constants'); const { getOctokit } = require('./octokit'); const slackWebClient = new WebClient(SLACK_BOT_TOKEN); const SEMVER_TYPE = { MAJOR: 'semver/major', MINOR: 'semver/minor', PATCH: 'semver/patch', }; const isInvalidBranch = (branches, branch) => { return !RELEASE_BRANCH_PATTERN.test(branch) || !branches.includes(branch); }; // Filter through commits in a given range and determine the overall semver type. async function getSemverForCommitRange(commits, branch) { let resultantSemver = SEMVER_TYPE.PATCH; const octokit = await getOctokit(); const allClosedPrs = await octokit.paginate(octokit.pulls.list, { owner: ORGANIZATION_NAME, repo: REPO_NAME, state: 'closed', base: branch, }); for (const commit of commits) { const prs = allClosedPrs.filter(pr => pr.merge_commit_sha === commit.sha); if (prs.length > 0) { if (prs.length === 1) { const pr = prs[0]; const isMajor = pr.labels.some( label => label.name === SEMVER_TYPE.MAJOR, ); const isMinor = pr.labels.some( label => label.name === SEMVER_TYPE.MINOR, ); if (isMajor) { resultantSemver = SEMVER_TYPE.MAJOR; } else if (isMinor) { resultantSemver = SEMVER_TYPE.MINOR; } } else { throw new Error( `Invalid number of PRs associated with ${commit.sha}`, prs, ); } } } return resultantSemver; } // Add a live PR link to a given commit. function linkifyPRs(msg) { return msg.replace( /#(\d+)/g, (_, pr_id) => `<https://github.com/${ORGANIZATION_NAME}/${REPO_NAME}/pull/${pr_id}|#${pr_id}>`, ); } async function fetchInitiator(req) { const { profile } = await slackWebClient.users.profile.get({ user: req.body.user_id, }); return { id: req.body.user_id, name: profile.display_name_normalized, }; } // Determine whether a given release is in draft state or not. async function releaseIsDraft(tag) { const octokit = await getOctokit(); try { const { data: { draft }, } = await octokit.repos.getReleaseByTag({ owner: ORGANIZATION_NAME, repo: REPO_NAME, tag, }); return draft; } catch { return false; } } // Fetch an array of the currently supported branches. async function getSupportedBranches() { const octokit = await getOctokit(); const branches = await octokit.paginate( octokit.repos.listBranches.endpoint.merge({ owner: ORGANIZATION_NAME, repo: REPO_NAME, protected: true, }), ); const releaseBranches = branches.filter(branch => { return branch.name.match(RELEASE_BRANCH_PATTERN); }); const filtered = {}; releaseBranches .sort((a, b) => { const aParts = a.name.split('-'); const bParts = b.name.split('-'); for (let i = 0; i < aParts.length; i++) { if (aParts[i] === bParts[i]) continue; return parseInt(aParts[i], 10) - parseInt(bParts[i], 10); } return 0; }) .forEach(branch => { return (filtered[branch.name.split('-')[0]] = branch.name); }); const values = Object.values(filtered); const supported = values .sort((a, b) => parseInt(a, 10) - parseInt(b, 10)) .slice(-NUM_SUPPORTED_VERSIONS); // TODO: We're supporting Electron 22 until Oct. 10, 2023. // Remove this hardcoded value at that time. if (!supported.includes('22-x-y')) { supported.unshift('22-x-y'); } return supported; } // Post a message to a Slack workspace. const postToSlack = (data, postUrl) => { const r = https.request({ ...url.parse(postUrl), method: 'POST', headers: { 'content-type': 'application/json', }, }); r.end(JSON.stringify(data)); }; module.exports = { fetchInitiator, getSemverForCommitRange, getSupportedBranches, isInvalidBranch, linkifyPRs, postToSlack, releaseIsDraft, SEMVER_TYPE, }; <file_sep>## Electron Unreleased Commit Audit [![Test](https://github.com/electron/unreleased/actions/workflows/test.yml/badge.svg)](https://github.com/electron/unreleased/actions/workflows/test.yml) [![Perform Manual Backport Audit](https://github.com/electron/unreleased/actions/workflows/needs-manual-audit.yml/badge.svg)](https://github.com/electron/unreleased/actions/workflows/needs-manual-audit.yml) [![Perform Unreleased Audit](https://github.com/electron/unreleased/actions/workflows/unreleased-audit.yml/badge.svg)](https://github.com/electron/unreleased/actions/workflows/unreleased-audit.yml) This repository allows users to query information relating to release branches on a desired repository. There are four potential actions possible: 1. Reporting commits unreleased for a specific release branch. 2. Reporting pull requests targeting a specific release branch that have not yet been merged. 3. Reporting pull requests which need to be manually backported to a particular release line. 4. Perform a pre-release audit combining actions 2 and 3. An unreleased commit audit is triggered automatically via cron job on Monday mornings at 9AM PST for all supported release branches of your repository. ### Setup This tool will default to setting the organization and repository name to [`electron/electron`](https://github.com/electron/electron), but you can set your own by setting `ORGANIZATION_NAME` and `REPO_NAME` as environment variables. You can also set the number of currently supported release lines with the `NUM_SUPPORTED_VERSIONS` env var. ### Check Unreleased An unreleased commit audit can be triggered via Slack using the following: ```sh /check-unreleased <branch_name> ``` where `branch-name` matches the name of a release line branch of the desired repository. Example: ```sh /check-unreleased 9-x-y ``` To manually query the status of all currently supported release branches: ```sh /check-unreleased all ``` ### Check Unmerged An unmerged pull request audit can be triggered via Slack using the following: ```sh /check-unmerged <branch_name> ``` where `branch-name` matches the name of a release line branch of the repository. Example: ```sh /check-unmerged 10-x-y ``` ### Check Needs Manual An audit of pull requests needing manual backport to a particular release line can be triggered via Slack using the following: ```sh /check-needs-manual <branch_name> <author> <remind> ``` where `branch_name` matches the name of a release line branch of the repository. Example: ```sh /check-needs-manual 8-x-y ``` ### Verify Upcoming Release Type An verification of the semver type of the next release for a given branch can be triggered via Slack using the following: ```sh /verify-semver <branch_name> ``` where `branch_name` matches the name of a release line branch of the repository. Example: ```sh /verify-semver <branch_name> ``` Example output: > Next release type for `12-x-y` is: **semver/patch** #### Scoping By Author This command can be scoped by author of the original PR. For example: ```sh /check-needs-manual 8-x-y codebytere ``` will return all pull requests needing manual backport to a particular release line where the author of the original PR was @codebytere ``` PRs needing manual backport to 8-x-y (from @codebytere): * #23782 - fix: volume key globalShortcut registration * #23776 - fix: asynchronous URL loading in BW Proxy * #22342 - fix: don't run environment bootstrapper There are 3 PR(s) needing manual backport to 8-x-y! ``` #### Reminding Authors You can `@mention` authors in the audit to remind them of the manual backports they need to handle: ```sh /check-needs-manual 8-x-y remind ``` This will produce a list similar to the following: ``` PR(s) needing manual backport to 8-x-y (from @codebytere): * #23782 - fix: volume key globalShortcut registration (@codebytere) * #23776 - fix: asynchronous URL loading in BW Proxy (@codebytere) * #23678 - fix: read GTK dark theme setting on Linux (@zcbenz) * #23653 - docs: errors in isolated world are not dispatched to foreign worlds (@zcbenz) * #23415 - test: skip "handles Promise timeouts correctly" when ELECTRON_RUN_AS_NODE is disabled (@miniak) * #22342 - fix: don't run environment bootstrapper (@codebytere) There are 6 PR(s) needing manual backport to 8-x-y! ``` ### Perform Pre-Release Audit A pre-release audit combines the needs-manual audit with the unmerged audit to return a full list of action items that may needs to occur before a beta or stable release. ```sh /audit-pre-release <branch_name> ``` where `branch_name` matches the name of a release line branch of the repository. Example: ```sh /audit-pre-release 8-x-y ``` ## Environment Variables If you would like to use `unreleased`, there are several environment variables you will need to leverage to customize it to serve your needs. * `ORGANIZATION_NAME` - the name of your organization, e.g. `electron`. * `REPO_NAME` - the name of the repository to run audits in, e.g. `electron`. * `NUM_SUPPORTED_VERSIONS` - the number of supported backport release lines (default is 4). * `UNRELEASED_GITHUB_APP_CREDS` - private key credentials generated for a GitHub App (required). * `SLACK_BOT_TOKEN` - the token that will be used to post audit result into a Slack workspace channel (required). * `BLOCKS_RELEASE_LABEL` - the GitHub label used to denote unmerged pull requests that should block a release (default is `blocks-release`). * `AUDIT_POST_CHANNEL` - the Slack workspace channel in which to post audit results. <file_sep>const { linkifyPRs, releaseIsDraft } = require('./helpers'); const { getOctokit } = require('./octokit'); const { graphql } = require('@octokit/graphql'); const { appCredentialsFromString, getTokenForRepo, } = require('@electron/github-app-auth'); const { BUMP_COMMIT_PATTERN, ORGANIZATION_NAME, REPO_NAME, UNRELEASED_GITHUB_APP_CREDS, } = require('../constants'); async function fetchTags() { const creds = appCredentialsFromString(UNRELEASED_GITHUB_APP_CREDS); return graphql({ query: `{ repository(owner: "electron", name: "electron") { refs(refPrefix: "refs/tags/", first: 100, orderBy: { field: TAG_COMMIT_DATE, direction: DESC }) { edges { node { name target { commitUrl } } } } } }`, headers: { authorization: `token ${await getTokenForRepo( { owner: ORGANIZATION_NAME, name: REPO_NAME, }, creds, )}`, }, }).then(({ repository }) => { return repository.refs.edges.map(edge => { const url = edge.node.target.commitUrl.split('/'); return { name: edge.node.name, prerelease: edge.node.name.includes('-'), commit_sha: url[url.length - 1], }; }); }); } // Fetch all unreleased commits for a specified release line branch. async function fetchUnreleasedCommits(branch) { const tags = await fetchTags(); const unreleased = []; let lastTag = null; const octokit = await getOctokit(); await (async () => { for await (const response of octokit.paginate.iterator( octokit.repos.listCommits, { owner: ORGANIZATION_NAME, repo: REPO_NAME, sha: branch, per_page: 100, }, )) { let foundLastRelease = false; for (const payload of response.data) { const tag = tags.find(t => t.commit_sha === payload.sha); if (tag) { const isDraft = await releaseIsDraft(tag.name); if (!isDraft) { foundLastRelease = true; lastTag = tag; break; } } // Filter out bump commits. if (BUMP_COMMIT_PATTERN.test(payload.commit.message)) continue; unreleased.push(payload); } if (foundLastRelease) { break; } } })(); return { commits: unreleased, lastTag }; } // Build the text blob that will be posted to Slack. function buildUnreleasedCommitsMessage(branch, commits, initiator) { if (!commits || commits.length === 0) return `*No unreleased commits on ${branch}*`; const formattedCommits = commits .map(c => { const prLink = linkifyPRs(c.commit.message.split(/[\r\n]/, 1)[0]); return `* \`<${c.html_url}|${c.sha.slice(0, 8)}>\` ${prLink}`; }) .join('\n'); // For unreleased commits only, we don't want to deduce slack user for auto-audit. const from = initiator === 'automatic audit' ? initiator : `<@${initiator}>`; let response = `Unreleased commits in *${branch}* (from ${from}):\n${formattedCommits}`; if (commits.length >= 10) { response += `\n *There are a lot of unreleased commits on \`${branch}\`! Time for a release?*`; } return response; } module.exports = { buildUnreleasedCommitsMessage, fetchUnreleasedCommits, };
3b8aa6ca6ede67d645ee66a68f54c6d9271889b8
[ "JavaScript", "Markdown" ]
6
JavaScript
electron/unreleased
74e7b4a264761ec1691ec4809953f25b8c9a9b1f
d29bda63be65c3b6f1a79684514697baf7e86585
refs/heads/master
<repo_name>YanzheL/adcrawler<file_sep>/services/nfsdoc/docker-compose.yml version: '3.6' services: nfs: image: itsthenetwork/nfs-server-alpine volumes: - /datastore/adimages:/nfsshare # host_directory:container_directory restart: always network_mode: host privileged: true cap_add: - SYS_ADMIN - SETPCAP environment: - SHARED_DIRECTORY=/nfsshare <file_sep>/launch.py # encoding=utf-8 import sys from scrapy import cmdline if __name__ == '__main__': cmd = 'scrapy crawl {}'.format(sys.argv[1]) cmdline.execute(cmd.split()) # cmdline.execute('scrapy crawl dataSpider'.split()) <file_sep>/push_starts.py import json from scrapy.utils.project import get_project_settings from adcrawler.scrapy_redis_bf import connection server = connection.from_settings(get_project_settings()) if __name__ == '__main__': urls = [ 'https://finance.sina.com.cn/', 'http://www.eastmoney.com/', 'https://money.163.com/', 'http://finance.ifeng.com/', 'http://business.sohu.com' ] for url in urls: task = { 'url': url, 'cur_depth': 0 } server.lpush("AdUrlSpider:url_tasks", json.dumps(task)) print(task) <file_sep>/adcrawler/pipelines/mongo.py import pymongo from twisted.internet.threads import deferToThread class MongoPipeline(object): def __init__(self, host, port, db, user, password, collection, repl=None): self.mongo_uri = "mongodb://%s:%s@%s:%s" % (user, password, host, port) self.mongo_opt = {} if repl is None else { 'replicaset': repl, 'readPreference': 'secondaryPreferred' } self.db_name = db self.collection_name = collection @classmethod def from_crawler(cls, crawler): return cls( host=crawler.settings['MONGO_HOST'], port=crawler.settings['MONGO_PORT'], db=crawler.settings['MONGO_DB'], user=crawler.settings['MONGO_USER'], password=crawler.settings['MONGO_PASSWORD'], collection=crawler.settings['MONGO_COLLECTION'], repl=crawler.settings['MONGO_REPL'] ) def open_spider(self, spider): self.client = pymongo.MongoClient(host=self.mongo_uri, **self.mongo_opt) self.db = self.client[self.db_name] self.collection = self.db[self.collection_name] def close_spider(self, spider): self.client.close() def process_item(self, item, spider): return deferToThread(self._insert, item, spider) def _insert(self, item, spider): self.collection.insert_one(dict(item)) spider.logger.info('Inserted {} to MongoDB'.format(dict(item))) return item <file_sep>/adcrawler/middlewares/midproxy.py # Importing base64 library because we'll need it ONLY in case if the proxy we are going to use requires authentication import logging from scrapy.downloadermiddlewares.httpproxy import HttpProxyMiddleware from scrapy.exceptions import NotConfigured # Start your middleware class class ProxyMiddleware(HttpProxyMiddleware): # overwrite process request provider = None DEFAULT_POOL_KEY = 'ip_list' def __init__(self, auth_encoding, pool_conf=None, pool_key=DEFAULT_POOL_KEY): super().__init__(auth_encoding) self.use_pool = False if pool_conf is not None: self.use_pool = True from redis import Redis self.pool = Redis(**pool_conf) self.pool_key = pool_key self.logger = logging.getLogger(__name__) @classmethod def from_crawler(cls, crawler): if not crawler.settings.getbool('HTTPPROXY_ENABLED'): raise NotConfigured auth_encoding = crawler.settings.get('HTTPPROXY_AUTH_ENCODING') pool_conf = None pool_key = cls.DEFAULT_POOL_KEY if crawler.settings.getbool('HTTPPROXY_USE_POOL'): pool_conf = { 'host': crawler.settings['HTTPPROXY_POOL_HOST'], 'port': crawler.settings['HTTPPROXY_POOL_PORT'], 'password': crawler.settings.get('HTTPPROXY_POOL_PASSWORD', None) } pool_key = crawler.settings.get('HTTPPROXY_POOL_KEY', cls.DEFAULT_POOL_KEY) return cls( auth_encoding, pool_conf, pool_key ) def process_request(self, request, spider): if not self.use_pool: return super().process_request(request, spider) else: fetched = self.pool.rpop(self.pool_key) if fetched: proxy_ip = "http://%s" % fetched request.meta['proxy'] = proxy_ip self.logger.info('Current used proxy: %s' % proxy_ip) <file_sep>/adcrawler/pipelines/image.py from scrapy.pipelines.images import ImagesPipeline class CustomImagesPipeline(ImagesPipeline): pass <file_sep>/adcrawler/pipelines/screenshot.py import os from hashlib import sha1 import scrapy class ScreenshotPipeline(object): """Pipeline that uses Splash to render screenshot of every Scrapy item.""" def __init__(self, screenshot_dir, max_retry=10): self.screenshot_dir = screenshot_dir self.max_retry = max_retry os.makedirs(self.screenshot_dir, exist_ok=True) @classmethod def from_crawler(cls, crawler): return cls( crawler.settings['SCREENSHOT_DIR'], crawler.settings['SCREENSHOT_RETRY_TIMES'] ) def process_item(self, item, spider): request = scrapy.Request(item["url"]) request.meta['splash'] = { 'args': { # set rendering arguments here 'html': 0, 'width': 600, 'render_all': 1, 'wait': 20 # 'url' is prefilled from request url # 'http_method' is set to 'POST' for POST requests # 'body' is set to request body for POST requests }, # optional parameters 'endpoint': 'render.png', # optional; default is render.json # 'splash_url': '<url>', # optional; overrides SPLASH_URL # 'slot_policy': scrapy_splash.SlotPolicy.PER_DOMAIN, # 'splash_headers': {}, # optional; a dict with headers sent to Splash # 'dont_process_response': False, # optional, default is False # 'dont_send_headers': False, # optional, default is False # 'magic_response': True, # optional, default is True } return self.make_dfd(request, spider, item) def make_dfd(self, request, spider, item): dfd = spider.crawler.engine.download(request, spider) dfd.addCallback(self.return_item, item) dfd.addErrback(self.process_error, spider) return dfd def process_error(self, exception, spider): spider.logger.error( '<{}> failed, exception <{}>, message <{}>, giving up...'.format(spider.name, exception.__class__.__name__, exception)) def return_item(self, response, item): if response.status not in range(200, 300): # Error happened, return item. return item # Save screenshot to file, filename will be hash of url. url_hash = sha1(item['url'].encode("utf8")).hexdigest() filename = "{}.png".format(url_hash) data = response.body with open(os.path.join(self.screenshot_dir, filename), "wb") as f: f.write(data) # Store filename in item. item["screenshot_filename"] = filename return item <file_sep>/adcrawler/spiders/ad_url_spider.py from collections.abc import Iterable from bs4 import Tag, BeautifulSoup from scrapy.http import Request from scrapy.utils.request import request_fingerprint from adcrawler.items import AdcrawlerDataTaskItem, AdcrawlerUrlTaskItem from adcrawler.spiders.ad_spider_base import AdSpiderBase from adcrawler.utils.links_process import fix_url class AdUrlSpider(AdSpiderBase): name = 'AdUrlSpider' redis_key = '{}:url_tasks'.format(name) data_key = 'data_tasks'.format(name) custom_settings = { 'ITEM_PIPELINES': { 'adcrawler.pipelines.url_task.UrlPipeline': 300, } } DEFAULT_MAX_URL_TASKS = 20000 DEFAULT_RECURSIVE_CHECK_DEPTH = 4 DEFAULT_MAX_TASK_DEPTH = 100 def make_request_from_task(self, serialized_task, **kwargs): serialized_task = str(serialized_task, 'utf8') task = self.task_decoder(serialized_task) request = Request( url=task['url'], **kwargs ) if task['cur_depth'] > self.settings.get('MAX_TASK_DEPTH', self.DEFAULT_MAX_TASK_DEPTH): return request.meta['cur_depth'] = task['cur_depth'] request.meta['splash'] = { 'args': { # set rendering arguments here 'html': 1, 'wait': 10 # 'url' is prefilled from request url # 'http_method' is set to 'POST' for POST requests # 'body' is set to request body for POST requests }, # optional parameters 'endpoint': 'render.html', # optional; default is render.json # 'splash_url': '<url>', # optional; overrides SPLASH_URL # 'slot_policy': scrapy_splash.SlotPolicy.PER_DOMAIN, # 'splash_headers': {}, # optional; a dict with headers sent to Splash 'dont_process_response': False, # optional, default is False 'dont_send_headers': False, # optional, default is False 'magic_response': True, # optional, default is True } return request def parse(self, response): self.logger.info("Parse") soup = BeautifulSoup(response.body, 'lxml') all_img_tags = filter(self.tagfilter, soup.find_all('img')) candidate_img_tags = filter(self.maybe_ad_img, all_img_tags) for candidate in candidate_img_tags: ad_url = self.get_img_ad_url(candidate) ad_src = candidate.attrs.get('src', None) ad_url = fix_url(ad_url) ad_src = fix_url(ad_src) if not ad_url or not ad_src: continue item = AdcrawlerDataTaskItem() item['url'] = ad_url item['fingerprint'] = request_fingerprint(response.request) item['ad_img_urls'] = [ad_src] yield item all_a_tags = soup.find_all('a') if self.server.llen(self.redis_key) > self.settings.get('MAX_URL_TASKS', self.DEFAULT_MAX_URL_TASKS): return for at in all_a_tags: a_url = at.attrs.get('href', None) a_url = fix_url(a_url) if not a_url: continue next_task = AdcrawlerUrlTaskItem() next_task['url'] = a_url next_task['cur_depth'] = response.meta['cur_depth'] + 1 yield next_task def maybe_ad_img(self, img_tag, cur_depth=0): if cur_depth >= self.settings.get('RECURSIVE_CHECK_DEPTH', self.DEFAULT_RECURSIVE_CHECK_DEPTH): return False if self.has_ad(img_tag): return True if self.sibling_has_ad(img_tag): return True return self.maybe_ad_img(img_tag.parent, cur_depth + 1) def get_img_ad_url(self, img_tag, cur_depth=0): if cur_depth >= self.settings.get('RECURSIVE_CHECK_DEPTH', self.DEFAULT_RECURSIVE_CHECK_DEPTH): return if not isinstance(img_tag, Tag): return if 'data-url' in img_tag.attrs: url = img_tag.attrs['data-url'] return url parent = img_tag.parent if not parent: return if parent.name == 'a' and 'href' in parent.attrs: return parent.attrs['href'] sibling_a_tags = parent.find_all("a", recursive=False) best_a, best_href = self.get_best_a_tag(sibling_a_tags) if not best_href: return self.get_img_ad_url(img_tag.parent, cur_depth + 1) return best_href @staticmethod def get_best_a_tag(a_tags): tag = None href = None for a_tag in a_tags: if 'href' not in a_tag.attrs: continue if tag is None or len(a_tag.attrs['href']) > len(tag.attrs['href']): tag = a_tag href = a_tag.attrs['href'] return tag, href @staticmethod def has_ad(element): if element is None: return False finder = lambda s: isinstance(s, str) and s.find('广告') != -1 if isinstance(element, Tag): for v in element.attrs.values(): if isinstance(v, Iterable): for i in v: if finder(i): return True elif finder(v): return True if element.string and finder(element.string): return True elif finder(element): return True return False @staticmethod def sibling_has_ad(element): if element is None: return False parent = element.parent if not parent: return False children = parent.children for child in children: if AdUrlSpider.has_ad(child): return True <file_sep>/adcrawler/spiders/ad_spider_base.py from bs4 import Tag from scrapy.utils.serialize import ScrapyJSONEncoder, ScrapyJSONDecoder from adcrawler.scrapy_redis_bf.spiders import RedisSpider class AdSpiderBase(RedisSpider): task_encoder = ScrapyJSONEncoder().encode task_decoder = ScrapyJSONDecoder().decode def next_request(self): serialized_task = self.server.rpop(self.redis_key) if serialized_task: self.logger.info("Got task {}".format(serialized_task)) return self.make_request_from_task(serialized_task, callback=self.parse, dont_filter=False) @staticmethod def tagfilter(tag): return isinstance(tag, Tag) <file_sep>/adcrawler/utils/links_process.py from urllib.parse import * # def fix_url(url): # type, path = splittype(url) # host, _ = splithost(path) # if not type: # type = 'http' # url = '{}://{}'.format(type, url) # # if type not in ('http', 'https') or not host: # return None # # return '%s://%s' % (type, host) # return url def fix_url(url): if not url: return if not isinstance(url, str): print(' Fuck type = {} '.format(type(url)).center(80, '-')) res = urlsplit(url, 'http', False) if res.scheme not in ('http', 'https'): return None if not res.netloc: return None return urlunsplit(res) def process_links(links): for link in links: link.url = fix_url(link.url) return links <file_sep>/requirements.txt scrapy bs4 scrapy-splash pymongo redis scrapy_redis pillow<file_sep>/adcrawler/middlewares/wait_random_sec.py # -*-coding:utf-8-*- import logging import time from random import * from scrapy import signals from scrapy.http import Request # import scrapy.downloadermiddlewares.retry.RetryMiddleware class WaitRandomSecMiddleware(object): DEFAULT_RANDOM_WAIT_INTERVAL_RANGE = 20 def __init__(self, interval_range=DEFAULT_RANDOM_WAIT_INTERVAL_RANGE): self.interval_range = interval_range @classmethod def from_crawler(cls, crawler): # This method is used by Scrapy to create your spiders. s = cls( crawler.settings.get('RANDOM_WAIT_INTERVAL_RANGE', None) ) crawler.signals.connect(s.spider_opened, signal=signals.spider_opened) return s def process_request(self, request, spider): return None def process_response(self, request, response, spider): if response.status == 429: waitsec = randint(1, 60) logging.info('Spider <%s> waiting for %s seconds to continue...' % (spider.name, str(waitsec))) time.sleep(waitsec) logging.info('Spider <%s> have waited %s seconds, now retry request url <%s>' % ( spider.name, str(waitsec), request.url)) return Request(url=request.url, dont_filter=True) # return request else: return response def spider_opened(self, spider): spider.logger.info('Spider opened: %s' % spider.name) <file_sep>/adcrawler/middlewares/spider_middleware.py from redis.exceptions import * from scrapy import Request class AdcrawlerSpiderMiddleware(object): def process_spider_exception(self, response, exception, spider): # Called when a spider or process_spider_input() method # (from other spider middleware) raises an exception. # Should return either None or an iterable of Response, dict # or Item objects. if isinstance(exception, ConnectionError): spider.logger.error( 'Redis connection error when parsing url, exception <{}>, message <{}>, response url <{}>, retrying...'.format( exception.__class__.__name__, exception, response.url) ) return [Request(url=response.url, callback=spider.parse, dont_filter=True)] elif isinstance(exception, ResponseError): spider.logger.critical( '<{}> failed, exception <{}>, message <{}>, now shut down...'.format(spider.name, exception.__class__.__name__, exception)) spider.crawler.engine.close_spider(spider, reason=exception) else: spider.logger.error( '<{}> failed, exception <{}>, message <{}>, response url <{}>, skipped this item'.format(spider.name, exception.__class__.__name__, exception, response.url)) return [] <file_sep>/adcrawler/spiders/ad_data_spider.py from scrapy.http import Request from adcrawler.items import AdcrawlerDataItem from adcrawler.spiders.ad_spider_base import AdSpiderBase class AdDataSpider(AdSpiderBase): name = 'AdDataSpider' redis_key = 'data_tasks' custom_settings = { 'ITEM_PIPELINES': { 'adcrawler.pipelines.screenshot.ScreenshotPipeline': 301, 'scrapy.pipelines.images.ImagesPipeline': 302, 'adcrawler.pipelines.mongo.MongoPipeline': 303 } } def parse(self, response): yield AdcrawlerDataItem(response.request.meta['task']) def make_request_from_task(self, serialized_task, **kwargs): serialized_task = str(serialized_task, 'utf8') task = self.task_decoder(serialized_task) request = Request( url=task['url'], **kwargs ) request.meta['task'] = dict(task) return request <file_sep>/adcrawler/spiders/baidu_ad_url_spider.py from bs4 import BeautifulSoup from adcrawler.items import * from adcrawler.spiders.ad_spider_base import AdSpiderBase class BaiduAdUrlSpider(AdSpiderBase): name = 'BaiduAdUrlSpider' redis_key = '{}:start_urls'.format(name) data_key = '{}:data_urls'.format(name) custom_settings = { 'ITEM_PIPELINES': { 'adcrawler.pipelines.url_pipeline.UrlPipeline': 300 } } def parse(self, response): soup = BeautifulSoup(response.body, 'lxml') node = soup.find(name='div', attrs={'id': 'content_left'}) adblocks = filter(self.adblockfilter, node.children) for adblock in adblocks: a_tag = adblock.find('a') item = AdcrawlerDataTaskItem() url = a_tag.attrs['href'] item['url'] = url item['text'] = a_tag.text next_task = AdcrawlerUrlTaskItem() next_task['url'] = url next_task['cur_depth'] = response.meta['cur_depth'] + 1 # self.logger.info(item) yield item yield next_task # self.try_yield(response, item) # self.try_yield(response, next_task) @staticmethod def adblockfilter(tag): if not isinstance(tag, Tag): return False class_names = tag.attrs['class'] for cls_nm in class_names: if cls_nm.find('result') != -1: return False return True <file_sep>/adcrawler/utils/log_formatter.py from scrapy.logformatter import * class PoliteLogFormatter(LogFormatter): def dropped(self, item, exception, response, spider): return { 'level': logging.DEBUG, 'msg': DROPPEDMSG, 'args': { 'exception': exception, 'item': item, } } def scraped(self, item, response, spider): if isinstance(response, Failure): src = response.getErrorMessage() else: src = response return { 'level': logging.INFO, 'msg': SCRAPEDMSG, 'args': { 'src': src, 'item': item, } } pass <file_sep>/adcrawler/settings.py # -*- coding: utf-8 -*- # Scrapy settings for adcrawler project # # For simplicity, this file contains only settings considered important or # commonly used. You can find more settings consulting the documentation: # # https://doc.scrapy.org/en/latest/topics/settings.html # https://doc.scrapy.org/en/latest/topics/downloader-middleware.html # https://doc.scrapy.org/en/latest/topics/spider-middleware.html import os BOT_NAME = 'adcrawler' SPIDER_MODULES = ['adcrawler.spiders'] NEWSPIDER_MODULE = 'adcrawler.spiders' # Crawl responsibly by identifying yourself (and your website) on the user-agent # USER_AGENT = 'adcrawler (+http://www.yourdomain.com)' # Obey robots.txt rules ROBOTSTXT_OBEY = False # Disable cookies (enabled by default) # COOKIES_ENABLED = False # Disable Telnet Console (enabled by default) TELNETCONSOLE_ENABLED = False # Override the default request headers: # DEFAULT_REQUEST_HEADERS = { # 'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8', # 'Accept-Language': 'en', # } # Enable or disable spider middlewares # See https://doc.scrapy.org/en/latest/topics/spider-middleware.html SPIDER_MIDDLEWARES = { 'adcrawler.middlewares.spider_middleware.AdcrawlerSpiderMiddleware': 543, } # Enable or disable downloader middlewares # See https://doc.scrapy.org/en/latest/topics/downloader-middleware.html DOWNLOADER_MIDDLEWARES = { # 'adcrawler.middlewares.midproxy.ProxyMiddleware': 800, 'adcrawler.middlewares.rotate_useragent.RotateUserAgentMiddleware': 400, 'scrapy.downloadermiddlewares.retry.RetryMiddleware': 550, 'scrapy_splash.SplashCookiesMiddleware': 723, 'scrapy_splash.SplashMiddleware': 725, 'scrapy.downloadermiddlewares.httpcompression.HttpCompressionMiddleware': 810, # 'adcrawler.middlewares.PipecrawlerDownloaderMiddleware': 543, 'adcrawler.middlewares.wait_random_sec.WaitRandomSecMiddleware': 543, 'scrapy.downloadermiddlewares.httpproxy.HttpProxyMiddleware': None, 'scrapy.downloadermiddlewares.useragent.UserAgentMiddleware': None, } # Enable or disable extensions # See https://doc.scrapy.org/en/latest/topics/extensions.html # EXTENSIONS = { # 'scrapy.extensions.telnet.TelnetConsole': None, # } # Configure item pipelines # See https://doc.scrapy.org/en/latest/topics/item-pipeline.html # ITEM_PIPELINES = { # 'adcrawler.pipelines.UrlPipeline': 300, # } # Enable and configure the AutoThrottle extension (disabled by default) # See https://doc.scrapy.org/en/latest/topics/autothrottle.html # AUTOTHROTTLE_ENABLED = True # The initial download delay # AUTOTHROTTLE_START_DELAY = 5 # The maximum download delay to be set in case of high latencies # AUTOTHROTTLE_MAX_DELAY = 60 # The average number of requests Scrapy should be sending in parallel to # each remote server # AUTOTHROTTLE_TARGET_CONCURRENCY = 1.0 # Enable showing throttling stats for every response received: # AUTOTHROTTLE_DEBUG = False # Enable and configure HTTP caching (disabled by default) # See https://doc.scrapy.org/en/latest/topics/downloader-middleware.html#httpcache-middleware-settings # HTTPCACHE_ENABLED = True # HTTPCACHE_EXPIRATION_SECS = 0 # HTTPCACHE_DIR = 'httpcache' # HTTPCACHE_IGNORE_HTTP_CODES = [] # HTTPCACHE_STORAGE = 'scrapy.extensions.httpcache.FilesystemCacheStorage' HTTPCACHE_STORAGE = 'scrapy_splash.SplashAwareFSCacheStorage' LOG_FORMATTER = 'adcrawler.utils.log_formatter.PoliteLogFormatter' SCHEDULER = "adcrawler.scrapy_redis_bf.scheduler.Scheduler" SCHEDULER_PERSIST = True SCHEDULER_QUEUE_CLASS = 'adcrawler.scrapy_redis_bf.queue.SpiderPriorityQueue' DUPEFILTER_CLASS = "adcrawler.scrapy_redis_bf.dupefilter.RFPDupeFilter" DUPEFILTER_DEBUG = True MEDIA_ALLOW_REDIRECTS = True # Configure a delay for requests for the same website (default: 0) # See https://doc.scrapy.org/en/latest/topics/settings.html#download-delay # See also autothrottle settings and docs # DOWNLOAD_DELAY = 3 # The download delay setting will honor only one of: # CONCURRENT_REQUESTS_PER_DOMAIN = 16 # CONCURRENT_REQUESTS_PER_IP = 16 # Configure maximum concurrent requests performed by Scrapy (default: 16) CONCURRENT_REQUESTS = int(os.getenv('CONCURRENT_REQUESTS', 32)) LOG_LEVEL = os.getenv('LOG_LEVEL', 'INFO') RETRY_TIMES = int(os.getenv('RETRY_TIMES', 2)) SCREENSHOT_RETRY_TIMES = int(os.getenv('SCREENSHOT_RETRY_TIMES', 5)) # Config about redis REDIS_HOST = os.getenv('REDIS_HOST', '10.245.146.40') REDIS_PORT = int(os.getenv('REDIS_PORT', 6379)) REDIS_PASSWORD = os.getenv('REDIS_PASSWORD', None) FILTER_HOST = os.getenv('FILTER_HOST', '10.245.146.40') FILTER_PORT = int(os.getenv('FILTER_PORT', 6379)) FILTER_PASSWORD = os.getenv('FILTER_PASSWORD', None) SPLASH_URL = os.getenv('SPLASH_URL', 'http://10.245.146.40:8050') MONGO_HOST = os.getenv('MONGO_HOST', '10.245.146.100') MONGO_PORT = int(os.getenv('MONGO_PORT', 37017)) MONGO_DB = os.getenv('MONGO_DB', 'ad_data') MONGO_USER = os.getenv('MONGO_USER', 'manager-rw') MONGO_PASSWORD = os.getenv('MONGO_PASSWORD', '<PASSWORD>!') MONGO_COLLECTION = os.getenv('MONGO_COLLECTION', 'data') MONGO_REPL = os.getenv('MONGO_REPL', 'nistmain') IMAGES_MIN_HEIGHT = int(os.getenv('IMAGES_MIN_HEIGHT', 0)) IMAGES_MIN_WIDTH = int(os.getenv('IMAGES_MIN_WIDTH', 90)) IMAGES_URLS_FIELD = os.getenv('IMAGES_URLS_FIELD', 'ad_img_urls') IMAGES_RESULT_FIELD = os.getenv('IMAGES_RESULT_FIELD', 'ad_img_paths') IMAGES_STORE = os.getenv('IMAGES_STORE', 'images/ad') SCREENSHOT_DIR = os.getenv('SCREENSHOT_DIR', 'images/screenshots') RANDOM_WAIT_INTERVAL_RANGE = int(os.getenv('RANDOM_WAIT_INTERVAL_RANGE', 20)) DOWNLOAD_TIMEOUT = int(os.getenv('DOWNLOAD_TIMEOUT', 30)) MAX_URL_TASKS = int(os.getenv('MAX_URL_TASKS', 20000)) RECURSIVE_CHECK_DEPTH = int(os.getenv('RECURSIVE_CHECK_DEPTH', 4)) MAX_TASK_DEPTH = int(os.getenv('MAX_TASK_DEPTH', 100))
8b3682bcc8fd9b2f5fab110edb9ce83d9c348f6d
[ "Python", "Text", "YAML" ]
17
YAML
YanzheL/adcrawler
97acf5504f7f851b65b1a438e38ffafa5cd46c7f
af1aad24f661d5f5fae9f02310b3574e58967f61
refs/heads/master
<repo_name>Paschalis/android_scripts<file_sep>/logkitty/Makefile #q=@ CROSS_COMPILE=arm-linux-androideabi- ## Common definitions CC=$(CROSS_COMPILE)gcc AS=$(CROSS_COMPILE)as AR=$(CROSS_COMPILE)ar UTIL=logkitty # Include log library, and make it position independent (requirement by OS) CFLAGS+= -llog -fPIE -pie BIN_INSTALL_DIR:=/system/bin/ .PHONY: clean all $(UTIL) all: clean install install: clean $(UTIL) $(q)echo "Installing on android device..." $(q)adb root &> /dev/null $(q)adb shell su -c "setenforce 0" $(q)adb shell su -c "mount -o remount,rw /system" $(q)adb shell 'chmod 777 $(BIN_INSTALL_DIR)' && echo "Unlocked $(BIN_INSTALL_DIR)" $(q)adb shell 'mkdir -p /sdcard/tmp' 2> /dev/null $(q)adb push $(UTIL) /sdcard/tmp/$(UTIL) 2> /dev/null $(q)adb shell su -c "mv /sdcard/tmp/$(UTIL) $(BIN_INSTALL_DIR)/$(UTIL)" $(q)adb shell su -c "chown root:root $(BIN_INSTALL_DIR)/$(UTIL)" $(q)adb shell su -c "chmod 755 $(BIN_INSTALL_DIR)/$(UTIL)" uninstall: $(q)echo "Uninstalling from android device..." $(q)adb root &> /dev/null $(q)adb shell 'mount -o remount,rw /system' && echo "Remounted /system/ as RW." 2> /dev/null $(q)adb shell 'chmod 777 $(BIN_INSTALL_DIR)' && echo "Unlocked $(BIN_INSTALL_DIR)" $(q)adb shell rm -f $(BIN_INSTALL_DIR)/$(UTIL) $(UTIL): $(q)$(CC) $(CFLAGS) $(UTIL).c -o $@ clean: $(q)rm -rf $(UTIL) <file_sep>/logkitty/README.md A super simple utility that prints on the logcat. # Usage: <TAG> <LEVEL> "quoted messsage" ## Example: logkitty mytag D "My debug message" # LEVELS: W: Warning D: Debug I: Info E: Error <file_sep>/logkitty/logkitty.c #include <stdio.h> #include <stdlib.h> #include <android/log.h> #define LOG(DEBUG_LVL,LOG_TAG,...) __android_log_print((DEBUG_LVL), (LOG_TAG), __VA_ARGS__) //Prototypes void show_usage(); int get_debug_level(char); /** * @brief A simple utility that prints output on logcat. * It is installed on /system/bin/ using make install * * @param argc * @param argv[] * * @return */ int main(int argc, char *argv[]){ if(argc!=4){ show_usage(); } char* tag = argv[1]; int debugLevel = get_debug_level(argv[2][0]); char* msg = argv[3]; LOG(debugLevel, tag, "%s", msg); return 0; } /** * @brief Choose the appropriate debug level based on the character given * * @param d * * @return */ int get_debug_level(char d){ switch (d) { case 'D': return ANDROID_LOG_DEBUG; break; case 'I': return ANDROID_LOG_INFO; break; case 'E': return ANDROID_LOG_ERROR; case 'W': return ANDROID_LOG_WARN; break; default: printf("Unnown log level given\n"); exit(-1); } } /** * @brief Print the usage and exit */ void show_usage(){ printf("Usage: <TAG> <LEVEL> \"quoted msg\"\n"); printf("Example:\n"); printf("mytag D \"My debug message\"\n"); printf("\nLEVELS:\n"); printf("W: Warning\n"); printf("D: Debug\n"); printf("I: Info\n"); printf("E: Error\n"); exit(-1); } <file_sep>/deodex/deodexer.sh #!/usr/bin/env bash ################## ## Copyright notice: ## © 2015 <NAME> ## © 2016 <NAME> ################## ################## ## Usage: odex-system-dir ## Give the directory that contains the odexed system ## The directory will be copied to the tool's directory ## so it wont modify your original copy of the system ## e.g. ## • ~/myodex ## ◦ /system ## ◦ /app ## ◦ /framework ## ◦ /priv-app ## ################## ################## ## Dependencies: ## java in $PATH ## *nix based operating system with bash ## Marshmallow/Lollipop ART system image ################## ################## ## Globals ################## UNPACK=0 PACK=1 mode=-1 ODEX_SYS="$(pwd)/system_odexed" OUT_DIR="$(pwd)/system_deodexed" framedir="$ODEX_SYS/framework" # arch_order only used for packing when chosing what arch odex to use for the dex arch_order=("x86_64" "x86" "arm64" "arm" "mips64" "mips") override_arch="" declare -i lollipop # Edit this if the link ever goes dead for oat2dex declare -r DEFAULTOAT2DEXURL="https://raw.githubusercontent.com/testwhat/SmaliEx/master/smaliex-bin/oat2dex.jar" oat2dex="java -Xmx1024m -jar tools/oat2dex.jar" SED="$SED" ################## ## Shows the usage text when called incorrectly ################## function show_usage { printf "Usage: \n%s unpack <odex-system-directory>\n%s pack [arch]\n" "$0" "$0" exit } ################## ## Delete previous files and make a fresh copy of the system files ## So it won't make any modifications to your original copy ################## function clean_workspace { printf "\n\n##Cleaning previous stuff\n" rm -rf "${ODEX_SYS:?}" rm -rf "${OUT_DIR:?}" printf "Copying odex Directory: %s\n" "$ODEX_ORIG" cp -R "$ODEX_ORIG" "$ODEX_SYS" } ################## ## Determines whether the file given needs to be deodexed ## It gets this info by looking inside the file, searching for classes.dex ## files ## $1 File to check ################## function needsDeodex { filedir="$1" extension=$(getExtension "$filedir") if [[ -z $extension ]]; then return 0 fi hasDex=$(unzip -Z1 "$filedir$extension" | grep classes.dex) if [[ $hasDex == "" ]]; then return 0 else return 1 fi } ################## ## Check if $(basename "$1").{apk,jar} exists, return either '.apk' or '.jar' on sucess ## $1 The file to check ################## function getExtension { if [[ -f "$1.apk" ]] ; then echo ".apk" elif [[ -f "$1.jar" ]] ; then echo ".jar" else echo "" fi } ################## ## finds the filenames (w/o the extension) of jars that have odex code in framework/oat ## $1 The framework directory ## $2 Boolean Is this directory of the boot classpath? ################## function getFrameworkFiles { framedir="$1" isBootClasspath="$2" if [ "$isBootClasspath" -eq 1 ]; then while IFS= read -r -d '' file; do if [[ $file != *"\-classes"* ]]; then frameworkFiles+=("$(basename "${file%.dex}")"); fi done < <(find "$framedir/$arch/dex" -maxdepth 2 -regex ".*\.\(dex\)" -print0) else if [[ $lollipop -eq 1 ]]; then while IFS= read -r -d '' file; do frameworkFiles+=("$(basename "${file%.odex}")"); done < <(find "$framedir/$arch" -maxdepth 2 -regex ".*\.\(odex\)" -print0) else while IFS= read -r -d '' file; do frameworkFiles+=("$(basename "${file%.odex}")"); done < <(find "$framedir/oat/$arch" -maxdepth 2 -regex ".*\.\(odex\)" -print0) fi fi } ################## ## Unpack the boot.oat (boot classpath code) ################## function unpack_bootoat { printf "\n\n## Unpacking framework %s (boot-classpath)\n" "$arch" if [ ! -d "$framedir/$arch/odex" ]; then $oat2dex boot "$framedir/$arch/boot.oat" fi } ################## ## Unpacks the rest of the framework (non-boot) ################## function unpack_nonboot { printf "\n\n## Unpacking framework %s (non-boot-classpath)\n" "$arch" frameworkFiles=() getFrameworkFiles "$framedir" 0 for frame in "${frameworkFiles[@]}"; do if needsDeodex "$framedir/$frame"; then if [[ $lollipop -eq 1 ]]; then $oat2dex "$framedir/$arch/$frame.odex" "$framedir/$arch/odex" else $oat2dex "$framedir/oat/$arch/$frame.odex" "$framedir/$arch/odex" fi fi done } ################## ## Generates dex code from oat files for the apks ## ## $1 which applications to unpack? app or priv-app ################## function unpack_apks { printf "\n\n## Unpacking APKs (%s)\n" "$(basename "$1")" find "$1" -type d -maxdepth 1 -print0 | while IFS= read -r -d '' app; do for app_arch in "${arch_order[@]}"; do if [[ -d "$app/oat/$app_arch" ]] && [[ -d "$framedir/$app_arch/odex" ]]; then if needsDeodex "$app/$(basename "$app")"; then $oat2dex "$app/oat/$app_arch/$(basename "$app").odex" "$framedir/$app_arch/odex" fi fi done done } ################## ## Generates dex code from Lollipop style oat files for the apks ## ## $1 which applications to unpack? app or priv-app ################## function unpack_apks_lollipop { printf "\n\n## Unpacking Lollipop APKs (%s)\n" "$(basename "$1")" find "$1" -type d -maxdepth 1 -print0 | while IFS= read -r -d '' app; do for app_arch in "${arch_order[@]}"; do if [[ -d "$app/$app_arch" ]] && [[ -d "$framedir/$app_arch/odex" ]]; then if needsDeodex "$app/$(basename "$app")"; then $oat2dex "$app/$app_arch/$(basename "$app").odex" "$framedir/$app_arch/odex" fi fi done done } ################## ## Pack boot and non-boot dex files ################## function pack_framework { # Check if this system has the specified arch in it's frameworks if [[ $lollipop -eq 1 ]] && [[ ! -d "$framedir/$arch" ]]; then return elif [[ ! -d "$framedir/oat/$arch" ]]; then return fi printf "\n\n## Packing framework %s (non-boot-classpath)\n" "$arch" frameworkFiles=() getFrameworkFiles "$framedir" 0 for frame in "${frameworkFiles[@]}"; do if needsDeodex "$framedir/$frame"; then # Move all class files to apks dir if [[ $lollipop -eq 1 ]]; then mv "$framedir/$arch/$frame.dex" "$framedir/classes.dex" else mv "$framedir/oat/$arch/$frame.dex" "$framedir/classes.dex" fi # multi-dex support (move all extra dex files) if [[ $lollipop -eq 1 ]]; then find "$framedir/$arch" -name "$frame-classes*.dex" -print0 | while IFS= read -r -d '' classFile; do newLoc=$($SED "s|\(.*\)\($arch\)\(/$frame-\)\(.*\)|\1\4|g" <<< "$classFile") mv "$classFile" "$newLoc" done else find "$framedir/oat/$arch" -name "$frame-classes*.dex" -print0 | while IFS= read -r -d '' classFile; do newLoc=$($SED "s|\(.*\)\(oat/$arch\)\(/$frame-\)\(.*\)|\1\4|g" <<< "$classFile") mv "$classFile" "$newLoc" done fi extension=$(getExtension "$framedir/$frame") # Pack the classes back in the jar/apk file if [[ ($extension == *".apk" || $extension == *".jar") && -f "$framedir/$frame$extension" ]]; then printf "Packing %s\n" "$frame$extension" find "$framedir" -name "classes*.dex" -print0 | while IFS= read -r -d '' class; do (cd "${class%$(basename "$class")}" && zip "$framedir/$frame$extension" "$(basename "$class")") done fi while IFS= read -r -d '' dex; do rm -f "${dex:?}"; done < <(find "$framedir" -type f -name "classes*.dex" -print0) fi done if [[ ! $lollipop -eq 1 ]]; then rm -rf "${framedir:?}/oat" fi printf "\n\n## Packing framework %s (boot-classpath)\n" "$arch" frameworkFiles=() getFrameworkFiles "$framedir" 1 for frame in "${frameworkFiles[@]}"; do if needsDeodex "$framedir/$frame"; then # Move all class files to apks dir mv "$framedir/$arch/dex/$frame.dex" "$framedir/classes.dex" # multi-dex support (move all extra dex files) find "$framedir/$arch/dex" -name "$frame-classes*.dex" -print0 | while IFS= read -r -d '' classFile; do newLoc=$($SED "s|\(.*\)\($arch/dex\)\(/$frame-\)\(.*\)|\1\4|g" <<< "$classFile") mv "$classFile" "$newLoc" done extension=$(getExtension "$framedir/$frame") if [[ ($extension == *".apk" || $extension == *".jar") && -f "$framedir/$frame$extension" ]]; then printf "Packing %s\n" "$frame$extension" find "$framedir" -name "classes*.dex" -print0 | while IFS= read -r -d '' class; do (cd "${class%$(basename "$class")}" && zip "$framedir/$frame$extension" "$(basename "$class")") done fi while IFS= read -r -d '' dex; do rm -f "${dex:?}"; done < <(find "$framedir" -type f -name "classes*.dex" -print0) fi done } ################## ## Packs the dex code back to the application ## ## $1 which applications to pack: app or priv-app ################## function pack_apks { printf "\n\n## Packing APKs %s\n" "($(basename "$1"))" find "$1" -type d -maxdepth 1 -print0 | while IFS= read -r -d '' app; do for app_arch in "${arch_order[@]}"; do if ( [[ $lollipop -eq 1 ]] && [[ -d "$app/$app_arch" ]] ) || [[ -d "$app/oat/$app_arch" ]]; then if needsDeodex "$app/$(basename "$app")"; then printf "Packing %s with %s dex\n" "$(basename "$app")" "$app_arch" if [[ $lollipop -eq 1 ]]; then # Move all class files to apks dir mv "$app/$app_arch/$(basename "$app").dex" "$app/classes.dex" # multi-dex support (move all extra dex files) find "$app/$app_arch" -name "$(basename "$app")-classes*.dex" -print0 | while IFS= read -r -d '' classFile; do newLoc=$($SED "s|\(.*\)\($app_arch\)\(/$(basename "$app")-\)\(.*\)|\1\4|g" <<< "$classFile") mv "$classFile" "$newLoc" done else # Move all class files to apks dir mv "$app/oat/$app_arch/$(basename "$app").dex" "$app/classes.dex" # multi-dex support (move all extra dex files) find "$app/oat/$app_arch" -name "$(basename "$app")-classes*.dex" -print0 | while IFS= read -r -d '' classFile; do newLoc=$($SED "s|\(.*\)\(oat/$app_arch\)\(/$(basename "$app")-\)\(.*\)|\1\4|g" <<< "$classFile") mv "$classFile" "$newLoc" done fi # pack classes into the apk and delete them find "$app" -name "classes*.dex" -print0 | while IFS= read -r -d '' class; do (cd "${class%$(basename "$class")}" && zip "$app/$(basename "$app").apk" "$(basename "$class")") done if [[ $lollipop -eq 1 ]]; then # Shellcheck warns about ls -l, but we are using ls -1 to force a single file per line and then counting the lines. This advoids the issue with weird characters and symbols needing to be escaped # shellcheck disable=SC2012 while IFS= read -r -d '' dir; do if [[ $(ls -1 "$dir/"*.odex 2>/dev/null | wc -l) -gt 0 ]]; then rm -rf "${dir:?}"; fi done < <(find "$app" -type d -print0) fi while IFS= read -r -d '' dex; do rm -f "${dex:?}"; done < <(find "$app" -type f -name "classes*.dex" -print0) fi break fi done if [[ -d "$app/oat" ]]; then rm -rf "${app:?}/oat" fi done } ################# ## Verify that files now have the dex code ## $1 The directory to check ## $2 The maxdepth to search(Should be 1 for framework directories and 2 for app directories) ################# function verify_deodex { printf "\n\n## Verifying: %s\n" "$(basename "$1")" find "$1" -maxdepth "$2" -type f -regex ".*\.\(apk\|jar\)" -print0 | while IFS= read -r -d '' file; do extension=$(getExtension "$file") fileNoExtension=$($SED 's/\.[^.]*$//' <<< "$file") if [[ "$fileNoExtension" != "framework-res" ]] && needsDeodex "$fileNoExtension"; then printf "No dex code for: %s\n" "$file" 2>&1 return 1 fi done return 0 } ################# ## Helper fuction see if we are on Lollipop. Lollipop's ART is weird compared to the final version and requires special handling/ ################# function setup_vars { if ( [[ -f "$1/build.prop" ]] && ( grep -q "ro.build.version.release=5" "$1/build.prop" ) ) || ( [[ -f "$1/default.prop" ]] && ( grep -q "ro.build.version.release=5" "$1/default.prop" ) ); then printf "Detected Lollipop(5.x.x) omitting 'oat' from odex path!\n" lollipop=1 fi } ################## ## It unpacks the system directories ## app ## framework ## app-priv ## ## It copies the input system directory given, to a new one ## just not to mess with the original files ################## function unpack { clean_workspace setup_vars "$ODEX_SYS" find "$framedir" -type d -print0 | while IFS= read -r -d '' dir; do if [[ -f "$dir/boot.oat" ]]; then arch=$(basename "$dir") unpack_bootoat unpack_nonboot fi done if [[ $lollipop -eq 1 ]]; then if [[ -d "$ODEX_SYS/app" ]]; then unpack_apks_lollipop "$ODEX_SYS/app" fi if [[ -d "$ODEX_SYS/priv-app" ]]; then unpack_apks_lollipop "$ODEX_SYS/priv-app" fi else if [[ -d "$ODEX_SYS/app" ]]; then unpack_apks "$ODEX_SYS/app" fi if [[ -d "$ODEX_SYS/priv-app" ]]; then unpack_apks "$ODEX_SYS/priv-app" fi fi } ################## ## It packs the system directories ## IMPORTANT: framework has to be packed last, because the odex files from the ## bootclass path are used by the rest of the classpath, and all the apks ################## function pack { if [[ ! -d "$ODEX_SYS" ]]; then printf "Run unpack first!\n" 2>&1 show_usage exit fi setup_vars "$ODEX_SYS" if [[ ! -z "$override_arch" ]]; then # Make the override arch the only arch avaiable arch_order=("$override_arch") fi if [[ -d "$ODEX_SYS/app" ]]; then pack_apks "$ODEX_SYS/app" fi if [[ -d "$ODEX_SYS/priv-app" ]]; then pack_apks "$ODEX_SYS/priv-app" fi packed=0 for arch in "${arch_order[@]}"; do if [[ -d "$framedir/$arch" ]]; then # Only pack the first one that comes up, all the others are discarded. if [[ ! $packed -gt 0 ]]; then pack_framework; packed=1; fi rm -rf "${framedir:?}/${arch:?}" fi done } ################## ## Verify: basically prints out the files that do not contain dex code ## and renames the build directory ################## function verify { if ! verify_deodex "$framedir" 1; then printf "Verify Failed: %s" "$framedir!"; exit; fi if ! verify_deodex "$ODEX_SYS/app" 2; then printf "Verify Failed: %s" "$ODEX_SYS/app!"; exit; fi if ! verify_deodex "$ODEX_SYS/priv-app" 2; then printf "Verify Failed: %s" "$ODEX_SYS/priv-app!"; exit; fi mv "$ODEX_SYS" "$OUT_DIR" printf "Deoxeded system found at: %s" "$OUT_DIR" } ################## ## Fix: Re-symlink libs and fix permissions on them ## $1 The path of the system directory ################## function fix_libs { printf "\n\n## Fixing app libs\nWARNING! This section requires super user access to change permissions to what they would be expected on Android\n" read -p "Do you want to continue? (Y/n): " -r -n1 -s response printf "%s\n" "$response" # Silence the regular printing and print the input ourselves(this prevents double newline) if [[ "$response" == "n" ]] || [[ "$response" == "N" ]]; then exit fi SUDO="" if [[ -z $(which "sudo") ]] && [[ $EUID != 0 ]]; then # Shellcheck warns about having a variable name inside of single quotes since single quotes don't expand. However I wanted to literally print the string '$EUID' so ignore the warning # shellcheck disable=SC2016 printf 'ERROR! Not running as root($EUID != 0) and no sudo binary found(which "sudo" returned null)\n' 2>&1 exit elif [[ ! -z $(which "sudo") ]] && [[ $EUID != 0 ]]; then SUDO='sudo' fi archs64=("x86_64" "arm64" "mips64") archs32=("x86" "arm" "mips") system_dir="$1" printf "\n\n## Fixing app libs in (/app)\n" find "$system_dir/app" -type d -print0 | while IFS= read -r -d '' app; do if [[ -d "$system_dir/app/$(basename "$app")/lib" ]]; then for arch64 in "${archs64[@]}"; do if [[ -d "$system_dir/app/$(basename "$app")/lib/$arch64" ]]; then find "$system_dir/app/$(basename "$app")/lib/$arch64" -type f -regex ".*\.\(so\)" -print0 | while IFS= read -r -d '' sharedobject; do if [[ (! -L "$sharedobject") && (-f "$sharedobject")]]; then echo "Fixing $arch64 $sharedobject" $SUDO ln -sf "../app/$(basename "$app")/lib/$arch64/$(basename "$sharedobject")" "$system_dir/lib64/" $SUDO chown 0:0 "$system_dir/lib64/$(basename "$sharedobject")" $SUDO chmod 0644 "$system_dir/lib64/$(basename "$sharedobject")" fi done break fi done for arch32 in "${archs32[@]}"; do if [[ -d "$system_dir/app/$(basename "$app")/lib/$arch32" ]]; then find "$system_dir/app/$(basename "$app")/lib/$arch32" -type f -regex ".*\.\(so\)" -print0 | while IFS= read -r -d '' sharedobject; do if [[ (! -L "$sharedobject") && (-f "$sharedobject")]]; then echo "Fixing $arch32 $sharedobject" $SUDO ln -sf "../app/$(basename "$app")/lib/$arch32/$(basename "$sharedobject")" "$system_dir/lib/" $SUDO chown 0:0 "$system_dir/lib/$(basename "$sharedobject")" $SUDO chmod 0644 "$system_dir/lib/$(basename "$sharedobject")" fi done break fi done fi done printf "\n\n## Fixing app libs in (/priv-app)\n" find "$system_dir/priv-app" -type d -print0 | while IFS= read -r -d '' app; do if [[ -d "$system_dir/priv-app/$(basename "$app")/lib" ]]; then for arch64 in "${archs64[@]}"; do if [[ -d "$system_dir/priv-app/$(basename "$app")/lib/$arch64" ]]; then find "$system_dir/priv-app/$(basename "$app")/lib/$arch64" -type f -regex ".*\.\(so\)" -print0 | while IFS= read -r -d '' sharedobject; do if [[ (! -L "$sharedobject") && (-f "$sharedobject")]]; then echo "Fixing $arch64 $sharedobject" mkdir -p "$system_dir/lib64/" $SUDO ln -sf "../priv-app/$(basename "$app")/lib/$arch64/$(basename "$sharedobject")" "$system_dir/lib64/" $SUDO chown 0:0 "$system_dir/lib64/$(basename "$sharedobject")" $SUDO chmod 0644 "$system_dir/lib64/$(basename "$sharedobject")" fi done break fi done for arch32 in "${archs32[@]}"; do if [[ -d "$system_dir/priv-app/$(basename "$app")/lib/$arch32" ]]; then find "$system_dir/priv-app/$(basename "$app")/lib/$arch32" -type f -regex ".*\.\(so\)" -print0 | while IFS= read -r -d '' sharedobject; do if [[ (! -L "$sharedobject") && (-f "$sharedobject")]]; then echo "Fixing $arch32 $sharedobject" mkdir -p "$system_dir/lib/" $SUDO ln -sf "../priv-app/$(basename "$app")/lib/$arch32/$(basename "$sharedobject")" "$system_dir/lib/" $SUDO chown 0:0 "$system_dir/lib/$(basename "$sharedobject")" $SUDO chmod 0644 "$system_dir/lib/$(basename "$sharedobject")" fi done break fi done fi done } ################## ## Begin script setup ################## # Check number of arguments is either one or two if [ $# -ne 1 ] && [ $# -ne 2 ] ; then # Show the proper usage show_usage exit fi # Check the arguments as it relates to the specified command if [ $# -eq 2 ] && [ "$1" == "unpack" ]; then mode=$UNPACK ODEX_ORIG="$2" elif ( [ $# -eq 1 ] || [ $# -eq 2 ] ) && [ "$1" == "pack" ]; then if [ $# -eq 2 ]; then override_arch="$2" fi mode=$PACK else # Show the proper usage printf "Invalid arguments! Usage:\n" 2>&1 show_usage exit fi # Should we use some other sed binary? if [[ -z "$SED" ]]; then # No override found, default to 'sed' SED="sed" fi # Check for java if [[ -z "$(which java)" ]] && ( [[ -z "$JAVA_HOME" ]] || [[ ! -e "$JAVA_HOME/bin/java" ]] ); then printf "\n\n## java not found in path and either JAVA_HOME is not set or JAVA_HOME/bin/java doesn't exist! ##\n" 2>&1 exit fi # If JAVA_HOME is setup correctly and bin/java exists while no java exists in the PATH change the default oat2dex command if [[ -z "$(which java)" ]] && ( [[ ! -z "$JAVA_HOME" ]] || [[ -e "$JAVA_HOME/bin/java" ]] ); then oat2dex="$JAVA_HOME/bin/java -Xmx1024m -jar tools/oat2dex.jar" fi # Do we need to download oat2dex? if [[ ! -f "tools/oat2dex.jar" ]]; then # Prevision to override the download url in case of it going dead if [[ -z "$OAT2DEXURL" ]]; then OAT2DEXURL="$DEFAULTOAT2DEXURL" fi printf "\noat2dex.jar not found!\nDownloading copy from %s to %s\n" "$OAT2DEXURL" "$(pwd)/tools" mkdir -p "tools" # Using curl since almost all *nix operating systems have it. While some *cough* OSX *cough* don't come with it in their base install (cd "tools" && curl --remote-name "$OAT2DEXURL") fi # Check to make sure download didn't fail if [[ ! -f "tools/oat2dex.jar" ]]; then printf "\n\n## tools/oat2dex.jar not found! Did the automatic download fail? ##\n" 2>&1 exit fi ################## ## End script setup ################## ################## ## Main ################## if [ $mode -eq $UNPACK ]; then unpack elif [ $mode -eq $PACK ]; then pack && verify && fix_libs "$OUT_DIR" fi <file_sep>/Readme.md # Folders contaiin ## deoxex A simple script that deodexes Lollipop(ART)+ Android system partitions. It results in a deodexed framework ~~with corrupted Google Apps~~(shouldn't cause corrupted apps anymore!). It uses the projects [SmaliEx](https://github.com/testwhat/SmaliEx) and [smali](https://github.com/JesusFreke/smali) by @testwhat and @JesusFreke respectively. <file_sep>/deodex/README.md # Diclaimer I 've written this small script just because I wanted to get some hooks into the core libraries, using the framework. I think I have fixed the bugs in this script that caused this, I have not tested on device yet though: > The script is provided with the waranty that will make your device unusable as most of the Google Apps will be broken. > > However, you can bake a deodex rom, if you follow this steps: > * after lot of pain and effort, enable usb debugging > * force install the android keyboard (so you can write) > * force install the Android System Webview (so you can see the "Login with Google" activities) > * force install the Google Play services > > Then, after a reboot, you won't see any more "* has stopped" messages. > And to make it a proper rom, you will have to put these apps back to the system partition. > > I do not recommend using it. Thanks @JesusFreke for [smali](https://github.com/JesusFreke/smali), and @testwhat for oat2dex included in [SmaliEx](https://github.com/testwhat/SmaliEx). # Usage There are two functionalities. Unpacking the dex code from relevant places (boot.oat, and odex files). And packing the dex code to the relevant files (jars and apks). ## Typical workflow ./deodexer.sh unpack <system-directory> Do smali tinkering (you are responsible for repacking dex). ./deodexer.sh pack ## 0 Get necessary files from device • e.g. {{{ mkdir system-orig adb pull /system/framework system-orig adb pull /system/app system-orig adb pull /system/priv-app system-orig }}} ## 1 ./deodexer.sh unpack <system-directory> Give the path to the system directory I.E. `<path to android root>/system` The directory will be copied to the tool's directory so it wont modify your original copy of the system It should contain the following files: • /system ◦ /build.prop or default.prop ◦ /app ◦ /framework ◦ /priv-app ## 2 ./deodexer.sh pack [arch] The arch paramater is optional, if provided it will override the instruction set ordering when there is more than one. This will force that arch's decompiled odex to be used in repacking. For valid values see here: https://android.googlesource.com/platform/art/+/master/dex2oat/dex2oat.cc#235 ## 3. Send deodex files to device • e.g. {{{ cd system_deodexed adb push app /system/ adb push framework /system/ adb push priv-app /system/ adb push lib /system/ }}} # Dependencies: * GNU sed * OS X: OS X doesn't come with a fully GNU compataible sed install one from homebrew or ports. If you choose not to overwrite the existing sed set the SED environment variable to either the executable name that can be found in your PATH or the fully qualified path to the executable. `SED=gsed && ./deodexer.sh <unpack|pack> * [brew install gnu-sed](http://brewformulas.org/GnuSed) * [sudo port install gsed](https://trac.macports.org/browser/trunk/dports/textproc/gsed/Portfile) * Java for oat2dex * curl if 'tools/oat2dex.jar' is missing * Note: If for some reason the [default download url](https://raw.githubusercontent.com/testwhat/SmaliEx/master/smaliex-bin/oat2dex.jar) goes dead you can override it by setting OAT2DEXURL="http://..." && ./deodexer.sh <unpack|pack> * Lollipop(ART enabled) or later system files # Devices tested • Nexus 6 ◦ on Ubuntu host
17e548ee1f584c0a51f1249b702daa6754578efb
[ "Markdown", "C", "Makefile", "Shell" ]
6
Makefile
Paschalis/android_scripts
3a0a4efa951202277954c9d323445c966c37a69d
fe67412679ea38fcee7a1a528a0be5405ad2e41d
refs/heads/master
<file_sep># Analyzing your Meteobike Data in QGIS [QGIS](https://qgis.org) is a free and open-source Geographic Information System (GIS) that allows us to perform advanced geographical analysis of the data obtained from one or multiple Meteobike systems. It runs on Linux, Mac OSX, Windows and other systems. ## Installing QGIS Download [QGIS](https://qgis.org) and follow installation instructions, incluing the correct Python version. Here is a [short video](https://youtu.be/b9FwI0GyAGQ), explaining the installation process. ## Importing and map Meteobike data in QGIS In a first step, we would like to import and map your Meteobike dataset. ### Set-up OSM as background map in QGIS Open [QGIS](https://qgis.org) and create a new project using `Project` > `New` >. Save the new project under `Project` > `Save As...`. In the 'Browser' to the left, click on `XYZ Tiles` and double click `OpenStreetMap`. Open Street Map tiles will be shown. At first, you will see the entire Earth. Use the cursor and zoom fuction to navigate to the city of your data. ![Images/QGIS_OSMFull.png](Images/QGIS_OSMFull.png) ### Importing Meteobike data to QGIS You can import any .csv file into QGIS. This means, you can directly input the raw datafiles from the Meteobike system. Alternatively, you can also data that has been filtered and merged into a single file from multiple systems. Use Menu `Layer` > `Add Layer` > `Add Delimited Text Layer...` to add data from one or multiple meteobike systems. ![Images/QGIS_CSVImport.png](Images/QGIS_CSVImport.png) Select the file of your interest (by clicking on the `...`-button in the upper right). Under 'File Format' select `CSV (comma separated values)`, under 'Record and Field Options' select `First record has field names` and `Detect field types`. Under 'Geometry Definition' it should automatically select 'Longitude' as `x field` and 'Latitude' as `y field`. 'Sample Data' displays your measurement dataset. Check if everything looks OK and then click `Add`. Your measurements will be displayed as single points. Right click on the new layer and select `Properties...` to customize the display. You can display the measured values as numeric labels next to the points. To do this, select 'Labels' and choose for example the 'Temperature' field to show numeric values of temperatures measured at that point: ![Images/QGIS_LayerOptions.png](Images/QGIS_LayerOptions.png) Each point is displayed along with the measured temperature: ![Images/QGIS_Labels.png](Images/QGIS_Labels.png) You can further color-code the points based on measured temperatures. Right click again on the new layer and select `Properties...`. Here you can select `Symbology` and choose `Graduated` as the model: ![Images/QGIS_ColorByValue.png](Images/QGIS_ColorByValue.png) Under 'Column' select the field from the Meteobike dataset you would like to colorize (e.g. temperature differences). Unter 'Method' choose `Color`. Under 'Color ramp' you can choose from a variety of color bars (and also invert them, as done in the example). Below is the list that assigns colors to values. The example uses Quantile mapping with 13 classes. Click `Classify` to update the color ramp, then `OK` to apply it to the map: ![Images/QGIC_SampleGraduated.png](Images/QGIS_SampleGraduated.png) ## Create statistics of temperatures in a specific area. Next assume, you would like to calculate average temperatures measured in different parks and contrast them. To do this, you need to select points based on geographic location - in some areas in complex, irregular shapes. One option to achieve this is through a 'spatial join' - a basic geographic operation selecting elements that are within another one. First you have to define the geographic areas in which you would like to sample measurements. In our example we will select temperatures in different parks, however, this approach can be applied to any other geographic dataset - including imported shape files, 'Local Climate Zones' (LCZ) or raster datasets on land cover classes (see below for examples). ### Create polygons of the areas of interest Before you draw the areas, you must create a new layer. Select Menu `Layer` > `Create Layer` > `New Shapefile Layer...`. Under 'File name' select an appropriate name (here, we will call it `parks.shp`) and use the `...`-button to store the shape file locally. As 'Geometry type' choose `Polygon`. You can later add properties to each polygon such as a name of the park (or LCZ, size of the park etc.). As an example, we will now simply create a field `Name` to enter the known local name of each park. Enter "Name" and and click `Add to Fields List`. Then click `OK` to create the shape file. Under `Layers` you will now see a new layer called "Parks". Right-click on the 'Parks'-layer and select `Toggle Editing`. Then click the polygon-drawing icon (![Images/QGIS_Polygon.png](Images/QGIS_Polygon.png)) to draw a first park area: ![Images/QGIS_DrawPolygon.png](Images/QGIS_DrawPolygon.png) Close the polygon by right-clicking. A dialog will appear to enter ID and Name (and any other properties you have previously defined). Enter and click `OK`: ![Images/QGIS_PolygonDialog.png](Images/QGIS_PolygonDialog.png) You can finish here, or add additional polygons for additional parks. In the end, after drawing one or multiple polygons, click again on `Toggle Edit` and save the shape file layer. ### Calculate statistics from points within polygon In a next step you would like to select all measurements inside the selected polygon and calculate statistics based on only those points taht fall within the area. This is a more complex task, so you need the "Toolbox" for this. Select menu `Processing` > `Toolbox`. The toolbox appears on the right hand side of the map: In the toolbox choose select `Vector general` > `Join attributes by location (summary)`: ![Images/QGIS_JoinAttributesLoc.png](Images/QGIS_JoinAttributesLoc.png) As 'Input Layer' choose your polygon-layer (i.e. 'parks.shp'). As join layer choose your points with temperatures from the meteobike dataset. Under 'Geometric predictate' you should choose `contains` and under 'Fields to summarize' you select the field from the meteobike dataset to create statistics from (i.e. Temperature). Then click on `run`. This will first select all points that fall within the polygon and then calculate statistics from those points and write them to the polygon as attributes. A new layer `Joined layer` will be created. You can rename the layer. Right-click on the new `Joined layer` and select `Open Attribute Table`. You will now see a list of all parks with the statistics of the points (i.e. temperatures) displayed: ![Images/QGIS_Table.png](Images/QGIS_Table.png) ### Create a gridded map of the heat island Essentially the same procedure can also be used to aggregate the measured datapoints in a gridded map. QGIS has an option to create different grids as polygon layers. To create a grid, select menu `Vector` > `Research Tools` > `Create grid...`: ![Images/QGIS_CreateGrid.png](Images/QGIS_CreateGrid.png) Because it is trendy, you can choose as grid type `Hexagon (polygon)`. To define the area that should be gridded, you can `Select canvas extent` by clicking on the `...` button. Choose an appropriate grid size, e.g. 250 m and click `Run`. A new grid layer will be generated. ![Images/QGIS_HexagonGrid.png](Images/QGIS_HexagonGrid.png) In the next step you can repeat what has been described above for the parks, but replace the parks with the grid polygons - Go to the `Toolbox` and select again `Vector general` > `Join attributes by location (summary)`. As 'Input Layer' choose the newly created grid layer )(the hexagons). As join layer choose again your points with temperatures from the meteobike dataset. It is recommended to select a limited number fields for startstics (only the ones you need) otherwise the operation will take a long time to be computed. A new grid layer will be generated which is showing only cells where measurements are located within. You can right-click the new layer and choose `Properties...` attribute a color coding to the grid cells under `Symbology`. Choose `Graduated` as the model. ![Images/QGIS_GridColoring.png](Images/QGIS_GridColoring.png) This way you finally get fancy heat map: ![Images/QGIS_HexagonHeatMap.png](Images/QGIS_HexagonHeatMap.png) ## Combining the Meteobike data with raster data Some data sources such as Digital Elevation Models (DEM) or vegetation indices are provided in raster format, rather than vector format. In some application we would like to attribute values from rasters to our Meteobike measurements, or perform more detailed releif analysis. ### Importing a DEM and displaying the countour lines As an example, we can import a DEM and combine it with the measurements from our Meteobikes. There are several free, globla DEMs available including - [Copernicus Data EU DEM 1.1](https://land.copernicus.eu/imagery-in-situ/eu-dem/eu-dem-v1.1) - [ASTER Global Digital Elevation Model](https://asterweb.jpl.nasa.gov/gdem.asp) - [Space Shuttle Radar Topography Mission (SRTM)](https://earthexplorer.usgs.gov) for elevation data you can also use the USGS [Global Data Explorer](https://earthexplorer.usgs.gov). Use the navigation tools on the website to zoom to the area of your interest. With the rectangular selection tool you can select an area to be downloaded: ![Images/QGIS_DataExplorer.png](Images/QGIS_DataExplorer.png) If you create a free user account, you can download the ASTER Global DEM V2 in GeoTIFF format: ![Images/QGIS_DataExplorerDownload.png](Images/QGIS_DataExplorerDownload.png) Save the '.tif' file locally on your machine. Then import the ASTER DEM into QGIS using the menu `Layer` > `Add Layer` > `Àdd Raster Layer`. Choose the previous '.tif' file with the ASTER Global DEM V2 as source: ![Images/QGIS_ImportRaster.png](Images/QGIS_ImportRaster.png) Right-click to change the appearance of the DEM to have different elevations displayed differently. To add countour lines go to the menu `Raster` > `Extraction` > `Contour...`. ![Images/QGIS_Contour.png](Images/QGIS_Contour.png) You can now display your Meteobike data along the digital elevation model: ![Images/QGIS_DEMSample.png](Images/QGIS_DEMSample.png) ### Merge data from the DEM with the Meteobike data To attribute data from a raster dataset to the point-measurements, go to the menu `Processing` > `Toolbox`. As an example, we will now attribute the elevation from the DEM to each measurement location of the Meteobike. In the Toolbox choose `SAGA` > `Vector <-> raster` > `Add raster values to points`. SAGA (System for Automated Geoscientific Analyses) is a free, hybrid, cross-platform GIS software that is included in QGIS as a plug-in. It contains many more specific scientific tools to analyze data. ![Images/QGIS_RasterToPoints.png](Images/QGIS_RasterToPoints.png) Choose the Meteobike Dataset as the 'Points' and the DEM as the 'Grid'. As points do not fall directly in teh center of pixels, you may ant to interpolate the data between pixels (e.g. here 'Interpolation' `[1] Bilinear interpolation`). Click `Run` to create a new point layer that has the original Meteobike data combined with the data from the DEM (elevation). You find the elevation from the DEM in the very last column of the 'Attribute Table'. You can now display the data with the elevation from the DEM. ![Images/QGIS_SampleDEMPoints.png](Images/QGIS_SampleDEMPoints.png) Note that the meteobikes already measured elevation (GPS Altitude) that should actually match the elevation data from the DEM - so there is currently no added value of doing this. Nevetheless, you can apply this procedure to any raster dataset (slope, catchment area, land cover data). There is a whole range of useful terrain analysis tools available in QGIS / SAGA for further analysis. ## Combining your meteobike data with other geodata As a last exercise you may not only combine elevation information with temperatures, but also combine information on urban density, green cover with the meteobike temperature measurements. There are hundreds of different datasets available in cities. For example we may be interested whether the amount of greenspace in an urban neighborhood has an influence on nocturnal air temperatures. Or is the density of buildings explaining the differences of nocturnal air temperatures? In many cities, vector or raster data on the urban form, urban land use and three-dimensional structure is available. For Freiburg for example check out the [Catalogue of FreiGIS](https://geodaten.freiburg.de/geonetwork/srv/eng/catalog.search#/search?facet.q=type%2Fdataset)). Data can also be extracted from aerial photos, surveys (digital city models such as [CityGML](https://en.wikipedia.org/wiki/CityGML)) or even 3D laser scanning from aircrafts ([LIDAR](https://en.wikipedia.org/wiki/Lidar)). Here is an example of land cover information for Freiburg, Germany at 1 x 1 m resolution: ![Images/QGIS_LandCoverSample.png](Images/QGIS_LandCoverSample.png) ### Displaying land cover fractions The dataset shown above is very detailed, every building, tree, driveway etc. is reflected. However, as air temperatures do not only depend on the specific 1 x 1 m2 pixel they are measured over, but due to turbulent mixing, they are the response of a larger neighbood-scale energy balance, we cannot use this information directly. Instead we need data that is less detailed, yet retaines the statistics of the typical mix of buidlings, vegetation or impervious ground. One common approach to describe the urban form and structure is to classify larger areas at the local-scale (50 m - 0,5 km) and derive *land cover fractions*. Land cover fractions describe the plan area covered by a particular land cover (e.g buildings) per total area. If a grid cell has a land cover fraction of 1 then the entire grid cell is equal to the corresponding land cover. ![Images/QGIS_LandCoverConcept.png](Images/QGIS_LandCoverConcept.png) Conceptual illustration of land cover fractions of buildings (λb), vegetation (λv), and paved / impervious ground (λi). In all cases AT is the total area of the grid cell. Ab, Av and Ai is the projected area of buildings, vegetation and paved / impervious ground in the grid cell (Modified after: [Oke et al., 2017](https://www.cambridge.org/oke/), with permission from authors). The following detailed land cover fractions for example are available for Freiburg at 50 x 50 m and 500 x 500 m resolution. Students at Uni Freiburg can download the relevant raster datasets from their Ilias course account. Variable name | Description | Value range ---- | ---- | ---- `lc_bldn` | Plan area fraction of buildings | 0 ... 1 `lc_pavd` | Plan area fraction of paved / impervious ground | 0 ... 1 `lc_tree` | Plan area fraction of tree crowns | 0 ... 1 `lc_grss` | Plan area fraction of grass | 0 ... 1 `lc_soil` | Plan area fraction of bare soil | 0 ... 1 `lc_watr` | Plan area fraction of water bodies (lakes, rivers, ponds, pools) | 0 ... 1 You can load land cover rasters at 50 x 50 m or 500 x 500 m as [ESRI Shapefiles](https://en.wikipedia.org/wiki/Shapefile) into QGIS. Choose `Layer` > `Add layer` > `Add vector layer...`. Then choose the downloaded land cover shape file (`.shp`) for the resolution you prefer. Make sure you have also downloaded the corresponding projection description (`.prj`) file, the attribute file (`.dbf`) and the shape index format file (`.shx`) in the same directory: ![Images/QGIS_LoadShapefile.png](Images/QGIS_LoadShapefile.png) You can display the raster of land cover fractions by right-clicking on the added layer and choose `Properties....`. Choose a `Graduated`, select Mode: `Equal interval` and select a meaningful number of classes (at least 10) and the desired color ramp. ![Images/QGIS_GraduatedLandCover.png](Images/QGIS_GraduatedLandCover.png) Click `Apply`. ![Images/QGIS_LandCoverFractionExample.png](Images/QGIS_LandCoverFractionExample.png) The figure shows an example of a subset of visualized `lc_tree` at 50 x 50 m resolution for Freiburg. Dark green grid cells contain a lot of trees (parks, forests), white grid cells have none to few trees. Dots are Meteobike measurements. Note that in this example the colors of the color ramp have been set to a transparancy of 50%. Further the map in the background has been set to a stauration of `-100` (right-click on the `OpenStreetMap` layer, select `Properties....`, then under `Symbology` in the section `Color Rendering` set `Saturation` to the mininunm). ### Merge land cover fractions with the Meteobike data Similar to what we did with the DEM, we can now attribute to each measurement location of air temperature the corresponding land cover fractions at 50 x 50 km or 500 km x 500 km. This will help us to answer questions if a particular land cover fraction controls the magnitude of the nocturnal heat island within cites. For that we will again use a spatial join. For example to attribute all meteobike measurements in a given land cover grid cell, you choose the function `Join attributes by location` in QGIS. As 'Input Layer' choose your Meteobike Measurements (i.e. 'ALL-SYSTEMS-2021-06-15'). As join layer choose the land cover fractions. Under 'Geometric predictate' you should choose `within`. ![Images/QGIS_LandCoverJoin.png](Images/QGIS_LandCoverJoin.png) Click on `Run`. With 50 x 50 m raster this may take a while. This will for each measurement points attribute the corresponding land cover grid cell it falls into. A new layer `Joined layer` will be created. Again, you can rename the layer, e.g. 'ALL-SYSTEMS-2021-06-15-LC'. The following graph shows the joined layer, once color-coded by temperature difference (field `Temperature_diff_K`) and once by tree cover fraction (field `lc_tree`): ![Images/QGIS_TemperatureTreeCover.png](Images/QGIS_TemperatureTreeCover.png) ### Export Data back into R for further statistical analysis For a further statitical analysis, it can be advantageous to export calculated statistics and joined attributes in QGIS into another high-level programming language such as `R`. To export data from any layer you right-click the corresponding layer and select `Export` > `Save Frature as...`. For example the joined layer 'ALL-SYSTEMS-2021-06-15-LC' can be exported to statistically analyze whether there is a significant correlation between `lc_tree` and air temperatures. ![Images/QGIS_ExportMenu.png](Images/QGIS_ExportMenu.png) In the Dialog that appears, choose under `Format`: `Comma Separated Values`, choose a save location and name under `File name` (clicking on the `...` button) and confirm by clicking `OK`. For example you can export the joined layer of air temperatures with land cover fractions (`TEXT`). ![Images/QGIS_Export.png](Images/QGIS_Export.png) A comma separated value list is then saved that can be imported in the statistics software `R`. For example in `R Studio` you can use the `read.csv` function to read the exported `.csv` file into a data frame: meteobike <- read.csv(file = '/Users/YourName/Desktop/Fractions-Meteobike.csv') The path must be adjusted to the save location of the above exported `.csv` file. The dataset in the `.csv` will be read into a data frame. You can now perform simple and fancy statistical analysis or graphing in `R` using the data in the `meteobike` data frame. <file_sep>eqfeed_callback({ "type": "FeatureCollection", "features": [ { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451700,47.991592] }, "properties": { "altitude": "104.8", "sensor": "02", "gpstime":"2019-06-24T18:53:33.000Z", "temperature": 24.48, "relhumidity": 38.67, "vappress": 16.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453970,47.993840] }, "properties": { "altitude": "278.4", "sensor": "02", "gpstime":"2019-06-24T19:24:58.000Z", "temperature": 24.78, "relhumidity": 31.31, "vappress": 16.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447480,47.995720] }, "properties": { "altitude": "279.0", "sensor": "02", "gpstime":"2019-06-24T19:26:36.000Z", "temperature": 26.27, "relhumidity": 31.51, "vappress": 18.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433170,47.996068] }, "properties": { "altitude": "282.0", "sensor": "02", "gpstime":"2019-06-24T19:27:10.000Z", "temperature": 26.58, "relhumidity": 31.52, "vappress": 18.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419200,47.996370] }, "properties": { "altitude": "281.6", "sensor": "02", "gpstime":"2019-06-24T19:28:14.000Z", "temperature": 26.75, "relhumidity": 31.60, "vappress": 19.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400620,47.996690] }, "properties": { "altitude": "275.4", "sensor": "02", "gpstime":"2019-06-24T19:29:36.000Z", "temperature": 26.73, "relhumidity": 31.46, "vappress": 18.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385220,47.997027] }, "properties": { "altitude": "275.3", "sensor": "02", "gpstime":"2019-06-24T19:30:11.000Z", "temperature": 26.65, "relhumidity": 31.21, "vappress": 18.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371080,47.997738] }, "properties": { "altitude": "269.4", "sensor": "02", "gpstime":"2019-06-24T19:30:39.000Z", "temperature": 26.51, "relhumidity": 31.21, "vappress": 17.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357870,47.998267] }, "properties": { "altitude": "275.5", "sensor": "02", "gpstime":"2019-06-24T19:31:28.000Z", "temperature": 26.47, "relhumidity": 31.35, "vappress": 18.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341270,47.999093] }, "properties": { "altitude": "268.2", "sensor": "02", "gpstime":"2019-06-24T19:32:01.000Z", "temperature": 26.43, "relhumidity": 31.15, "vappress": 17.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326620,47.999625] }, "properties": { "altitude": "263.6", "sensor": "02", "gpstime":"2019-06-24T19:32:25.000Z", "temperature": 26.34, "relhumidity": 31.15, "vappress": 17.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304930,48.000468] }, "properties": { "altitude": "259.8", "sensor": "02", "gpstime":"2019-06-24T19:33:56.000Z", "temperature": 26.40, "relhumidity": 30.85, "vappress": 17.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286550,48.001048] }, "properties": { "altitude": "257.0", "sensor": "02", "gpstime":"2019-06-24T19:34:21.000Z", "temperature": 25.98, "relhumidity": 30.67, "vappress": 15.526, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270850,48.001457] }, "properties": { "altitude": "258.0", "sensor": "02", "gpstime":"2019-06-24T19:34:48.000Z", "temperature": 25.54, "relhumidity": 30.67, "vappress": 14.706, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256970,48.001020] }, "properties": { "altitude": "250.0", "sensor": "02", "gpstime":"2019-06-24T19:35:20.000Z", "temperature": 25.46, "relhumidity": 30.96, "vappress": 14.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243820,48.000395] }, "properties": { "altitude": "258.3", "sensor": "02", "gpstime":"2019-06-24T19:35:55.000Z", "temperature": 25.57, "relhumidity": 30.96, "vappress": 15.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223030,48.001200] }, "properties": { "altitude": "253.4", "sensor": "02", "gpstime":"2019-06-24T19:37:36.000Z", "temperature": 25.87, "relhumidity": 30.95, "vappress": 16.543, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8209280,48.002398] }, "properties": { "altitude": "253.1", "sensor": "02", "gpstime":"2019-06-24T19:38:04.000Z", "temperature": 26.30, "relhumidity": 30.99, "vappress": 17.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8195300,48.003020] }, "properties": { "altitude": "255.0", "sensor": "02", "gpstime":"2019-06-24T19:38:36.000Z", "temperature": 26.57, "relhumidity": 30.99, "vappress": 18.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8175350,48.003592] }, "properties": { "altitude": "251.1", "sensor": "02", "gpstime":"2019-06-24T19:39:26.000Z", "temperature": 26.76, "relhumidity": 30.69, "vappress": 17.934, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183400,48.005752] }, "properties": { "altitude": "254.5", "sensor": "02", "gpstime":"2019-06-24T19:41:16.000Z", "temperature": 26.42, "relhumidity": 30.41, "vappress": 16.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8174620,48.007395] }, "properties": { "altitude": "258.7", "sensor": "02", "gpstime":"2019-06-24T19:42:55.000Z", "temperature": 26.63, "relhumidity": 30.49, "vappress": 17.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157030,48.008293] }, "properties": { "altitude": "250.9", "sensor": "02", "gpstime":"2019-06-24T19:43:21.000Z", "temperature": 26.57, "relhumidity": 30.38, "vappress": 17.109, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144350,48.009107] }, "properties": { "altitude": "255.2", "sensor": "02", "gpstime":"2019-06-24T19:43:39.000Z", "temperature": 26.67, "relhumidity": 30.38, "vappress": 17.719, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130980,48.009985] }, "properties": { "altitude": "250.8", "sensor": "02", "gpstime":"2019-06-24T19:44:03.000Z", "temperature": 26.75, "relhumidity": 30.46, "vappress": 17.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117820,48.010657] }, "properties": { "altitude": "248.7", "sensor": "02", "gpstime":"2019-06-24T19:44:29.000Z", "temperature": 27.02, "relhumidity": 30.46, "vappress": 18.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128800,48.012172] }, "properties": { "altitude": "246.5", "sensor": "02", "gpstime":"2019-06-24T19:45:07.000Z", "temperature": 26.99, "relhumidity": 30.50, "vappress": 16.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142250,48.013185] }, "properties": { "altitude": "241.5", "sensor": "02", "gpstime":"2019-06-24T19:45:29.000Z", "temperature": 26.17, "relhumidity": 30.50, "vappress": 16.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157920,48.014302] }, "properties": { "altitude": "238.6", "sensor": "02", "gpstime":"2019-06-24T19:46:11.000Z", "temperature": 25.83, "relhumidity": 30.18, "vappress": 14.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151770,48.016080] }, "properties": { "altitude": "237.5", "sensor": "02", "gpstime":"2019-06-24T19:47:20.000Z", "temperature": 25.43, "relhumidity": 29.93, "vappress": 13.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167850,48.017473] }, "properties": { "altitude": "236.9", "sensor": "02", "gpstime":"2019-06-24T19:48:03.000Z", "temperature": 25.63, "relhumidity": 29.68, "vappress": 14.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8155920,48.018463] }, "properties": { "altitude": "237.3", "sensor": "02", "gpstime":"2019-06-24T19:50:04.000Z", "temperature": 25.71, "relhumidity": 29.31, "vappress": 13.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8140650,48.017548] }, "properties": { "altitude": "237.5", "sensor": "02", "gpstime":"2019-06-24T19:50:28.000Z", "temperature": 25.20, "relhumidity": 29.31, "vappress": 12.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126750,48.017527] }, "properties": { "altitude": "231.4", "sensor": "02", "gpstime":"2019-06-24T19:50:59.000Z", "temperature": 25.04, "relhumidity": 29.31, "vappress": 12.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8113720,48.018242] }, "properties": { "altitude": "237.9", "sensor": "02", "gpstime":"2019-06-24T19:51:34.000Z", "temperature": 24.94, "relhumidity": 29.12, "vappress": 12.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103550,48.019753] }, "properties": { "altitude": "233.2", "sensor": "02", "gpstime":"2019-06-24T19:52:36.000Z", "temperature": 24.72, "relhumidity": 29.02, "vappress": 10.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089750,48.019957] }, "properties": { "altitude": "236.3", "sensor": "02", "gpstime":"2019-06-24T19:54:01.000Z", "temperature": 24.80, "relhumidity": 28.88, "vappress": 12.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078330,48.021180] }, "properties": { "altitude": "236.6", "sensor": "02", "gpstime":"2019-06-24T19:54:31.000Z", "temperature": 24.96, "relhumidity": 28.88, "vappress": 12.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073420,48.023240] }, "properties": { "altitude": "221.8", "sensor": "02", "gpstime":"2019-06-24T19:57:50.000Z", "temperature": 24.96, "relhumidity": 28.56, "vappress": 10.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8087250,48.023507] }, "properties": { "altitude": "227.5", "sensor": "02", "gpstime":"2019-06-24T19:58:36.000Z", "temperature": 24.41, "relhumidity": 28.34, "vappress": 10.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102330,48.023240] }, "properties": { "altitude": "238.3", "sensor": "02", "gpstime":"2019-06-24T19:59:25.000Z", "temperature": 24.68, "relhumidity": 28.04, "vappress": 11.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102050,48.025517] }, "properties": { "altitude": "238.9", "sensor": "02", "gpstime":"2019-06-24T20:01:34.000Z", "temperature": 25.04, "relhumidity": 27.67, "vappress": 12.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093220,48.027177] }, "properties": { "altitude": "226.9", "sensor": "02", "gpstime":"2019-06-24T20:02:06.000Z", "temperature": 25.37, "relhumidity": 27.56, "vappress": 12.796, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8107680,48.028252] }, "properties": { "altitude": "230.8", "sensor": "02", "gpstime":"2019-06-24T20:03:04.000Z", "temperature": 25.33, "relhumidity": 27.48, "vappress": 11.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8121770,48.027658] }, "properties": { "altitude": "227.9", "sensor": "02", "gpstime":"2019-06-24T20:03:36.000Z", "temperature": 24.86, "relhumidity": 27.48, "vappress": 11.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136820,48.028483] }, "properties": { "altitude": "234.7", "sensor": "02", "gpstime":"2019-06-24T20:04:26.000Z", "temperature": 24.48, "relhumidity": 27.58, "vappress": 9.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8153430,48.029247] }, "properties": { "altitude": "239.5", "sensor": "02", "gpstime":"2019-06-24T20:04:52.000Z", "temperature": 23.92, "relhumidity": 27.58, "vappress": 8.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8169430,48.030010] }, "properties": { "altitude": "233.4", "sensor": "02", "gpstime":"2019-06-24T20:05:15.000Z", "temperature": 23.61, "relhumidity": 27.52, "vappress": 8.175, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183680,48.030132] }, "properties": { "altitude": "221.0", "sensor": "02", "gpstime":"2019-06-24T20:05:41.000Z", "temperature": 23.37, "relhumidity": 27.52, "vappress": 7.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8193650,48.028558] }, "properties": { "altitude": "221.7", "sensor": "02", "gpstime":"2019-06-24T20:06:15.000Z", "temperature": 22.85, "relhumidity": 27.67, "vappress": 5.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203520,48.027058] }, "properties": { "altitude": "212.9", "sensor": "02", "gpstime":"2019-06-24T20:06:47.000Z", "temperature": 22.31, "relhumidity": 27.67, "vappress": 5.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213730,48.025318] }, "properties": { "altitude": "235.7", "sensor": "02", "gpstime":"2019-06-24T20:07:55.000Z", "temperature": 22.77, "relhumidity": 27.62, "vappress": 7.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228470,48.026080] }, "properties": { "altitude": "241.5", "sensor": "02", "gpstime":"2019-06-24T20:09:49.000Z", "temperature": 23.34, "relhumidity": 27.36, "vappress": 7.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241820,48.026562] }, "properties": { "altitude": "245.6", "sensor": "02", "gpstime":"2019-06-24T20:10:08.000Z", "temperature": 23.24, "relhumidity": 27.25, "vappress": 7.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255330,48.027152] }, "properties": { "altitude": "245.8", "sensor": "02", "gpstime":"2019-06-24T20:10:26.000Z", "temperature": 23.19, "relhumidity": 27.25, "vappress": 6.925, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268570,48.027867] }, "properties": { "altitude": "246.8", "sensor": "02", "gpstime":"2019-06-24T20:10:54.000Z", "temperature": 23.15, "relhumidity": 27.25, "vappress": 7.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281950,48.027963] }, "properties": { "altitude": "238.9", "sensor": "02", "gpstime":"2019-06-24T20:11:32.000Z", "temperature": 23.36, "relhumidity": 27.07, "vappress": 7.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8275720,48.029895] }, "properties": { "altitude": "235.8", "sensor": "02", "gpstime":"2019-06-24T20:12:56.000Z", "temperature": 23.25, "relhumidity": 27.00, "vappress": 5.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289220,48.031152] }, "properties": { "altitude": "223.6", "sensor": "02", "gpstime":"2019-06-24T20:13:31.000Z", "temperature": 22.34, "relhumidity": 26.92, "vappress": 4.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303180,48.031523] }, "properties": { "altitude": "216.3", "sensor": "02", "gpstime":"2019-06-24T20:13:50.000Z", "temperature": 22.21, "relhumidity": 26.92, "vappress": 4.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315930,48.030472] }, "properties": { "altitude": "221.4", "sensor": "02", "gpstime":"2019-06-24T20:14:31.000Z", "temperature": 22.50, "relhumidity": 26.97, "vappress": 5.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332130,48.030013] }, "properties": { "altitude": "237.5", "sensor": "02", "gpstime":"2019-06-24T20:15:09.000Z", "temperature": 22.62, "relhumidity": 27.12, "vappress": 5.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343430,48.028652] }, "properties": { "altitude": "235.8", "sensor": "02", "gpstime":"2019-06-24T20:16:16.000Z", "temperature": 23.15, "relhumidity": 27.22, "vappress": 8.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356400,48.027408] }, "properties": { "altitude": "238.1", "sensor": "02", "gpstime":"2019-06-24T20:16:52.000Z", "temperature": 24.62, "relhumidity": 27.22, "vappress": 10.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370500,48.026385] }, "properties": { "altitude": "242.3", "sensor": "02", "gpstime":"2019-06-24T20:17:51.000Z", "temperature": 24.89, "relhumidity": 27.20, "vappress": 11.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384220,48.025240] }, "properties": { "altitude": "244.9", "sensor": "02", "gpstime":"2019-06-24T20:18:22.000Z", "temperature": 25.09, "relhumidity": 27.19, "vappress": 10.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394170,48.023387] }, "properties": { "altitude": "242.6", "sensor": "02", "gpstime":"2019-06-24T20:19:05.000Z", "temperature": 25.42, "relhumidity": 27.13, "vappress": 13.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400700,48.021308] }, "properties": { "altitude": "248.5", "sensor": "02", "gpstime":"2019-06-24T20:19:51.000Z", "temperature": 26.64, "relhumidity": 27.13, "vappress": 15.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405870,48.019430] }, "properties": { "altitude": "246.2", "sensor": "02", "gpstime":"2019-06-24T20:20:33.000Z", "temperature": 27.14, "relhumidity": 27.35, "vappress": 16.744, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423600,48.019112] }, "properties": { "altitude": "257.7", "sensor": "02", "gpstime":"2019-06-24T20:23:11.000Z", "temperature": 27.38, "relhumidity": 27.18, "vappress": 17.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440020,48.019662] }, "properties": { "altitude": "263.2", "sensor": "02", "gpstime":"2019-06-24T20:23:36.000Z", "temperature": 27.64, "relhumidity": 27.18, "vappress": 17.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453780,48.020172] }, "properties": { "altitude": "267.4", "sensor": "02", "gpstime":"2019-06-24T20:23:54.000Z", "temperature": 27.54, "relhumidity": 27.18, "vappress": 17.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469700,48.020712] }, "properties": { "altitude": "258.9", "sensor": "02", "gpstime":"2019-06-24T20:25:13.000Z", "temperature": 27.55, "relhumidity": 26.96, "vappress": 17.323, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484530,48.021242] }, "properties": { "altitude": "264.2", "sensor": "02", "gpstime":"2019-06-24T20:25:35.000Z", "temperature": 27.55, "relhumidity": 26.96, "vappress": 17.043, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497570,48.021727] }, "properties": { "altitude": "266.4", "sensor": "02", "gpstime":"2019-06-24T20:25:53.000Z", "temperature": 27.37, "relhumidity": 26.96, "vappress": 16.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513250,48.021733] }, "properties": { "altitude": "254.8", "sensor": "02", "gpstime":"2019-06-24T20:26:21.000Z", "temperature": 27.32, "relhumidity": 26.86, "vappress": 16.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526650,48.020935] }, "properties": { "altitude": "251.7", "sensor": "02", "gpstime":"2019-06-24T20:26:51.000Z", "temperature": 27.12, "relhumidity": 26.86, "vappress": 15.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539530,48.020123] }, "properties": { "altitude": "250.9", "sensor": "02", "gpstime":"2019-06-24T20:27:18.000Z", "temperature": 26.91, "relhumidity": 26.72, "vappress": 15.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553900,48.019433] }, "properties": { "altitude": "253.5", "sensor": "02", "gpstime":"2019-06-24T20:27:50.000Z", "temperature": 26.71, "relhumidity": 26.72, "vappress": 14.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559720,48.017423] }, "properties": { "altitude": "256.2", "sensor": "02", "gpstime":"2019-06-24T20:30:04.000Z", "temperature": 26.43, "relhumidity": 26.79, "vappress": 13.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552580,48.015655] }, "properties": { "altitude": "257.2", "sensor": "02", "gpstime":"2019-06-24T20:30:44.000Z", "temperature": 26.18, "relhumidity": 26.79, "vappress": 13.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547930,48.013632] }, "properties": { "altitude": "259.9", "sensor": "02", "gpstime":"2019-06-24T20:31:59.000Z", "temperature": 26.43, "relhumidity": 26.57, "vappress": 14.387, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545350,48.011593] }, "properties": { "altitude": "267.3", "sensor": "02", "gpstime":"2019-06-24T20:33:44.000Z", "temperature": 26.74, "relhumidity": 26.58, "vappress": 14.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546430,48.009487] }, "properties": { "altitude": "282.1", "sensor": "02", "gpstime":"2019-06-24T20:34:39.000Z", "temperature": 26.93, "relhumidity": 26.44, "vappress": 15.259, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552100,48.007532] }, "properties": { "altitude": "296.8", "sensor": "02", "gpstime":"2019-06-24T20:36:08.000Z", "temperature": 27.03, "relhumidity": 26.84, "vappress": 15.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566630,48.007402] }, "properties": { "altitude": "288.5", "sensor": "02", "gpstime":"2019-06-24T20:36:34.000Z", "temperature": 27.06, "relhumidity": 26.84, "vappress": 15.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8584180,48.007493] }, "properties": { "altitude": "280.4", "sensor": "02", "gpstime":"2019-06-24T20:37:04.000Z", "temperature": 27.03, "relhumidity": 27.10, "vappress": 15.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600930,48.007453] }, "properties": { "altitude": "281.7", "sensor": "02", "gpstime":"2019-06-24T20:38:17.000Z", "temperature": 26.79, "relhumidity": 27.34, "vappress": 14.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8616170,48.007060] }, "properties": { "altitude": "281.9", "sensor": "02", "gpstime":"2019-06-24T20:38:44.000Z", "temperature": 26.64, "relhumidity": 27.34, "vappress": 14.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632150,48.006902] }, "properties": { "altitude": "276.7", "sensor": "02", "gpstime":"2019-06-24T20:39:08.000Z", "temperature": 26.26, "relhumidity": 27.45, "vappress": 13.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628530,48.004912] }, "properties": { "altitude": "281.3", "sensor": "02", "gpstime":"2019-06-24T20:40:00.000Z", "temperature": 26.17, "relhumidity": 27.45, "vappress": 13.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619570,48.003105] }, "properties": { "altitude": "275.5", "sensor": "02", "gpstime":"2019-06-24T20:40:50.000Z", "temperature": 26.33, "relhumidity": 27.67, "vappress": 13.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609320,48.001367] }, "properties": { "altitude": "280.3", "sensor": "02", "gpstime":"2019-06-24T20:41:24.000Z", "temperature": 26.55, "relhumidity": 28.05, "vappress": 14.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598880,47.999738] }, "properties": { "altitude": "288.6", "sensor": "02", "gpstime":"2019-06-24T20:42:09.000Z", "temperature": 26.66, "relhumidity": 28.01, "vappress": 14.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8586530,47.997738] }, "properties": { "altitude": "288.8", "sensor": "02", "gpstime":"2019-06-24T20:43:06.000Z", "temperature": 26.63, "relhumidity": 28.24, "vappress": 14.569, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8576930,47.996162] }, "properties": { "altitude": "285.0", "sensor": "02", "gpstime":"2019-06-24T20:44:16.000Z", "temperature": 26.63, "relhumidity": 28.35, "vappress": 14.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564800,47.995140] }, "properties": { "altitude": "291.1", "sensor": "02", "gpstime":"2019-06-24T20:44:51.000Z", "temperature": 26.65, "relhumidity": 28.35, "vappress": 14.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552320,47.994290] }, "properties": { "altitude": "306.4", "sensor": "02", "gpstime":"2019-06-24T20:46:45.000Z", "temperature": 26.45, "relhumidity": 28.18, "vappress": 13.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542430,47.992738] }, "properties": { "altitude": "294.6", "sensor": "02", "gpstime":"2019-06-24T20:48:13.000Z", "temperature": 26.18, "relhumidity": 27.49, "vappress": 13.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530870,47.994097] }, "properties": { "altitude": "285.7", "sensor": "02", "gpstime":"2019-06-24T20:49:09.000Z", "temperature": 26.20, "relhumidity": 27.56, "vappress": 13.096, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512830,47.994445] }, "properties": { "altitude": "276.7", "sensor": "02", "gpstime":"2019-06-24T20:49:39.000Z", "temperature": 26.30, "relhumidity": 27.56, "vappress": 13.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499680,47.994817] }, "properties": { "altitude": "275.3", "sensor": "02", "gpstime":"2019-06-24T20:51:02.000Z", "temperature": 26.43, "relhumidity": 27.38, "vappress": 13.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485670,47.995282] }, "properties": { "altitude": "287.2", "sensor": "02", "gpstime":"2019-06-24T20:52:19.000Z", "temperature": 26.61, "relhumidity": 27.09, "vappress": 13.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471250,47.995250] }, "properties": { "altitude": "291.6", "sensor": "02", "gpstime":"2019-06-24T20:52:45.000Z", "temperature": 26.67, "relhumidity": 27.09, "vappress": 13.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456930,47.995048] }, "properties": { "altitude": "287.4", "sensor": "02", "gpstime":"2019-06-24T20:53:15.000Z", "temperature": 26.73, "relhumidity": 26.62, "vappress": 13.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452230,47.993767] }, "properties": { "altitude": "278.9", "sensor": "02", "gpstime":"2019-06-24T20:53:51.000Z", "temperature": 26.62, "relhumidity": 26.62, "vappress": 13.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450380,47.993597] }, "properties": { "altitude": "262.7", "sensor": "03", "gpstime":"2019-06-24T19:29:37.000Z", "temperature": 26.56, "relhumidity": 9.62, "vappress": 4.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435720,47.994943] }, "properties": { "altitude": "284.9", "sensor": "03", "gpstime":"2019-06-24T19:30:16.000Z", "temperature": 26.57, "relhumidity": 9.18, "vappress": 4.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419570,47.995122] }, "properties": { "altitude": "293.1", "sensor": "03", "gpstime":"2019-06-24T19:30:32.000Z", "temperature": 26.65, "relhumidity": 8.82, "vappress": 4.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427800,47.997472] }, "properties": { "altitude": "295.0", "sensor": "03", "gpstime":"2019-06-24T19:31:37.000Z", "temperature": 26.72, "relhumidity": 8.48, "vappress": 4.484, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438720,47.998952] }, "properties": { "altitude": "319.7", "sensor": "03", "gpstime":"2019-06-24T19:32:16.000Z", "temperature": 26.87, "relhumidity": 7.71, "vappress": 4.418, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422670,47.999718] }, "properties": { "altitude": "311.2", "sensor": "03", "gpstime":"2019-06-24T19:32:42.000Z", "temperature": 26.90, "relhumidity": 3.33, "vappress": 2.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407220,48.000113] }, "properties": { "altitude": "298.6", "sensor": "03", "gpstime":"2019-06-24T19:33:01.000Z", "temperature": 26.90, "relhumidity": 6.62, "vappress": 4.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392920,48.000648] }, "properties": { "altitude": "286.8", "sensor": "03", "gpstime":"2019-06-24T19:33:17.000Z", "temperature": 26.97, "relhumidity": 7.01, "vappress": 4.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376120,48.001365] }, "properties": { "altitude": "272.7", "sensor": "03", "gpstime":"2019-06-24T19:34:36.000Z", "temperature": 27.04, "relhumidity": 6.95, "vappress": 4.436, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358870,48.002083] }, "properties": { "altitude": "266.0", "sensor": "03", "gpstime":"2019-06-24T19:34:57.000Z", "temperature": 27.12, "relhumidity": 6.18, "vappress": 4.156, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343170,48.002513] }, "properties": { "altitude": "263.9", "sensor": "03", "gpstime":"2019-06-24T19:35:22.000Z", "temperature": 27.22, "relhumidity": 6.20, "vappress": 4.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329420,48.002975] }, "properties": { "altitude": "258.1", "sensor": "03", "gpstime":"2019-06-24T19:35:43.000Z", "temperature": 27.19, "relhumidity": 6.08, "vappress": 4.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312130,48.003663] }, "properties": { "altitude": "257.4", "sensor": "03", "gpstime":"2019-06-24T19:36:11.000Z", "temperature": 27.16, "relhumidity": 6.05, "vappress": 4.164, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8297100,48.004205] }, "properties": { "altitude": "259.1", "sensor": "03", "gpstime":"2019-06-24T19:36:32.000Z", "temperature": 27.14, "relhumidity": 4.99, "vappress": 3.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283170,48.004733] }, "properties": { "altitude": "255.0", "sensor": "03", "gpstime":"2019-06-24T19:36:52.000Z", "temperature": 27.00, "relhumidity": 4.18, "vappress": 3.164, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269850,48.005238] }, "properties": { "altitude": "251.7", "sensor": "03", "gpstime":"2019-06-24T19:37:08.000Z", "temperature": 26.97, "relhumidity": 2.93, "vappress": 2.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277250,48.006980] }, "properties": { "altitude": "257.9", "sensor": "03", "gpstime":"2019-06-24T19:38:04.000Z", "temperature": 26.98, "relhumidity": 1.72, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269450,48.009115] }, "properties": { "altitude": "261.2", "sensor": "03", "gpstime":"2019-06-24T19:40:17.000Z", "temperature": 27.15, "relhumidity": 3.02, "vappress": 3.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255280,48.010147] }, "properties": { "altitude": "251.7", "sensor": "03", "gpstime":"2019-06-24T19:40:38.000Z", "temperature": 27.35, "relhumidity": 1.98, "vappress": 2.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239050,48.011142] }, "properties": { "altitude": "245.7", "sensor": "03", "gpstime":"2019-06-24T19:41:01.000Z", "temperature": 27.37, "relhumidity": -0.45, "vappress": 2.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225720,48.011960] }, "properties": { "altitude": "246.1", "sensor": "03", "gpstime":"2019-06-24T19:41:22.000Z", "temperature": 27.40, "relhumidity": -0.26, "vappress": 2.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210570,48.012787] }, "properties": { "altitude": "244.4", "sensor": "03", "gpstime":"2019-06-24T19:41:54.000Z", "temperature": 27.40, "relhumidity": 0.51, "vappress": 2.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218180,48.014737] }, "properties": { "altitude": "244.8", "sensor": "03", "gpstime":"2019-06-24T19:42:43.000Z", "temperature": 27.25, "relhumidity": 3.25, "vappress": 3.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208330,48.016930] }, "properties": { "altitude": "239.4", "sensor": "03", "gpstime":"2019-06-24T19:43:53.000Z", "temperature": 27.15, "relhumidity": 3.14, "vappress": 3.069, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192250,48.017812] }, "properties": { "altitude": "237.1", "sensor": "03", "gpstime":"2019-06-24T19:44:18.000Z", "temperature": 27.19, "relhumidity": 4.86, "vappress": 3.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8204650,48.018988] }, "properties": { "altitude": "236.6", "sensor": "03", "gpstime":"2019-06-24T19:44:47.000Z", "temperature": 27.13, "relhumidity": 6.22, "vappress": 4.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219820,48.019757] }, "properties": { "altitude": "235.1", "sensor": "03", "gpstime":"2019-06-24T19:45:11.000Z", "temperature": 27.12, "relhumidity": 4.99, "vappress": 3.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235800,48.020638] }, "properties": { "altitude": "232.0", "sensor": "03", "gpstime":"2019-06-24T19:45:43.000Z", "temperature": 26.80, "relhumidity": 5.32, "vappress": 3.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230500,48.022557] }, "properties": { "altitude": "229.3", "sensor": "03", "gpstime":"2019-06-24T19:46:32.000Z", "temperature": 26.37, "relhumidity": 6.71, "vappress": 2.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221100,48.024183] }, "properties": { "altitude": "233.8", "sensor": "03", "gpstime":"2019-06-24T19:47:09.000Z", "temperature": 25.91, "relhumidity": 11.27, "vappress": 3.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211070,48.025790] }, "properties": { "altitude": "239.5", "sensor": "03", "gpstime":"2019-06-24T19:47:48.000Z", "temperature": 25.68, "relhumidity": 9.51, "vappress": 2.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200980,48.027450] }, "properties": { "altitude": "227.2", "sensor": "03", "gpstime":"2019-06-24T19:48:15.000Z", "temperature": 25.57, "relhumidity": 13.57, "vappress": 3.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190000,48.029238] }, "properties": { "altitude": "222.7", "sensor": "03", "gpstime":"2019-06-24T19:48:53.000Z", "temperature": 25.17, "relhumidity": 13.56, "vappress": 2.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8178320,48.030307] }, "properties": { "altitude": "214.2", "sensor": "03", "gpstime":"2019-06-24T19:50:04.000Z", "temperature": 24.63, "relhumidity": 16.00, "vappress": 2.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8163300,48.029725] }, "properties": { "altitude": "206.3", "sensor": "03", "gpstime":"2019-06-24T19:50:33.000Z", "temperature": 24.35, "relhumidity": 16.07, "vappress": 2.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146900,48.029097] }, "properties": { "altitude": "205.8", "sensor": "03", "gpstime":"2019-06-24T19:51:01.000Z", "temperature": 24.18, "relhumidity": 17.69, "vappress": 2.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8133470,48.028353] }, "properties": { "altitude": "215.1", "sensor": "03", "gpstime":"2019-06-24T19:51:25.000Z", "temperature": 24.17, "relhumidity": 16.74, "vappress": 2.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8120020,48.028233] }, "properties": { "altitude": "223.3", "sensor": "03", "gpstime":"2019-06-24T19:51:58.000Z", "temperature": 24.07, "relhumidity": 15.72, "vappress": 2.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8107450,48.029145] }, "properties": { "altitude": "222.0", "sensor": "03", "gpstime":"2019-06-24T19:52:39.000Z", "temperature": 23.99, "relhumidity": 17.47, "vappress": 2.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8092200,48.030255] }, "properties": { "altitude": "217.5", "sensor": "03", "gpstime":"2019-06-24T19:53:14.000Z", "temperature": 23.92, "relhumidity": 16.59, "vappress": 2.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8079120,48.031113] }, "properties": { "altitude": "214.2", "sensor": "03", "gpstime":"2019-06-24T19:53:40.000Z", "temperature": 23.91, "relhumidity": 16.42, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8066030,48.032088] }, "properties": { "altitude": "216.5", "sensor": "03", "gpstime":"2019-06-24T19:54:08.000Z", "temperature": 23.91, "relhumidity": 16.70, "vappress": 2.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8051120,48.033203] }, "properties": { "altitude": "222.9", "sensor": "03", "gpstime":"2019-06-24T19:54:42.000Z", "temperature": 23.94, "relhumidity": 15.46, "vappress": 1.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037850,48.033855] }, "properties": { "altitude": "220.4", "sensor": "03", "gpstime":"2019-06-24T19:56:00.000Z", "temperature": 23.95, "relhumidity": 14.99, "vappress": 1.816, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8023470,48.033878] }, "properties": { "altitude": "215.1", "sensor": "03", "gpstime":"2019-06-24T19:56:27.000Z", "temperature": 23.96, "relhumidity": 14.66, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036300,48.033030] }, "properties": { "altitude": "226.0", "sensor": "03", "gpstime":"2019-06-24T19:57:08.000Z", "temperature": 24.05, "relhumidity": 15.46, "vappress": 2.135, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8017080,48.031670] }, "properties": { "altitude": "214.7", "sensor": "03", "gpstime":"2019-06-24T19:58:39.000Z", "temperature": 24.19, "relhumidity": 16.54, "vappress": 2.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026870,48.029873] }, "properties": { "altitude": "237.8", "sensor": "03", "gpstime":"2019-06-24T19:59:33.000Z", "temperature": 24.31, "relhumidity": 13.79, "vappress": 1.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031100,48.027755] }, "properties": { "altitude": "237.9", "sensor": "03", "gpstime":"2019-06-24T20:00:34.000Z", "temperature": 24.31, "relhumidity": 15.46, "vappress": 2.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8035350,48.025807] }, "properties": { "altitude": "238.7", "sensor": "03", "gpstime":"2019-06-24T20:01:40.000Z", "temperature": 24.19, "relhumidity": 13.30, "vappress": 1.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8034280,48.023787] }, "properties": { "altitude": "225.5", "sensor": "03", "gpstime":"2019-06-24T20:02:50.000Z", "temperature": 24.16, "relhumidity": 14.04, "vappress": 1.676, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8038280,48.021787] }, "properties": { "altitude": "229.5", "sensor": "03", "gpstime":"2019-06-24T20:03:53.000Z", "temperature": 24.13, "relhumidity": 14.60, "vappress": 1.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8047480,48.020307] }, "properties": { "altitude": "242.3", "sensor": "03", "gpstime":"2019-06-24T20:05:19.000Z", "temperature": 23.97, "relhumidity": 15.23, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062070,48.020353] }, "properties": { "altitude": "238.4", "sensor": "03", "gpstime":"2019-06-24T20:06:06.000Z", "temperature": 24.10, "relhumidity": 15.22, "vappress": 2.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049970,48.019025] }, "properties": { "altitude": "231.1", "sensor": "03", "gpstime":"2019-06-24T20:07:21.000Z", "temperature": 24.56, "relhumidity": 13.52, "vappress": 2.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040900,48.017347] }, "properties": { "altitude": "227.9", "sensor": "03", "gpstime":"2019-06-24T20:11:27.000Z", "temperature": 24.95, "relhumidity": 12.66, "vappress": 2.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8027770,48.018058] }, "properties": { "altitude": "227.6", "sensor": "03", "gpstime":"2019-06-24T20:12:16.000Z", "temperature": 24.98, "relhumidity": 12.63, "vappress": 2.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8014620,48.017042] }, "properties": { "altitude": "223.4", "sensor": "03", "gpstime":"2019-06-24T20:13:02.000Z", "temperature": 25.14, "relhumidity": 12.37, "vappress": 2.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022300,48.015390] }, "properties": { "altitude": "225.4", "sensor": "03", "gpstime":"2019-06-24T20:13:48.000Z", "temperature": 25.39, "relhumidity": 12.06, "vappress": 3.307, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036300,48.014733] }, "properties": { "altitude": "243.3", "sensor": "03", "gpstime":"2019-06-24T20:15:37.000Z", "temperature": 25.90, "relhumidity": 12.06, "vappress": 4.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049450,48.014172] }, "properties": { "altitude": "243.5", "sensor": "03", "gpstime":"2019-06-24T20:16:02.000Z", "temperature": 26.13, "relhumidity": 11.75, "vappress": 4.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8066870,48.013540] }, "properties": { "altitude": "253.0", "sensor": "03", "gpstime":"2019-06-24T20:16:35.000Z", "temperature": 26.24, "relhumidity": 11.61, "vappress": 4.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081370,48.012647] }, "properties": { "altitude": "239.8", "sensor": "03", "gpstime":"2019-06-24T20:17:07.000Z", "temperature": 26.44, "relhumidity": 11.32, "vappress": 4.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8095920,48.012027] }, "properties": { "altitude": "245.3", "sensor": "03", "gpstime":"2019-06-24T20:17:50.000Z", "temperature": 26.68, "relhumidity": 10.89, "vappress": 4.963, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8108600,48.012958] }, "properties": { "altitude": "258.3", "sensor": "03", "gpstime":"2019-06-24T20:18:23.000Z", "temperature": 26.90, "relhumidity": 10.52, "vappress": 5.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8121330,48.013822] }, "properties": { "altitude": "261.5", "sensor": "03", "gpstime":"2019-06-24T20:18:52.000Z", "temperature": 27.00, "relhumidity": 10.04, "vappress": 5.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8138720,48.013812] }, "properties": { "altitude": "249.1", "sensor": "03", "gpstime":"2019-06-24T20:19:33.000Z", "temperature": 26.90, "relhumidity": 10.31, "vappress": 4.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152630,48.013730] }, "properties": { "altitude": "250.5", "sensor": "03", "gpstime":"2019-06-24T20:20:05.000Z", "temperature": 26.66, "relhumidity": 11.07, "vappress": 4.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167750,48.013708] }, "properties": { "altitude": "249.6", "sensor": "03", "gpstime":"2019-06-24T20:20:36.000Z", "temperature": 26.43, "relhumidity": 11.74, "vappress": 4.504, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8182320,48.013433] }, "properties": { "altitude": "247.7", "sensor": "03", "gpstime":"2019-06-24T20:21:06.000Z", "temperature": 26.25, "relhumidity": 11.72, "vappress": 4.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197220,48.013188] }, "properties": { "altitude": "248.5", "sensor": "03", "gpstime":"2019-06-24T20:21:38.000Z", "temperature": 26.08, "relhumidity": 11.98, "vappress": 3.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8212970,48.012650] }, "properties": { "altitude": "246.5", "sensor": "03", "gpstime":"2019-06-24T20:22:14.000Z", "temperature": 26.04, "relhumidity": 12.46, "vappress": 4.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226600,48.011812] }, "properties": { "altitude": "258.3", "sensor": "03", "gpstime":"2019-06-24T20:22:56.000Z", "temperature": 25.97, "relhumidity": 12.65, "vappress": 4.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239350,48.011035] }, "properties": { "altitude": "262.2", "sensor": "03", "gpstime":"2019-06-24T20:23:29.000Z", "temperature": 26.19, "relhumidity": 12.12, "vappress": 4.386, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231380,48.009333] }, "properties": { "altitude": "268.4", "sensor": "03", "gpstime":"2019-06-24T20:25:04.000Z", "temperature": 26.43, "relhumidity": 11.63, "vappress": 4.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239570,48.007403] }, "properties": { "altitude": "258.2", "sensor": "03", "gpstime":"2019-06-24T20:26:47.000Z", "temperature": 26.37, "relhumidity": 11.98, "vappress": 4.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224750,48.007578] }, "properties": { "altitude": "250.4", "sensor": "03", "gpstime":"2019-06-24T20:27:39.000Z", "temperature": 26.42, "relhumidity": 11.39, "vappress": 4.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210870,48.007717] }, "properties": { "altitude": "246.7", "sensor": "03", "gpstime":"2019-06-24T20:28:00.000Z", "temperature": 26.42, "relhumidity": 11.54, "vappress": 4.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210470,48.005702] }, "properties": { "altitude": "253.5", "sensor": "03", "gpstime":"2019-06-24T20:29:59.000Z", "temperature": 26.41, "relhumidity": 10.64, "vappress": 4.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225770,48.004638] }, "properties": { "altitude": "259.2", "sensor": "03", "gpstime":"2019-06-24T20:30:37.000Z", "temperature": 26.53, "relhumidity": 10.67, "vappress": 4.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235370,48.002998] }, "properties": { "altitude": "267.1", "sensor": "03", "gpstime":"2019-06-24T20:31:36.000Z", "temperature": 26.65, "relhumidity": 10.65, "vappress": 4.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253200,48.001862] }, "properties": { "altitude": "260.3", "sensor": "03", "gpstime":"2019-06-24T20:32:14.000Z", "temperature": 26.66, "relhumidity": 10.14, "vappress": 4.356, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267130,48.001510] }, "properties": { "altitude": "261.6", "sensor": "03", "gpstime":"2019-06-24T20:32:44.000Z", "temperature": 26.67, "relhumidity": 10.14, "vappress": 4.356, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281230,48.001052] }, "properties": { "altitude": "261.9", "sensor": "03", "gpstime":"2019-06-24T20:33:16.000Z", "temperature": 26.70, "relhumidity": 9.79, "vappress": 4.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298200,48.000502] }, "properties": { "altitude": "266.2", "sensor": "03", "gpstime":"2019-06-24T20:33:48.000Z", "temperature": 26.70, "relhumidity": 8.55, "vappress": 3.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312630,47.999998] }, "properties": { "altitude": "269.1", "sensor": "03", "gpstime":"2019-06-24T20:34:18.000Z", "temperature": 26.74, "relhumidity": 7.90, "vappress": 3.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313400,47.997985] }, "properties": { "altitude": "259.3", "sensor": "03", "gpstime":"2019-06-24T20:35:28.000Z", "temperature": 26.87, "relhumidity": 6.32, "vappress": 3.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331570,47.997422] }, "properties": { "altitude": "262.4", "sensor": "03", "gpstime":"2019-06-24T20:35:58.000Z", "temperature": 26.98, "relhumidity": 5.74, "vappress": 3.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346380,47.996985] }, "properties": { "altitude": "274.1", "sensor": "03", "gpstime":"2019-06-24T20:36:30.000Z", "temperature": 27.10, "relhumidity": 5.95, "vappress": 3.673, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360880,47.996713] }, "properties": { "altitude": "277.2", "sensor": "03", "gpstime":"2019-06-24T20:37:29.000Z", "temperature": 27.25, "relhumidity": 4.39, "vappress": 3.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374930,47.996415] }, "properties": { "altitude": "272.5", "sensor": "03", "gpstime":"2019-06-24T20:38:19.000Z", "temperature": 27.29, "relhumidity": 3.84, "vappress": 3.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388270,47.997213] }, "properties": { "altitude": "264.6", "sensor": "03", "gpstime":"2019-06-24T20:39:18.000Z", "temperature": 27.29, "relhumidity": 3.16, "vappress": 2.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408980,47.995723] }, "properties": { "altitude": "272.5", "sensor": "03", "gpstime":"2019-06-24T20:41:09.000Z", "temperature": 27.29, "relhumidity": 4.35, "vappress": 3.282, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420970,47.994037] }, "properties": { "altitude": "273.9", "sensor": "03", "gpstime":"2019-06-24T20:42:04.000Z", "temperature": 27.23, "relhumidity": 5.07, "vappress": 3.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434830,47.993808] }, "properties": { "altitude": "279.8", "sensor": "03", "gpstime":"2019-06-24T20:42:31.000Z", "temperature": 27.18, "relhumidity": 5.93, "vappress": 3.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452620,47.993693] }, "properties": { "altitude": "284.6", "sensor": "03", "gpstime":"2019-06-24T20:43:09.000Z", "temperature": 27.09, "relhumidity": 6.99, "vappress": 3.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452870,47.993593] }, "properties": { "altitude": "282.7", "sensor": "03", "gpstime":"2019-06-24T20:43:14.000Z", "temperature": 27.02, "relhumidity": 7.09, "vappress": 3.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452280,47.993682] }, "properties": { "altitude": "265.5", "sensor": "04", "gpstime":"2019-06-24T19:24:10.000Z", "temperature": 26.38, "relhumidity": 6.22, "vappress": 3.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461880,47.995838] }, "properties": { "altitude": "271.7", "sensor": "04", "gpstime":"2019-06-24T19:24:51.000Z", "temperature": 26.34, "relhumidity": 6.30, "vappress": 3.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474380,47.997363] }, "properties": { "altitude": "277.3", "sensor": "04", "gpstime":"2019-06-24T19:25:21.000Z", "temperature": 26.45, "relhumidity": 6.63, "vappress": 3.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485520,47.998587] }, "properties": { "altitude": "282.1", "sensor": "04", "gpstime":"2019-06-24T19:26:23.000Z", "temperature": 26.66, "relhumidity": 5.82, "vappress": 3.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491930,48.000493] }, "properties": { "altitude": "278.7", "sensor": "04", "gpstime":"2019-06-24T19:26:57.000Z", "temperature": 26.84, "relhumidity": 5.32, "vappress": 3.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509320,48.000598] }, "properties": { "altitude": "279.1", "sensor": "04", "gpstime":"2019-06-24T19:27:24.000Z", "temperature": 26.67, "relhumidity": 5.35, "vappress": 3.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523020,48.000373] }, "properties": { "altitude": "278.3", "sensor": "04", "gpstime":"2019-06-24T19:27:46.000Z", "temperature": 26.46, "relhumidity": 5.67, "vappress": 2.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539850,48.000047] }, "properties": { "altitude": "279.2", "sensor": "04", "gpstime":"2019-06-24T19:28:32.000Z", "temperature": 26.39, "relhumidity": 6.10, "vappress": 2.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555530,47.999572] }, "properties": { "altitude": "283.4", "sensor": "04", "gpstime":"2019-06-24T19:28:57.000Z", "temperature": 26.07, "relhumidity": 6.42, "vappress": 2.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565130,48.001172] }, "properties": { "altitude": "282.2", "sensor": "04", "gpstime":"2019-06-24T19:29:29.000Z", "temperature": 25.44, "relhumidity": 8.40, "vappress": 2.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570730,48.003145] }, "properties": { "altitude": "268.8", "sensor": "04", "gpstime":"2019-06-24T19:29:58.000Z", "temperature": 25.13, "relhumidity": 8.05, "vappress": 1.739, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8584230,48.003190] }, "properties": { "altitude": "270.5", "sensor": "04", "gpstime":"2019-06-24T19:30:14.000Z", "temperature": 25.13, "relhumidity": 7.38, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597620,48.003377] }, "properties": { "altitude": "268.7", "sensor": "04", "gpstime":"2019-06-24T19:30:33.000Z", "temperature": 25.05, "relhumidity": 7.66, "vappress": 1.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606780,48.004945] }, "properties": { "altitude": "259.5", "sensor": "04", "gpstime":"2019-06-24T19:31:03.000Z", "temperature": 24.93, "relhumidity": 8.29, "vappress": 1.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613380,48.006922] }, "properties": { "altitude": "257.6", "sensor": "04", "gpstime":"2019-06-24T19:31:36.000Z", "temperature": 25.08, "relhumidity": 7.93, "vappress": 1.594, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624280,48.008530] }, "properties": { "altitude": "250.8", "sensor": "04", "gpstime":"2019-06-24T19:32:05.000Z", "temperature": 25.01, "relhumidity": 8.01, "vappress": 1.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630120,48.010942] }, "properties": { "altitude": "252.2", "sensor": "04", "gpstime":"2019-06-24T19:32:45.000Z", "temperature": 24.85, "relhumidity": 8.51, "vappress": 1.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617600,48.012478] }, "properties": { "altitude": "259.5", "sensor": "04", "gpstime":"2019-06-24T19:33:13.000Z", "temperature": 24.85, "relhumidity": 8.69, "vappress": 1.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603580,48.013760] }, "properties": { "altitude": "257.0", "sensor": "04", "gpstime":"2019-06-24T19:33:37.000Z", "temperature": 24.62, "relhumidity": 8.80, "vappress": 1.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588730,48.014955] }, "properties": { "altitude": "247.5", "sensor": "04", "gpstime":"2019-06-24T19:34:01.000Z", "temperature": 24.59, "relhumidity": 8.68, "vappress": 1.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600730,48.016668] }, "properties": { "altitude": "255.7", "sensor": "04", "gpstime":"2019-06-24T19:34:55.000Z", "temperature": 24.55, "relhumidity": 9.11, "vappress": 1.026, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611630,48.018172] }, "properties": { "altitude": "251.7", "sensor": "04", "gpstime":"2019-06-24T19:35:27.000Z", "temperature": 24.50, "relhumidity": 9.75, "vappress": 1.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622620,48.020090] }, "properties": { "altitude": "260.8", "sensor": "04", "gpstime":"2019-06-24T19:36:13.000Z", "temperature": 24.50, "relhumidity": 9.70, "vappress": 1.444, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629300,48.021972] }, "properties": { "altitude": "254.1", "sensor": "04", "gpstime":"2019-06-24T19:36:51.000Z", "temperature": 24.73, "relhumidity": 9.77, "vappress": 1.314, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643170,48.023410] }, "properties": { "altitude": "269.4", "sensor": "04", "gpstime":"2019-06-24T19:37:50.000Z", "temperature": 24.56, "relhumidity": 9.23, "vappress": 1.313, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8646680,48.025510] }, "properties": { "altitude": "252.2", "sensor": "04", "gpstime":"2019-06-24T19:38:52.000Z", "temperature": 24.76, "relhumidity": 8.59, "vappress": 1.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657670,48.026792] }, "properties": { "altitude": "258.2", "sensor": "04", "gpstime":"2019-06-24T19:39:26.000Z", "temperature": 24.64, "relhumidity": 7.97, "vappress": 0.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668500,48.028537] }, "properties": { "altitude": "255.5", "sensor": "04", "gpstime":"2019-06-24T19:40:09.000Z", "temperature": 24.66, "relhumidity": 8.52, "vappress": 1.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675320,48.030298] }, "properties": { "altitude": "246.6", "sensor": "04", "gpstime":"2019-06-24T19:40:34.000Z", "temperature": 24.09, "relhumidity": 9.60, "vappress": 0.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686330,48.032158] }, "properties": { "altitude": "235.1", "sensor": "04", "gpstime":"2019-06-24T19:41:03.000Z", "temperature": 23.48, "relhumidity": 10.70, "vappress": -0.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695580,48.034252] }, "properties": { "altitude": "230.1", "sensor": "04", "gpstime":"2019-06-24T19:41:35.000Z", "temperature": 23.13, "relhumidity": 12.38, "vappress": 0.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706400,48.035937] }, "properties": { "altitude": "228.9", "sensor": "04", "gpstime":"2019-06-24T19:42:07.000Z", "temperature": 23.63, "relhumidity": 11.23, "vappress": 0.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8717580,48.037608] }, "properties": { "altitude": "244.4", "sensor": "04", "gpstime":"2019-06-24T19:42:48.000Z", "temperature": 24.08, "relhumidity": 10.38, "vappress": 0.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733800,48.037503] }, "properties": { "altitude": "250.2", "sensor": "04", "gpstime":"2019-06-24T19:43:13.000Z", "temperature": 24.16, "relhumidity": 9.83, "vappress": 0.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8750180,48.037107] }, "properties": { "altitude": "255.3", "sensor": "04", "gpstime":"2019-06-24T19:43:38.000Z", "temperature": 24.33, "relhumidity": 9.43, "vappress": 0.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8767200,48.036295] }, "properties": { "altitude": "254.4", "sensor": "04", "gpstime":"2019-06-24T19:44:07.000Z", "temperature": 24.20, "relhumidity": 9.92, "vappress": 0.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8780920,48.036042] }, "properties": { "altitude": "258.5", "sensor": "04", "gpstime":"2019-06-24T19:44:26.000Z", "temperature": 24.16, "relhumidity": 10.02, "vappress": 0.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797470,48.035855] }, "properties": { "altitude": "266.4", "sensor": "04", "gpstime":"2019-06-24T19:44:47.000Z", "temperature": 23.91, "relhumidity": 10.58, "vappress": 0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8813250,48.035840] }, "properties": { "altitude": "266.3", "sensor": "04", "gpstime":"2019-06-24T19:45:06.000Z", "temperature": 23.77, "relhumidity": 11.05, "vappress": 0.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8830280,48.035853] }, "properties": { "altitude": "270.6", "sensor": "04", "gpstime":"2019-06-24T19:45:28.000Z", "temperature": 23.69, "relhumidity": 11.23, "vappress": 0.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8846120,48.036573] }, "properties": { "altitude": "268.9", "sensor": "04", "gpstime":"2019-06-24T19:45:55.000Z", "temperature": 23.49, "relhumidity": 11.14, "vappress": -0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8859630,48.035943] }, "properties": { "altitude": "274.4", "sensor": "04", "gpstime":"2019-06-24T19:46:32.000Z", "temperature": 22.61, "relhumidity": 12.17, "vappress": -0.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8874000,48.034593] }, "properties": { "altitude": "267.1", "sensor": "04", "gpstime":"2019-06-24T19:48:02.000Z", "temperature": 23.02, "relhumidity": 11.66, "vappress": -0.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8887830,48.033765] }, "properties": { "altitude": "265.4", "sensor": "04", "gpstime":"2019-06-24T19:48:37.000Z", "temperature": 22.93, "relhumidity": 11.66, "vappress": -0.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8872950,48.033275] }, "properties": { "altitude": "267.4", "sensor": "04", "gpstime":"2019-06-24T19:49:45.000Z", "temperature": 23.04, "relhumidity": 11.48, "vappress": -0.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8855400,48.033335] }, "properties": { "altitude": "257.0", "sensor": "04", "gpstime":"2019-06-24T19:50:07.000Z", "temperature": 23.15, "relhumidity": 11.20, "vappress": -0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8837350,48.033475] }, "properties": { "altitude": "246.4", "sensor": "04", "gpstime":"2019-06-24T19:50:31.000Z", "temperature": 23.26, "relhumidity": 11.04, "vappress": -0.201, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8817330,48.033622] }, "properties": { "altitude": "246.0", "sensor": "04", "gpstime":"2019-06-24T19:50:55.000Z", "temperature": 23.30, "relhumidity": 11.12, "vappress": -0.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8803600,48.033488] }, "properties": { "altitude": "253.6", "sensor": "04", "gpstime":"2019-06-24T19:51:12.000Z", "temperature": 23.18, "relhumidity": 11.10, "vappress": -0.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8782100,48.033347] }, "properties": { "altitude": "248.1", "sensor": "04", "gpstime":"2019-06-24T19:51:36.000Z", "temperature": 23.12, "relhumidity": 11.12, "vappress": -0.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761320,48.033508] }, "properties": { "altitude": "249.0", "sensor": "04", "gpstime":"2019-06-24T19:51:52.000Z", "temperature": 23.15, "relhumidity": 11.12, "vappress": -0.299, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8752230,48.031947] }, "properties": { "altitude": "269.4", "sensor": "04", "gpstime":"2019-06-24T19:52:57.000Z", "temperature": 23.30, "relhumidity": 11.00, "vappress": -0.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8747850,48.029763] }, "properties": { "altitude": "309.5", "sensor": "04", "gpstime":"2019-06-24T19:54:27.000Z", "temperature": 23.50, "relhumidity": 9.27, "vappress": 0.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739780,48.027718] }, "properties": { "altitude": "340.1", "sensor": "04", "gpstime":"2019-06-24T19:55:13.000Z", "temperature": 24.84, "relhumidity": 7.85, "vappress": 1.396, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726750,48.026887] }, "properties": { "altitude": "351.7", "sensor": "04", "gpstime":"2019-06-24T19:55:45.000Z", "temperature": 24.83, "relhumidity": 8.18, "vappress": 0.736, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712700,48.026490] }, "properties": { "altitude": "344.9", "sensor": "04", "gpstime":"2019-06-24T19:56:21.000Z", "temperature": 24.41, "relhumidity": 8.29, "vappress": 0.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8701430,48.024915] }, "properties": { "altitude": "315.6", "sensor": "04", "gpstime":"2019-06-24T19:56:52.000Z", "temperature": 24.09, "relhumidity": 9.12, "vappress": 0.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8715150,48.023365] }, "properties": { "altitude": "283.7", "sensor": "04", "gpstime":"2019-06-24T19:57:31.000Z", "temperature": 24.29, "relhumidity": 8.96, "vappress": 0.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729980,48.022755] }, "properties": { "altitude": "291.3", "sensor": "04", "gpstime":"2019-06-24T19:57:58.000Z", "temperature": 24.02, "relhumidity": 9.46, "vappress": 0.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8742480,48.021890] }, "properties": { "altitude": "298.8", "sensor": "04", "gpstime":"2019-06-24T19:58:36.000Z", "temperature": 23.40, "relhumidity": 10.33, "vappress": -0.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8730230,48.021043] }, "properties": { "altitude": "309.8", "sensor": "04", "gpstime":"2019-06-24T19:59:37.000Z", "temperature": 22.83, "relhumidity": 10.03, "vappress": -1.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712220,48.021418] }, "properties": { "altitude": "309.8", "sensor": "04", "gpstime":"2019-06-24T20:01:43.000Z", "temperature": 23.22, "relhumidity": 9.58, "vappress": -0.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8694070,48.020865] }, "properties": { "altitude": "311.0", "sensor": "04", "gpstime":"2019-06-24T20:02:07.000Z", "temperature": 23.69, "relhumidity": 8.79, "vappress": -0.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685500,48.019270] }, "properties": { "altitude": "315.0", "sensor": "04", "gpstime":"2019-06-24T20:02:51.000Z", "temperature": 23.67, "relhumidity": 9.28, "vappress": -0.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670930,48.017758] }, "properties": { "altitude": "309.9", "sensor": "04", "gpstime":"2019-06-24T20:03:32.000Z", "temperature": 23.93, "relhumidity": 8.62, "vappress": 0.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659150,48.016632] }, "properties": { "altitude": "312.5", "sensor": "04", "gpstime":"2019-06-24T20:04:04.000Z", "temperature": 24.36, "relhumidity": 8.15, "vappress": 0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669420,48.015283] }, "properties": { "altitude": "312.4", "sensor": "04", "gpstime":"2019-06-24T20:04:52.000Z", "temperature": 24.53, "relhumidity": 7.13, "vappress": 0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685430,48.015012] }, "properties": { "altitude": "324.9", "sensor": "04", "gpstime":"2019-06-24T20:05:27.000Z", "temperature": 24.76, "relhumidity": 7.58, "vappress": 0.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676670,48.013358] }, "properties": { "altitude": "360.7", "sensor": "04", "gpstime":"2019-06-24T20:06:38.000Z", "temperature": 24.71, "relhumidity": 7.72, "vappress": 1.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689070,48.012233] }, "properties": { "altitude": "353.2", "sensor": "04", "gpstime":"2019-06-24T20:07:37.000Z", "temperature": 25.17, "relhumidity": 6.57, "vappress": 1.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703830,48.011572] }, "properties": { "altitude": "357.6", "sensor": "04", "gpstime":"2019-06-24T20:08:20.000Z", "temperature": 25.05, "relhumidity": 6.78, "vappress": 0.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8694020,48.009698] }, "properties": { "altitude": "358.2", "sensor": "04", "gpstime":"2019-06-24T20:09:17.000Z", "temperature": 24.60, "relhumidity": 7.16, "vappress": 0.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8707830,48.009755] }, "properties": { "altitude": "331.0", "sensor": "04", "gpstime":"2019-06-24T20:10:03.000Z", "temperature": 24.67, "relhumidity": 6.79, "vappress": 0.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8723730,48.010655] }, "properties": { "altitude": "324.6", "sensor": "04", "gpstime":"2019-06-24T20:10:33.000Z", "temperature": 24.29, "relhumidity": 8.06, "vappress": -0.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718920,48.008677] }, "properties": { "altitude": "318.5", "sensor": "04", "gpstime":"2019-06-24T20:11:14.000Z", "temperature": 24.16, "relhumidity": 8.81, "vappress": 0.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8725850,48.006532] }, "properties": { "altitude": "308.4", "sensor": "04", "gpstime":"2019-06-24T20:11:49.000Z", "temperature": 24.17, "relhumidity": 9.07, "vappress": -0.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8702800,48.005690] }, "properties": { "altitude": "297.5", "sensor": "04", "gpstime":"2019-06-24T20:12:37.000Z", "temperature": 23.19, "relhumidity": 8.99, "vappress": -1.233, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689180,48.005387] }, "properties": { "altitude": "301.0", "sensor": "04", "gpstime":"2019-06-24T20:12:58.000Z", "temperature": 23.13, "relhumidity": 8.99, "vappress": -1.093, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8671150,48.005592] }, "properties": { "altitude": "293.2", "sensor": "04", "gpstime":"2019-06-24T20:13:35.000Z", "temperature": 23.50, "relhumidity": 8.90, "vappress": -0.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651950,48.004758] }, "properties": { "altitude": "284.0", "sensor": "04", "gpstime":"2019-06-24T20:13:52.000Z", "temperature": 24.24, "relhumidity": 8.90, "vappress": 0.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636480,48.004813] }, "properties": { "altitude": "274.3", "sensor": "04", "gpstime":"2019-06-24T20:14:10.000Z", "temperature": 24.70, "relhumidity": 8.87, "vappress": 1.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624100,48.003810] }, "properties": { "altitude": "270.6", "sensor": "04", "gpstime":"2019-06-24T20:14:43.000Z", "temperature": 24.94, "relhumidity": 8.12, "vappress": 1.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612270,48.002055] }, "properties": { "altitude": "270.6", "sensor": "04", "gpstime":"2019-06-24T20:15:21.000Z", "temperature": 25.29, "relhumidity": 7.10, "vappress": 1.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602930,48.000490] }, "properties": { "altitude": "271.9", "sensor": "04", "gpstime":"2019-06-24T20:15:56.000Z", "temperature": 25.22, "relhumidity": 6.84, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593650,47.999037] }, "properties": { "altitude": "283.4", "sensor": "04", "gpstime":"2019-06-24T20:16:31.000Z", "temperature": 25.23, "relhumidity": 7.34, "vappress": 1.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583720,47.997392] }, "properties": { "altitude": "285.8", "sensor": "04", "gpstime":"2019-06-24T20:17:06.000Z", "temperature": 25.95, "relhumidity": 6.15, "vappress": 2.313, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570100,47.997158] }, "properties": { "altitude": "288.0", "sensor": "04", "gpstime":"2019-06-24T20:17:36.000Z", "temperature": 26.13, "relhumidity": 5.80, "vappress": 2.203, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555970,47.997538] }, "properties": { "altitude": "285.5", "sensor": "04", "gpstime":"2019-06-24T20:17:52.000Z", "temperature": 26.28, "relhumidity": 5.57, "vappress": 2.443, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537620,47.998048] }, "properties": { "altitude": "292.0", "sensor": "04", "gpstime":"2019-06-24T20:18:16.000Z", "temperature": 26.61, "relhumidity": 4.96, "vappress": 2.918, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523200,47.998263] }, "properties": { "altitude": "297.1", "sensor": "04", "gpstime":"2019-06-24T20:18:32.000Z", "temperature": 26.93, "relhumidity": 4.29, "vappress": 3.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508230,47.998353] }, "properties": { "altitude": "302.8", "sensor": "04", "gpstime":"2019-06-24T20:19:24.000Z", "temperature": 27.01, "relhumidity": 3.63, "vappress": 3.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8495480,47.997237] }, "properties": { "altitude": "295.2", "sensor": "04", "gpstime":"2019-06-24T20:20:10.000Z", "temperature": 27.28, "relhumidity": 3.19, "vappress": 3.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484570,47.996065] }, "properties": { "altitude": "309.2", "sensor": "04", "gpstime":"2019-06-24T20:21:03.000Z", "temperature": 27.17, "relhumidity": 3.31, "vappress": 2.818, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471200,47.996635] }, "properties": { "altitude": "317.6", "sensor": "04", "gpstime":"2019-06-24T20:21:30.000Z", "temperature": 27.08, "relhumidity": 3.37, "vappress": 2.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458950,47.995623] }, "properties": { "altitude": "288.5", "sensor": "04", "gpstime":"2019-06-24T20:22:03.000Z", "temperature": 27.04, "relhumidity": 3.92, "vappress": 2.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452330,47.993633] }, "properties": { "altitude": "275.0", "sensor": "04", "gpstime":"2019-06-24T20:22:46.000Z", "temperature": 26.79, "relhumidity": 4.32, "vappress": 2.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438550,47.992810] }, "properties": { "altitude": "278.1", "sensor": "04", "gpstime":"2019-06-24T20:25:39.000Z", "temperature": 26.79, "relhumidity": 6.93, "vappress": 3.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441150,47.992753] }, "properties": { "altitude": "279.4", "sensor": "04", "gpstime":"2019-06-24T20:26:16.000Z", "temperature": 26.96, "relhumidity": 6.91, "vappress": 3.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451830,47.993548] }, "properties": { "altitude": "102.0", "sensor": "06", "gpstime":"2019-06-24T18:49:41.000Z", "temperature": 24.21, "relhumidity": 18.49, "vappress": 4.175, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436550,47.992767] }, "properties": { "altitude": "370.2", "sensor": "06", "gpstime":"2019-06-24T20:35:38.000Z", "temperature": 25.18, "relhumidity": 6.42, "vappress": 3.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436770,47.992763] }, "properties": { "altitude": "383.2", "sensor": "06", "gpstime":"2019-06-24T20:35:54.000Z", "temperature": 27.13, "relhumidity": 6.42, "vappress": 3.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454270,47.993567] }, "properties": { "altitude": "105.9", "sensor": "07", "gpstime":"2019-06-24T19:15:48.216Z", "temperature": 26.25, "relhumidity": 2.92, "vappress": 1.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452030,47.991120] }, "properties": { "altitude": "196.2", "sensor": "07", "gpstime":"2019-06-24T19:25:31.000Z", "temperature": 26.35, "relhumidity": 1.16, "vappress": 1.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468180,47.990850] }, "properties": { "altitude": "211.7", "sensor": "07", "gpstime":"2019-06-24T19:26:16.000Z", "temperature": 26.47, "relhumidity": 1.19, "vappress": 1.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475270,47.988737] }, "properties": { "altitude": "230.5", "sensor": "07", "gpstime":"2019-06-24T19:27:16.000Z", "temperature": 26.57, "relhumidity": 1.82, "vappress": 1.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460200,47.988187] }, "properties": { "altitude": "230.6", "sensor": "07", "gpstime":"2019-06-24T19:27:41.000Z", "temperature": 26.28, "relhumidity": 1.44, "vappress": 1.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443180,47.987802] }, "properties": { "altitude": "226.4", "sensor": "07", "gpstime":"2019-06-24T19:28:10.000Z", "temperature": 26.18, "relhumidity": 3.26, "vappress": 1.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427620,47.987525] }, "properties": { "altitude": "228.0", "sensor": "07", "gpstime":"2019-06-24T19:28:40.000Z", "temperature": 25.98, "relhumidity": 3.98, "vappress": 1.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417370,47.985795] }, "properties": { "altitude": "243.7", "sensor": "07", "gpstime":"2019-06-24T19:29:28.000Z", "temperature": 25.83, "relhumidity": 6.18, "vappress": 1.809, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400480,47.984828] }, "properties": { "altitude": "250.9", "sensor": "07", "gpstime":"2019-06-24T19:30:09.000Z", "temperature": 25.50, "relhumidity": 6.66, "vappress": 1.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381630,47.984418] }, "properties": { "altitude": "249.6", "sensor": "07", "gpstime":"2019-06-24T19:30:36.000Z", "temperature": 25.47, "relhumidity": 6.46, "vappress": 1.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364170,47.984440] }, "properties": { "altitude": "254.4", "sensor": "07", "gpstime":"2019-06-24T19:31:42.000Z", "temperature": 25.53, "relhumidity": 6.69, "vappress": 2.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350750,47.984607] }, "properties": { "altitude": "254.2", "sensor": "07", "gpstime":"2019-06-24T19:32:01.000Z", "temperature": 25.67, "relhumidity": 5.87, "vappress": 1.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335930,47.985045] }, "properties": { "altitude": "262.2", "sensor": "07", "gpstime":"2019-06-24T19:32:47.000Z", "temperature": 25.91, "relhumidity": 4.33, "vappress": 1.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320970,47.984665] }, "properties": { "altitude": "257.6", "sensor": "07", "gpstime":"2019-06-24T19:33:25.000Z", "temperature": 26.01, "relhumidity": 3.33, "vappress": 1.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308920,47.983307] }, "properties": { "altitude": "261.9", "sensor": "07", "gpstime":"2019-06-24T19:34:14.000Z", "temperature": 25.84, "relhumidity": 4.48, "vappress": 1.286, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322180,47.982485] }, "properties": { "altitude": "255.1", "sensor": "07", "gpstime":"2019-06-24T19:34:49.000Z", "temperature": 25.75, "relhumidity": 4.37, "vappress": 1.406, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322970,47.980485] }, "properties": { "altitude": "255.5", "sensor": "07", "gpstime":"2019-06-24T19:35:51.000Z", "temperature": 25.80, "relhumidity": 5.08, "vappress": 1.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307170,47.979700] }, "properties": { "altitude": "251.7", "sensor": "07", "gpstime":"2019-06-24T19:36:32.000Z", "temperature": 25.75, "relhumidity": 4.01, "vappress": 1.354, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286850,47.979855] }, "properties": { "altitude": "250.8", "sensor": "07", "gpstime":"2019-06-24T19:37:07.000Z", "temperature": 25.95, "relhumidity": 2.82, "vappress": 1.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273770,47.978948] }, "properties": { "altitude": "257.6", "sensor": "07", "gpstime":"2019-06-24T19:37:33.000Z", "temperature": 26.11, "relhumidity": 1.99, "vappress": 1.153, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259320,47.977745] }, "properties": { "altitude": "255.7", "sensor": "07", "gpstime":"2019-06-24T19:38:08.000Z", "temperature": 26.15, "relhumidity": 2.35, "vappress": 1.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8245400,47.977152] }, "properties": { "altitude": "252.2", "sensor": "07", "gpstime":"2019-06-24T19:38:46.000Z", "temperature": 26.03, "relhumidity": 2.45, "vappress": 1.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231350,47.977192] }, "properties": { "altitude": "248.7", "sensor": "07", "gpstime":"2019-06-24T19:39:18.000Z", "temperature": 25.93, "relhumidity": 2.78, "vappress": 1.174, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215800,47.977533] }, "properties": { "altitude": "247.4", "sensor": "07", "gpstime":"2019-06-24T19:39:43.000Z", "temperature": 25.98, "relhumidity": 3.28, "vappress": 1.344, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201030,47.977515] }, "properties": { "altitude": "253.0", "sensor": "07", "gpstime":"2019-06-24T19:40:06.000Z", "temperature": 25.96, "relhumidity": 3.92, "vappress": 1.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188750,47.976337] }, "properties": { "altitude": "255.5", "sensor": "07", "gpstime":"2019-06-24T19:40:40.000Z", "temperature": 25.70, "relhumidity": 4.64, "vappress": 1.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202350,47.976818] }, "properties": { "altitude": "250.5", "sensor": "07", "gpstime":"2019-06-24T19:41:32.000Z", "temperature": 25.57, "relhumidity": 5.98, "vappress": 1.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219530,47.976452] }, "properties": { "altitude": "244.3", "sensor": "07", "gpstime":"2019-06-24T19:42:04.000Z", "temperature": 25.33, "relhumidity": 5.86, "vappress": 1.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203700,47.975717] }, "properties": { "altitude": "252.0", "sensor": "07", "gpstime":"2019-06-24T19:43:39.000Z", "temperature": 25.34, "relhumidity": 6.57, "vappress": 1.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184630,47.975795] }, "properties": { "altitude": "252.8", "sensor": "07", "gpstime":"2019-06-24T19:44:21.000Z", "temperature": 25.47, "relhumidity": 7.36, "vappress": 1.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8169320,47.974712] }, "properties": { "altitude": "255.9", "sensor": "07", "gpstime":"2019-06-24T19:46:01.000Z", "temperature": 24.91, "relhumidity": 9.07, "vappress": 1.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8154150,47.974835] }, "properties": { "altitude": "256.8", "sensor": "07", "gpstime":"2019-06-24T19:46:31.000Z", "temperature": 24.78, "relhumidity": 5.98, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139470,47.974995] }, "properties": { "altitude": "262.9", "sensor": "07", "gpstime":"2019-06-24T19:47:16.000Z", "temperature": 24.94, "relhumidity": 2.98, "vappress": -0.173, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128720,47.973272] }, "properties": { "altitude": "264.4", "sensor": "07", "gpstime":"2019-06-24T19:48:30.000Z", "temperature": 25.21, "relhumidity": 0.87, "vappress": -0.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114720,47.972695] }, "properties": { "altitude": "272.4", "sensor": "07", "gpstime":"2019-06-24T19:49:17.000Z", "temperature": 24.83, "relhumidity": 4.80, "vappress": -0.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8096820,47.972898] }, "properties": { "altitude": "273.7", "sensor": "07", "gpstime":"2019-06-24T19:51:29.000Z", "temperature": 24.29, "relhumidity": 7.83, "vappress": -0.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083520,47.973613] }, "properties": { "altitude": "279.1", "sensor": "07", "gpstime":"2019-06-24T19:52:29.000Z", "temperature": 23.94, "relhumidity": 6.72, "vappress": -0.625, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8071270,47.974463] }, "properties": { "altitude": "265.9", "sensor": "07", "gpstime":"2019-06-24T19:53:25.000Z", "temperature": 23.80, "relhumidity": 7.79, "vappress": -0.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083270,47.975800] }, "properties": { "altitude": "258.2", "sensor": "07", "gpstime":"2019-06-24T19:55:33.000Z", "temperature": 23.35, "relhumidity": 9.58, "vappress": -0.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093820,47.977395] }, "properties": { "altitude": "252.3", "sensor": "07", "gpstime":"2019-06-24T19:57:48.000Z", "temperature": 23.90, "relhumidity": 7.77, "vappress": 0.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085280,47.979172] }, "properties": { "altitude": "260.1", "sensor": "07", "gpstime":"2019-06-24T19:59:23.000Z", "temperature": 24.85, "relhumidity": 6.93, "vappress": 1.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8070530,47.979473] }, "properties": { "altitude": "253.0", "sensor": "07", "gpstime":"2019-06-24T19:59:56.000Z", "temperature": 25.44, "relhumidity": 5.15, "vappress": 1.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8075570,47.981627] }, "properties": { "altitude": "240.2", "sensor": "07", "gpstime":"2019-06-24T20:01:04.000Z", "temperature": 25.91, "relhumidity": 1.81, "vappress": 0.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8088180,47.982727] }, "properties": { "altitude": "239.4", "sensor": "07", "gpstime":"2019-06-24T20:01:36.000Z", "temperature": 26.23, "relhumidity": 1.10, "vappress": 0.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8100620,47.984047] }, "properties": { "altitude": "244.0", "sensor": "07", "gpstime":"2019-06-24T20:02:14.000Z", "temperature": 26.15, "relhumidity": 1.40, "vappress": 0.796, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112150,47.985502] }, "properties": { "altitude": "235.4", "sensor": "07", "gpstime":"2019-06-24T20:02:52.000Z", "temperature": 26.08, "relhumidity": 2.10, "vappress": 1.026, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8122000,47.987177] }, "properties": { "altitude": "231.4", "sensor": "07", "gpstime":"2019-06-24T20:03:35.000Z", "temperature": 26.18, "relhumidity": 1.92, "vappress": 1.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103470,47.988935] }, "properties": { "altitude": "242.5", "sensor": "07", "gpstime":"2019-06-24T20:05:45.000Z", "temperature": 26.28, "relhumidity": 1.96, "vappress": 1.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116150,47.990195] }, "properties": { "altitude": "240.3", "sensor": "07", "gpstime":"2019-06-24T20:06:32.000Z", "temperature": 26.38, "relhumidity": 1.18, "vappress": 1.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132780,47.991287] }, "properties": { "altitude": "232.9", "sensor": "07", "gpstime":"2019-06-24T20:07:20.000Z", "temperature": 26.57, "relhumidity": 0.73, "vappress": 1.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8147770,47.991175] }, "properties": { "altitude": "240.1", "sensor": "07", "gpstime":"2019-06-24T20:07:46.000Z", "temperature": 26.65, "relhumidity": 0.51, "vappress": 1.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132450,47.992168] }, "properties": { "altitude": "253.6", "sensor": "07", "gpstime":"2019-06-24T20:08:59.000Z", "temperature": 26.91, "relhumidity": 0.06, "vappress": 1.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118820,47.991190] }, "properties": { "altitude": "251.9", "sensor": "07", "gpstime":"2019-06-24T20:09:54.000Z", "temperature": 26.75, "relhumidity": 0.14, "vappress": 1.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8105020,47.990185] }, "properties": { "altitude": "252.2", "sensor": "07", "gpstime":"2019-06-24T20:10:46.000Z", "temperature": 26.74, "relhumidity": 0.15, "vappress": 1.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8091400,47.989152] }, "properties": { "altitude": "253.6", "sensor": "07", "gpstime":"2019-06-24T20:11:25.000Z", "temperature": 26.70, "relhumidity": -0.23, "vappress": 1.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8076420,47.989767] }, "properties": { "altitude": "247.5", "sensor": "07", "gpstime":"2019-06-24T20:12:02.000Z", "temperature": 26.73, "relhumidity": 0.11, "vappress": 1.437, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063830,47.990553] }, "properties": { "altitude": "242.2", "sensor": "07", "gpstime":"2019-06-24T20:12:30.000Z", "temperature": 26.83, "relhumidity": -0.61, "vappress": 1.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049750,47.991995] }, "properties": { "altitude": "232.2", "sensor": "07", "gpstime":"2019-06-24T20:14:02.000Z", "temperature": 26.90, "relhumidity": -0.56, "vappress": 1.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8035850,47.992288] }, "properties": { "altitude": "230.9", "sensor": "07", "gpstime":"2019-06-24T20:14:26.000Z", "temperature": 27.00, "relhumidity": -0.85, "vappress": 1.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022620,47.992603] }, "properties": { "altitude": "235.6", "sensor": "07", "gpstime":"2019-06-24T20:14:49.000Z", "temperature": 27.10, "relhumidity": -1.07, "vappress": 1.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008880,47.992910] }, "properties": { "altitude": "234.5", "sensor": "07", "gpstime":"2019-06-24T20:15:12.000Z", "temperature": 27.13, "relhumidity": -0.92, "vappress": 1.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022600,47.994108] }, "properties": { "altitude": "235.5", "sensor": "07", "gpstime":"2019-06-24T20:17:32.000Z", "temperature": 27.11, "relhumidity": -0.42, "vappress": 1.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036120,47.993883] }, "properties": { "altitude": "236.9", "sensor": "07", "gpstime":"2019-06-24T20:17:57.000Z", "temperature": 27.15, "relhumidity": -0.84, "vappress": 1.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8047620,47.995000] }, "properties": { "altitude": "233.5", "sensor": "07", "gpstime":"2019-06-24T20:18:31.000Z", "temperature": 27.19, "relhumidity": -0.72, "vappress": 1.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8061230,47.996420] }, "properties": { "altitude": "234.0", "sensor": "07", "gpstime":"2019-06-24T20:19:15.000Z", "temperature": 27.02, "relhumidity": 0.04, "vappress": 1.552, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8074020,47.997492] }, "properties": { "altitude": "248.2", "sensor": "07", "gpstime":"2019-06-24T20:20:07.000Z", "temperature": 26.92, "relhumidity": 0.56, "vappress": 1.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049120,47.998318] }, "properties": { "altitude": "231.9", "sensor": "07", "gpstime":"2019-06-24T20:21:06.000Z", "temperature": 27.07, "relhumidity": -0.03, "vappress": 1.918, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033830,47.997690] }, "properties": { "altitude": "233.2", "sensor": "07", "gpstime":"2019-06-24T20:21:36.000Z", "temperature": 27.23, "relhumidity": -0.54, "vappress": 1.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8041650,47.995668] }, "properties": { "altitude": "234.1", "sensor": "07", "gpstime":"2019-06-24T20:22:42.000Z", "temperature": 27.19, "relhumidity": -0.43, "vappress": 1.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8027670,47.994775] }, "properties": { "altitude": "236.7", "sensor": "07", "gpstime":"2019-06-24T20:23:33.000Z", "temperature": 27.19, "relhumidity": -0.22, "vappress": 1.746, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8017380,47.996187] }, "properties": { "altitude": "236.9", "sensor": "07", "gpstime":"2019-06-24T20:25:00.000Z", "temperature": 27.04, "relhumidity": -0.02, "vappress": 1.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8011720,47.998043] }, "properties": { "altitude": "229.0", "sensor": "07", "gpstime":"2019-06-24T20:25:46.000Z", "temperature": 26.81, "relhumidity": 1.30, "vappress": 1.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8018080,48.000062] }, "properties": { "altitude": "223.8", "sensor": "07", "gpstime":"2019-06-24T20:26:35.000Z", "temperature": 26.57, "relhumidity": 2.14, "vappress": 1.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031980,48.000577] }, "properties": { "altitude": "228.5", "sensor": "07", "gpstime":"2019-06-24T20:27:59.000Z", "temperature": 26.23, "relhumidity": 4.76, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8043100,48.001702] }, "properties": { "altitude": "243.4", "sensor": "07", "gpstime":"2019-06-24T20:28:48.000Z", "temperature": 26.10, "relhumidity": 5.40, "vappress": 1.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8057980,48.001812] }, "properties": { "altitude": "237.1", "sensor": "07", "gpstime":"2019-06-24T20:29:39.000Z", "temperature": 25.84, "relhumidity": 6.41, "vappress": 1.597, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069930,48.000603] }, "properties": { "altitude": "235.6", "sensor": "07", "gpstime":"2019-06-24T20:30:16.000Z", "temperature": 25.55, "relhumidity": 7.01, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8075380,47.998760] }, "properties": { "altitude": "237.8", "sensor": "07", "gpstime":"2019-06-24T20:31:16.000Z", "temperature": 25.54, "relhumidity": 7.11, "vappress": 1.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089950,47.998877] }, "properties": { "altitude": "239.2", "sensor": "07", "gpstime":"2019-06-24T20:32:00.000Z", "temperature": 25.92, "relhumidity": 4.21, "vappress": 1.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104430,47.998870] }, "properties": { "altitude": "242.8", "sensor": "07", "gpstime":"2019-06-24T20:32:36.000Z", "temperature": 26.37, "relhumidity": 2.60, "vappress": 1.566, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118570,47.997820] }, "properties": { "altitude": "246.8", "sensor": "07", "gpstime":"2019-06-24T20:33:13.000Z", "temperature": 26.62, "relhumidity": 0.52, "vappress": 1.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8131580,47.997200] }, "properties": { "altitude": "243.4", "sensor": "07", "gpstime":"2019-06-24T20:33:41.000Z", "temperature": 26.77, "relhumidity": -1.00, "vappress": 0.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146800,47.996240] }, "properties": { "altitude": "243.8", "sensor": "07", "gpstime":"2019-06-24T20:34:16.000Z", "temperature": 26.82, "relhumidity": -2.49, "vappress": 0.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8160370,47.994965] }, "properties": { "altitude": "254.6", "sensor": "07", "gpstime":"2019-06-24T20:34:57.000Z", "temperature": 26.80, "relhumidity": -2.28, "vappress": 0.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171550,47.993463] }, "properties": { "altitude": "250.9", "sensor": "07", "gpstime":"2019-06-24T20:35:39.000Z", "temperature": 26.74, "relhumidity": -2.15, "vappress": 0.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185520,47.993240] }, "properties": { "altitude": "248.4", "sensor": "07", "gpstime":"2019-06-24T20:36:06.000Z", "temperature": 26.73, "relhumidity": -1.56, "vappress": 0.723, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200770,47.993508] }, "properties": { "altitude": "248.3", "sensor": "07", "gpstime":"2019-06-24T20:36:34.000Z", "temperature": 26.85, "relhumidity": -2.20, "vappress": 0.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215000,47.993745] }, "properties": { "altitude": "258.0", "sensor": "07", "gpstime":"2019-06-24T20:37:00.000Z", "temperature": 26.93, "relhumidity": -2.58, "vappress": 0.683, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225470,47.995222] }, "properties": { "altitude": "251.4", "sensor": "07", "gpstime":"2019-06-24T20:37:54.000Z", "temperature": 26.95, "relhumidity": -1.72, "vappress": 0.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217570,47.997020] }, "properties": { "altitude": "240.4", "sensor": "07", "gpstime":"2019-06-24T20:39:02.000Z", "temperature": 26.92, "relhumidity": -0.96, "vappress": 1.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229480,47.998670] }, "properties": { "altitude": "246.2", "sensor": "07", "gpstime":"2019-06-24T20:40:29.000Z", "temperature": 26.83, "relhumidity": 1.02, "vappress": 1.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244900,47.998838] }, "properties": { "altitude": "245.0", "sensor": "07", "gpstime":"2019-06-24T20:41:14.000Z", "temperature": 26.59, "relhumidity": 0.97, "vappress": 1.382, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253970,48.000652] }, "properties": { "altitude": "253.9", "sensor": "07", "gpstime":"2019-06-24T20:42:30.000Z", "temperature": 26.67, "relhumidity": -0.07, "vappress": 0.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268420,48.001757] }, "properties": { "altitude": "247.9", "sensor": "07", "gpstime":"2019-06-24T20:43:11.000Z", "temperature": 26.79, "relhumidity": 1.88, "vappress": 1.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280600,48.002637] }, "properties": { "altitude": "245.5", "sensor": "07", "gpstime":"2019-06-24T20:43:41.000Z", "temperature": 26.42, "relhumidity": 3.32, "vappress": 1.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293870,48.003627] }, "properties": { "altitude": "248.3", "sensor": "07", "gpstime":"2019-06-24T20:44:16.000Z", "temperature": 26.27, "relhumidity": 2.93, "vappress": 1.394, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307630,48.004593] }, "properties": { "altitude": "247.6", "sensor": "07", "gpstime":"2019-06-24T20:44:52.000Z", "temperature": 26.31, "relhumidity": 3.36, "vappress": 1.524, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322430,48.005693] }, "properties": { "altitude": "253.5", "sensor": "07", "gpstime":"2019-06-24T20:45:23.000Z", "temperature": 26.51, "relhumidity": 2.33, "vappress": 1.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324980,48.007990] }, "properties": { "altitude": "248.9", "sensor": "07", "gpstime":"2019-06-24T20:47:04.000Z", "temperature": 26.97, "relhumidity": -1.11, "vappress": 1.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340300,48.008560] }, "properties": { "altitude": "253.0", "sensor": "07", "gpstime":"2019-06-24T20:47:45.000Z", "temperature": 27.48, "relhumidity": -1.63, "vappress": 1.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355430,48.007957] }, "properties": { "altitude": "258.8", "sensor": "07", "gpstime":"2019-06-24T20:48:20.000Z", "temperature": 27.67, "relhumidity": -2.49, "vappress": 1.739, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371130,48.009127] }, "properties": { "altitude": "249.1", "sensor": "07", "gpstime":"2019-06-24T20:48:50.000Z", "temperature": 27.81, "relhumidity": -2.27, "vappress": 1.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384680,48.010107] }, "properties": { "altitude": "248.7", "sensor": "07", "gpstime":"2019-06-24T20:49:33.000Z", "temperature": 27.75, "relhumidity": -0.35, "vappress": 2.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397580,48.010970] }, "properties": { "altitude": "242.8", "sensor": "07", "gpstime":"2019-06-24T20:50:05.000Z", "temperature": 27.25, "relhumidity": 1.90, "vappress": 2.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412520,48.011807] }, "properties": { "altitude": "240.0", "sensor": "07", "gpstime":"2019-06-24T20:50:41.000Z", "temperature": 26.89, "relhumidity": 3.68, "vappress": 2.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426850,48.012523] }, "properties": { "altitude": "230.1", "sensor": "07", "gpstime":"2019-06-24T20:51:16.000Z", "temperature": 26.67, "relhumidity": 4.40, "vappress": 2.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441520,48.012393] }, "properties": { "altitude": "226.5", "sensor": "07", "gpstime":"2019-06-24T20:51:51.000Z", "temperature": 26.74, "relhumidity": 3.59, "vappress": 2.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456650,48.011662] }, "properties": { "altitude": "245.5", "sensor": "07", "gpstime":"2019-06-24T20:52:25.000Z", "temperature": 26.91, "relhumidity": 3.73, "vappress": 2.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471570,48.010625] }, "properties": { "altitude": "257.0", "sensor": "07", "gpstime":"2019-06-24T20:53:04.000Z", "temperature": 27.00, "relhumidity": 2.31, "vappress": 2.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481480,48.009198] }, "properties": { "altitude": "264.0", "sensor": "07", "gpstime":"2019-06-24T20:53:57.000Z", "temperature": 27.24, "relhumidity": 1.28, "vappress": 2.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496870,48.008420] }, "properties": { "altitude": "263.5", "sensor": "07", "gpstime":"2019-06-24T20:54:30.000Z", "temperature": 27.46, "relhumidity": 0.41, "vappress": 2.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483680,48.007193] }, "properties": { "altitude": "274.4", "sensor": "07", "gpstime":"2019-06-24T20:55:18.000Z", "temperature": 27.62, "relhumidity": -1.41, "vappress": 2.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471580,48.006168] }, "properties": { "altitude": "282.4", "sensor": "07", "gpstime":"2019-06-24T20:55:51.000Z", "temperature": 27.77, "relhumidity": -3.17, "vappress": 1.571, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456770,48.005647] }, "properties": { "altitude": "263.5", "sensor": "07", "gpstime":"2019-06-24T20:56:21.000Z", "temperature": 27.89, "relhumidity": -3.71, "vappress": 1.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441980,48.005228] }, "properties": { "altitude": "247.8", "sensor": "07", "gpstime":"2019-06-24T20:56:52.000Z", "temperature": 27.87, "relhumidity": -4.11, "vappress": 1.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443300,48.003215] }, "properties": { "altitude": "259.6", "sensor": "07", "gpstime":"2019-06-24T20:58:26.000Z", "temperature": 27.65, "relhumidity": -2.91, "vappress": 1.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431280,48.001822] }, "properties": { "altitude": "272.5", "sensor": "07", "gpstime":"2019-06-24T20:59:30.000Z", "temperature": 27.52, "relhumidity": -4.87, "vappress": 0.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417170,48.001755] }, "properties": { "altitude": "286.2", "sensor": "07", "gpstime":"2019-06-24T21:00:57.000Z", "temperature": 27.69, "relhumidity": -3.41, "vappress": 1.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403250,48.001908] }, "properties": { "altitude": "287.1", "sensor": "07", "gpstime":"2019-06-24T21:01:27.000Z", "temperature": 27.53, "relhumidity": -3.58, "vappress": 1.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391820,48.000765] }, "properties": { "altitude": "291.8", "sensor": "07", "gpstime":"2019-06-24T21:02:36.000Z", "temperature": 27.54, "relhumidity": -5.30, "vappress": 0.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405730,48.000028] }, "properties": { "altitude": "287.7", "sensor": "07", "gpstime":"2019-06-24T21:03:02.000Z", "temperature": 27.63, "relhumidity": -6.42, "vappress": 0.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422420,47.999672] }, "properties": { "altitude": "276.0", "sensor": "07", "gpstime":"2019-06-24T21:03:32.000Z", "temperature": 27.74, "relhumidity": -6.50, "vappress": 0.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437530,47.999343] }, "properties": { "altitude": "267.4", "sensor": "07", "gpstime":"2019-06-24T21:04:05.000Z", "temperature": 27.67, "relhumidity": -5.00, "vappress": 0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451480,47.999478] }, "properties": { "altitude": "260.9", "sensor": "07", "gpstime":"2019-06-24T21:04:37.000Z", "temperature": 27.62, "relhumidity": -5.00, "vappress": 0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465250,47.999140] }, "properties": { "altitude": "258.4", "sensor": "07", "gpstime":"2019-06-24T21:05:02.000Z", "temperature": 27.60, "relhumidity": -5.08, "vappress": 0.676, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478750,48.000170] }, "properties": { "altitude": "263.9", "sensor": "07", "gpstime":"2019-06-24T21:05:47.000Z", "temperature": 27.74, "relhumidity": -6.92, "vappress": 0.356, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8492300,47.999965] }, "properties": { "altitude": "257.4", "sensor": "07", "gpstime":"2019-06-24T21:06:10.000Z", "temperature": 27.90, "relhumidity": -8.90, "vappress": -0.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8506320,47.999792] }, "properties": { "altitude": "252.5", "sensor": "07", "gpstime":"2019-06-24T21:06:33.000Z", "temperature": 28.04, "relhumidity": -9.52, "vappress": -0.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521200,47.999622] }, "properties": { "altitude": "248.4", "sensor": "07", "gpstime":"2019-06-24T21:06:56.000Z", "temperature": 28.12, "relhumidity": -10.65, "vappress": -0.447, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526480,47.997668] }, "properties": { "altitude": "280.4", "sensor": "07", "gpstime":"2019-06-24T21:08:13.000Z", "temperature": 28.15, "relhumidity": -8.28, "vappress": 0.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513920,47.996397] }, "properties": { "altitude": "289.5", "sensor": "07", "gpstime":"2019-06-24T21:08:53.000Z", "temperature": 27.86, "relhumidity": -4.08, "vappress": 1.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8502670,47.995218] }, "properties": { "altitude": "290.4", "sensor": "07", "gpstime":"2019-06-24T21:09:30.000Z", "temperature": 27.26, "relhumidity": -0.47, "vappress": 1.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491470,47.994027] }, "properties": { "altitude": "282.6", "sensor": "07", "gpstime":"2019-06-24T21:10:06.000Z", "temperature": 27.04, "relhumidity": 0.92, "vappress": 1.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472170,47.992905] }, "properties": { "altitude": "260.8", "sensor": "07", "gpstime":"2019-06-24T21:11:00.000Z", "temperature": 26.84, "relhumidity": -0.63, "vappress": 0.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457850,47.993662] }, "properties": { "altitude": "244.3", "sensor": "07", "gpstime":"2019-06-24T21:11:30.000Z", "temperature": 26.75, "relhumidity": 0.61, "vappress": 1.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441030,47.992613] }, "properties": { "altitude": "321.9", "sensor": "07", "gpstime":"2019-06-24T21:14:25.000Z", "temperature": 26.85, "relhumidity": 4.58, "vappress": 2.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437450,47.992633] }, "properties": { "altitude": "332.3", "sensor": "07", "gpstime":"2019-06-24T21:14:36.000Z", "temperature": 27.01, "relhumidity": 4.28, "vappress": 2.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451350,47.991945] }, "properties": { "altitude": "268.2", "sensor": "08", "gpstime":"2019-06-24T19:26:12.000Z", "temperature": 26.55, "relhumidity": 8.65, "vappress": 4.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437970,47.992073] }, "properties": { "altitude": "257.7", "sensor": "08", "gpstime":"2019-06-24T19:27:17.000Z", "temperature": 26.19, "relhumidity": 11.51, "vappress": 4.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426480,47.993298] }, "properties": { "altitude": "259.1", "sensor": "08", "gpstime":"2019-06-24T19:27:52.000Z", "temperature": 25.91, "relhumidity": 11.86, "vappress": 4.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415870,47.995143] }, "properties": { "altitude": "262.9", "sensor": "08", "gpstime":"2019-06-24T19:29:11.000Z", "temperature": 26.06, "relhumidity": 10.95, "vappress": 4.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402070,47.994620] }, "properties": { "altitude": "266.5", "sensor": "08", "gpstime":"2019-06-24T19:29:56.000Z", "temperature": 26.29, "relhumidity": 11.78, "vappress": 4.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391770,47.993295] }, "properties": { "altitude": "273.9", "sensor": "08", "gpstime":"2019-06-24T19:30:27.000Z", "temperature": 26.21, "relhumidity": 11.92, "vappress": 4.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379680,47.992350] }, "properties": { "altitude": "273.6", "sensor": "08", "gpstime":"2019-06-24T19:32:25.000Z", "temperature": 25.90, "relhumidity": 13.66, "vappress": 4.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365730,47.992742] }, "properties": { "altitude": "271.4", "sensor": "08", "gpstime":"2019-06-24T19:32:50.000Z", "temperature": 25.87, "relhumidity": 14.01, "vappress": 4.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377470,47.994828] }, "properties": { "altitude": "256.3", "sensor": "08", "gpstime":"2019-06-24T19:34:35.000Z", "temperature": 25.83, "relhumidity": 13.64, "vappress": 4.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388570,47.996433] }, "properties": { "altitude": "266.5", "sensor": "08", "gpstime":"2019-06-24T19:35:16.000Z", "temperature": 25.76, "relhumidity": 14.13, "vappress": 4.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394920,47.998330] }, "properties": { "altitude": "254.9", "sensor": "08", "gpstime":"2019-06-24T19:36:10.000Z", "temperature": 25.77, "relhumidity": 14.19, "vappress": 4.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406120,47.999717] }, "properties": { "altitude": "269.7", "sensor": "08", "gpstime":"2019-06-24T19:36:48.000Z", "temperature": 26.00, "relhumidity": 12.88, "vappress": 4.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420200,48.000923] }, "properties": { "altitude": "268.3", "sensor": "08", "gpstime":"2019-06-24T19:37:23.000Z", "temperature": 26.26, "relhumidity": 11.19, "vappress": 4.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431700,48.001988] }, "properties": { "altitude": "268.3", "sensor": "08", "gpstime":"2019-06-24T19:38:16.000Z", "temperature": 26.29, "relhumidity": 10.19, "vappress": 4.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419570,48.003183] }, "properties": { "altitude": "267.1", "sensor": "08", "gpstime":"2019-06-24T19:38:58.000Z", "temperature": 26.43, "relhumidity": 9.82, "vappress": 4.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407370,48.004447] }, "properties": { "altitude": "263.4", "sensor": "08", "gpstime":"2019-06-24T19:40:41.000Z", "temperature": 26.39, "relhumidity": 9.65, "vappress": 4.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393000,48.005428] }, "properties": { "altitude": "251.7", "sensor": "08", "gpstime":"2019-06-24T19:41:08.000Z", "temperature": 26.54, "relhumidity": 8.58, "vappress": 4.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372250,48.006533] }, "properties": { "altitude": "259.8", "sensor": "08", "gpstime":"2019-06-24T19:42:03.000Z", "temperature": 26.65, "relhumidity": 8.21, "vappress": 4.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356870,48.007770] }, "properties": { "altitude": "263.8", "sensor": "08", "gpstime":"2019-06-24T19:42:43.000Z", "temperature": 26.48, "relhumidity": 9.14, "vappress": 4.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342850,48.008588] }, "properties": { "altitude": "258.3", "sensor": "08", "gpstime":"2019-06-24T19:43:32.000Z", "temperature": 26.61, "relhumidity": 7.52, "vappress": 3.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343200,48.010737] }, "properties": { "altitude": "250.0", "sensor": "08", "gpstime":"2019-06-24T19:44:09.000Z", "temperature": 26.71, "relhumidity": 7.52, "vappress": 3.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331470,48.012253] }, "properties": { "altitude": "246.1", "sensor": "08", "gpstime":"2019-06-24T19:45:48.000Z", "temperature": 26.50, "relhumidity": 10.49, "vappress": 4.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318920,48.013158] }, "properties": { "altitude": "246.6", "sensor": "08", "gpstime":"2019-06-24T19:46:12.000Z", "temperature": 26.09, "relhumidity": 10.93, "vappress": 3.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301630,48.014322] }, "properties": { "altitude": "245.5", "sensor": "08", "gpstime":"2019-06-24T19:46:43.000Z", "temperature": 25.66, "relhumidity": 12.57, "vappress": 3.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286030,48.015690] }, "properties": { "altitude": "238.3", "sensor": "08", "gpstime":"2019-06-24T19:47:16.000Z", "temperature": 25.36, "relhumidity": 12.88, "vappress": 3.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272520,48.016002] }, "properties": { "altitude": "241.3", "sensor": "08", "gpstime":"2019-06-24T19:48:05.000Z", "temperature": 25.44, "relhumidity": 12.63, "vappress": 3.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256470,48.015518] }, "properties": { "altitude": "240.0", "sensor": "08", "gpstime":"2019-06-24T19:49:01.000Z", "temperature": 25.70, "relhumidity": 11.95, "vappress": 3.849, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271720,48.016522] }, "properties": { "altitude": "235.3", "sensor": "08", "gpstime":"2019-06-24T19:49:56.000Z", "temperature": 25.70, "relhumidity": 10.38, "vappress": 3.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257100,48.016640] }, "properties": { "altitude": "241.8", "sensor": "08", "gpstime":"2019-06-24T19:50:31.000Z", "temperature": 25.76, "relhumidity": 12.14, "vappress": 3.779, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242280,48.015628] }, "properties": { "altitude": "244.8", "sensor": "08", "gpstime":"2019-06-24T19:51:01.000Z", "temperature": 25.83, "relhumidity": 10.18, "vappress": 3.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225350,48.015843] }, "properties": { "altitude": "241.9", "sensor": "08", "gpstime":"2019-06-24T19:51:39.000Z", "temperature": 26.20, "relhumidity": 7.52, "vappress": 3.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235420,48.017452] }, "properties": { "altitude": "235.3", "sensor": "08", "gpstime":"2019-06-24T19:52:38.000Z", "temperature": 26.61, "relhumidity": 9.30, "vappress": 3.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226580,48.018988] }, "properties": { "altitude": "229.6", "sensor": "08", "gpstime":"2019-06-24T19:53:25.000Z", "temperature": 26.00, "relhumidity": 10.04, "vappress": 3.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219350,48.021015] }, "properties": { "altitude": "232.0", "sensor": "08", "gpstime":"2019-06-24T19:55:05.000Z", "temperature": 25.37, "relhumidity": 14.06, "vappress": 2.886, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233320,48.020640] }, "properties": { "altitude": "224.6", "sensor": "08", "gpstime":"2019-06-24T19:58:33.000Z", "temperature": 24.58, "relhumidity": 14.22, "vappress": 2.008, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223250,48.022255] }, "properties": { "altitude": "184.0", "sensor": "08", "gpstime":"2019-06-24T19:59:33.000Z", "temperature": 23.89, "relhumidity": 15.62, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207430,48.022955] }, "properties": { "altitude": "160.3", "sensor": "08", "gpstime":"2019-06-24T20:00:10.000Z", "temperature": 23.49, "relhumidity": 18.97, "vappress": 1.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224380,48.022483] }, "properties": { "altitude": "172.4", "sensor": "08", "gpstime":"2019-06-24T20:01:52.000Z", "temperature": 23.23, "relhumidity": 18.21, "vappress": 1.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240130,48.021600] }, "properties": { "altitude": "164.0", "sensor": "08", "gpstime":"2019-06-24T20:02:41.000Z", "temperature": 23.17, "relhumidity": 16.99, "vappress": 1.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254870,48.022153] }, "properties": { "altitude": "185.2", "sensor": "08", "gpstime":"2019-06-24T20:03:16.000Z", "temperature": 23.44, "relhumidity": 16.59, "vappress": 1.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269670,48.022688] }, "properties": { "altitude": "211.2", "sensor": "08", "gpstime":"2019-06-24T20:03:40.000Z", "temperature": 23.30, "relhumidity": 17.67, "vappress": 1.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283280,48.023325] }, "properties": { "altitude": "235.0", "sensor": "08", "gpstime":"2019-06-24T20:05:17.000Z", "temperature": 23.20, "relhumidity": 17.95, "vappress": 1.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289570,48.025367] }, "properties": { "altitude": "244.0", "sensor": "08", "gpstime":"2019-06-24T20:06:30.000Z", "temperature": 23.58, "relhumidity": 16.85, "vappress": 2.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283530,48.027570] }, "properties": { "altitude": "230.9", "sensor": "08", "gpstime":"2019-06-24T20:07:11.000Z", "temperature": 23.41, "relhumidity": 17.99, "vappress": 1.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272600,48.028755] }, "properties": { "altitude": "212.6", "sensor": "08", "gpstime":"2019-06-24T20:07:52.000Z", "temperature": 23.10, "relhumidity": 19.20, "vappress": 1.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278870,48.030582] }, "properties": { "altitude": "204.3", "sensor": "08", "gpstime":"2019-06-24T20:08:34.000Z", "temperature": 22.50, "relhumidity": 20.38, "vappress": 0.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8294050,48.031415] }, "properties": { "altitude": "186.2", "sensor": "08", "gpstime":"2019-06-24T20:09:01.000Z", "temperature": 21.96, "relhumidity": 20.65, "vappress": 0.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307450,48.031607] }, "properties": { "altitude": "170.9", "sensor": "08", "gpstime":"2019-06-24T20:09:26.000Z", "temperature": 22.15, "relhumidity": 20.65, "vappress": 0.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318620,48.030190] }, "properties": { "altitude": "183.1", "sensor": "08", "gpstime":"2019-06-24T20:09:56.000Z", "temperature": 22.21, "relhumidity": 20.65, "vappress": 0.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333330,48.030230] }, "properties": { "altitude": "191.3", "sensor": "08", "gpstime":"2019-06-24T20:10:26.000Z", "temperature": 22.35, "relhumidity": 20.53, "vappress": 0.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340650,48.028403] }, "properties": { "altitude": "229.0", "sensor": "08", "gpstime":"2019-06-24T20:11:46.000Z", "temperature": 22.91, "relhumidity": 20.12, "vappress": 2.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350400,48.026688] }, "properties": { "altitude": "244.9", "sensor": "08", "gpstime":"2019-06-24T20:12:43.000Z", "temperature": 24.18, "relhumidity": 17.26, "vappress": 3.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363250,48.025010] }, "properties": { "altitude": "239.9", "sensor": "08", "gpstime":"2019-06-24T20:13:26.000Z", "temperature": 25.02, "relhumidity": 15.07, "vappress": 3.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376880,48.024365] }, "properties": { "altitude": "241.0", "sensor": "08", "gpstime":"2019-06-24T20:14:06.000Z", "temperature": 25.06, "relhumidity": 14.19, "vappress": 3.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392730,48.023425] }, "properties": { "altitude": "239.1", "sensor": "08", "gpstime":"2019-06-24T20:14:55.000Z", "temperature": 25.52, "relhumidity": 12.16, "vappress": 3.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399830,48.021530] }, "properties": { "altitude": "254.1", "sensor": "08", "gpstime":"2019-06-24T20:15:37.000Z", "temperature": 26.29, "relhumidity": 11.16, "vappress": 4.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404980,48.019595] }, "properties": { "altitude": "253.6", "sensor": "08", "gpstime":"2019-06-24T20:16:20.000Z", "temperature": 26.64, "relhumidity": 10.22, "vappress": 4.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412150,48.017675] }, "properties": { "altitude": "254.5", "sensor": "08", "gpstime":"2019-06-24T20:18:51.000Z", "temperature": 27.01, "relhumidity": 9.14, "vappress": 4.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417570,48.015728] }, "properties": { "altitude": "255.6", "sensor": "08", "gpstime":"2019-06-24T20:19:37.000Z", "temperature": 26.98, "relhumidity": 9.56, "vappress": 4.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415280,48.013630] }, "properties": { "altitude": "260.5", "sensor": "08", "gpstime":"2019-06-24T20:20:42.000Z", "temperature": 26.94, "relhumidity": 9.69, "vappress": 4.594, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426870,48.012338] }, "properties": { "altitude": "267.3", "sensor": "08", "gpstime":"2019-06-24T20:21:50.000Z", "temperature": 26.79, "relhumidity": 9.84, "vappress": 4.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439200,48.011523] }, "properties": { "altitude": "258.3", "sensor": "08", "gpstime":"2019-06-24T20:22:20.000Z", "temperature": 26.41, "relhumidity": 11.74, "vappress": 4.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451330,48.010610] }, "properties": { "altitude": "257.8", "sensor": "08", "gpstime":"2019-06-24T20:22:46.000Z", "temperature": 25.85, "relhumidity": 12.91, "vappress": 3.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466180,48.009530] }, "properties": { "altitude": "262.4", "sensor": "08", "gpstime":"2019-06-24T20:23:20.000Z", "temperature": 25.68, "relhumidity": 13.36, "vappress": 3.856, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481130,48.009150] }, "properties": { "altitude": "257.7", "sensor": "08", "gpstime":"2019-06-24T20:23:56.000Z", "temperature": 26.05, "relhumidity": 12.67, "vappress": 4.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494470,48.008485] }, "properties": { "altitude": "267.9", "sensor": "08", "gpstime":"2019-06-24T20:24:31.000Z", "temperature": 26.51, "relhumidity": 11.66, "vappress": 4.849, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483270,48.007163] }, "properties": { "altitude": "277.2", "sensor": "08", "gpstime":"2019-06-24T20:25:28.000Z", "temperature": 26.71, "relhumidity": 10.91, "vappress": 4.803, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469200,48.006150] }, "properties": { "altitude": "288.9", "sensor": "08", "gpstime":"2019-06-24T20:26:35.000Z", "temperature": 26.89, "relhumidity": 9.58, "vappress": 4.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461780,48.004403] }, "properties": { "altitude": "279.7", "sensor": "08", "gpstime":"2019-06-24T20:28:03.000Z", "temperature": 27.01, "relhumidity": 8.90, "vappress": 4.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469530,48.006183] }, "properties": { "altitude": "263.4", "sensor": "08", "gpstime":"2019-06-24T20:29:23.000Z", "temperature": 27.14, "relhumidity": 8.45, "vappress": 4.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457770,48.007240] }, "properties": { "altitude": "266.0", "sensor": "08", "gpstime":"2019-06-24T20:30:45.000Z", "temperature": 27.13, "relhumidity": 8.94, "vappress": 4.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471020,48.008747] }, "properties": { "altitude": "263.1", "sensor": "08", "gpstime":"2019-06-24T20:31:52.000Z", "temperature": 27.10, "relhumidity": 9.48, "vappress": 4.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456170,48.007593] }, "properties": { "altitude": "258.5", "sensor": "08", "gpstime":"2019-06-24T20:33:35.000Z", "temperature": 27.01, "relhumidity": 9.67, "vappress": 4.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467200,48.006375] }, "properties": { "altitude": "264.6", "sensor": "08", "gpstime":"2019-06-24T20:34:28.000Z", "temperature": 27.13, "relhumidity": 8.89, "vappress": 4.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453900,48.005702] }, "properties": { "altitude": "262.4", "sensor": "08", "gpstime":"2019-06-24T20:35:01.000Z", "temperature": 27.21, "relhumidity": 8.08, "vappress": 4.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440270,48.005110] }, "properties": { "altitude": "254.9", "sensor": "08", "gpstime":"2019-06-24T20:35:31.000Z", "temperature": 27.24, "relhumidity": 7.51, "vappress": 4.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427230,48.004605] }, "properties": { "altitude": "259.6", "sensor": "08", "gpstime":"2019-06-24T20:36:19.000Z", "temperature": 27.23, "relhumidity": 7.42, "vappress": 4.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413950,48.003747] }, "properties": { "altitude": "260.1", "sensor": "08", "gpstime":"2019-06-24T20:36:52.000Z", "temperature": 27.28, "relhumidity": 6.21, "vappress": 4.003, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420630,48.002010] }, "properties": { "altitude": "266.6", "sensor": "08", "gpstime":"2019-06-24T20:38:51.000Z", "temperature": 27.33, "relhumidity": 6.89, "vappress": 4.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410550,48.000160] }, "properties": { "altitude": "266.4", "sensor": "08", "gpstime":"2019-06-24T20:40:39.000Z", "temperature": 27.25, "relhumidity": 5.19, "vappress": 3.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399080,47.998810] }, "properties": { "altitude": "268.0", "sensor": "08", "gpstime":"2019-06-24T20:41:19.000Z", "temperature": 27.15, "relhumidity": 5.02, "vappress": 3.272, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389250,47.997393] }, "properties": { "altitude": "277.1", "sensor": "08", "gpstime":"2019-06-24T20:42:00.000Z", "temperature": 27.06, "relhumidity": 5.32, "vappress": 3.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401200,47.996037] }, "properties": { "altitude": "277.6", "sensor": "08", "gpstime":"2019-06-24T20:43:49.000Z", "temperature": 26.89, "relhumidity": 8.05, "vappress": 3.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414620,47.995512] }, "properties": { "altitude": "267.3", "sensor": "08", "gpstime":"2019-06-24T20:44:40.000Z", "temperature": 26.64, "relhumidity": 9.38, "vappress": 4.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426630,47.996925] }, "properties": { "altitude": "251.9", "sensor": "08", "gpstime":"2019-06-24T20:45:21.000Z", "temperature": 26.83, "relhumidity": 9.09, "vappress": 4.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436720,47.998648] }, "properties": { "altitude": "257.4", "sensor": "08", "gpstime":"2019-06-24T20:46:06.000Z", "temperature": 26.83, "relhumidity": 8.89, "vappress": 4.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454650,47.999068] }, "properties": { "altitude": "266.9", "sensor": "08", "gpstime":"2019-06-24T20:46:43.000Z", "temperature": 26.84, "relhumidity": 9.20, "vappress": 4.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468250,47.998125] }, "properties": { "altitude": "266.6", "sensor": "08", "gpstime":"2019-06-24T20:47:35.000Z", "temperature": 26.81, "relhumidity": 9.78, "vappress": 4.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454100,47.997052] }, "properties": { "altitude": "266.8", "sensor": "08", "gpstime":"2019-06-24T20:48:48.000Z", "temperature": 26.82, "relhumidity": 9.53, "vappress": 4.069, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439950,47.997390] }, "properties": { "altitude": "267.1", "sensor": "08", "gpstime":"2019-06-24T20:49:18.000Z", "temperature": 26.75, "relhumidity": 9.99, "vappress": 4.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429420,47.996067] }, "properties": { "altitude": "279.0", "sensor": "08", "gpstime":"2019-06-24T20:49:53.000Z", "temperature": 26.67, "relhumidity": 9.25, "vappress": 3.886, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446680,47.996073] }, "properties": { "altitude": "275.8", "sensor": "08", "gpstime":"2019-06-24T20:50:35.000Z", "temperature": 26.80, "relhumidity": 9.89, "vappress": 4.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459680,47.995312] }, "properties": { "altitude": "277.9", "sensor": "08", "gpstime":"2019-06-24T20:51:05.000Z", "temperature": 26.66, "relhumidity": 10.55, "vappress": 4.252, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451500,47.993677] }, "properties": { "altitude": "273.0", "sensor": "08", "gpstime":"2019-06-24T20:52:01.000Z", "temperature": 26.49, "relhumidity": 11.04, "vappress": 3.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451370,47.993438] }, "properties": { "altitude": "270.3", "sensor": "08", "gpstime":"2019-06-24T20:52:07.000Z", "temperature": 26.38, "relhumidity": 11.14, "vappress": 3.986, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451350,47.993602] }, "properties": { "altitude": "271.3", "sensor": "09", "gpstime":"2019-06-24T19:24:10.000Z", "temperature": 26.61, "relhumidity": 26.00, "vappress": 10.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460900,47.995490] }, "properties": { "altitude": "275.6", "sensor": "09", "gpstime":"2019-06-24T19:25:06.000Z", "temperature": 26.46, "relhumidity": 26.82, "vappress": 10.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477020,47.997497] }, "properties": { "altitude": "273.9", "sensor": "09", "gpstime":"2019-06-24T19:25:42.000Z", "temperature": 26.50, "relhumidity": 26.90, "vappress": 10.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487020,47.998990] }, "properties": { "altitude": "274.1", "sensor": "09", "gpstime":"2019-06-24T19:26:32.000Z", "temperature": 26.66, "relhumidity": 25.70, "vappress": 10.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499500,47.999725] }, "properties": { "altitude": "273.7", "sensor": "09", "gpstime":"2019-06-24T19:27:02.000Z", "temperature": 26.80, "relhumidity": 25.13, "vappress": 10.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516930,47.999518] }, "properties": { "altitude": "277.5", "sensor": "09", "gpstime":"2019-06-24T19:27:26.000Z", "temperature": 26.69, "relhumidity": 24.75, "vappress": 9.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531570,47.999363] }, "properties": { "altitude": "275.6", "sensor": "09", "gpstime":"2019-06-24T19:28:01.000Z", "temperature": 26.52, "relhumidity": 26.38, "vappress": 9.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545230,47.999017] }, "properties": { "altitude": "278.6", "sensor": "09", "gpstime":"2019-06-24T19:28:35.000Z", "temperature": 26.33, "relhumidity": 25.58, "vappress": 9.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558780,48.000137] }, "properties": { "altitude": "281.6", "sensor": "09", "gpstime":"2019-06-24T19:29:10.000Z", "temperature": 25.95, "relhumidity": 28.94, "vappress": 9.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568030,48.002033] }, "properties": { "altitude": "271.4", "sensor": "09", "gpstime":"2019-06-24T19:29:40.000Z", "temperature": 25.15, "relhumidity": 30.80, "vappress": 8.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572330,48.004605] }, "properties": { "altitude": "264.7", "sensor": "09", "gpstime":"2019-06-24T19:30:18.000Z", "temperature": 24.97, "relhumidity": 29.35, "vappress": 8.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558370,48.004943] }, "properties": { "altitude": "261.6", "sensor": "09", "gpstime":"2019-06-24T19:30:39.000Z", "temperature": 25.24, "relhumidity": 28.44, "vappress": 8.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540820,48.005012] }, "properties": { "altitude": "256.6", "sensor": "09", "gpstime":"2019-06-24T19:31:06.000Z", "temperature": 25.39, "relhumidity": 28.47, "vappress": 9.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531050,48.006498] }, "properties": { "altitude": "259.2", "sensor": "09", "gpstime":"2019-06-24T19:31:50.000Z", "temperature": 25.54, "relhumidity": 26.73, "vappress": 8.514, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515680,48.007768] }, "properties": { "altitude": "268.4", "sensor": "09", "gpstime":"2019-06-24T19:32:34.000Z", "temperature": 25.80, "relhumidity": 25.41, "vappress": 8.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497100,48.008395] }, "properties": { "altitude": "260.7", "sensor": "09", "gpstime":"2019-06-24T19:32:58.000Z", "temperature": 26.01, "relhumidity": 25.15, "vappress": 9.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484300,48.007223] }, "properties": { "altitude": "259.7", "sensor": "09", "gpstime":"2019-06-24T19:33:30.000Z", "temperature": 26.25, "relhumidity": 24.63, "vappress": 9.299, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470320,48.006182] }, "properties": { "altitude": "263.9", "sensor": "09", "gpstime":"2019-06-24T19:34:02.000Z", "temperature": 26.40, "relhumidity": 24.92, "vappress": 9.456, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459330,48.004058] }, "properties": { "altitude": "268.8", "sensor": "09", "gpstime":"2019-06-24T19:34:57.000Z", "temperature": 26.32, "relhumidity": 25.54, "vappress": 9.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447550,48.002388] }, "properties": { "altitude": "268.8", "sensor": "09", "gpstime":"2019-06-24T19:35:35.000Z", "temperature": 26.15, "relhumidity": 29.70, "vappress": 9.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432900,48.002698] }, "properties": { "altitude": "264.6", "sensor": "09", "gpstime":"2019-06-24T19:35:57.000Z", "temperature": 25.65, "relhumidity": 28.97, "vappress": 9.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417780,48.003245] }, "properties": { "altitude": "259.3", "sensor": "09", "gpstime":"2019-06-24T19:36:16.000Z", "temperature": 25.91, "relhumidity": 28.97, "vappress": 9.884, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401750,48.003120] }, "properties": { "altitude": "258.3", "sensor": "09", "gpstime":"2019-06-24T19:36:57.000Z", "temperature": 26.08, "relhumidity": 27.98, "vappress": 10.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384500,48.003347] }, "properties": { "altitude": "256.8", "sensor": "09", "gpstime":"2019-06-24T19:37:24.000Z", "temperature": 26.44, "relhumidity": 27.02, "vappress": 10.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366170,48.004287] }, "properties": { "altitude": "254.7", "sensor": "09", "gpstime":"2019-06-24T19:37:48.000Z", "temperature": 26.64, "relhumidity": 26.21, "vappress": 10.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353530,48.005023] }, "properties": { "altitude": "254.5", "sensor": "09", "gpstime":"2019-06-24T19:38:04.000Z", "temperature": 26.76, "relhumidity": 25.79, "vappress": 10.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338230,48.005968] }, "properties": { "altitude": "254.0", "sensor": "09", "gpstime":"2019-06-24T19:38:26.000Z", "temperature": 26.77, "relhumidity": 25.08, "vappress": 10.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317830,48.006853] }, "properties": { "altitude": "255.6", "sensor": "09", "gpstime":"2019-06-24T19:38:53.000Z", "temperature": 26.77, "relhumidity": 24.52, "vappress": 10.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301720,48.007372] }, "properties": { "altitude": "254.2", "sensor": "09", "gpstime":"2019-06-24T19:39:12.000Z", "temperature": 26.79, "relhumidity": 23.99, "vappress": 9.894, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288050,48.007900] }, "properties": { "altitude": "253.2", "sensor": "09", "gpstime":"2019-06-24T19:39:50.000Z", "temperature": 26.87, "relhumidity": 25.10, "vappress": 10.494, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271400,48.008985] }, "properties": { "altitude": "252.7", "sensor": "09", "gpstime":"2019-06-24T19:40:14.000Z", "temperature": 26.93, "relhumidity": 22.50, "vappress": 9.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254600,48.010143] }, "properties": { "altitude": "251.3", "sensor": "09", "gpstime":"2019-06-24T19:40:38.000Z", "temperature": 27.12, "relhumidity": 21.34, "vappress": 9.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264130,48.011930] }, "properties": { "altitude": "255.2", "sensor": "09", "gpstime":"2019-06-24T19:41:18.000Z", "temperature": 27.16, "relhumidity": 20.19, "vappress": 9.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8250150,48.012137] }, "properties": { "altitude": "254.6", "sensor": "09", "gpstime":"2019-06-24T19:41:39.000Z", "temperature": 27.34, "relhumidity": 19.20, "vappress": 9.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234880,48.011218] }, "properties": { "altitude": "252.7", "sensor": "09", "gpstime":"2019-06-24T19:42:05.000Z", "temperature": 27.25, "relhumidity": 18.64, "vappress": 8.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246530,48.012997] }, "properties": { "altitude": "252.1", "sensor": "09", "gpstime":"2019-06-24T19:42:57.000Z", "temperature": 26.67, "relhumidity": 22.98, "vappress": 8.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241780,48.014922] }, "properties": { "altitude": "246.6", "sensor": "09", "gpstime":"2019-06-24T19:43:56.000Z", "temperature": 26.50, "relhumidity": 22.24, "vappress": 8.659, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224280,48.015203] }, "properties": { "altitude": "243.6", "sensor": "09", "gpstime":"2019-06-24T19:44:28.000Z", "temperature": 26.59, "relhumidity": 23.79, "vappress": 9.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210880,48.014142] }, "properties": { "altitude": "245.4", "sensor": "09", "gpstime":"2019-06-24T19:44:55.000Z", "temperature": 26.37, "relhumidity": 24.55, "vappress": 8.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8195530,48.013222] }, "properties": { "altitude": "247.8", "sensor": "09", "gpstime":"2019-06-24T19:45:25.000Z", "temperature": 26.08, "relhumidity": 24.54, "vappress": 8.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177680,48.013582] }, "properties": { "altitude": "244.1", "sensor": "09", "gpstime":"2019-06-24T19:45:49.000Z", "temperature": 25.60, "relhumidity": 27.05, "vappress": 8.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8159630,48.013840] }, "properties": { "altitude": "240.2", "sensor": "09", "gpstime":"2019-06-24T19:46:11.000Z", "temperature": 25.23, "relhumidity": 27.51, "vappress": 7.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144830,48.013465] }, "properties": { "altitude": "239.8", "sensor": "09", "gpstime":"2019-06-24T19:46:32.000Z", "temperature": 24.82, "relhumidity": 28.96, "vappress": 7.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130870,48.014207] }, "properties": { "altitude": "237.1", "sensor": "09", "gpstime":"2019-06-24T19:46:55.000Z", "temperature": 24.77, "relhumidity": 28.92, "vappress": 7.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118130,48.013588] }, "properties": { "altitude": "241.8", "sensor": "09", "gpstime":"2019-06-24T19:47:25.000Z", "temperature": 25.38, "relhumidity": 27.94, "vappress": 8.787, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103470,48.012580] }, "properties": { "altitude": "242.4", "sensor": "09", "gpstime":"2019-06-24T19:47:55.000Z", "temperature": 25.87, "relhumidity": 26.61, "vappress": 9.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8088880,48.011277] }, "properties": { "altitude": "243.5", "sensor": "09", "gpstime":"2019-06-24T19:48:52.000Z", "temperature": 26.50, "relhumidity": 22.03, "vappress": 9.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8076850,48.010035] }, "properties": { "altitude": "243.9", "sensor": "09", "gpstime":"2019-06-24T19:49:21.000Z", "temperature": 27.02, "relhumidity": 22.73, "vappress": 9.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063000,48.008975] }, "properties": { "altitude": "242.1", "sensor": "09", "gpstime":"2019-06-24T19:49:51.000Z", "temperature": 26.62, "relhumidity": 24.80, "vappress": 9.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8048930,48.008248] }, "properties": { "altitude": "243.2", "sensor": "09", "gpstime":"2019-06-24T19:50:16.000Z", "temperature": 25.69, "relhumidity": 27.89, "vappress": 8.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8043620,48.006145] }, "properties": { "altitude": "251.4", "sensor": "09", "gpstime":"2019-06-24T19:51:07.000Z", "temperature": 24.99, "relhumidity": 27.85, "vappress": 7.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8029350,48.005640] }, "properties": { "altitude": "248.5", "sensor": "09", "gpstime":"2019-06-24T19:51:31.000Z", "temperature": 25.27, "relhumidity": 28.86, "vappress": 8.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8019800,48.004100] }, "properties": { "altitude": "241.2", "sensor": "09", "gpstime":"2019-06-24T19:52:07.000Z", "temperature": 24.45, "relhumidity": 29.02, "vappress": 6.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8007900,48.002542] }, "properties": { "altitude": "240.6", "sensor": "09", "gpstime":"2019-06-24T19:52:47.000Z", "temperature": 23.85, "relhumidity": 28.90, "vappress": 5.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8016720,48.000563] }, "properties": { "altitude": "244.3", "sensor": "09", "gpstime":"2019-06-24T19:53:30.000Z", "temperature": 23.81, "relhumidity": 28.65, "vappress": 5.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8011180,47.998200] }, "properties": { "altitude": "244.2", "sensor": "09", "gpstime":"2019-06-24T19:54:19.000Z", "temperature": 23.81, "relhumidity": 28.88, "vappress": 6.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008520,47.996107] }, "properties": { "altitude": "247.6", "sensor": "09", "gpstime":"2019-06-24T19:55:05.000Z", "temperature": 24.11, "relhumidity": 28.90, "vappress": 6.506, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992250,47.995278] }, "properties": { "altitude": "247.0", "sensor": "09", "gpstime":"2019-06-24T19:55:53.000Z", "temperature": 24.66, "relhumidity": 28.90, "vappress": 8.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7982620,47.993505] }, "properties": { "altitude": "246.1", "sensor": "09", "gpstime":"2019-06-24T19:57:44.000Z", "temperature": 25.48, "relhumidity": 28.56, "vappress": 9.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7973030,47.991302] }, "properties": { "altitude": "244.4", "sensor": "09", "gpstime":"2019-06-24T19:58:27.000Z", "temperature": 26.18, "relhumidity": 27.17, "vappress": 9.868, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7966450,47.989437] }, "properties": { "altitude": "244.5", "sensor": "09", "gpstime":"2019-06-24T19:58:59.000Z", "temperature": 26.38, "relhumidity": 26.43, "vappress": 9.828, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7962600,47.987078] }, "properties": { "altitude": "249.9", "sensor": "09", "gpstime":"2019-06-24T19:59:54.000Z", "temperature": 26.76, "relhumidity": 24.49, "vappress": 9.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7957370,47.984742] }, "properties": { "altitude": "245.8", "sensor": "09", "gpstime":"2019-06-24T20:00:40.000Z", "temperature": 26.70, "relhumidity": 25.04, "vappress": 9.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7945000,47.983603] }, "properties": { "altitude": "243.0", "sensor": "09", "gpstime":"2019-06-24T20:01:18.000Z", "temperature": 26.28, "relhumidity": 25.97, "vappress": 9.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7924050,47.984142] }, "properties": { "altitude": "240.9", "sensor": "09", "gpstime":"2019-06-24T20:02:26.000Z", "temperature": 25.98, "relhumidity": 27.56, "vappress": 8.726, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7901420,47.984593] }, "properties": { "altitude": "239.5", "sensor": "09", "gpstime":"2019-06-24T20:02:58.000Z", "temperature": 25.30, "relhumidity": 27.56, "vappress": 7.106, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7895570,47.982635] }, "properties": { "altitude": "238.8", "sensor": "09", "gpstime":"2019-06-24T20:03:36.000Z", "temperature": 24.23, "relhumidity": 27.45, "vappress": 5.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7882080,47.980682] }, "properties": { "altitude": "242.4", "sensor": "09", "gpstime":"2019-06-24T20:04:23.000Z", "temperature": 24.63, "relhumidity": 27.58, "vappress": 7.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7907320,47.980578] }, "properties": { "altitude": "243.8", "sensor": "09", "gpstime":"2019-06-24T20:05:08.000Z", "temperature": 25.15, "relhumidity": 27.52, "vappress": 8.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7922530,47.980633] }, "properties": { "altitude": "244.0", "sensor": "09", "gpstime":"2019-06-24T20:05:31.000Z", "temperature": 25.58, "relhumidity": 27.52, "vappress": 8.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7936250,47.980878] }, "properties": { "altitude": "245.2", "sensor": "09", "gpstime":"2019-06-24T20:05:53.000Z", "temperature": 25.84, "relhumidity": 27.24, "vappress": 8.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7954530,47.980423] }, "properties": { "altitude": "246.3", "sensor": "09", "gpstime":"2019-06-24T20:06:58.000Z", "temperature": 25.84, "relhumidity": 27.07, "vappress": 8.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977900,47.979235] }, "properties": { "altitude": "245.9", "sensor": "09", "gpstime":"2019-06-24T20:07:45.000Z", "temperature": 25.78, "relhumidity": 27.08, "vappress": 8.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7984120,47.977100] }, "properties": { "altitude": "245.1", "sensor": "09", "gpstime":"2019-06-24T20:08:39.000Z", "temperature": 25.36, "relhumidity": 27.49, "vappress": 7.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992730,47.975390] }, "properties": { "altitude": "247.6", "sensor": "09", "gpstime":"2019-06-24T20:09:27.000Z", "temperature": 23.78, "relhumidity": 26.43, "vappress": 3.782, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8007400,47.975480] }, "properties": { "altitude": "246.7", "sensor": "09", "gpstime":"2019-06-24T20:09:49.000Z", "temperature": 23.21, "relhumidity": 26.36, "vappress": 3.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022970,47.975658] }, "properties": { "altitude": "246.2", "sensor": "09", "gpstime":"2019-06-24T20:10:16.000Z", "temperature": 23.26, "relhumidity": 26.32, "vappress": 3.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036180,47.976372] }, "properties": { "altitude": "249.7", "sensor": "09", "gpstime":"2019-06-24T20:10:42.000Z", "temperature": 23.64, "relhumidity": 26.61, "vappress": 4.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052230,47.976910] }, "properties": { "altitude": "253.9", "sensor": "09", "gpstime":"2019-06-24T20:11:14.000Z", "temperature": 23.99, "relhumidity": 26.79, "vappress": 5.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8071300,47.976918] }, "properties": { "altitude": "258.1", "sensor": "09", "gpstime":"2019-06-24T20:11:46.000Z", "temperature": 24.29, "relhumidity": 27.05, "vappress": 5.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8088630,47.977525] }, "properties": { "altitude": "253.4", "sensor": "09", "gpstime":"2019-06-24T20:14:29.000Z", "temperature": 24.49, "relhumidity": 26.97, "vappress": 6.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8101950,47.977943] }, "properties": { "altitude": "253.4", "sensor": "09", "gpstime":"2019-06-24T20:14:56.000Z", "temperature": 24.93, "relhumidity": 26.97, "vappress": 6.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119330,47.978455] }, "properties": { "altitude": "255.6", "sensor": "09", "gpstime":"2019-06-24T20:15:34.000Z", "temperature": 25.14, "relhumidity": 27.12, "vappress": 7.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134820,47.978233] }, "properties": { "altitude": "262.0", "sensor": "09", "gpstime":"2019-06-24T20:15:56.000Z", "temperature": 25.48, "relhumidity": 27.12, "vappress": 7.989, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8148850,47.978192] }, "properties": { "altitude": "261.8", "sensor": "09", "gpstime":"2019-06-24T20:16:15.000Z", "temperature": 25.44, "relhumidity": 27.22, "vappress": 8.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8164800,47.978253] }, "properties": { "altitude": "260.0", "sensor": "09", "gpstime":"2019-06-24T20:16:39.000Z", "temperature": 25.54, "relhumidity": 27.22, "vappress": 8.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190730,47.978873] }, "properties": { "altitude": "274.8", "sensor": "09", "gpstime":"2019-06-24T20:17:21.000Z", "temperature": 25.52, "relhumidity": 27.20, "vappress": 8.093, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205630,47.979545] }, "properties": { "altitude": "271.5", "sensor": "09", "gpstime":"2019-06-24T20:17:45.000Z", "temperature": 25.75, "relhumidity": 27.20, "vappress": 8.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202200,47.981683] }, "properties": { "altitude": "262.2", "sensor": "09", "gpstime":"2019-06-24T20:18:55.000Z", "temperature": 26.06, "relhumidity": 26.71, "vappress": 8.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197800,47.983598] }, "properties": { "altitude": "265.7", "sensor": "09", "gpstime":"2019-06-24T20:19:33.000Z", "temperature": 26.19, "relhumidity": 26.36, "vappress": 8.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186150,47.984607] }, "properties": { "altitude": "261.5", "sensor": "09", "gpstime":"2019-06-24T20:20:36.000Z", "temperature": 26.25, "relhumidity": 26.85, "vappress": 9.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192200,47.986652] }, "properties": { "altitude": "270.0", "sensor": "09", "gpstime":"2019-06-24T20:21:35.000Z", "temperature": 26.41, "relhumidity": 27.29, "vappress": 9.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206330,47.986657] }, "properties": { "altitude": "269.6", "sensor": "09", "gpstime":"2019-06-24T20:21:59.000Z", "temperature": 26.15, "relhumidity": 27.29, "vappress": 9.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220980,47.987038] }, "properties": { "altitude": "265.7", "sensor": "09", "gpstime":"2019-06-24T20:22:34.000Z", "temperature": 26.18, "relhumidity": 27.48, "vappress": 9.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236880,47.986887] }, "properties": { "altitude": "266.4", "sensor": "09", "gpstime":"2019-06-24T20:22:59.000Z", "temperature": 26.15, "relhumidity": 27.48, "vappress": 9.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253570,47.986342] }, "properties": { "altitude": "267.7", "sensor": "09", "gpstime":"2019-06-24T20:23:42.000Z", "temperature": 26.11, "relhumidity": 27.18, "vappress": 9.106, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273830,47.986517] }, "properties": { "altitude": "273.2", "sensor": "09", "gpstime":"2019-06-24T20:24:30.000Z", "temperature": 26.03, "relhumidity": 26.89, "vappress": 8.919, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8275220,47.984493] }, "properties": { "altitude": "266.1", "sensor": "09", "gpstime":"2019-06-24T20:27:33.000Z", "temperature": 26.09, "relhumidity": 26.48, "vappress": 8.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266280,47.982632] }, "properties": { "altitude": "263.5", "sensor": "09", "gpstime":"2019-06-24T20:28:11.000Z", "temperature": 26.12, "relhumidity": 26.74, "vappress": 8.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278080,47.980948] }, "properties": { "altitude": "266.8", "sensor": "09", "gpstime":"2019-06-24T20:29:07.000Z", "temperature": 25.95, "relhumidity": 26.68, "vappress": 7.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293500,47.981020] }, "properties": { "altitude": "268.5", "sensor": "09", "gpstime":"2019-06-24T20:29:39.000Z", "temperature": 25.16, "relhumidity": 26.68, "vappress": 7.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308180,47.981110] }, "properties": { "altitude": "272.6", "sensor": "09", "gpstime":"2019-06-24T20:30:15.000Z", "temperature": 25.44, "relhumidity": 26.79, "vappress": 7.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320980,47.982313] }, "properties": { "altitude": "272.5", "sensor": "09", "gpstime":"2019-06-24T20:30:55.000Z", "temperature": 25.41, "relhumidity": 26.79, "vappress": 7.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332220,47.983608] }, "properties": { "altitude": "264.1", "sensor": "09", "gpstime":"2019-06-24T20:34:21.000Z", "temperature": 25.70, "relhumidity": 26.44, "vappress": 7.949, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349670,47.983012] }, "properties": { "altitude": "264.1", "sensor": "09", "gpstime":"2019-06-24T20:34:55.000Z", "temperature": 25.81, "relhumidity": 26.44, "vappress": 7.979, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364430,47.984252] }, "properties": { "altitude": "272.2", "sensor": "09", "gpstime":"2019-06-24T20:36:10.000Z", "temperature": 25.70, "relhumidity": 26.84, "vappress": 7.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377820,47.984955] }, "properties": { "altitude": "278.4", "sensor": "09", "gpstime":"2019-06-24T20:36:53.000Z", "temperature": 25.55, "relhumidity": 26.84, "vappress": 7.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394800,47.984908] }, "properties": { "altitude": "289.0", "sensor": "09", "gpstime":"2019-06-24T20:37:33.000Z", "temperature": 25.44, "relhumidity": 27.10, "vappress": 7.272, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409400,47.984657] }, "properties": { "altitude": "290.0", "sensor": "09", "gpstime":"2019-06-24T20:38:00.000Z", "temperature": 25.31, "relhumidity": 27.08, "vappress": 6.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429970,47.984683] }, "properties": { "altitude": "288.3", "sensor": "09", "gpstime":"2019-06-24T20:38:29.000Z", "temperature": 25.14, "relhumidity": 27.21, "vappress": 6.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450000,47.984630] }, "properties": { "altitude": "278.2", "sensor": "09", "gpstime":"2019-06-24T20:41:18.000Z", "temperature": 25.16, "relhumidity": 28.05, "vappress": 7.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470530,47.984450] }, "properties": { "altitude": "262.4", "sensor": "09", "gpstime":"2019-06-24T20:41:50.000Z", "temperature": 25.53, "relhumidity": 28.05, "vappress": 7.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477600,47.986523] }, "properties": { "altitude": "247.5", "sensor": "09", "gpstime":"2019-06-24T20:42:38.000Z", "temperature": 25.79, "relhumidity": 26.00, "vappress": 7.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480970,47.988632] }, "properties": { "altitude": "242.8", "sensor": "09", "gpstime":"2019-06-24T20:43:19.000Z", "temperature": 26.04, "relhumidity": 25.96, "vappress": 8.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484270,47.990915] }, "properties": { "altitude": "276.4", "sensor": "09", "gpstime":"2019-06-24T20:44:37.000Z", "temperature": 26.13, "relhumidity": 27.50, "vappress": 8.534, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469100,47.991437] }, "properties": { "altitude": "311.3", "sensor": "09", "gpstime":"2019-06-24T20:45:45.000Z", "temperature": 26.10, "relhumidity": 26.59, "vappress": 8.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455670,47.990728] }, "properties": { "altitude": "307.8", "sensor": "09", "gpstime":"2019-06-24T20:46:09.000Z", "temperature": 26.12, "relhumidity": 26.49, "vappress": 8.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452780,47.992233] }, "properties": { "altitude": "296.4", "sensor": "09", "gpstime":"2019-06-24T20:46:38.000Z", "temperature": 26.13, "relhumidity": 26.49, "vappress": 8.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451830,47.993643] }, "properties": { "altitude": "264.3", "sensor": "10", "gpstime":"2019-06-24T19:24:39.000Z", "temperature": 26.31, "relhumidity": 13.81, "vappress": 5.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459320,47.995350] }, "properties": { "altitude": "271.8", "sensor": "10", "gpstime":"2019-06-24T19:25:31.000Z", "temperature": 26.31, "relhumidity": 13.24, "vappress": 5.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455680,47.997497] }, "properties": { "altitude": "267.9", "sensor": "10", "gpstime":"2019-06-24T19:27:58.000Z", "temperature": 26.47, "relhumidity": 13.74, "vappress": 5.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472470,47.997908] }, "properties": { "altitude": "260.2", "sensor": "10", "gpstime":"2019-06-24T19:28:51.000Z", "temperature": 26.31, "relhumidity": 14.13, "vappress": 5.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491020,47.997513] }, "properties": { "altitude": "283.3", "sensor": "10", "gpstime":"2019-06-24T19:29:43.000Z", "temperature": 26.48, "relhumidity": 9.74, "vappress": 4.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505020,47.997603] }, "properties": { "altitude": "290.6", "sensor": "10", "gpstime":"2019-06-24T19:30:26.000Z", "temperature": 26.80, "relhumidity": 7.31, "vappress": 4.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519880,47.997792] }, "properties": { "altitude": "295.1", "sensor": "10", "gpstime":"2019-06-24T19:31:44.000Z", "temperature": 27.11, "relhumidity": 5.52, "vappress": 4.064, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532730,47.999042] }, "properties": { "altitude": "299.8", "sensor": "10", "gpstime":"2019-06-24T19:32:43.000Z", "temperature": 27.21, "relhumidity": 7.18, "vappress": 4.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541420,48.001055] }, "properties": { "altitude": "306.1", "sensor": "10", "gpstime":"2019-06-24T19:33:37.000Z", "temperature": 26.97, "relhumidity": 8.43, "vappress": 4.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548780,48.003090] }, "properties": { "altitude": "278.3", "sensor": "10", "gpstime":"2019-06-24T19:34:11.000Z", "temperature": 26.47, "relhumidity": 8.88, "vappress": 3.906, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552050,48.005242] }, "properties": { "altitude": "279.9", "sensor": "10", "gpstime":"2019-06-24T19:35:05.000Z", "temperature": 26.31, "relhumidity": 9.95, "vappress": 4.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550800,48.007400] }, "properties": { "altitude": "271.2", "sensor": "10", "gpstime":"2019-06-24T19:35:48.000Z", "temperature": 26.27, "relhumidity": 9.95, "vappress": 4.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533620,48.007975] }, "properties": { "altitude": "271.7", "sensor": "10", "gpstime":"2019-06-24T19:38:00.000Z", "temperature": 26.29, "relhumidity": 10.06, "vappress": 4.063, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519680,48.007958] }, "properties": { "altitude": "269.2", "sensor": "10", "gpstime":"2019-06-24T19:38:24.000Z", "temperature": 26.37, "relhumidity": 9.32, "vappress": 4.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504380,48.008028] }, "properties": { "altitude": "270.7", "sensor": "10", "gpstime":"2019-06-24T19:38:51.000Z", "temperature": 26.47, "relhumidity": 9.12, "vappress": 4.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491100,48.008638] }, "properties": { "altitude": "263.7", "sensor": "10", "gpstime":"2019-06-24T19:39:16.000Z", "temperature": 26.55, "relhumidity": 8.51, "vappress": 4.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477780,48.009185] }, "properties": { "altitude": "254.7", "sensor": "10", "gpstime":"2019-06-24T19:39:51.000Z", "temperature": 26.65, "relhumidity": 8.11, "vappress": 4.124, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460080,48.009942] }, "properties": { "altitude": "256.8", "sensor": "10", "gpstime":"2019-06-24T19:40:26.000Z", "temperature": 26.53, "relhumidity": 10.74, "vappress": 4.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447380,48.010867] }, "properties": { "altitude": "254.7", "sensor": "10", "gpstime":"2019-06-24T19:40:51.000Z", "temperature": 26.26, "relhumidity": 10.89, "vappress": 4.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433900,48.011872] }, "properties": { "altitude": "254.5", "sensor": "10", "gpstime":"2019-06-24T19:41:20.000Z", "temperature": 26.25, "relhumidity": 10.48, "vappress": 4.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419100,48.012943] }, "properties": { "altitude": "254.2", "sensor": "10", "gpstime":"2019-06-24T19:41:52.000Z", "temperature": 26.39, "relhumidity": 9.37, "vappress": 4.319, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404480,48.012898] }, "properties": { "altitude": "256.8", "sensor": "10", "gpstime":"2019-06-24T19:42:24.000Z", "temperature": 26.71, "relhumidity": 8.82, "vappress": 4.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392820,48.011883] }, "properties": { "altitude": "253.5", "sensor": "10", "gpstime":"2019-06-24T19:42:54.000Z", "temperature": 26.77, "relhumidity": 9.71, "vappress": 4.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384270,48.013815] }, "properties": { "altitude": "244.8", "sensor": "10", "gpstime":"2019-06-24T19:44:15.000Z", "temperature": 26.66, "relhumidity": 10.38, "vappress": 4.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371620,48.014498] }, "properties": { "altitude": "252.2", "sensor": "10", "gpstime":"2019-06-24T19:44:59.000Z", "temperature": 26.41, "relhumidity": 11.16, "vappress": 4.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366250,48.012648] }, "properties": { "altitude": "262.3", "sensor": "10", "gpstime":"2019-06-24T19:45:51.000Z", "temperature": 25.64, "relhumidity": 15.95, "vappress": 4.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8351550,48.012178] }, "properties": { "altitude": "259.0", "sensor": "10", "gpstime":"2019-06-24T19:46:51.000Z", "temperature": 25.25, "relhumidity": 16.46, "vappress": 4.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336600,48.011878] }, "properties": { "altitude": "250.3", "sensor": "10", "gpstime":"2019-06-24T19:47:35.000Z", "temperature": 25.75, "relhumidity": 15.70, "vappress": 5.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319870,48.012510] }, "properties": { "altitude": "244.6", "sensor": "10", "gpstime":"2019-06-24T19:48:14.000Z", "temperature": 26.11, "relhumidity": 14.40, "vappress": 5.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306070,48.011685] }, "properties": { "altitude": "263.0", "sensor": "10", "gpstime":"2019-06-24T19:48:46.000Z", "temperature": 26.37, "relhumidity": 12.49, "vappress": 5.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315900,48.010040] }, "properties": { "altitude": "256.8", "sensor": "10", "gpstime":"2019-06-24T19:50:05.000Z", "temperature": 26.82, "relhumidity": 9.14, "vappress": 5.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302330,48.009103] }, "properties": { "altitude": "251.4", "sensor": "10", "gpstime":"2019-06-24T19:50:40.000Z", "temperature": 27.15, "relhumidity": 8.94, "vappress": 4.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288520,48.008213] }, "properties": { "altitude": "257.1", "sensor": "10", "gpstime":"2019-06-24T19:51:10.000Z", "temperature": 27.14, "relhumidity": 8.82, "vappress": 5.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274570,48.008742] }, "properties": { "altitude": "250.0", "sensor": "10", "gpstime":"2019-06-24T19:51:45.000Z", "temperature": 27.20, "relhumidity": 8.91, "vappress": 5.141, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259750,48.009015] }, "properties": { "altitude": "248.2", "sensor": "10", "gpstime":"2019-06-24T19:52:16.000Z", "temperature": 27.10, "relhumidity": 8.93, "vappress": 5.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253030,48.007123] }, "properties": { "altitude": "259.1", "sensor": "10", "gpstime":"2019-06-24T19:53:50.000Z", "temperature": 27.04, "relhumidity": 10.05, "vappress": 5.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260780,48.005448] }, "properties": { "altitude": "262.0", "sensor": "10", "gpstime":"2019-06-24T19:55:28.000Z", "temperature": 26.91, "relhumidity": 10.86, "vappress": 5.066, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274250,48.005040] }, "properties": { "altitude": "260.7", "sensor": "10", "gpstime":"2019-06-24T19:55:46.000Z", "temperature": 26.67, "relhumidity": 11.55, "vappress": 5.126, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288700,48.004447] }, "properties": { "altitude": "268.0", "sensor": "10", "gpstime":"2019-06-24T19:56:13.000Z", "temperature": 26.72, "relhumidity": 11.10, "vappress": 5.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276570,48.002470] }, "properties": { "altitude": "269.2", "sensor": "10", "gpstime":"2019-06-24T19:57:39.000Z", "temperature": 26.14, "relhumidity": 16.23, "vappress": 4.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287680,48.001097] }, "properties": { "altitude": "245.0", "sensor": "10", "gpstime":"2019-06-24T20:00:00.000Z", "temperature": 25.23, "relhumidity": 16.19, "vappress": 4.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304920,48.000462] }, "properties": { "altitude": "239.8", "sensor": "10", "gpstime":"2019-06-24T20:00:29.000Z", "temperature": 25.43, "relhumidity": 15.64, "vappress": 4.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320780,47.999898] }, "properties": { "altitude": "260.5", "sensor": "10", "gpstime":"2019-06-24T20:01:02.000Z", "temperature": 25.67, "relhumidity": 14.69, "vappress": 4.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335980,47.999317] }, "properties": { "altitude": "273.6", "sensor": "10", "gpstime":"2019-06-24T20:01:31.000Z", "temperature": 26.00, "relhumidity": 14.06, "vappress": 4.879, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349720,47.998777] }, "properties": { "altitude": "273.9", "sensor": "10", "gpstime":"2019-06-24T20:01:59.000Z", "temperature": 26.15, "relhumidity": 13.76, "vappress": 4.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345680,47.996388] }, "properties": { "altitude": "285.1", "sensor": "10", "gpstime":"2019-06-24T20:03:26.000Z", "temperature": 26.49, "relhumidity": 11.10, "vappress": 5.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334480,47.994907] }, "properties": { "altitude": "283.2", "sensor": "10", "gpstime":"2019-06-24T20:04:10.000Z", "temperature": 26.73, "relhumidity": 11.37, "vappress": 5.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323320,47.993508] }, "properties": { "altitude": "277.4", "sensor": "10", "gpstime":"2019-06-24T20:05:31.000Z", "temperature": 26.75, "relhumidity": 11.49, "vappress": 5.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309550,47.993360] }, "properties": { "altitude": "263.2", "sensor": "10", "gpstime":"2019-06-24T20:06:01.000Z", "temperature": 26.70, "relhumidity": 11.78, "vappress": 5.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292970,47.993893] }, "properties": { "altitude": "260.5", "sensor": "10", "gpstime":"2019-06-24T20:07:06.000Z", "temperature": 26.80, "relhumidity": 12.36, "vappress": 5.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278800,47.994375] }, "properties": { "altitude": "262.7", "sensor": "10", "gpstime":"2019-06-24T20:07:26.000Z", "temperature": 26.72, "relhumidity": 11.91, "vappress": 5.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260300,47.994975] }, "properties": { "altitude": "258.9", "sensor": "10", "gpstime":"2019-06-24T20:07:56.000Z", "temperature": 26.59, "relhumidity": 13.03, "vappress": 5.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238230,47.994645] }, "properties": { "altitude": "270.1", "sensor": "10", "gpstime":"2019-06-24T20:09:13.000Z", "temperature": 26.43, "relhumidity": 13.36, "vappress": 5.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219370,47.994037] }, "properties": { "altitude": "276.8", "sensor": "10", "gpstime":"2019-06-24T20:09:40.000Z", "temperature": 26.42, "relhumidity": 13.13, "vappress": 5.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201170,47.993585] }, "properties": { "altitude": "269.3", "sensor": "10", "gpstime":"2019-06-24T20:10:09.000Z", "temperature": 26.49, "relhumidity": 12.65, "vappress": 5.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180230,47.993215] }, "properties": { "altitude": "261.9", "sensor": "10", "gpstime":"2019-06-24T20:10:44.000Z", "temperature": 26.53, "relhumidity": 12.47, "vappress": 5.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167600,47.992410] }, "properties": { "altitude": "263.9", "sensor": "10", "gpstime":"2019-06-24T20:11:35.000Z", "temperature": 26.57, "relhumidity": 11.93, "vappress": 4.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152250,47.991702] }, "properties": { "altitude": "254.6", "sensor": "10", "gpstime":"2019-06-24T20:12:20.000Z", "temperature": 26.69, "relhumidity": 11.22, "vappress": 5.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143070,47.989975] }, "properties": { "altitude": "245.4", "sensor": "10", "gpstime":"2019-06-24T20:14:31.000Z", "temperature": 26.90, "relhumidity": 10.57, "vappress": 5.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130750,47.988460] }, "properties": { "altitude": "245.4", "sensor": "10", "gpstime":"2019-06-24T20:15:10.000Z", "temperature": 26.77, "relhumidity": 11.22, "vappress": 4.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118950,47.986842] }, "properties": { "altitude": "239.9", "sensor": "10", "gpstime":"2019-06-24T20:15:51.000Z", "temperature": 26.65, "relhumidity": 11.54, "vappress": 4.859, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8106880,47.985303] }, "properties": { "altitude": "250.8", "sensor": "10", "gpstime":"2019-06-24T20:17:07.000Z", "temperature": 26.56, "relhumidity": 12.13, "vappress": 4.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8094380,47.983777] }, "properties": { "altitude": "253.8", "sensor": "10", "gpstime":"2019-06-24T20:18:19.000Z", "temperature": 26.57, "relhumidity": 11.35, "vappress": 4.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8109130,47.982633] }, "properties": { "altitude": "243.1", "sensor": "10", "gpstime":"2019-06-24T20:20:16.000Z", "temperature": 26.53, "relhumidity": 12.23, "vappress": 4.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8092330,47.982860] }, "properties": { "altitude": "243.6", "sensor": "10", "gpstime":"2019-06-24T20:22:52.000Z", "temperature": 26.45, "relhumidity": 12.90, "vappress": 4.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083020,47.981045] }, "properties": { "altitude": "250.8", "sensor": "10", "gpstime":"2019-06-24T20:25:41.000Z", "temperature": 26.43, "relhumidity": 11.56, "vappress": 4.683, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069020,47.981293] }, "properties": { "altitude": "235.5", "sensor": "10", "gpstime":"2019-06-24T20:27:04.000Z", "temperature": 26.42, "relhumidity": 11.67, "vappress": 4.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8053020,47.981097] }, "properties": { "altitude": "247.1", "sensor": "10", "gpstime":"2019-06-24T20:28:24.000Z", "temperature": 26.54, "relhumidity": 11.34, "vappress": 4.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8039850,47.980688] }, "properties": { "altitude": "238.6", "sensor": "10", "gpstime":"2019-06-24T20:28:52.000Z", "temperature": 26.55, "relhumidity": 11.78, "vappress": 4.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036180,47.978575] }, "properties": { "altitude": "234.6", "sensor": "10", "gpstime":"2019-06-24T20:30:31.000Z", "temperature": 26.38, "relhumidity": 13.04, "vappress": 4.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036950,47.976532] }, "properties": { "altitude": "238.0", "sensor": "10", "gpstime":"2019-06-24T20:31:51.000Z", "temperature": 25.88, "relhumidity": 13.60, "vappress": 3.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022080,47.975632] }, "properties": { "altitude": "232.6", "sensor": "10", "gpstime":"2019-06-24T20:32:31.000Z", "temperature": 25.35, "relhumidity": 14.10, "vappress": 3.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036930,47.975428] }, "properties": { "altitude": "239.9", "sensor": "10", "gpstime":"2019-06-24T20:33:15.000Z", "temperature": 24.65, "relhumidity": 15.57, "vappress": 2.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031650,47.973483] }, "properties": { "altitude": "257.3", "sensor": "10", "gpstime":"2019-06-24T20:36:38.000Z", "temperature": 24.11, "relhumidity": 17.55, "vappress": 2.573, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8044820,47.974020] }, "properties": { "altitude": "276.8", "sensor": "10", "gpstime":"2019-06-24T20:38:37.000Z", "temperature": 24.10, "relhumidity": 18.33, "vappress": 2.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8057930,47.975003] }, "properties": { "altitude": "281.3", "sensor": "10", "gpstime":"2019-06-24T20:39:16.000Z", "temperature": 23.90, "relhumidity": 18.74, "vappress": 2.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8071770,47.975168] }, "properties": { "altitude": "273.8", "sensor": "10", "gpstime":"2019-06-24T20:41:03.000Z", "temperature": 23.54, "relhumidity": 20.60, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086320,47.975952] }, "properties": { "altitude": "257.1", "sensor": "10", "gpstime":"2019-06-24T20:41:41.000Z", "temperature": 23.49, "relhumidity": 20.71, "vappress": 2.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104250,47.976330] }, "properties": { "altitude": "246.1", "sensor": "10", "gpstime":"2019-06-24T20:42:07.000Z", "temperature": 23.81, "relhumidity": 20.56, "vappress": 3.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118770,47.976337] }, "properties": { "altitude": "242.2", "sensor": "10", "gpstime":"2019-06-24T20:42:29.000Z", "temperature": 24.49, "relhumidity": 19.78, "vappress": 3.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132300,47.976108] }, "properties": { "altitude": "247.8", "sensor": "10", "gpstime":"2019-06-24T20:43:29.000Z", "temperature": 24.87, "relhumidity": 18.23, "vappress": 4.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146250,47.975852] }, "properties": { "altitude": "246.1", "sensor": "10", "gpstime":"2019-06-24T20:43:46.000Z", "temperature": 25.22, "relhumidity": 17.90, "vappress": 4.249, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8159170,47.975248] }, "properties": { "altitude": "258.2", "sensor": "10", "gpstime":"2019-06-24T20:44:18.000Z", "temperature": 25.32, "relhumidity": 17.73, "vappress": 4.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8164800,47.973283] }, "properties": { "altitude": "264.1", "sensor": "10", "gpstime":"2019-06-24T20:45:43.000Z", "temperature": 25.18, "relhumidity": 17.79, "vappress": 3.810, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177220,47.972335] }, "properties": { "altitude": "265.1", "sensor": "10", "gpstime":"2019-06-24T20:47:02.000Z", "temperature": 24.08, "relhumidity": 20.21, "vappress": 2.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190550,47.971535] }, "properties": { "altitude": "282.9", "sensor": "10", "gpstime":"2019-06-24T20:47:43.000Z", "temperature": 23.69, "relhumidity": 20.46, "vappress": 2.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203370,47.970760] }, "properties": { "altitude": "290.1", "sensor": "10", "gpstime":"2019-06-24T20:49:52.000Z", "temperature": 23.73, "relhumidity": 19.91, "vappress": 2.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223450,47.970392] }, "properties": { "altitude": "277.5", "sensor": "10", "gpstime":"2019-06-24T20:50:41.000Z", "temperature": 23.65, "relhumidity": 20.36, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238870,47.969112] }, "properties": { "altitude": "256.5", "sensor": "10", "gpstime":"2019-06-24T20:51:11.000Z", "temperature": 23.57, "relhumidity": 20.72, "vappress": 2.512, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256630,47.969107] }, "properties": { "altitude": "248.1", "sensor": "10", "gpstime":"2019-06-24T20:51:35.000Z", "temperature": 23.87, "relhumidity": 20.04, "vappress": 2.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273430,47.969267] }, "properties": { "altitude": "261.0", "sensor": "10", "gpstime":"2019-06-24T20:52:02.000Z", "temperature": 24.29, "relhumidity": 18.53, "vappress": 3.206, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282500,47.970810] }, "properties": { "altitude": "271.2", "sensor": "10", "gpstime":"2019-06-24T20:52:59.000Z", "temperature": 24.82, "relhumidity": 16.83, "vappress": 3.696, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291020,47.972453] }, "properties": { "altitude": "270.3", "sensor": "10", "gpstime":"2019-06-24T20:54:09.000Z", "temperature": 25.41, "relhumidity": 15.59, "vappress": 4.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302820,47.973693] }, "properties": { "altitude": "267.2", "sensor": "10", "gpstime":"2019-06-24T20:54:56.000Z", "temperature": 25.61, "relhumidity": 14.76, "vappress": 3.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316370,47.975220] }, "properties": { "altitude": "259.6", "sensor": "10", "gpstime":"2019-06-24T20:55:44.000Z", "temperature": 25.39, "relhumidity": 17.51, "vappress": 3.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325880,47.976655] }, "properties": { "altitude": "264.5", "sensor": "10", "gpstime":"2019-06-24T20:56:28.000Z", "temperature": 24.76, "relhumidity": 15.96, "vappress": 2.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334220,47.978257] }, "properties": { "altitude": "273.8", "sensor": "10", "gpstime":"2019-06-24T20:57:24.000Z", "temperature": 24.69, "relhumidity": 14.30, "vappress": 2.344, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342500,47.979963] }, "properties": { "altitude": "282.7", "sensor": "10", "gpstime":"2019-06-24T20:58:24.000Z", "temperature": 24.88, "relhumidity": 14.16, "vappress": 2.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353880,47.981332] }, "properties": { "altitude": "289.0", "sensor": "10", "gpstime":"2019-06-24T20:59:13.000Z", "temperature": 25.01, "relhumidity": 15.01, "vappress": 2.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365750,47.982437] }, "properties": { "altitude": "285.7", "sensor": "10", "gpstime":"2019-06-24T20:59:42.000Z", "temperature": 25.00, "relhumidity": 13.93, "vappress": 2.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383080,47.983375] }, "properties": { "altitude": "279.9", "sensor": "10", "gpstime":"2019-06-24T21:00:11.000Z", "temperature": 25.12, "relhumidity": 14.31, "vappress": 2.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8395070,47.984667] }, "properties": { "altitude": "260.4", "sensor": "10", "gpstime":"2019-06-24T21:00:42.000Z", "temperature": 25.17, "relhumidity": 14.67, "vappress": 3.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410820,47.984703] }, "properties": { "altitude": "267.6", "sensor": "10", "gpstime":"2019-06-24T21:02:03.000Z", "temperature": 25.18, "relhumidity": 14.28, "vappress": 2.987, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427720,47.984697] }, "properties": { "altitude": "268.9", "sensor": "10", "gpstime":"2019-06-24T21:02:33.000Z", "temperature": 25.34, "relhumidity": 14.32, "vappress": 3.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440600,47.985470] }, "properties": { "altitude": "276.6", "sensor": "10", "gpstime":"2019-06-24T21:03:49.000Z", "temperature": 25.31, "relhumidity": 14.78, "vappress": 3.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443770,47.987522] }, "properties": { "altitude": "286.8", "sensor": "10", "gpstime":"2019-06-24T21:04:37.000Z", "temperature": 25.66, "relhumidity": 12.23, "vappress": 3.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459630,47.987953] }, "properties": { "altitude": "293.1", "sensor": "10", "gpstime":"2019-06-24T21:05:12.000Z", "temperature": 26.09, "relhumidity": 10.23, "vappress": 3.296, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475170,47.988507] }, "properties": { "altitude": "290.6", "sensor": "10", "gpstime":"2019-06-24T21:05:44.000Z", "temperature": 26.34, "relhumidity": 9.13, "vappress": 3.286, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486130,47.989865] }, "properties": { "altitude": "268.6", "sensor": "10", "gpstime":"2019-06-24T21:06:49.000Z", "temperature": 26.39, "relhumidity": 10.69, "vappress": 3.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471030,47.989968] }, "properties": { "altitude": "261.1", "sensor": "10", "gpstime":"2019-06-24T21:07:17.000Z", "temperature": 26.06, "relhumidity": 11.59, "vappress": 3.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455270,47.990128] }, "properties": { "altitude": "257.7", "sensor": "10", "gpstime":"2019-06-24T21:07:39.000Z", "temperature": 25.74, "relhumidity": 12.93, "vappress": 3.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452500,47.992060] }, "properties": { "altitude": "276.7", "sensor": "10", "gpstime":"2019-06-24T21:09:20.000Z", "temperature": 25.95, "relhumidity": 12.12, "vappress": 3.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452330,47.992110] }, "properties": { "altitude": "276.2", "sensor": "11", "gpstime":"2019-06-24T19:24:58.000Z", "temperature": 26.68, "relhumidity": 4.13, "vappress": 2.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463830,47.990848] }, "properties": { "altitude": "279.2", "sensor": "11", "gpstime":"2019-06-24T19:25:52.000Z", "temperature": 26.57, "relhumidity": 4.97, "vappress": 3.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477700,47.990765] }, "properties": { "altitude": "278.2", "sensor": "11", "gpstime":"2019-06-24T19:26:11.000Z", "temperature": 26.89, "relhumidity": 4.13, "vappress": 3.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473820,47.988582] }, "properties": { "altitude": "282.9", "sensor": "11", "gpstime":"2019-06-24T19:27:02.000Z", "temperature": 26.75, "relhumidity": 4.53, "vappress": 2.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458150,47.988217] }, "properties": { "altitude": "281.7", "sensor": "11", "gpstime":"2019-06-24T19:27:35.000Z", "temperature": 26.43, "relhumidity": 5.32, "vappress": 2.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442420,47.987983] }, "properties": { "altitude": "281.0", "sensor": "11", "gpstime":"2019-06-24T19:27:51.000Z", "temperature": 26.30, "relhumidity": 6.53, "vappress": 2.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428450,47.987765] }, "properties": { "altitude": "280.1", "sensor": "11", "gpstime":"2019-06-24T19:28:05.000Z", "temperature": 26.15, "relhumidity": 7.30, "vappress": 2.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409570,47.987493] }, "properties": { "altitude": "278.8", "sensor": "11", "gpstime":"2019-06-24T19:28:24.000Z", "temperature": 26.00, "relhumidity": 7.57, "vappress": 2.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394480,47.987007] }, "properties": { "altitude": "272.4", "sensor": "11", "gpstime":"2019-06-24T19:28:50.000Z", "temperature": 25.87, "relhumidity": 8.27, "vappress": 2.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405870,47.985575] }, "properties": { "altitude": "267.8", "sensor": "11", "gpstime":"2019-06-24T19:29:26.000Z", "temperature": 25.61, "relhumidity": 8.41, "vappress": 2.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393350,47.984803] }, "properties": { "altitude": "267.5", "sensor": "11", "gpstime":"2019-06-24T19:30:14.000Z", "temperature": 25.51, "relhumidity": 8.78, "vappress": 2.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377620,47.984145] }, "properties": { "altitude": "267.1", "sensor": "11", "gpstime":"2019-06-24T19:30:59.000Z", "temperature": 25.50, "relhumidity": 8.49, "vappress": 2.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8367280,47.982642] }, "properties": { "altitude": "289.1", "sensor": "11", "gpstime":"2019-06-24T19:32:16.000Z", "temperature": 25.49, "relhumidity": 8.58, "vappress": 2.278, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381630,47.982310] }, "properties": { "altitude": "306.1", "sensor": "11", "gpstime":"2019-06-24T19:33:07.000Z", "temperature": 25.33, "relhumidity": 8.99, "vappress": 1.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377280,47.980373] }, "properties": { "altitude": "341.7", "sensor": "11", "gpstime":"2019-06-24T19:35:36.000Z", "temperature": 24.81, "relhumidity": 10.34, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375580,47.978158] }, "properties": { "altitude": "352.8", "sensor": "11", "gpstime":"2019-06-24T19:36:22.000Z", "temperature": 24.83, "relhumidity": 9.71, "vappress": 2.184, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378900,47.975733] }, "properties": { "altitude": "350.2", "sensor": "11", "gpstime":"2019-06-24T19:37:25.000Z", "temperature": 25.28, "relhumidity": 8.94, "vappress": 1.953, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377900,47.973687] }, "properties": { "altitude": "355.9", "sensor": "11", "gpstime":"2019-06-24T19:38:00.000Z", "temperature": 25.11, "relhumidity": 9.30, "vappress": 1.753, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365120,47.972773] }, "properties": { "altitude": "329.4", "sensor": "11", "gpstime":"2019-06-24T19:40:15.000Z", "temperature": 24.50, "relhumidity": 10.62, "vappress": 0.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353420,47.971620] }, "properties": { "altitude": "315.2", "sensor": "11", "gpstime":"2019-06-24T19:41:00.000Z", "temperature": 24.00, "relhumidity": 10.14, "vappress": 0.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342870,47.970147] }, "properties": { "altitude": "313.4", "sensor": "11", "gpstime":"2019-06-24T19:42:41.000Z", "temperature": 23.91, "relhumidity": 9.81, "vappress": 0.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325150,47.969030] }, "properties": { "altitude": "316.0", "sensor": "11", "gpstime":"2019-06-24T19:43:10.000Z", "temperature": 24.16, "relhumidity": 9.26, "vappress": 0.569, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342720,47.969132] }, "properties": { "altitude": "321.1", "sensor": "11", "gpstime":"2019-06-24T19:44:20.000Z", "temperature": 24.48, "relhumidity": 7.93, "vappress": 0.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357170,47.969972] }, "properties": { "altitude": "320.4", "sensor": "11", "gpstime":"2019-06-24T19:44:50.000Z", "temperature": 24.45, "relhumidity": 8.57, "vappress": 0.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370850,47.971033] }, "properties": { "altitude": "325.1", "sensor": "11", "gpstime":"2019-06-24T19:45:17.000Z", "temperature": 24.04, "relhumidity": 10.29, "vappress": 0.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386600,47.971985] }, "properties": { "altitude": "341.5", "sensor": "11", "gpstime":"2019-06-24T19:46:06.000Z", "temperature": 23.46, "relhumidity": 11.84, "vappress": -0.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412570,47.973583] }, "properties": { "altitude": "326.4", "sensor": "11", "gpstime":"2019-06-24T19:46:43.000Z", "temperature": 23.63, "relhumidity": 10.86, "vappress": 1.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414670,47.975910] }, "properties": { "altitude": "309.0", "sensor": "11", "gpstime":"2019-06-24T19:47:15.000Z", "temperature": 24.44, "relhumidity": 10.43, "vappress": 1.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402800,47.977377] }, "properties": { "altitude": "296.2", "sensor": "11", "gpstime":"2019-06-24T19:47:39.000Z", "temperature": 24.43, "relhumidity": 10.66, "vappress": 1.327, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397250,47.979330] }, "properties": { "altitude": "291.9", "sensor": "11", "gpstime":"2019-06-24T19:48:16.000Z", "temperature": 24.83, "relhumidity": 9.50, "vappress": 1.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404800,47.981250] }, "properties": { "altitude": "279.9", "sensor": "11", "gpstime":"2019-06-24T19:48:54.000Z", "temperature": 24.97, "relhumidity": 9.58, "vappress": 1.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417970,47.981900] }, "properties": { "altitude": "283.5", "sensor": "11", "gpstime":"2019-06-24T19:49:46.000Z", "temperature": 24.97, "relhumidity": 9.24, "vappress": 1.749, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433650,47.981663] }, "properties": { "altitude": "286.4", "sensor": "11", "gpstime":"2019-06-24T19:50:15.000Z", "temperature": 24.93, "relhumidity": 8.97, "vappress": 1.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443780,47.983110] }, "properties": { "altitude": "276.2", "sensor": "11", "gpstime":"2019-06-24T19:51:00.000Z", "temperature": 25.02, "relhumidity": 8.78, "vappress": 1.639, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461500,47.982513] }, "properties": { "altitude": "284.0", "sensor": "11", "gpstime":"2019-06-24T19:51:41.000Z", "temperature": 24.91, "relhumidity": 9.15, "vappress": 1.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477930,47.982095] }, "properties": { "altitude": "284.4", "sensor": "11", "gpstime":"2019-06-24T19:52:10.000Z", "temperature": 24.55, "relhumidity": 9.10, "vappress": 0.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477720,47.984412] }, "properties": { "altitude": "276.4", "sensor": "11", "gpstime":"2019-06-24T19:52:49.000Z", "temperature": 24.59, "relhumidity": 9.40, "vappress": 1.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493320,47.984028] }, "properties": { "altitude": "281.0", "sensor": "11", "gpstime":"2019-06-24T19:53:09.000Z", "temperature": 24.78, "relhumidity": 8.80, "vappress": 1.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511520,47.983515] }, "properties": { "altitude": "288.1", "sensor": "11", "gpstime":"2019-06-24T19:53:31.000Z", "temperature": 24.69, "relhumidity": 7.91, "vappress": 0.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8525900,47.983297] }, "properties": { "altitude": "287.5", "sensor": "11", "gpstime":"2019-06-24T19:53:47.000Z", "temperature": 24.43, "relhumidity": 8.36, "vappress": 0.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545570,47.982995] }, "properties": { "altitude": "286.1", "sensor": "11", "gpstime":"2019-06-24T19:54:17.000Z", "temperature": 24.45, "relhumidity": 8.09, "vappress": 0.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563450,47.983658] }, "properties": { "altitude": "280.0", "sensor": "11", "gpstime":"2019-06-24T19:54:41.000Z", "temperature": 24.34, "relhumidity": 8.64, "vappress": 0.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580150,47.984207] }, "properties": { "altitude": "280.1", "sensor": "11", "gpstime":"2019-06-24T19:55:05.000Z", "temperature": 24.13, "relhumidity": 9.11, "vappress": 0.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596670,47.984608] }, "properties": { "altitude": "279.2", "sensor": "11", "gpstime":"2019-06-24T19:55:26.000Z", "temperature": 24.22, "relhumidity": 8.93, "vappress": 0.436, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609330,47.985967] }, "properties": { "altitude": "293.0", "sensor": "11", "gpstime":"2019-06-24T19:56:17.000Z", "temperature": 23.87, "relhumidity": 8.54, "vappress": 0.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8623180,47.985757] }, "properties": { "altitude": "302.7", "sensor": "11", "gpstime":"2019-06-24T19:56:36.000Z", "temperature": 24.12, "relhumidity": 8.71, "vappress": 0.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633530,47.983255] }, "properties": { "altitude": "301.5", "sensor": "11", "gpstime":"2019-06-24T19:57:33.000Z", "temperature": 23.55, "relhumidity": 11.23, "vappress": -0.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653800,47.983470] }, "properties": { "altitude": "307.1", "sensor": "11", "gpstime":"2019-06-24T19:58:03.000Z", "temperature": 23.10, "relhumidity": 11.16, "vappress": -0.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670770,47.984293] }, "properties": { "altitude": "304.8", "sensor": "11", "gpstime":"2019-06-24T19:58:25.000Z", "temperature": 23.11, "relhumidity": 11.67, "vappress": -0.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686980,47.985028] }, "properties": { "altitude": "299.1", "sensor": "11", "gpstime":"2019-06-24T19:58:44.000Z", "temperature": 23.21, "relhumidity": 10.91, "vappress": -0.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703480,47.985387] }, "properties": { "altitude": "289.7", "sensor": "11", "gpstime":"2019-06-24T19:59:03.000Z", "temperature": 23.15, "relhumidity": 10.45, "vappress": -0.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718220,47.985072] }, "properties": { "altitude": "281.1", "sensor": "11", "gpstime":"2019-06-24T19:59:19.000Z", "temperature": 23.07, "relhumidity": 10.88, "vappress": -0.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733330,47.985165] }, "properties": { "altitude": "286.3", "sensor": "11", "gpstime":"2019-06-24T19:59:40.000Z", "temperature": 23.12, "relhumidity": 11.01, "vappress": -0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8747670,47.983827] }, "properties": { "altitude": "293.8", "sensor": "11", "gpstime":"2019-06-24T20:00:10.000Z", "temperature": 23.21, "relhumidity": 10.51, "vappress": -0.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8736500,47.985248] }, "properties": { "altitude": "298.9", "sensor": "11", "gpstime":"2019-06-24T20:01:10.000Z", "temperature": 23.33, "relhumidity": 9.96, "vappress": -0.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8715380,47.986345] }, "properties": { "altitude": "298.5", "sensor": "11", "gpstime":"2019-06-24T20:01:45.000Z", "temperature": 23.49, "relhumidity": 8.95, "vappress": -0.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695580,47.986815] }, "properties": { "altitude": "295.2", "sensor": "11", "gpstime":"2019-06-24T20:02:04.000Z", "temperature": 24.02, "relhumidity": 8.53, "vappress": 0.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678050,47.987242] }, "properties": { "altitude": "292.8", "sensor": "11", "gpstime":"2019-06-24T20:02:21.000Z", "temperature": 24.42, "relhumidity": 7.99, "vappress": 0.606, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662870,47.987615] }, "properties": { "altitude": "290.5", "sensor": "11", "gpstime":"2019-06-24T20:02:37.000Z", "temperature": 24.92, "relhumidity": 7.15, "vappress": 1.126, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8642620,47.986795] }, "properties": { "altitude": "289.7", "sensor": "11", "gpstime":"2019-06-24T20:03:01.000Z", "temperature": 25.37, "relhumidity": 6.26, "vappress": 1.358, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626370,47.986958] }, "properties": { "altitude": "285.6", "sensor": "11", "gpstime":"2019-06-24T20:03:17.000Z", "temperature": 25.68, "relhumidity": 5.90, "vappress": 1.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613020,47.986070] }, "properties": { "altitude": "286.8", "sensor": "11", "gpstime":"2019-06-24T20:03:52.000Z", "temperature": 25.66, "relhumidity": 5.24, "vappress": 1.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598950,47.985288] }, "properties": { "altitude": "294.1", "sensor": "11", "gpstime":"2019-06-24T20:04:34.000Z", "temperature": 25.09, "relhumidity": 6.35, "vappress": 0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8584300,47.985117] }, "properties": { "altitude": "295.8", "sensor": "11", "gpstime":"2019-06-24T20:04:51.000Z", "temperature": 24.61, "relhumidity": 7.07, "vappress": 0.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565650,47.984952] }, "properties": { "altitude": "297.5", "sensor": "11", "gpstime":"2019-06-24T20:05:12.000Z", "temperature": 24.58, "relhumidity": 7.11, "vappress": 0.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551630,47.985000] }, "properties": { "altitude": "295.3", "sensor": "11", "gpstime":"2019-06-24T20:05:26.000Z", "temperature": 24.84, "relhumidity": 7.15, "vappress": 0.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533980,47.985047] }, "properties": { "altitude": "292.4", "sensor": "11", "gpstime":"2019-06-24T20:05:44.000Z", "temperature": 25.26, "relhumidity": 6.50, "vappress": 1.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517380,47.985088] }, "properties": { "altitude": "293.2", "sensor": "11", "gpstime":"2019-06-24T20:06:00.000Z", "temperature": 25.21, "relhumidity": 6.35, "vappress": 0.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498780,47.984955] }, "properties": { "altitude": "295.3", "sensor": "11", "gpstime":"2019-06-24T20:06:17.000Z", "temperature": 25.14, "relhumidity": 6.53, "vappress": 0.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485300,47.984788] }, "properties": { "altitude": "284.6", "sensor": "11", "gpstime":"2019-06-24T20:06:30.000Z", "temperature": 24.86, "relhumidity": 7.04, "vappress": 0.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477280,47.986687] }, "properties": { "altitude": "281.2", "sensor": "11", "gpstime":"2019-06-24T20:07:13.000Z", "temperature": 25.12, "relhumidity": 6.47, "vappress": 1.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480020,47.988650] }, "properties": { "altitude": "303.4", "sensor": "11", "gpstime":"2019-06-24T20:07:45.000Z", "temperature": 25.99, "relhumidity": 5.66, "vappress": 2.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496050,47.988723] }, "properties": { "altitude": "307.7", "sensor": "11", "gpstime":"2019-06-24T20:08:06.000Z", "temperature": 26.36, "relhumidity": 4.78, "vappress": 2.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509430,47.988613] }, "properties": { "altitude": "319.9", "sensor": "11", "gpstime":"2019-06-24T20:08:22.000Z", "temperature": 26.53, "relhumidity": 4.36, "vappress": 2.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526250,47.988440] }, "properties": { "altitude": "327.9", "sensor": "11", "gpstime":"2019-06-24T20:08:40.000Z", "temperature": 26.55, "relhumidity": 4.27, "vappress": 2.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543500,47.988310] }, "properties": { "altitude": "336.1", "sensor": "11", "gpstime":"2019-06-24T20:09:07.000Z", "temperature": 26.52, "relhumidity": 4.08, "vappress": 2.302, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552420,47.990042] }, "properties": { "altitude": "337.6", "sensor": "11", "gpstime":"2019-06-24T20:09:47.000Z", "temperature": 26.46, "relhumidity": 4.33, "vappress": 2.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568480,47.989942] }, "properties": { "altitude": "323.1", "sensor": "11", "gpstime":"2019-06-24T20:10:10.000Z", "temperature": 26.45, "relhumidity": 4.22, "vappress": 2.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549550,47.990923] }, "properties": { "altitude": "285.5", "sensor": "11", "gpstime":"2019-06-24T20:11:42.000Z", "temperature": 26.25, "relhumidity": 5.20, "vappress": 1.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550300,47.993312] }, "properties": { "altitude": "300.0", "sensor": "11", "gpstime":"2019-06-24T20:12:49.000Z", "temperature": 25.92, "relhumidity": 5.05, "vappress": 2.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564380,47.994742] }, "properties": { "altitude": "304.4", "sensor": "11", "gpstime":"2019-06-24T20:13:17.000Z", "temperature": 26.33, "relhumidity": 4.35, "vappress": 2.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8576220,47.995815] }, "properties": { "altitude": "299.9", "sensor": "11", "gpstime":"2019-06-24T20:13:32.000Z", "temperature": 26.58, "relhumidity": 3.10, "vappress": 2.367, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585450,47.997450] }, "properties": { "altitude": "291.7", "sensor": "11", "gpstime":"2019-06-24T20:13:52.000Z", "temperature": 26.63, "relhumidity": 3.46, "vappress": 2.327, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599830,47.998275] }, "properties": { "altitude": "284.5", "sensor": "11", "gpstime":"2019-06-24T20:14:12.000Z", "temperature": 26.72, "relhumidity": 3.78, "vappress": 2.491, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613500,47.999183] }, "properties": { "altitude": "289.4", "sensor": "11", "gpstime":"2019-06-24T20:14:48.000Z", "temperature": 26.62, "relhumidity": 4.65, "vappress": 2.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630750,48.000430] }, "properties": { "altitude": "299.9", "sensor": "11", "gpstime":"2019-06-24T20:15:34.000Z", "temperature": 26.34, "relhumidity": 4.92, "vappress": 2.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8644030,48.001875] }, "properties": { "altitude": "301.9", "sensor": "11", "gpstime":"2019-06-24T20:16:07.000Z", "temperature": 26.47, "relhumidity": 3.85, "vappress": 2.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8661870,48.002532] }, "properties": { "altitude": "303.5", "sensor": "11", "gpstime":"2019-06-24T20:16:31.000Z", "temperature": 26.73, "relhumidity": 4.55, "vappress": 2.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678480,48.002183] }, "properties": { "altitude": "301.1", "sensor": "11", "gpstime":"2019-06-24T20:16:50.000Z", "temperature": 25.79, "relhumidity": 6.05, "vappress": 1.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8692180,48.001715] }, "properties": { "altitude": "293.4", "sensor": "11", "gpstime":"2019-06-24T20:17:06.000Z", "temperature": 24.99, "relhumidity": 7.37, "vappress": 0.923, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706670,48.000810] }, "properties": { "altitude": "292.8", "sensor": "11", "gpstime":"2019-06-24T20:17:35.000Z", "temperature": 24.33, "relhumidity": 10.35, "vappress": 0.273, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8693870,48.002413] }, "properties": { "altitude": "272.6", "sensor": "11", "gpstime":"2019-06-24T20:18:11.000Z", "temperature": 23.75, "relhumidity": 11.57, "vappress": 0.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674370,48.003018] }, "properties": { "altitude": "253.0", "sensor": "11", "gpstime":"2019-06-24T20:18:26.000Z", "temperature": 23.99, "relhumidity": 11.53, "vappress": 0.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8658120,48.003587] }, "properties": { "altitude": "240.9", "sensor": "11", "gpstime":"2019-06-24T20:18:42.000Z", "temperature": 24.25, "relhumidity": 10.97, "vappress": 1.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643450,48.003713] }, "properties": { "altitude": "244.9", "sensor": "11", "gpstime":"2019-06-24T20:19:02.000Z", "temperature": 24.61, "relhumidity": 9.80, "vappress": 1.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628650,48.004037] }, "properties": { "altitude": "253.3", "sensor": "11", "gpstime":"2019-06-24T20:19:23.000Z", "temperature": 24.94, "relhumidity": 9.00, "vappress": 1.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614920,48.003228] }, "properties": { "altitude": "261.2", "sensor": "11", "gpstime":"2019-06-24T20:19:46.000Z", "temperature": 25.39, "relhumidity": 7.85, "vappress": 1.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598470,48.002532] }, "properties": { "altitude": "260.9", "sensor": "11", "gpstime":"2019-06-24T20:20:05.000Z", "temperature": 25.68, "relhumidity": 7.11, "vappress": 2.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587280,48.000680] }, "properties": { "altitude": "266.4", "sensor": "11", "gpstime":"2019-06-24T20:20:37.000Z", "temperature": 25.90, "relhumidity": 6.23, "vappress": 1.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577250,47.999045] }, "properties": { "altitude": "272.2", "sensor": "11", "gpstime":"2019-06-24T20:21:07.000Z", "temperature": 25.94, "relhumidity": 5.88, "vappress": 2.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562850,47.997982] }, "properties": { "altitude": "279.9", "sensor": "11", "gpstime":"2019-06-24T20:21:35.000Z", "temperature": 26.69, "relhumidity": 4.29, "vappress": 2.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545750,47.997802] }, "properties": { "altitude": "293.7", "sensor": "11", "gpstime":"2019-06-24T20:22:11.000Z", "temperature": 26.93, "relhumidity": 3.60, "vappress": 2.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521050,47.998257] }, "properties": { "altitude": "306.9", "sensor": "11", "gpstime":"2019-06-24T20:22:40.000Z", "temperature": 27.29, "relhumidity": 2.43, "vappress": 3.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8506970,47.999747] }, "properties": { "altitude": "307.6", "sensor": "11", "gpstime":"2019-06-24T20:23:26.000Z", "temperature": 27.59, "relhumidity": 2.30, "vappress": 3.296, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515000,48.001628] }, "properties": { "altitude": "286.9", "sensor": "11", "gpstime":"2019-06-24T20:23:56.000Z", "temperature": 27.58, "relhumidity": 2.56, "vappress": 3.386, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504250,48.002883] }, "properties": { "altitude": "275.7", "sensor": "11", "gpstime":"2019-06-24T20:24:28.000Z", "temperature": 27.62, "relhumidity": 2.26, "vappress": 3.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487680,48.003150] }, "properties": { "altitude": "277.1", "sensor": "11", "gpstime":"2019-06-24T20:24:44.000Z", "temperature": 27.62, "relhumidity": 1.65, "vappress": 3.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477670,48.001697] }, "properties": { "altitude": "278.0", "sensor": "11", "gpstime":"2019-06-24T20:25:20.000Z", "temperature": 27.57, "relhumidity": 2.44, "vappress": 3.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469470,47.999733] }, "properties": { "altitude": "282.7", "sensor": "11", "gpstime":"2019-06-24T20:25:55.000Z", "temperature": 27.48, "relhumidity": 1.32, "vappress": 3.013, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456600,47.998665] }, "properties": { "altitude": "312.4", "sensor": "11", "gpstime":"2019-06-24T20:26:44.000Z", "temperature": 27.92, "relhumidity": -2.66, "vappress": 2.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440550,47.997340] }, "properties": { "altitude": "317.4", "sensor": "11", "gpstime":"2019-06-24T20:27:34.000Z", "temperature": 27.80, "relhumidity": -1.21, "vappress": 2.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427630,47.996138] }, "properties": { "altitude": "315.0", "sensor": "11", "gpstime":"2019-06-24T20:28:00.000Z", "temperature": 27.68, "relhumidity": -1.14, "vappress": 2.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444020,47.995595] }, "properties": { "altitude": "313.7", "sensor": "11", "gpstime":"2019-06-24T20:28:24.000Z", "temperature": 27.74, "relhumidity": 0.14, "vappress": 2.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458320,47.995320] }, "properties": { "altitude": "306.3", "sensor": "11", "gpstime":"2019-06-24T20:28:51.000Z", "temperature": 27.55, "relhumidity": 1.19, "vappress": 2.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453550,47.994163] }, "properties": { "altitude": "293.5", "sensor": "11", "gpstime":"2019-06-24T20:29:10.000Z", "temperature": 27.40, "relhumidity": 1.66, "vappress": 2.637, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450970,47.993493] }, "properties": { "altitude": "266.5", "sensor": "12", "gpstime":"2019-06-24T19:24:13.000Z", "temperature": 26.19, "relhumidity": 10.46, "vappress": 4.228, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434050,47.993898] }, "properties": { "altitude": "269.7", "sensor": "12", "gpstime":"2019-06-24T19:24:40.000Z", "temperature": 26.12, "relhumidity": 10.46, "vappress": 4.228, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416000,47.994580] }, "properties": { "altitude": "268.0", "sensor": "12", "gpstime":"2019-06-24T19:25:10.000Z", "temperature": 26.20, "relhumidity": 10.71, "vappress": 4.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402830,47.995190] }, "properties": { "altitude": "270.8", "sensor": "12", "gpstime":"2019-06-24T19:25:50.000Z", "temperature": 26.19, "relhumidity": 10.71, "vappress": 4.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393070,47.993757] }, "properties": { "altitude": "273.0", "sensor": "12", "gpstime":"2019-06-24T19:26:20.000Z", "temperature": 26.04, "relhumidity": 10.57, "vappress": 3.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382130,47.992240] }, "properties": { "altitude": "273.8", "sensor": "12", "gpstime":"2019-06-24T19:27:14.000Z", "temperature": 25.85, "relhumidity": 10.51, "vappress": 3.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374150,47.990308] }, "properties": { "altitude": "269.4", "sensor": "12", "gpstime":"2019-06-24T19:27:47.000Z", "temperature": 25.78, "relhumidity": 10.47, "vappress": 3.330, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363080,47.988523] }, "properties": { "altitude": "267.6", "sensor": "12", "gpstime":"2019-06-24T19:28:55.000Z", "temperature": 25.71, "relhumidity": 10.53, "vappress": 3.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358370,47.986498] }, "properties": { "altitude": "268.1", "sensor": "12", "gpstime":"2019-06-24T19:29:32.000Z", "temperature": 25.66, "relhumidity": 10.40, "vappress": 3.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365270,47.984273] }, "properties": { "altitude": "272.3", "sensor": "12", "gpstime":"2019-06-24T19:31:09.000Z", "temperature": 25.73, "relhumidity": 10.29, "vappress": 3.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350120,47.982847] }, "properties": { "altitude": "271.6", "sensor": "12", "gpstime":"2019-06-24T19:31:39.000Z", "temperature": 25.64, "relhumidity": 10.28, "vappress": 3.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336370,47.981825] }, "properties": { "altitude": "268.0", "sensor": "12", "gpstime":"2019-06-24T19:32:01.000Z", "temperature": 25.57, "relhumidity": 10.03, "vappress": 2.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321330,47.980170] }, "properties": { "altitude": "267.2", "sensor": "12", "gpstime":"2019-06-24T19:32:36.000Z", "temperature": 25.28, "relhumidity": 9.93, "vappress": 2.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309500,47.978898] }, "properties": { "altitude": "265.0", "sensor": "12", "gpstime":"2019-06-24T19:33:09.000Z", "temperature": 25.43, "relhumidity": 9.70, "vappress": 2.779, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295980,47.977832] }, "properties": { "altitude": "262.4", "sensor": "12", "gpstime":"2019-06-24T19:36:19.000Z", "temperature": 25.63, "relhumidity": 10.16, "vappress": 3.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286250,47.976405] }, "properties": { "altitude": "264.3", "sensor": "12", "gpstime":"2019-06-24T19:36:55.000Z", "temperature": 25.86, "relhumidity": 10.18, "vappress": 3.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284620,47.974205] }, "properties": { "altitude": "267.5", "sensor": "12", "gpstime":"2019-06-24T19:37:48.000Z", "temperature": 25.76, "relhumidity": 9.84, "vappress": 3.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292130,47.972500] }, "properties": { "altitude": "272.8", "sensor": "12", "gpstime":"2019-06-24T19:38:40.000Z", "temperature": 25.57, "relhumidity": 9.80, "vappress": 2.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309120,47.972678] }, "properties": { "altitude": "278.4", "sensor": "12", "gpstime":"2019-06-24T19:39:17.000Z", "temperature": 25.30, "relhumidity": 9.28, "vappress": 1.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325230,47.972583] }, "properties": { "altitude": "280.5", "sensor": "12", "gpstime":"2019-06-24T19:39:42.000Z", "temperature": 24.80, "relhumidity": 9.22, "vappress": 1.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337120,47.973825] }, "properties": { "altitude": "286.6", "sensor": "12", "gpstime":"2019-06-24T19:40:34.000Z", "temperature": 24.18, "relhumidity": 9.14, "vappress": 0.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8351520,47.974263] }, "properties": { "altitude": "306.4", "sensor": "12", "gpstime":"2019-06-24T19:41:38.000Z", "temperature": 24.42, "relhumidity": 8.80, "vappress": 0.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366070,47.973825] }, "properties": { "altitude": "320.1", "sensor": "12", "gpstime":"2019-06-24T19:42:24.000Z", "temperature": 24.51, "relhumidity": 8.88, "vappress": 0.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373070,47.972057] }, "properties": { "altitude": "341.7", "sensor": "12", "gpstime":"2019-06-24T19:45:22.000Z", "temperature": 24.30, "relhumidity": 8.54, "vappress": -0.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363770,47.970542] }, "properties": { "altitude": "334.0", "sensor": "12", "gpstime":"2019-06-24T19:47:05.000Z", "temperature": 23.34, "relhumidity": 7.64, "vappress": -1.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8351250,47.969710] }, "properties": { "altitude": "328.1", "sensor": "12", "gpstime":"2019-06-24T19:47:28.000Z", "temperature": 23.14, "relhumidity": 7.68, "vappress": -1.323, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366630,47.970662] }, "properties": { "altitude": "328.7", "sensor": "12", "gpstime":"2019-06-24T19:49:26.000Z", "temperature": 23.35, "relhumidity": 7.25, "vappress": -1.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349270,47.969562] }, "properties": { "altitude": "327.1", "sensor": "12", "gpstime":"2019-06-24T19:51:49.000Z", "temperature": 22.98, "relhumidity": 6.78, "vappress": -1.739, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333830,47.968763] }, "properties": { "altitude": "327.9", "sensor": "12", "gpstime":"2019-06-24T19:52:11.000Z", "temperature": 23.30, "relhumidity": 6.81, "vappress": -1.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319130,47.968247] }, "properties": { "altitude": "318.2", "sensor": "12", "gpstime":"2019-06-24T19:52:43.000Z", "temperature": 23.61, "relhumidity": 6.98, "vappress": -0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325820,47.970250] }, "properties": { "altitude": "289.8", "sensor": "12", "gpstime":"2019-06-24T19:56:39.000Z", "temperature": 24.10, "relhumidity": 6.63, "vappress": -0.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309330,47.969987] }, "properties": { "altitude": "291.3", "sensor": "12", "gpstime":"2019-06-24T19:57:34.000Z", "temperature": 24.02, "relhumidity": 6.61, "vappress": -0.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296800,47.969160] }, "properties": { "altitude": "286.3", "sensor": "12", "gpstime":"2019-06-24T19:58:01.000Z", "temperature": 24.30, "relhumidity": 6.50, "vappress": -0.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291130,47.967072] }, "properties": { "altitude": "283.2", "sensor": "12", "gpstime":"2019-06-24T19:58:50.000Z", "temperature": 24.54, "relhumidity": 6.55, "vappress": 0.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302380,47.965812] }, "properties": { "altitude": "288.6", "sensor": "12", "gpstime":"2019-06-24T20:00:05.000Z", "temperature": 24.47, "relhumidity": 6.07, "vappress": -0.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312480,47.963997] }, "properties": { "altitude": "287.6", "sensor": "12", "gpstime":"2019-06-24T20:00:54.000Z", "temperature": 24.16, "relhumidity": 5.84, "vappress": -0.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323600,47.962537] }, "properties": { "altitude": "295.1", "sensor": "12", "gpstime":"2019-06-24T20:01:40.000Z", "temperature": 23.68, "relhumidity": 5.37, "vappress": -1.801, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326820,47.960432] }, "properties": { "altitude": "300.5", "sensor": "12", "gpstime":"2019-06-24T20:02:29.000Z", "temperature": 22.86, "relhumidity": 4.92, "vappress": -2.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316050,47.958932] }, "properties": { "altitude": "299.9", "sensor": "12", "gpstime":"2019-06-24T20:03:06.000Z", "temperature": 22.65, "relhumidity": 4.91, "vappress": -2.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301570,47.957758] }, "properties": { "altitude": "299.4", "sensor": "12", "gpstime":"2019-06-24T20:03:48.000Z", "temperature": 22.97, "relhumidity": 5.08, "vappress": -2.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290530,47.956043] }, "properties": { "altitude": "304.4", "sensor": "12", "gpstime":"2019-06-24T20:04:31.000Z", "temperature": 19.75, "relhumidity": 5.78, "vappress": -0.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277780,47.955037] }, "properties": { "altitude": "310.7", "sensor": "12", "gpstime":"2019-06-24T20:05:35.000Z", "temperature": 23.20, "relhumidity": 5.04, "vappress": -2.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262770,47.955072] }, "properties": { "altitude": "328.3", "sensor": "12", "gpstime":"2019-06-24T20:06:21.000Z", "temperature": 22.98, "relhumidity": 5.19, "vappress": -2.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281700,47.954912] }, "properties": { "altitude": "314.8", "sensor": "12", "gpstime":"2019-06-24T20:07:45.000Z", "temperature": 23.23, "relhumidity": 5.05, "vappress": -2.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293280,47.956215] }, "properties": { "altitude": "304.4", "sensor": "12", "gpstime":"2019-06-24T20:08:23.000Z", "temperature": 22.95, "relhumidity": 4.92, "vappress": -2.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280720,47.956920] }, "properties": { "altitude": "314.5", "sensor": "12", "gpstime":"2019-06-24T20:12:49.000Z", "temperature": 23.23, "relhumidity": 4.36, "vappress": -2.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281050,47.959148] }, "properties": { "altitude": "335.1", "sensor": "12", "gpstime":"2019-06-24T20:14:27.000Z", "temperature": 23.05, "relhumidity": 4.30, "vappress": -2.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290100,47.960935] }, "properties": { "altitude": "321.9", "sensor": "12", "gpstime":"2019-06-24T20:15:00.000Z", "temperature": 22.92, "relhumidity": 4.25, "vappress": -2.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283480,47.963033] }, "properties": { "altitude": "297.4", "sensor": "12", "gpstime":"2019-06-24T20:16:40.000Z", "temperature": 22.97, "relhumidity": 4.54, "vappress": -2.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270320,47.964317] }, "properties": { "altitude": "287.6", "sensor": "12", "gpstime":"2019-06-24T20:17:15.000Z", "temperature": 23.09, "relhumidity": 4.52, "vappress": -2.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262900,47.966125] }, "properties": { "altitude": "282.2", "sensor": "12", "gpstime":"2019-06-24T20:18:39.000Z", "temperature": 23.42, "relhumidity": 4.79, "vappress": -1.512, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259270,47.968333] }, "properties": { "altitude": "259.7", "sensor": "12", "gpstime":"2019-06-24T20:19:58.000Z", "temperature": 23.91, "relhumidity": 4.83, "vappress": -1.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8263770,47.970465] }, "properties": { "altitude": "248.3", "sensor": "12", "gpstime":"2019-06-24T20:20:47.000Z", "temperature": 24.34, "relhumidity": 5.28, "vappress": -0.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276170,47.971587] }, "properties": { "altitude": "264.6", "sensor": "12", "gpstime":"2019-06-24T20:21:27.000Z", "temperature": 24.85, "relhumidity": 5.44, "vappress": 0.488, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284230,47.973288] }, "properties": { "altitude": "269.9", "sensor": "12", "gpstime":"2019-06-24T20:22:58.000Z", "temperature": 25.19, "relhumidity": 5.77, "vappress": 1.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271880,47.974443] }, "properties": { "altitude": "271.9", "sensor": "12", "gpstime":"2019-06-24T20:24:11.000Z", "temperature": 25.46, "relhumidity": 5.21, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8258200,47.974702] }, "properties": { "altitude": "267.9", "sensor": "12", "gpstime":"2019-06-24T20:24:30.000Z", "temperature": 25.56, "relhumidity": 5.21, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243850,47.975073] }, "properties": { "altitude": "266.2", "sensor": "12", "gpstime":"2019-06-24T20:24:54.000Z", "temperature": 25.48, "relhumidity": 5.17, "vappress": 0.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229970,47.975385] }, "properties": { "altitude": "262.1", "sensor": "12", "gpstime":"2019-06-24T20:25:19.000Z", "temperature": 25.29, "relhumidity": 5.16, "vappress": 0.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243730,47.976828] }, "properties": { "altitude": "263.6", "sensor": "12", "gpstime":"2019-06-24T20:26:56.000Z", "temperature": 25.26, "relhumidity": 5.06, "vappress": 0.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231620,47.978670] }, "properties": { "altitude": "260.1", "sensor": "12", "gpstime":"2019-06-24T20:30:10.000Z", "temperature": 25.59, "relhumidity": 5.17, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216130,47.979735] }, "properties": { "altitude": "260.3", "sensor": "12", "gpstime":"2019-06-24T20:30:45.000Z", "temperature": 25.94, "relhumidity": 5.20, "vappress": 1.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205500,47.980965] }, "properties": { "altitude": "264.9", "sensor": "12", "gpstime":"2019-06-24T20:31:42.000Z", "temperature": 26.10, "relhumidity": 5.10, "vappress": 2.007, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199280,47.982823] }, "properties": { "altitude": "261.9", "sensor": "12", "gpstime":"2019-06-24T20:32:39.000Z", "temperature": 26.23, "relhumidity": 5.16, "vappress": 2.206, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186970,47.984360] }, "properties": { "altitude": "262.0", "sensor": "12", "gpstime":"2019-06-24T20:34:09.000Z", "temperature": 26.27, "relhumidity": 4.98, "vappress": 2.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185280,47.986372] }, "properties": { "altitude": "262.9", "sensor": "12", "gpstime":"2019-06-24T20:35:13.000Z", "temperature": 26.37, "relhumidity": 4.90, "vappress": 2.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190020,47.988440] }, "properties": { "altitude": "261.1", "sensor": "12", "gpstime":"2019-06-24T20:35:59.000Z", "temperature": 26.17, "relhumidity": 4.79, "vappress": 1.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207380,47.988468] }, "properties": { "altitude": "260.5", "sensor": "12", "gpstime":"2019-06-24T20:37:09.000Z", "temperature": 26.23, "relhumidity": 5.49, "vappress": 1.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8222050,47.988215] }, "properties": { "altitude": "260.6", "sensor": "12", "gpstime":"2019-06-24T20:37:39.000Z", "temperature": 26.10, "relhumidity": 5.52, "vappress": 2.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236250,47.988642] }, "properties": { "altitude": "256.8", "sensor": "12", "gpstime":"2019-06-24T20:38:11.000Z", "temperature": 26.21, "relhumidity": 5.75, "vappress": 2.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255020,47.988468] }, "properties": { "altitude": "259.4", "sensor": "12", "gpstime":"2019-06-24T20:38:51.000Z", "temperature": 26.26, "relhumidity": 5.81, "vappress": 2.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269830,47.987937] }, "properties": { "altitude": "265.4", "sensor": "12", "gpstime":"2019-06-24T20:39:16.000Z", "temperature": 26.32, "relhumidity": 5.92, "vappress": 2.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286400,47.987572] }, "properties": { "altitude": "261.9", "sensor": "12", "gpstime":"2019-06-24T20:39:53.000Z", "temperature": 26.30, "relhumidity": 5.86, "vappress": 2.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295380,47.989447] }, "properties": { "altitude": "258.6", "sensor": "12", "gpstime":"2019-06-24T20:40:31.000Z", "temperature": 26.20, "relhumidity": 6.03, "vappress": 2.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307170,47.991007] }, "properties": { "altitude": "259.2", "sensor": "12", "gpstime":"2019-06-24T20:41:04.000Z", "temperature": 26.02, "relhumidity": 6.41, "vappress": 2.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317830,47.992268] }, "properties": { "altitude": "260.5", "sensor": "12", "gpstime":"2019-06-24T20:41:34.000Z", "temperature": 26.12, "relhumidity": 6.47, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329580,47.993795] }, "properties": { "altitude": "267.4", "sensor": "12", "gpstime":"2019-06-24T20:42:15.000Z", "temperature": 26.38, "relhumidity": 6.48, "vappress": 2.697, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340000,47.995412] }, "properties": { "altitude": "275.1", "sensor": "12", "gpstime":"2019-06-24T20:44:46.000Z", "temperature": 26.67, "relhumidity": 6.20, "vappress": 2.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350980,47.996888] }, "properties": { "altitude": "281.3", "sensor": "12", "gpstime":"2019-06-24T20:45:22.000Z", "temperature": 26.83, "relhumidity": 6.47, "vappress": 3.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364150,47.997932] }, "properties": { "altitude": "284.4", "sensor": "12", "gpstime":"2019-06-24T20:45:57.000Z", "temperature": 26.87, "relhumidity": 6.97, "vappress": 3.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379630,47.997328] }, "properties": { "altitude": "285.7", "sensor": "12", "gpstime":"2019-06-24T20:46:26.000Z", "temperature": 26.77, "relhumidity": 6.72, "vappress": 3.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394580,47.996772] }, "properties": { "altitude": "284.7", "sensor": "12", "gpstime":"2019-06-24T20:46:57.000Z", "temperature": 26.65, "relhumidity": 6.70, "vappress": 3.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410320,47.996402] }, "properties": { "altitude": "279.6", "sensor": "12", "gpstime":"2019-06-24T20:47:24.000Z", "temperature": 26.61, "relhumidity": 6.40, "vappress": 2.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424880,47.996065] }, "properties": { "altitude": "275.9", "sensor": "12", "gpstime":"2019-06-24T20:47:46.000Z", "temperature": 26.58, "relhumidity": 6.46, "vappress": 3.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439570,47.995717] }, "properties": { "altitude": "278.7", "sensor": "12", "gpstime":"2019-06-24T20:48:04.000Z", "temperature": 26.75, "relhumidity": 6.01, "vappress": 2.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456080,47.995377] }, "properties": { "altitude": "289.6", "sensor": "12", "gpstime":"2019-06-24T20:48:29.000Z", "temperature": 26.56, "relhumidity": 5.90, "vappress": 2.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452570,47.993710] }, "properties": { "altitude": "287.1", "sensor": "12", "gpstime":"2019-06-24T20:49:02.000Z", "temperature": 26.38, "relhumidity": 5.92, "vappress": 2.386, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450400,47.993477] }, "properties": { "altitude": "254.2", "sensor": "13", "gpstime":"2019-06-24T19:26:12.000Z", "temperature": 26.24, "relhumidity": 2.41, "vappress": 1.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462650,47.994403] }, "properties": { "altitude": "282.1", "sensor": "13", "gpstime":"2019-06-24T19:27:06.000Z", "temperature": 26.25, "relhumidity": 2.14, "vappress": 1.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476770,47.994770] }, "properties": { "altitude": "272.8", "sensor": "13", "gpstime":"2019-06-24T19:28:06.000Z", "temperature": 26.34, "relhumidity": 0.89, "vappress": 1.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489420,47.993562] }, "properties": { "altitude": "256.0", "sensor": "13", "gpstime":"2019-06-24T19:29:11.000Z", "temperature": 26.48, "relhumidity": -1.55, "vappress": 0.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503450,47.993553] }, "properties": { "altitude": "246.4", "sensor": "13", "gpstime":"2019-06-24T19:29:34.000Z", "temperature": 26.62, "relhumidity": -2.14, "vappress": 0.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516950,47.993482] }, "properties": { "altitude": "256.7", "sensor": "13", "gpstime":"2019-06-24T19:30:02.000Z", "temperature": 26.63, "relhumidity": -3.14, "vappress": 0.095, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530270,47.993097] }, "properties": { "altitude": "257.6", "sensor": "13", "gpstime":"2019-06-24T19:30:50.000Z", "temperature": 26.56, "relhumidity": -3.31, "vappress": -0.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544720,47.993608] }, "properties": { "altitude": "254.3", "sensor": "13", "gpstime":"2019-06-24T19:32:11.000Z", "temperature": 26.29, "relhumidity": -2.59, "vappress": -0.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541770,47.995602] }, "properties": { "altitude": "258.5", "sensor": "13", "gpstime":"2019-06-24T19:33:46.000Z", "temperature": 26.23, "relhumidity": -2.05, "vappress": -0.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554920,47.997137] }, "properties": { "altitude": "278.7", "sensor": "13", "gpstime":"2019-06-24T19:34:57.000Z", "temperature": 26.46, "relhumidity": -2.89, "vappress": -0.074, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569430,47.997663] }, "properties": { "altitude": "274.6", "sensor": "13", "gpstime":"2019-06-24T19:36:13.000Z", "temperature": 26.22, "relhumidity": 0.36, "vappress": 0.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579520,47.999205] }, "properties": { "altitude": "267.9", "sensor": "13", "gpstime":"2019-06-24T19:38:10.000Z", "temperature": 25.22, "relhumidity": 5.30, "vappress": 0.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8589070,48.000995] }, "properties": { "altitude": "274.9", "sensor": "13", "gpstime":"2019-06-24T19:38:48.000Z", "temperature": 24.74, "relhumidity": 7.13, "vappress": 0.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578700,48.002468] }, "properties": { "altitude": "265.2", "sensor": "13", "gpstime":"2019-06-24T19:39:37.000Z", "temperature": 24.77, "relhumidity": 5.46, "vappress": 0.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594750,48.003165] }, "properties": { "altitude": "262.5", "sensor": "13", "gpstime":"2019-06-24T19:40:42.000Z", "temperature": 25.05, "relhumidity": 3.47, "vappress": 0.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585980,48.004885] }, "properties": { "altitude": "264.3", "sensor": "13", "gpstime":"2019-06-24T19:41:39.000Z", "temperature": 24.99, "relhumidity": 4.89, "vappress": 0.379, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569920,48.005008] }, "properties": { "altitude": "259.3", "sensor": "13", "gpstime":"2019-06-24T19:42:07.000Z", "temperature": 25.04, "relhumidity": 4.03, "vappress": 0.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555230,48.005028] }, "properties": { "altitude": "254.8", "sensor": "13", "gpstime":"2019-06-24T19:42:28.000Z", "temperature": 25.24, "relhumidity": 3.54, "vappress": 0.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541050,48.004920] }, "properties": { "altitude": "263.0", "sensor": "13", "gpstime":"2019-06-24T19:43:34.000Z", "temperature": 25.51, "relhumidity": 1.86, "vappress": 0.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527870,48.004105] }, "properties": { "altitude": "273.1", "sensor": "13", "gpstime":"2019-06-24T19:44:17.000Z", "temperature": 25.87, "relhumidity": 0.59, "vappress": 0.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513520,48.004560] }, "properties": { "altitude": "271.2", "sensor": "13", "gpstime":"2019-06-24T19:44:39.000Z", "temperature": 26.02, "relhumidity": 1.04, "vappress": 0.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497380,48.004950] }, "properties": { "altitude": "269.8", "sensor": "13", "gpstime":"2019-06-24T19:45:01.000Z", "temperature": 25.93, "relhumidity": 1.68, "vappress": 0.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480280,48.005548] }, "properties": { "altitude": "259.8", "sensor": "13", "gpstime":"2019-06-24T19:45:25.000Z", "temperature": 25.93, "relhumidity": 1.28, "vappress": 0.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464900,48.006503] }, "properties": { "altitude": "253.6", "sensor": "13", "gpstime":"2019-06-24T19:46:00.000Z", "temperature": 26.06, "relhumidity": 0.42, "vappress": 0.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450350,48.007490] }, "properties": { "altitude": "258.0", "sensor": "13", "gpstime":"2019-06-24T19:46:41.000Z", "temperature": 26.26, "relhumidity": -1.06, "vappress": 0.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436480,48.008318] }, "properties": { "altitude": "263.0", "sensor": "13", "gpstime":"2019-06-24T19:47:11.000Z", "temperature": 26.34, "relhumidity": 0.33, "vappress": 0.677, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425420,48.009887] }, "properties": { "altitude": "250.8", "sensor": "13", "gpstime":"2019-06-24T19:47:56.000Z", "temperature": 25.94, "relhumidity": 2.48, "vappress": 0.487, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435030,48.008200] }, "properties": { "altitude": "253.2", "sensor": "13", "gpstime":"2019-06-24T19:49:00.000Z", "temperature": 25.39, "relhumidity": 5.51, "vappress": 1.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447930,48.007508] }, "properties": { "altitude": "258.3", "sensor": "13", "gpstime":"2019-06-24T19:49:29.000Z", "temperature": 25.41, "relhumidity": 2.92, "vappress": 0.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440050,48.005887] }, "properties": { "altitude": "260.7", "sensor": "13", "gpstime":"2019-06-24T19:50:15.000Z", "temperature": 25.87, "relhumidity": 0.28, "vappress": 0.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428520,48.004647] }, "properties": { "altitude": "257.8", "sensor": "13", "gpstime":"2019-06-24T19:50:46.000Z", "temperature": 26.27, "relhumidity": 0.57, "vappress": 0.879, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413180,48.003785] }, "properties": { "altitude": "260.3", "sensor": "13", "gpstime":"2019-06-24T19:51:17.000Z", "temperature": 26.49, "relhumidity": -0.43, "vappress": 1.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396730,48.003990] }, "properties": { "altitude": "258.9", "sensor": "13", "gpstime":"2019-06-24T19:52:01.000Z", "temperature": 26.66, "relhumidity": 0.05, "vappress": 1.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382020,48.003555] }, "properties": { "altitude": "262.0", "sensor": "13", "gpstime":"2019-06-24T19:52:37.000Z", "temperature": 26.82, "relhumidity": -0.63, "vappress": 1.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365780,48.004288] }, "properties": { "altitude": "268.7", "sensor": "13", "gpstime":"2019-06-24T19:53:07.000Z", "temperature": 26.99, "relhumidity": -1.37, "vappress": 1.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353120,48.005035] }, "properties": { "altitude": "275.8", "sensor": "13", "gpstime":"2019-06-24T19:53:28.000Z", "temperature": 27.01, "relhumidity": -1.54, "vappress": 1.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340530,48.005803] }, "properties": { "altitude": "272.7", "sensor": "13", "gpstime":"2019-06-24T19:54:39.000Z", "temperature": 27.11, "relhumidity": -1.83, "vappress": 1.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323450,48.006640] }, "properties": { "altitude": "275.3", "sensor": "13", "gpstime":"2019-06-24T19:55:12.000Z", "temperature": 27.15, "relhumidity": -1.81, "vappress": 1.286, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8310220,48.005973] }, "properties": { "altitude": "261.9", "sensor": "13", "gpstime":"2019-06-24T19:55:55.000Z", "temperature": 27.06, "relhumidity": -1.22, "vappress": 1.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295520,48.004863] }, "properties": { "altitude": "263.5", "sensor": "13", "gpstime":"2019-06-24T19:56:23.000Z", "temperature": 26.75, "relhumidity": 0.19, "vappress": 1.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281470,48.004758] }, "properties": { "altitude": "259.5", "sensor": "13", "gpstime":"2019-06-24T19:56:51.000Z", "temperature": 26.54, "relhumidity": 0.19, "vappress": 1.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264820,48.005365] }, "properties": { "altitude": "256.1", "sensor": "13", "gpstime":"2019-06-24T19:57:15.000Z", "temperature": 26.63, "relhumidity": 0.16, "vappress": 1.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248830,48.005910] }, "properties": { "altitude": "256.7", "sensor": "13", "gpstime":"2019-06-24T19:58:20.000Z", "temperature": 26.59, "relhumidity": 0.07, "vappress": 1.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256980,48.007598] }, "properties": { "altitude": "245.8", "sensor": "13", "gpstime":"2019-06-24T19:59:08.000Z", "temperature": 26.67, "relhumidity": -0.62, "vappress": 1.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243320,48.008212] }, "properties": { "altitude": "247.5", "sensor": "13", "gpstime":"2019-06-24T19:59:33.000Z", "temperature": 26.73, "relhumidity": -0.35, "vappress": 1.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228580,48.007933] }, "properties": { "altitude": "253.3", "sensor": "13", "gpstime":"2019-06-24T20:00:13.000Z", "temperature": 26.53, "relhumidity": 0.20, "vappress": 0.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215100,48.008712] }, "properties": { "altitude": "254.5", "sensor": "13", "gpstime":"2019-06-24T20:00:47.000Z", "temperature": 26.09, "relhumidity": 1.46, "vappress": 0.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205100,48.010360] }, "properties": { "altitude": "233.9", "sensor": "13", "gpstime":"2019-06-24T20:02:14.000Z", "temperature": 25.56, "relhumidity": 5.02, "vappress": 0.816, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189700,48.011325] }, "properties": { "altitude": "238.0", "sensor": "13", "gpstime":"2019-06-24T20:02:57.000Z", "temperature": 25.37, "relhumidity": 4.67, "vappress": 0.706, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176230,48.012193] }, "properties": { "altitude": "235.4", "sensor": "13", "gpstime":"2019-06-24T20:03:39.000Z", "temperature": 25.36, "relhumidity": 4.86, "vappress": 0.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161500,48.012625] }, "properties": { "altitude": "238.3", "sensor": "13", "gpstime":"2019-06-24T20:04:10.000Z", "temperature": 25.62, "relhumidity": 4.45, "vappress": 1.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146970,48.012298] }, "properties": { "altitude": "236.5", "sensor": "13", "gpstime":"2019-06-24T20:04:40.000Z", "temperature": 25.76, "relhumidity": 6.06, "vappress": 1.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8159950,48.010692] }, "properties": { "altitude": "239.7", "sensor": "13", "gpstime":"2019-06-24T20:06:25.000Z", "temperature": 25.66, "relhumidity": 5.05, "vappress": 1.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8174250,48.009288] }, "properties": { "altitude": "239.6", "sensor": "13", "gpstime":"2019-06-24T20:07:07.000Z", "temperature": 25.54, "relhumidity": 5.37, "vappress": 1.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8187420,48.008508] }, "properties": { "altitude": "240.0", "sensor": "13", "gpstime":"2019-06-24T20:07:35.000Z", "temperature": 25.54, "relhumidity": 5.58, "vappress": 1.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201070,48.008080] }, "properties": { "altitude": "237.9", "sensor": "13", "gpstime":"2019-06-24T20:08:02.000Z", "temperature": 25.61, "relhumidity": 5.23, "vappress": 1.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199130,48.005992] }, "properties": { "altitude": "251.5", "sensor": "13", "gpstime":"2019-06-24T20:09:05.000Z", "temperature": 25.68, "relhumidity": 4.91, "vappress": 1.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213180,48.005348] }, "properties": { "altitude": "255.2", "sensor": "13", "gpstime":"2019-06-24T20:10:02.000Z", "temperature": 25.91, "relhumidity": 3.33, "vappress": 1.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223650,48.003817] }, "properties": { "altitude": "251.2", "sensor": "13", "gpstime":"2019-06-24T20:10:48.000Z", "temperature": 26.34, "relhumidity": 2.84, "vappress": 1.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238900,48.002795] }, "properties": { "altitude": "252.0", "sensor": "13", "gpstime":"2019-06-24T20:11:25.000Z", "temperature": 25.92, "relhumidity": 3.85, "vappress": 1.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252720,48.002003] }, "properties": { "altitude": "253.0", "sensor": "13", "gpstime":"2019-06-24T20:11:51.000Z", "temperature": 26.00, "relhumidity": 3.46, "vappress": 1.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267850,48.001577] }, "properties": { "altitude": "255.3", "sensor": "13", "gpstime":"2019-06-24T20:12:27.000Z", "temperature": 25.96, "relhumidity": 4.16, "vappress": 1.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282200,48.001222] }, "properties": { "altitude": "255.3", "sensor": "13", "gpstime":"2019-06-24T20:12:48.000Z", "temperature": 25.96, "relhumidity": 4.06, "vappress": 1.427, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298730,48.000747] }, "properties": { "altitude": "257.1", "sensor": "13", "gpstime":"2019-06-24T20:13:13.000Z", "temperature": 25.94, "relhumidity": 3.62, "vappress": 1.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315820,48.000072] }, "properties": { "altitude": "259.7", "sensor": "13", "gpstime":"2019-06-24T20:13:43.000Z", "temperature": 26.01, "relhumidity": 3.21, "vappress": 1.337, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332400,47.999468] }, "properties": { "altitude": "267.2", "sensor": "13", "gpstime":"2019-06-24T20:14:15.000Z", "temperature": 26.37, "relhumidity": 1.52, "vappress": 1.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8351180,47.998658] }, "properties": { "altitude": "265.0", "sensor": "13", "gpstime":"2019-06-24T20:14:52.000Z", "temperature": 26.55, "relhumidity": 0.63, "vappress": 1.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364380,47.997993] }, "properties": { "altitude": "265.3", "sensor": "13", "gpstime":"2019-06-24T20:15:42.000Z", "temperature": 26.78, "relhumidity": -0.38, "vappress": 1.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375570,47.996488] }, "properties": { "altitude": "272.1", "sensor": "13", "gpstime":"2019-06-24T20:16:40.000Z", "temperature": 26.80, "relhumidity": -0.28, "vappress": 1.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390450,47.996337] }, "properties": { "altitude": "276.2", "sensor": "13", "gpstime":"2019-06-24T20:17:37.000Z", "temperature": 26.64, "relhumidity": -0.16, "vappress": 0.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403880,47.995913] }, "properties": { "altitude": "273.5", "sensor": "13", "gpstime":"2019-06-24T20:18:12.000Z", "temperature": 26.66, "relhumidity": -0.48, "vappress": 1.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415430,47.994598] }, "properties": { "altitude": "267.1", "sensor": "13", "gpstime":"2019-06-24T20:19:01.000Z", "temperature": 26.77, "relhumidity": -1.03, "vappress": 0.842, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429950,47.993658] }, "properties": { "altitude": "269.2", "sensor": "13", "gpstime":"2019-06-24T20:19:44.000Z", "temperature": 26.71, "relhumidity": -0.54, "vappress": 1.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444850,47.992138] }, "properties": { "altitude": "272.4", "sensor": "13", "gpstime":"2019-06-24T20:20:47.000Z", "temperature": 26.58, "relhumidity": 0.08, "vappress": 0.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451400,47.992207] }, "properties": { "altitude": "274.9", "sensor": "13", "gpstime":"2019-06-24T20:21:00.000Z", "temperature": 26.42, "relhumidity": 0.30, "vappress": 0.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451300,47.993477] }, "properties": { "altitude": "271.4", "sensor": "14", "gpstime":"2019-06-24T19:24:23.000Z", "temperature": 26.26, "relhumidity": 9.41, "vappress": 3.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437350,47.993922] }, "properties": { "altitude": "254.9", "sensor": "14", "gpstime":"2019-06-24T19:24:47.000Z", "temperature": 26.26, "relhumidity": 9.33, "vappress": 3.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423830,47.994067] }, "properties": { "altitude": "252.1", "sensor": "14", "gpstime":"2019-06-24T19:25:03.000Z", "temperature": 26.33, "relhumidity": 9.78, "vappress": 4.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409130,47.994147] }, "properties": { "altitude": "252.3", "sensor": "14", "gpstime":"2019-06-24T19:25:23.000Z", "temperature": 26.39, "relhumidity": 9.95, "vappress": 4.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391950,47.993433] }, "properties": { "altitude": "270.6", "sensor": "14", "gpstime":"2019-06-24T19:26:01.000Z", "temperature": 26.28, "relhumidity": 10.73, "vappress": 4.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379820,47.991782] }, "properties": { "altitude": "273.1", "sensor": "14", "gpstime":"2019-06-24T19:26:55.000Z", "temperature": 25.97, "relhumidity": 11.76, "vappress": 4.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368870,47.989263] }, "properties": { "altitude": "266.6", "sensor": "14", "gpstime":"2019-06-24T19:27:48.000Z", "temperature": 25.85, "relhumidity": 11.88, "vappress": 3.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358820,47.987887] }, "properties": { "altitude": "266.4", "sensor": "14", "gpstime":"2019-06-24T19:28:13.000Z", "temperature": 25.81, "relhumidity": 12.03, "vappress": 4.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8352830,47.986037] }, "properties": { "altitude": "265.6", "sensor": "14", "gpstime":"2019-06-24T19:28:51.000Z", "temperature": 26.00, "relhumidity": 11.70, "vappress": 4.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338950,47.985632] }, "properties": { "altitude": "267.0", "sensor": "14", "gpstime":"2019-06-24T19:29:07.000Z", "temperature": 26.13, "relhumidity": 11.00, "vappress": 4.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304850,47.985550] }, "properties": { "altitude": "260.9", "sensor": "14", "gpstime":"2019-06-24T19:29:43.000Z", "temperature": 26.11, "relhumidity": 10.86, "vappress": 3.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292780,47.986625] }, "properties": { "altitude": "262.4", "sensor": "14", "gpstime":"2019-06-24T19:30:16.000Z", "temperature": 25.99, "relhumidity": 10.44, "vappress": 3.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280870,47.987635] }, "properties": { "altitude": "264.5", "sensor": "14", "gpstime":"2019-06-24T19:31:40.000Z", "temperature": 26.06, "relhumidity": 10.08, "vappress": 4.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266350,47.988215] }, "properties": { "altitude": "265.9", "sensor": "14", "gpstime":"2019-06-24T19:32:02.000Z", "temperature": 26.25, "relhumidity": 9.62, "vappress": 3.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251500,47.988782] }, "properties": { "altitude": "267.5", "sensor": "14", "gpstime":"2019-06-24T19:32:23.000Z", "temperature": 26.25, "relhumidity": 9.36, "vappress": 3.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235000,47.988553] }, "properties": { "altitude": "264.6", "sensor": "14", "gpstime":"2019-06-24T19:32:53.000Z", "temperature": 26.28, "relhumidity": 9.62, "vappress": 3.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220880,47.989987] }, "properties": { "altitude": "262.5", "sensor": "14", "gpstime":"2019-06-24T19:34:14.000Z", "temperature": 26.32, "relhumidity": 8.97, "vappress": 3.856, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206980,47.990400] }, "properties": { "altitude": "262.5", "sensor": "14", "gpstime":"2019-06-24T19:34:32.000Z", "temperature": 26.44, "relhumidity": 8.65, "vappress": 3.916, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194480,47.989325] }, "properties": { "altitude": "260.1", "sensor": "14", "gpstime":"2019-06-24T19:35:30.000Z", "temperature": 26.50, "relhumidity": 9.06, "vappress": 4.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181050,47.988630] }, "properties": { "altitude": "262.2", "sensor": "14", "gpstime":"2019-06-24T19:36:05.000Z", "temperature": 26.33, "relhumidity": 9.70, "vappress": 4.174, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8164980,47.989045] }, "properties": { "altitude": "259.9", "sensor": "14", "gpstime":"2019-06-24T19:36:26.000Z", "temperature": 26.49, "relhumidity": 9.47, "vappress": 4.264, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151320,47.988777] }, "properties": { "altitude": "259.6", "sensor": "14", "gpstime":"2019-06-24T19:36:51.000Z", "temperature": 26.36, "relhumidity": 9.67, "vappress": 3.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139130,47.987472] }, "properties": { "altitude": "259.4", "sensor": "14", "gpstime":"2019-06-24T19:37:26.000Z", "temperature": 26.13, "relhumidity": 9.71, "vappress": 3.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129200,47.985880] }, "properties": { "altitude": "258.1", "sensor": "14", "gpstime":"2019-06-24T19:38:09.000Z", "temperature": 25.87, "relhumidity": 11.28, "vappress": 3.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8115080,47.986397] }, "properties": { "altitude": "258.1", "sensor": "14", "gpstime":"2019-06-24T19:39:11.000Z", "temperature": 25.80, "relhumidity": 10.51, "vappress": 3.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8098650,47.986245] }, "properties": { "altitude": "259.7", "sensor": "14", "gpstime":"2019-06-24T19:39:46.000Z", "temperature": 26.03, "relhumidity": 10.28, "vappress": 3.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083780,47.986235] }, "properties": { "altitude": "256.2", "sensor": "14", "gpstime":"2019-06-24T19:40:26.000Z", "temperature": 26.15, "relhumidity": 10.22, "vappress": 4.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069820,47.986622] }, "properties": { "altitude": "255.5", "sensor": "14", "gpstime":"2019-06-24T19:41:02.000Z", "temperature": 26.39, "relhumidity": 9.20, "vappress": 4.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8055650,47.985742] }, "properties": { "altitude": "255.7", "sensor": "14", "gpstime":"2019-06-24T19:41:28.000Z", "temperature": 26.41, "relhumidity": 9.28, "vappress": 4.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040050,47.985198] }, "properties": { "altitude": "248.4", "sensor": "14", "gpstime":"2019-06-24T19:41:53.000Z", "temperature": 26.31, "relhumidity": 9.07, "vappress": 3.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8027780,47.986162] }, "properties": { "altitude": "250.8", "sensor": "14", "gpstime":"2019-06-24T19:42:23.000Z", "temperature": 26.28, "relhumidity": 9.07, "vappress": 3.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036330,47.988292] }, "properties": { "altitude": "251.1", "sensor": "14", "gpstime":"2019-06-24T19:43:24.000Z", "temperature": 26.26, "relhumidity": 9.66, "vappress": 3.919, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026520,47.989765] }, "properties": { "altitude": "250.0", "sensor": "14", "gpstime":"2019-06-24T19:44:10.000Z", "temperature": 26.42, "relhumidity": 9.02, "vappress": 4.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8015850,47.991535] }, "properties": { "altitude": "249.9", "sensor": "14", "gpstime":"2019-06-24T19:45:14.000Z", "temperature": 26.55, "relhumidity": 8.94, "vappress": 4.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8028270,47.992647] }, "properties": { "altitude": "248.9", "sensor": "14", "gpstime":"2019-06-24T19:46:01.000Z", "temperature": 26.68, "relhumidity": 8.08, "vappress": 4.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037600,47.994120] }, "properties": { "altitude": "249.1", "sensor": "14", "gpstime":"2019-06-24T19:46:33.000Z", "temperature": 26.86, "relhumidity": 7.75, "vappress": 4.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8024270,47.994787] }, "properties": { "altitude": "244.2", "sensor": "14", "gpstime":"2019-06-24T19:48:08.000Z", "temperature": 26.93, "relhumidity": 7.16, "vappress": 4.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8010220,47.995105] }, "properties": { "altitude": "242.6", "sensor": "14", "gpstime":"2019-06-24T19:48:25.000Z", "temperature": 26.61, "relhumidity": 7.90, "vappress": 3.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992920,47.995403] }, "properties": { "altitude": "241.6", "sensor": "14", "gpstime":"2019-06-24T19:48:50.000Z", "temperature": 26.45, "relhumidity": 8.52, "vappress": 3.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7968330,47.995103] }, "properties": { "altitude": "240.1", "sensor": "14", "gpstime":"2019-06-24T19:49:48.000Z", "temperature": 26.61, "relhumidity": 7.86, "vappress": 3.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7953220,47.995088] }, "properties": { "altitude": "238.2", "sensor": "14", "gpstime":"2019-06-24T19:50:05.000Z", "temperature": 26.54, "relhumidity": 7.88, "vappress": 3.639, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7939200,47.995013] }, "properties": { "altitude": "240.2", "sensor": "14", "gpstime":"2019-06-24T19:50:26.000Z", "temperature": 26.47, "relhumidity": 7.88, "vappress": 3.639, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7920820,47.995047] }, "properties": { "altitude": "240.1", "sensor": "14", "gpstime":"2019-06-24T19:51:14.000Z", "temperature": 26.62, "relhumidity": 7.47, "vappress": 3.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7905080,47.995078] }, "properties": { "altitude": "236.1", "sensor": "14", "gpstime":"2019-06-24T19:51:33.000Z", "temperature": 26.60, "relhumidity": 6.23, "vappress": 2.951, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7887670,47.994923] }, "properties": { "altitude": "237.9", "sensor": "14", "gpstime":"2019-06-24T19:51:58.000Z", "temperature": 26.36, "relhumidity": 7.69, "vappress": 3.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7864180,47.995008] }, "properties": { "altitude": "233.1", "sensor": "14", "gpstime":"2019-06-24T19:52:30.000Z", "temperature": 25.59, "relhumidity": 8.89, "vappress": 1.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7847870,47.995027] }, "properties": { "altitude": "228.9", "sensor": "14", "gpstime":"2019-06-24T19:52:51.000Z", "temperature": 24.46, "relhumidity": 8.70, "vappress": 0.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7829470,47.994998] }, "properties": { "altitude": "232.3", "sensor": "14", "gpstime":"2019-06-24T19:53:16.000Z", "temperature": 23.82, "relhumidity": 8.09, "vappress": -1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7812950,47.994998] }, "properties": { "altitude": "231.0", "sensor": "14", "gpstime":"2019-06-24T19:53:40.000Z", "temperature": 22.82, "relhumidity": 7.88, "vappress": -1.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7797870,47.995125] }, "properties": { "altitude": "230.8", "sensor": "14", "gpstime":"2019-06-24T19:54:01.000Z", "temperature": 22.50, "relhumidity": 7.72, "vappress": -2.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7780820,47.995080] }, "properties": { "altitude": "228.7", "sensor": "14", "gpstime":"2019-06-24T19:54:23.000Z", "temperature": 22.25, "relhumidity": 7.59, "vappress": -2.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7764550,47.994897] }, "properties": { "altitude": "226.5", "sensor": "14", "gpstime":"2019-06-24T19:54:44.000Z", "temperature": 22.15, "relhumidity": 7.62, "vappress": -2.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7751030,47.994795] }, "properties": { "altitude": "225.8", "sensor": "14", "gpstime":"2019-06-24T19:55:01.000Z", "temperature": 22.14, "relhumidity": 7.61, "vappress": -2.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7734350,47.995112] }, "properties": { "altitude": "223.2", "sensor": "14", "gpstime":"2019-06-24T19:55:24.000Z", "temperature": 22.09, "relhumidity": 7.61, "vappress": -2.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7719050,47.995710] }, "properties": { "altitude": "225.4", "sensor": "14", "gpstime":"2019-06-24T19:56:10.000Z", "temperature": 22.10, "relhumidity": 7.42, "vappress": -2.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7705980,47.996227] }, "properties": { "altitude": "222.0", "sensor": "14", "gpstime":"2019-06-24T19:56:32.000Z", "temperature": 22.27, "relhumidity": 7.45, "vappress": -2.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7688980,47.995523] }, "properties": { "altitude": "225.3", "sensor": "14", "gpstime":"2019-06-24T19:57:06.000Z", "temperature": 22.27, "relhumidity": 7.31, "vappress": -2.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7672070,47.995088] }, "properties": { "altitude": "222.6", "sensor": "14", "gpstime":"2019-06-24T19:57:31.000Z", "temperature": 22.12, "relhumidity": 7.27, "vappress": -2.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7658850,47.994108] }, "properties": { "altitude": "223.0", "sensor": "14", "gpstime":"2019-06-24T19:57:56.000Z", "temperature": 22.15, "relhumidity": 7.31, "vappress": -2.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7642000,47.993467] }, "properties": { "altitude": "221.6", "sensor": "14", "gpstime":"2019-06-24T19:58:22.000Z", "temperature": 22.27, "relhumidity": 7.12, "vappress": -2.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7629230,47.992725] }, "properties": { "altitude": "224.2", "sensor": "14", "gpstime":"2019-06-24T19:58:44.000Z", "temperature": 22.34, "relhumidity": 7.12, "vappress": -2.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7618830,47.991067] }, "properties": { "altitude": "227.2", "sensor": "14", "gpstime":"2019-06-24T20:00:08.000Z", "temperature": 22.37, "relhumidity": 6.72, "vappress": -2.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7605880,47.990357] }, "properties": { "altitude": "227.9", "sensor": "14", "gpstime":"2019-06-24T20:00:34.000Z", "temperature": 22.52, "relhumidity": 6.75, "vappress": -2.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7596670,47.988622] }, "properties": { "altitude": "225.1", "sensor": "14", "gpstime":"2019-06-24T20:01:58.000Z", "temperature": 22.32, "relhumidity": 6.30, "vappress": -3.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7594570,47.986398] }, "properties": { "altitude": "231.8", "sensor": "14", "gpstime":"2019-06-24T20:02:43.000Z", "temperature": 22.32, "relhumidity": 6.34, "vappress": -2.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7584780,47.984823] }, "properties": { "altitude": "233.8", "sensor": "14", "gpstime":"2019-06-24T20:03:18.000Z", "temperature": 22.43, "relhumidity": 6.26, "vappress": -2.762, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7579950,47.982873] }, "properties": { "altitude": "242.4", "sensor": "14", "gpstime":"2019-06-24T20:04:01.000Z", "temperature": 22.41, "relhumidity": 6.32, "vappress": -2.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7570280,47.981102] }, "properties": { "altitude": "246.9", "sensor": "14", "gpstime":"2019-06-24T20:04:43.000Z", "temperature": 22.38, "relhumidity": 6.32, "vappress": -2.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7587550,47.981083] }, "properties": { "altitude": "231.8", "sensor": "14", "gpstime":"2019-06-24T20:05:35.000Z", "temperature": 22.26, "relhumidity": 6.11, "vappress": -3.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7601720,47.980977] }, "properties": { "altitude": "229.6", "sensor": "14", "gpstime":"2019-06-24T20:05:57.000Z", "temperature": 22.14, "relhumidity": 6.26, "vappress": -2.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7620000,47.980757] }, "properties": { "altitude": "224.8", "sensor": "14", "gpstime":"2019-06-24T20:06:23.000Z", "temperature": 22.56, "relhumidity": 6.55, "vappress": -2.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7634370,47.980623] }, "properties": { "altitude": "223.6", "sensor": "14", "gpstime":"2019-06-24T20:06:46.000Z", "temperature": 22.87, "relhumidity": 6.66, "vappress": -2.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7650250,47.980373] }, "properties": { "altitude": "235.0", "sensor": "14", "gpstime":"2019-06-24T20:07:31.000Z", "temperature": 23.04, "relhumidity": 6.68, "vappress": -1.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7663820,47.980093] }, "properties": { "altitude": "235.2", "sensor": "14", "gpstime":"2019-06-24T20:07:56.000Z", "temperature": 23.07, "relhumidity": 6.63, "vappress": -1.859, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7683050,47.979558] }, "properties": { "altitude": "229.9", "sensor": "14", "gpstime":"2019-06-24T20:08:28.000Z", "temperature": 23.00, "relhumidity": 6.48, "vappress": -2.007, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7696550,47.979232] }, "properties": { "altitude": "230.6", "sensor": "14", "gpstime":"2019-06-24T20:08:47.000Z", "temperature": 22.86, "relhumidity": 6.37, "vappress": -2.307, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7715520,47.979195] }, "properties": { "altitude": "228.3", "sensor": "14", "gpstime":"2019-06-24T20:09:13.000Z", "temperature": 22.80, "relhumidity": 6.24, "vappress": -2.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7731920,47.979543] }, "properties": { "altitude": "228.1", "sensor": "14", "gpstime":"2019-06-24T20:09:36.000Z", "temperature": 22.89, "relhumidity": 6.30, "vappress": -2.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7752370,47.980275] }, "properties": { "altitude": "227.8", "sensor": "14", "gpstime":"2019-06-24T20:10:08.000Z", "temperature": 23.05, "relhumidity": 6.24, "vappress": -1.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7766470,47.981320] }, "properties": { "altitude": "227.7", "sensor": "14", "gpstime":"2019-06-24T20:10:38.000Z", "temperature": 23.13, "relhumidity": 6.24, "vappress": -1.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7784430,47.981285] }, "properties": { "altitude": "229.7", "sensor": "14", "gpstime":"2019-06-24T20:11:04.000Z", "temperature": 23.11, "relhumidity": 6.08, "vappress": -1.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7797220,47.981928] }, "properties": { "altitude": "230.9", "sensor": "14", "gpstime":"2019-06-24T20:11:28.000Z", "temperature": 23.66, "relhumidity": 6.30, "vappress": -1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7813330,47.982718] }, "properties": { "altitude": "230.7", "sensor": "14", "gpstime":"2019-06-24T20:11:56.000Z", "temperature": 23.84, "relhumidity": 6.39, "vappress": -0.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7829870,47.983395] }, "properties": { "altitude": "231.1", "sensor": "14", "gpstime":"2019-06-24T20:12:23.000Z", "temperature": 24.21, "relhumidity": 6.41, "vappress": -0.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7843130,47.983900] }, "properties": { "altitude": "232.8", "sensor": "14", "gpstime":"2019-06-24T20:12:45.000Z", "temperature": 24.24, "relhumidity": 6.46, "vappress": -0.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7857520,47.984437] }, "properties": { "altitude": "237.9", "sensor": "14", "gpstime":"2019-06-24T20:13:23.000Z", "temperature": 24.92, "relhumidity": 6.63, "vappress": 0.867, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7878180,47.984983] }, "properties": { "altitude": "243.9", "sensor": "14", "gpstime":"2019-06-24T20:13:57.000Z", "temperature": 25.12, "relhumidity": 6.66, "vappress": 1.027, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7894880,47.985338] }, "properties": { "altitude": "243.4", "sensor": "14", "gpstime":"2019-06-24T20:14:23.000Z", "temperature": 25.16, "relhumidity": 6.68, "vappress": 0.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7908920,47.985602] }, "properties": { "altitude": "242.4", "sensor": "14", "gpstime":"2019-06-24T20:14:45.000Z", "temperature": 25.40, "relhumidity": 6.79, "vappress": 1.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7933280,47.985973] }, "properties": { "altitude": "246.6", "sensor": "14", "gpstime":"2019-06-24T20:15:23.000Z", "temperature": 25.58, "relhumidity": 7.04, "vappress": 1.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7951250,47.986253] }, "properties": { "altitude": "246.2", "sensor": "14", "gpstime":"2019-06-24T20:15:51.000Z", "temperature": 25.65, "relhumidity": 6.99, "vappress": 1.699, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7969880,47.986073] }, "properties": { "altitude": "243.9", "sensor": "14", "gpstime":"2019-06-24T20:16:21.000Z", "temperature": 25.67, "relhumidity": 7.13, "vappress": 1.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7987280,47.985887] }, "properties": { "altitude": "249.2", "sensor": "14", "gpstime":"2019-06-24T20:16:48.000Z", "temperature": 25.68, "relhumidity": 7.14, "vappress": 2.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8006070,47.985663] }, "properties": { "altitude": "245.7", "sensor": "14", "gpstime":"2019-06-24T20:17:17.000Z", "temperature": 25.76, "relhumidity": 7.13, "vappress": 2.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022600,47.985472] }, "properties": { "altitude": "247.7", "sensor": "14", "gpstime":"2019-06-24T20:17:44.000Z", "temperature": 25.91, "relhumidity": 7.17, "vappress": 2.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8044650,47.985028] }, "properties": { "altitude": "246.6", "sensor": "14", "gpstime":"2019-06-24T20:18:21.000Z", "temperature": 26.24, "relhumidity": 7.35, "vappress": 3.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8061020,47.984740] }, "properties": { "altitude": "250.6", "sensor": "14", "gpstime":"2019-06-24T20:18:53.000Z", "temperature": 26.35, "relhumidity": 7.26, "vappress": 2.848, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8076600,47.984402] }, "properties": { "altitude": "254.2", "sensor": "14", "gpstime":"2019-06-24T20:19:22.000Z", "temperature": 26.23, "relhumidity": 7.20, "vappress": 2.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8096050,47.984135] }, "properties": { "altitude": "254.6", "sensor": "14", "gpstime":"2019-06-24T20:19:56.000Z", "temperature": 26.42, "relhumidity": 7.23, "vappress": 3.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8110980,47.983775] }, "properties": { "altitude": "257.0", "sensor": "14", "gpstime":"2019-06-24T20:20:25.000Z", "temperature": 26.21, "relhumidity": 7.36, "vappress": 2.634, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126650,47.983833] }, "properties": { "altitude": "257.4", "sensor": "14", "gpstime":"2019-06-24T20:20:52.000Z", "temperature": 25.83, "relhumidity": 7.22, "vappress": 1.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142020,47.983982] }, "properties": { "altitude": "261.4", "sensor": "14", "gpstime":"2019-06-24T20:21:19.000Z", "temperature": 25.46, "relhumidity": 7.03, "vappress": 1.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157130,47.984098] }, "properties": { "altitude": "267.3", "sensor": "14", "gpstime":"2019-06-24T20:21:46.000Z", "temperature": 25.37, "relhumidity": 7.00, "vappress": 1.338, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172850,47.984073] }, "properties": { "altitude": "271.5", "sensor": "14", "gpstime":"2019-06-24T20:22:11.000Z", "temperature": 25.49, "relhumidity": 7.36, "vappress": 2.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189700,47.984323] }, "properties": { "altitude": "271.4", "sensor": "14", "gpstime":"2019-06-24T20:22:41.000Z", "temperature": 25.93, "relhumidity": 7.45, "vappress": 2.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8204330,47.984383] }, "properties": { "altitude": "266.0", "sensor": "14", "gpstime":"2019-06-24T20:23:34.000Z", "temperature": 26.26, "relhumidity": 7.28, "vappress": 3.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218600,47.984792] }, "properties": { "altitude": "270.9", "sensor": "14", "gpstime":"2019-06-24T20:24:02.000Z", "temperature": 26.42, "relhumidity": 6.96, "vappress": 2.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239080,47.985040] }, "properties": { "altitude": "269.7", "sensor": "14", "gpstime":"2019-06-24T20:24:37.000Z", "temperature": 26.31, "relhumidity": 6.93, "vappress": 2.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254430,47.985197] }, "properties": { "altitude": "268.5", "sensor": "14", "gpstime":"2019-06-24T20:25:02.000Z", "temperature": 26.27, "relhumidity": 7.01, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272170,47.985325] }, "properties": { "altitude": "270.1", "sensor": "14", "gpstime":"2019-06-24T20:25:31.000Z", "temperature": 26.28, "relhumidity": 7.01, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289850,47.985410] }, "properties": { "altitude": "267.1", "sensor": "14", "gpstime":"2019-06-24T20:26:17.000Z", "temperature": 26.34, "relhumidity": 6.90, "vappress": 2.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306020,47.985365] }, "properties": { "altitude": "266.1", "sensor": "14", "gpstime":"2019-06-24T20:26:41.000Z", "temperature": 26.19, "relhumidity": 6.82, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325450,47.985162] }, "properties": { "altitude": "267.6", "sensor": "14", "gpstime":"2019-06-24T20:27:08.000Z", "temperature": 26.05, "relhumidity": 6.65, "vappress": 2.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8339170,47.985352] }, "properties": { "altitude": "265.5", "sensor": "14", "gpstime":"2019-06-24T20:27:29.000Z", "temperature": 26.02, "relhumidity": 6.64, "vappress": 2.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357600,47.985817] }, "properties": { "altitude": "258.3", "sensor": "14", "gpstime":"2019-06-24T20:28:01.000Z", "temperature": 26.02, "relhumidity": 6.67, "vappress": 2.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361280,47.987807] }, "properties": { "altitude": "273.5", "sensor": "14", "gpstime":"2019-06-24T20:29:55.000Z", "temperature": 26.06, "relhumidity": 6.60, "vappress": 2.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373070,47.989460] }, "properties": { "altitude": "268.1", "sensor": "14", "gpstime":"2019-06-24T20:30:33.000Z", "temperature": 26.11, "relhumidity": 6.72, "vappress": 2.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381470,47.991457] }, "properties": { "altitude": "273.6", "sensor": "14", "gpstime":"2019-06-24T20:31:58.000Z", "temperature": 26.36, "relhumidity": 6.58, "vappress": 2.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390220,47.993018] }, "properties": { "altitude": "272.7", "sensor": "14", "gpstime":"2019-06-24T20:33:18.000Z", "temperature": 26.31, "relhumidity": 6.59, "vappress": 2.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403370,47.994122] }, "properties": { "altitude": "276.0", "sensor": "14", "gpstime":"2019-06-24T20:34:00.000Z", "temperature": 26.42, "relhumidity": 6.63, "vappress": 2.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418580,47.993940] }, "properties": { "altitude": "282.9", "sensor": "14", "gpstime":"2019-06-24T20:34:26.000Z", "temperature": 26.65, "relhumidity": 5.54, "vappress": 2.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432550,47.993857] }, "properties": { "altitude": "286.8", "sensor": "14", "gpstime":"2019-06-24T20:34:54.000Z", "temperature": 26.26, "relhumidity": 6.48, "vappress": 2.969, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445970,47.993647] }, "properties": { "altitude": "284.9", "sensor": "14", "gpstime":"2019-06-24T20:35:18.000Z", "temperature": 26.48, "relhumidity": 6.39, "vappress": 2.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448850,47.993650] }, "properties": { "altitude": "284.7", "sensor": "14", "gpstime":"2019-06-24T20:35:23.000Z", "temperature": 26.48, "relhumidity": 6.39, "vappress": 2.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449200,47.993468] }, "properties": { "altitude": "108.8", "sensor": "15", "gpstime":"2019-06-24T18:48:53.000Z", "temperature": 24.79, "relhumidity": 25.28, "vappress": 7.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452700,47.991392] }, "properties": { "altitude": "263.0", "sensor": "15", "gpstime":"2019-06-24T19:24:29.000Z", "temperature": 25.00, "relhumidity": 6.11, "vappress": 3.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432530,47.991570] }, "properties": { "altitude": "266.6", "sensor": "15", "gpstime":"2019-06-24T19:25:03.000Z", "temperature": 26.34, "relhumidity": 7.16, "vappress": 3.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414130,47.992223] }, "properties": { "altitude": "264.9", "sensor": "15", "gpstime":"2019-06-24T19:25:23.000Z", "temperature": 26.10, "relhumidity": 8.45, "vappress": 3.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398350,47.992772] }, "properties": { "altitude": "262.3", "sensor": "15", "gpstime":"2019-06-24T19:25:46.000Z", "temperature": 26.03, "relhumidity": 10.01, "vappress": 3.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382830,47.991802] }, "properties": { "altitude": "263.6", "sensor": "15", "gpstime":"2019-06-24T19:26:36.000Z", "temperature": 26.02, "relhumidity": 10.21, "vappress": 3.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372870,47.989998] }, "properties": { "altitude": "257.1", "sensor": "15", "gpstime":"2019-06-24T19:28:13.000Z", "temperature": 26.05, "relhumidity": 10.42, "vappress": 3.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362730,47.988450] }, "properties": { "altitude": "262.5", "sensor": "15", "gpstime":"2019-06-24T19:28:51.000Z", "temperature": 25.97, "relhumidity": 10.59, "vappress": 3.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358950,47.986385] }, "properties": { "altitude": "266.8", "sensor": "15", "gpstime":"2019-06-24T19:29:31.000Z", "temperature": 26.17, "relhumidity": 9.93, "vappress": 3.999, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340030,47.985635] }, "properties": { "altitude": "260.3", "sensor": "15", "gpstime":"2019-06-24T19:30:26.000Z", "temperature": 26.23, "relhumidity": 8.68, "vappress": 3.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325620,47.985415] }, "properties": { "altitude": "255.7", "sensor": "15", "gpstime":"2019-06-24T19:30:40.000Z", "temperature": 26.42, "relhumidity": 8.23, "vappress": 3.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309780,47.985515] }, "properties": { "altitude": "254.0", "sensor": "15", "gpstime":"2019-06-24T19:30:59.000Z", "temperature": 26.28, "relhumidity": 7.65, "vappress": 3.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8294780,47.986293] }, "properties": { "altitude": "261.4", "sensor": "15", "gpstime":"2019-06-24T19:31:31.000Z", "temperature": 26.44, "relhumidity": 7.51, "vappress": 3.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283220,47.987432] }, "properties": { "altitude": "264.0", "sensor": "15", "gpstime":"2019-06-24T19:32:33.000Z", "temperature": 26.37, "relhumidity": 6.86, "vappress": 3.358, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266030,47.988127] }, "properties": { "altitude": "258.3", "sensor": "15", "gpstime":"2019-06-24T19:32:55.000Z", "temperature": 26.70, "relhumidity": 5.80, "vappress": 3.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251030,47.987992] }, "properties": { "altitude": "256.4", "sensor": "15", "gpstime":"2019-06-24T19:33:19.000Z", "temperature": 26.82, "relhumidity": 5.17, "vappress": 3.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244530,47.986182] }, "properties": { "altitude": "257.4", "sensor": "15", "gpstime":"2019-06-24T19:33:54.000Z", "temperature": 26.69, "relhumidity": 5.80, "vappress": 3.209, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233070,47.985002] }, "properties": { "altitude": "259.0", "sensor": "15", "gpstime":"2019-06-24T19:34:35.000Z", "temperature": 26.72, "relhumidity": 4.99, "vappress": 3.146, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232980,47.982845] }, "properties": { "altitude": "257.7", "sensor": "15", "gpstime":"2019-06-24T19:35:15.000Z", "temperature": 26.74, "relhumidity": 5.91, "vappress": 3.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216830,47.982542] }, "properties": { "altitude": "252.4", "sensor": "15", "gpstime":"2019-06-24T19:35:46.000Z", "temperature": 26.56, "relhumidity": 5.99, "vappress": 3.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200200,47.982417] }, "properties": { "altitude": "252.9", "sensor": "15", "gpstime":"2019-06-24T19:36:08.000Z", "temperature": 26.36, "relhumidity": 6.99, "vappress": 3.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180770,47.982330] }, "properties": { "altitude": "253.4", "sensor": "15", "gpstime":"2019-06-24T19:36:59.000Z", "temperature": 26.35, "relhumidity": 7.32, "vappress": 3.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8165100,47.982462] }, "properties": { "altitude": "251.9", "sensor": "15", "gpstime":"2019-06-24T19:37:18.000Z", "temperature": 26.17, "relhumidity": 7.68, "vappress": 3.023, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151880,47.981797] }, "properties": { "altitude": "249.6", "sensor": "15", "gpstime":"2019-06-24T19:37:42.000Z", "temperature": 25.79, "relhumidity": 10.15, "vappress": 3.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136100,47.980703] }, "properties": { "altitude": "249.6", "sensor": "15", "gpstime":"2019-06-24T19:38:17.000Z", "temperature": 25.78, "relhumidity": 10.20, "vappress": 3.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119920,47.980802] }, "properties": { "altitude": "247.6", "sensor": "15", "gpstime":"2019-06-24T19:38:33.000Z", "temperature": 26.07, "relhumidity": 9.59, "vappress": 3.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102150,47.980738] }, "properties": { "altitude": "246.9", "sensor": "15", "gpstime":"2019-06-24T19:38:55.000Z", "temperature": 26.16, "relhumidity": 7.51, "vappress": 2.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085480,47.980975] }, "properties": { "altitude": "245.6", "sensor": "15", "gpstime":"2019-06-24T19:39:14.000Z", "temperature": 26.24, "relhumidity": 6.21, "vappress": 2.744, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069480,47.981222] }, "properties": { "altitude": "242.1", "sensor": "15", "gpstime":"2019-06-24T19:39:35.000Z", "temperature": 26.25, "relhumidity": 4.43, "vappress": 2.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062270,47.979497] }, "properties": { "altitude": "240.4", "sensor": "15", "gpstime":"2019-06-24T19:40:35.000Z", "temperature": 26.34, "relhumidity": 2.24, "vappress": 1.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046980,47.978913] }, "properties": { "altitude": "238.8", "sensor": "15", "gpstime":"2019-06-24T19:40:54.000Z", "temperature": 26.27, "relhumidity": 3.14, "vappress": 1.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032130,47.978320] }, "properties": { "altitude": "241.1", "sensor": "15", "gpstime":"2019-06-24T19:41:13.000Z", "temperature": 25.96, "relhumidity": 4.15, "vappress": 1.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8015930,47.978202] }, "properties": { "altitude": "240.6", "sensor": "15", "gpstime":"2019-06-24T19:41:29.000Z", "temperature": 25.85, "relhumidity": 5.82, "vappress": 1.909, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8002630,47.977975] }, "properties": { "altitude": "241.6", "sensor": "15", "gpstime":"2019-06-24T19:41:43.000Z", "temperature": 25.80, "relhumidity": 5.25, "vappress": 1.719, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7988970,47.977582] }, "properties": { "altitude": "240.2", "sensor": "15", "gpstime":"2019-06-24T19:41:59.000Z", "temperature": 25.70, "relhumidity": 5.95, "vappress": 1.639, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7973900,47.977232] }, "properties": { "altitude": "239.6", "sensor": "15", "gpstime":"2019-06-24T19:42:15.000Z", "temperature": 25.31, "relhumidity": 6.54, "vappress": 1.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7958430,47.977230] }, "properties": { "altitude": "238.1", "sensor": "15", "gpstime":"2019-06-24T19:42:30.000Z", "temperature": 25.16, "relhumidity": 6.14, "vappress": 1.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7944670,47.976868] }, "properties": { "altitude": "237.3", "sensor": "15", "gpstime":"2019-06-24T19:42:56.000Z", "temperature": 25.31, "relhumidity": 5.42, "vappress": 1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7927120,47.976860] }, "properties": { "altitude": "228.9", "sensor": "15", "gpstime":"2019-06-24T19:43:21.000Z", "temperature": 25.30, "relhumidity": 6.12, "vappress": 1.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7913250,47.975213] }, "properties": { "altitude": "232.5", "sensor": "15", "gpstime":"2019-06-24T19:44:10.000Z", "temperature": 25.20, "relhumidity": 8.97, "vappress": 1.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7899520,47.974737] }, "properties": { "altitude": "234.1", "sensor": "15", "gpstime":"2019-06-24T19:44:29.000Z", "temperature": 24.71, "relhumidity": 9.50, "vappress": 1.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7886080,47.974483] }, "properties": { "altitude": "234.9", "sensor": "15", "gpstime":"2019-06-24T19:44:45.000Z", "temperature": 23.95, "relhumidity": 10.44, "vappress": 0.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7872050,47.974107] }, "properties": { "altitude": "227.8", "sensor": "15", "gpstime":"2019-06-24T19:45:21.000Z", "temperature": 23.51, "relhumidity": 12.47, "vappress": 0.488, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7857530,47.973763] }, "properties": { "altitude": "228.4", "sensor": "15", "gpstime":"2019-06-24T19:46:20.000Z", "temperature": 23.47, "relhumidity": 12.64, "vappress": 0.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7842780,47.974035] }, "properties": { "altitude": "225.8", "sensor": "15", "gpstime":"2019-06-24T19:46:39.000Z", "temperature": 23.50, "relhumidity": 13.28, "vappress": 0.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7856450,47.975627] }, "properties": { "altitude": "232.7", "sensor": "15", "gpstime":"2019-06-24T19:47:17.000Z", "temperature": 23.54, "relhumidity": 12.67, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7869230,47.976763] }, "properties": { "altitude": "232.5", "sensor": "15", "gpstime":"2019-06-24T19:47:39.000Z", "temperature": 23.57, "relhumidity": 12.04, "vappress": 0.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7880370,47.977910] }, "properties": { "altitude": "234.3", "sensor": "15", "gpstime":"2019-06-24T19:48:01.000Z", "temperature": 23.69, "relhumidity": 11.51, "vappress": 0.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7892200,47.979052] }, "properties": { "altitude": "235.4", "sensor": "15", "gpstime":"2019-06-24T19:48:22.000Z", "temperature": 24.03, "relhumidity": 11.40, "vappress": 1.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7869100,47.979275] }, "properties": { "altitude": "231.0", "sensor": "15", "gpstime":"2019-06-24T19:48:58.000Z", "temperature": 24.40, "relhumidity": 12.04, "vappress": 1.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7852400,47.978702] }, "properties": { "altitude": "230.3", "sensor": "15", "gpstime":"2019-06-24T19:49:20.000Z", "temperature": 24.02, "relhumidity": 13.36, "vappress": 1.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7833820,47.977358] }, "properties": { "altitude": "229.8", "sensor": "15", "gpstime":"2019-06-24T19:49:56.000Z", "temperature": 23.27, "relhumidity": 12.99, "vappress": -0.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7823230,47.975727] }, "properties": { "altitude": "230.3", "sensor": "15", "gpstime":"2019-06-24T19:50:34.000Z", "temperature": 22.36, "relhumidity": 15.45, "vappress": -0.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7805730,47.975410] }, "properties": { "altitude": "228.9", "sensor": "15", "gpstime":"2019-06-24T19:51:04.000Z", "temperature": 22.92, "relhumidity": 16.04, "vappress": 0.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7789130,47.975838] }, "properties": { "altitude": "225.3", "sensor": "15", "gpstime":"2019-06-24T19:51:23.000Z", "temperature": 23.04, "relhumidity": 14.98, "vappress": 0.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7775420,47.976020] }, "properties": { "altitude": "225.5", "sensor": "15", "gpstime":"2019-06-24T19:51:41.000Z", "temperature": 22.78, "relhumidity": 14.22, "vappress": -0.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7765070,47.974463] }, "properties": { "altitude": "228.6", "sensor": "15", "gpstime":"2019-06-24T19:52:09.000Z", "temperature": 22.61, "relhumidity": 15.61, "vappress": 0.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7756250,47.972280] }, "properties": { "altitude": "224.6", "sensor": "15", "gpstime":"2019-06-24T19:52:44.000Z", "temperature": 22.57, "relhumidity": 16.21, "vappress": 0.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7742620,47.971682] }, "properties": { "altitude": "223.5", "sensor": "15", "gpstime":"2019-06-24T19:53:09.000Z", "temperature": 22.60, "relhumidity": 16.02, "vappress": 0.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7723470,47.972037] }, "properties": { "altitude": "223.3", "sensor": "15", "gpstime":"2019-06-24T19:53:28.000Z", "temperature": 22.67, "relhumidity": 16.02, "vappress": 0.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7707230,47.972338] }, "properties": { "altitude": "227.1", "sensor": "15", "gpstime":"2019-06-24T19:53:49.000Z", "temperature": 22.91, "relhumidity": 16.12, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7684750,47.972160] }, "properties": { "altitude": "221.0", "sensor": "15", "gpstime":"2019-06-24T19:54:11.000Z", "temperature": 23.37, "relhumidity": 16.25, "vappress": 1.358, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7668180,47.972122] }, "properties": { "altitude": "221.7", "sensor": "15", "gpstime":"2019-06-24T19:54:26.000Z", "temperature": 23.32, "relhumidity": 16.20, "vappress": 1.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7665900,47.969948] }, "properties": { "altitude": "218.1", "sensor": "15", "gpstime":"2019-06-24T19:54:59.000Z", "temperature": 23.13, "relhumidity": 16.13, "vappress": 0.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7663550,47.967913] }, "properties": { "altitude": "219.7", "sensor": "15", "gpstime":"2019-06-24T19:55:31.000Z", "temperature": 22.95, "relhumidity": 16.15, "vappress": 0.736, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7642700,47.965968] }, "properties": { "altitude": "226.0", "sensor": "15", "gpstime":"2019-06-24T19:56:12.000Z", "temperature": 23.23, "relhumidity": 14.99, "vappress": 0.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7631070,47.967495] }, "properties": { "altitude": "222.1", "sensor": "15", "gpstime":"2019-06-24T19:56:41.000Z", "temperature": 23.34, "relhumidity": 15.92, "vappress": 1.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7606380,47.968563] }, "properties": { "altitude": "221.0", "sensor": "15", "gpstime":"2019-06-24T19:57:12.000Z", "temperature": 23.28, "relhumidity": 14.48, "vappress": 0.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7623850,47.969863] }, "properties": { "altitude": "218.0", "sensor": "15", "gpstime":"2019-06-24T19:57:59.000Z", "temperature": 23.24, "relhumidity": 15.49, "vappress": 0.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7638680,47.970772] }, "properties": { "altitude": "217.7", "sensor": "15", "gpstime":"2019-06-24T19:58:28.000Z", "temperature": 22.72, "relhumidity": 15.49, "vappress": -0.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7653450,47.971530] }, "properties": { "altitude": "224.1", "sensor": "15", "gpstime":"2019-06-24T19:58:53.000Z", "temperature": 22.55, "relhumidity": 15.44, "vappress": -0.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7668950,47.972700] }, "properties": { "altitude": "221.0", "sensor": "15", "gpstime":"2019-06-24T19:59:30.000Z", "temperature": 22.41, "relhumidity": 15.09, "vappress": -0.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675400,47.974925] }, "properties": { "altitude": "225.3", "sensor": "15", "gpstime":"2019-06-24T20:00:13.000Z", "temperature": 22.45, "relhumidity": 14.97, "vappress": -0.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7694430,47.976198] }, "properties": { "altitude": "222.7", "sensor": "15", "gpstime":"2019-06-24T20:00:48.000Z", "temperature": 22.28, "relhumidity": 14.88, "vappress": -0.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7707850,47.976537] }, "properties": { "altitude": "223.1", "sensor": "15", "gpstime":"2019-06-24T20:01:06.000Z", "temperature": 22.09, "relhumidity": 14.61, "vappress": -1.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7721100,47.977688] }, "properties": { "altitude": "224.7", "sensor": "15", "gpstime":"2019-06-24T20:01:32.000Z", "temperature": 22.41, "relhumidity": 14.82, "vappress": -0.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7732870,47.979303] }, "properties": { "altitude": "225.9", "sensor": "15", "gpstime":"2019-06-24T20:02:04.000Z", "temperature": 23.21, "relhumidity": 14.89, "vappress": 0.966, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7748920,47.979778] }, "properties": { "altitude": "228.1", "sensor": "15", "gpstime":"2019-06-24T20:02:23.000Z", "temperature": 23.64, "relhumidity": 14.84, "vappress": 1.266, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7767180,47.980153] }, "properties": { "altitude": "227.3", "sensor": "15", "gpstime":"2019-06-24T20:02:45.000Z", "temperature": 23.74, "relhumidity": 14.22, "vappress": 1.246, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7774850,47.982115] }, "properties": { "altitude": "230.1", "sensor": "15", "gpstime":"2019-06-24T20:04:09.000Z", "temperature": 23.64, "relhumidity": 14.84, "vappress": 1.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7791400,47.982913] }, "properties": { "altitude": "229.2", "sensor": "15", "gpstime":"2019-06-24T20:04:34.000Z", "temperature": 23.98, "relhumidity": 12.25, "vappress": 1.849, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7801970,47.984305] }, "properties": { "altitude": "230.2", "sensor": "15", "gpstime":"2019-06-24T20:05:03.000Z", "temperature": 25.18, "relhumidity": 10.49, "vappress": 2.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7814300,47.986088] }, "properties": { "altitude": "230.2", "sensor": "15", "gpstime":"2019-06-24T20:05:41.000Z", "temperature": 25.67, "relhumidity": 8.84, "vappress": 2.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7828950,47.985800] }, "properties": { "altitude": "236.9", "sensor": "15", "gpstime":"2019-06-24T20:06:00.000Z", "temperature": 26.28, "relhumidity": 8.16, "vappress": 3.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7841480,47.986622] }, "properties": { "altitude": "236.3", "sensor": "15", "gpstime":"2019-06-24T20:06:26.000Z", "temperature": 26.48, "relhumidity": 7.43, "vappress": 3.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7861030,47.987823] }, "properties": { "altitude": "241.6", "sensor": "15", "gpstime":"2019-06-24T20:07:04.000Z", "temperature": 26.71, "relhumidity": 6.75, "vappress": 3.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7879170,47.987492] }, "properties": { "altitude": "239.7", "sensor": "15", "gpstime":"2019-06-24T20:07:26.000Z", "temperature": 26.51, "relhumidity": 7.24, "vappress": 3.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7892430,47.986860] }, "properties": { "altitude": "239.4", "sensor": "15", "gpstime":"2019-06-24T20:07:47.000Z", "temperature": 26.37, "relhumidity": 7.42, "vappress": 3.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7906920,47.987185] }, "properties": { "altitude": "241.2", "sensor": "15", "gpstime":"2019-06-24T20:08:22.000Z", "temperature": 26.57, "relhumidity": 6.62, "vappress": 3.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914670,47.989167] }, "properties": { "altitude": "239.7", "sensor": "15", "gpstime":"2019-06-24T20:08:56.000Z", "temperature": 26.96, "relhumidity": 6.31, "vappress": 3.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7894770,47.989348] }, "properties": { "altitude": "237.9", "sensor": "15", "gpstime":"2019-06-24T20:09:27.000Z", "temperature": 27.08, "relhumidity": 5.80, "vappress": 3.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7885820,47.991295] }, "properties": { "altitude": "237.1", "sensor": "15", "gpstime":"2019-06-24T20:10:06.000Z", "temperature": 27.25, "relhumidity": 5.23, "vappress": 3.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7895450,47.992735] }, "properties": { "altitude": "237.3", "sensor": "15", "gpstime":"2019-06-24T20:10:38.000Z", "temperature": 27.32, "relhumidity": 4.97, "vappress": 3.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7913600,47.992587] }, "properties": { "altitude": "243.5", "sensor": "15", "gpstime":"2019-06-24T20:11:00.000Z", "temperature": 27.32, "relhumidity": 4.97, "vappress": 3.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7927070,47.992497] }, "properties": { "altitude": "243.2", "sensor": "15", "gpstime":"2019-06-24T20:11:16.000Z", "temperature": 27.53, "relhumidity": 4.55, "vappress": 4.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7935430,47.994428] }, "properties": { "altitude": "241.9", "sensor": "15", "gpstime":"2019-06-24T20:11:49.000Z", "temperature": 27.52, "relhumidity": 4.17, "vappress": 3.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7945950,47.996530] }, "properties": { "altitude": "242.5", "sensor": "15", "gpstime":"2019-06-24T20:12:34.000Z", "temperature": 27.48, "relhumidity": 5.07, "vappress": 3.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7930870,47.997347] }, "properties": { "altitude": "239.8", "sensor": "15", "gpstime":"2019-06-24T20:12:58.000Z", "temperature": 27.41, "relhumidity": 5.48, "vappress": 4.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7916250,47.996708] }, "properties": { "altitude": "239.8", "sensor": "15", "gpstime":"2019-06-24T20:13:23.000Z", "temperature": 27.36, "relhumidity": 4.27, "vappress": 3.777, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7901930,47.997000] }, "properties": { "altitude": "238.2", "sensor": "15", "gpstime":"2019-06-24T20:13:40.000Z", "temperature": 27.43, "relhumidity": 4.64, "vappress": 3.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7881130,47.997397] }, "properties": { "altitude": "234.9", "sensor": "15", "gpstime":"2019-06-24T20:14:04.000Z", "temperature": 27.44, "relhumidity": 4.70, "vappress": 3.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7884880,47.999347] }, "properties": { "altitude": "236.3", "sensor": "15", "gpstime":"2019-06-24T20:14:50.000Z", "temperature": 27.27, "relhumidity": 5.84, "vappress": 3.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896770,48.000610] }, "properties": { "altitude": "233.3", "sensor": "15", "gpstime":"2019-06-24T20:15:44.000Z", "temperature": 27.36, "relhumidity": 5.51, "vappress": 4.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7883800,48.001733] }, "properties": { "altitude": "239.9", "sensor": "15", "gpstime":"2019-06-24T20:16:24.000Z", "temperature": 27.48, "relhumidity": 5.77, "vappress": 4.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7902650,48.001637] }, "properties": { "altitude": "240.9", "sensor": "15", "gpstime":"2019-06-24T20:17:00.000Z", "temperature": 27.11, "relhumidity": 6.84, "vappress": 3.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7917870,48.000928] }, "properties": { "altitude": "235.6", "sensor": "15", "gpstime":"2019-06-24T20:17:23.000Z", "temperature": 26.64, "relhumidity": 7.65, "vappress": 3.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7936970,48.000123] }, "properties": { "altitude": "238.2", "sensor": "15", "gpstime":"2019-06-24T20:17:50.000Z", "temperature": 26.67, "relhumidity": 8.11, "vappress": 3.753, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7950770,47.999433] }, "properties": { "altitude": "242.3", "sensor": "15", "gpstime":"2019-06-24T20:18:17.000Z", "temperature": 26.39, "relhumidity": 8.70, "vappress": 3.488, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7965330,47.998883] }, "properties": { "altitude": "245.2", "sensor": "15", "gpstime":"2019-06-24T20:18:51.000Z", "temperature": 26.26, "relhumidity": 8.89, "vappress": 3.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7976600,48.000342] }, "properties": { "altitude": "242.0", "sensor": "15", "gpstime":"2019-06-24T20:20:24.000Z", "temperature": 26.11, "relhumidity": 9.41, "vappress": 3.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7993620,48.000063] }, "properties": { "altitude": "237.1", "sensor": "15", "gpstime":"2019-06-24T20:21:31.000Z", "temperature": 26.19, "relhumidity": 9.01, "vappress": 3.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977300,48.000308] }, "properties": { "altitude": "241.0", "sensor": "15", "gpstime":"2019-06-24T20:22:29.000Z", "temperature": 26.32, "relhumidity": 8.81, "vappress": 3.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7994170,48.000327] }, "properties": { "altitude": "241.9", "sensor": "15", "gpstime":"2019-06-24T20:23:26.000Z", "temperature": 26.35, "relhumidity": 8.20, "vappress": 3.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008100,48.000077] }, "properties": { "altitude": "238.9", "sensor": "15", "gpstime":"2019-06-24T20:23:41.000Z", "temperature": 26.34, "relhumidity": 8.91, "vappress": 3.396, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8022680,47.999682] }, "properties": { "altitude": "239.3", "sensor": "15", "gpstime":"2019-06-24T20:24:09.000Z", "temperature": 26.29, "relhumidity": 8.52, "vappress": 3.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036120,47.999675] }, "properties": { "altitude": "245.2", "sensor": "15", "gpstime":"2019-06-24T20:24:26.000Z", "temperature": 26.33, "relhumidity": 8.26, "vappress": 3.369, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8053020,47.999618] }, "properties": { "altitude": "252.8", "sensor": "15", "gpstime":"2019-06-24T20:24:52.000Z", "temperature": 26.40, "relhumidity": 8.35, "vappress": 3.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8070380,47.999320] }, "properties": { "altitude": "260.2", "sensor": "15", "gpstime":"2019-06-24T20:25:25.000Z", "temperature": 26.25, "relhumidity": 8.83, "vappress": 3.093, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8080720,47.997618] }, "properties": { "altitude": "253.3", "sensor": "15", "gpstime":"2019-06-24T20:27:13.000Z", "temperature": 26.43, "relhumidity": 7.13, "vappress": 3.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081100,47.995287] }, "properties": { "altitude": "253.2", "sensor": "15", "gpstime":"2019-06-24T20:28:13.000Z", "temperature": 26.93, "relhumidity": 6.08, "vappress": 3.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8098950,47.994108] }, "properties": { "altitude": "261.2", "sensor": "15", "gpstime":"2019-06-24T20:28:47.000Z", "temperature": 27.20, "relhumidity": 5.18, "vappress": 3.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119450,47.993988] }, "properties": { "altitude": "256.1", "sensor": "15", "gpstime":"2019-06-24T20:29:11.000Z", "temperature": 27.21, "relhumidity": 4.56, "vappress": 3.477, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134100,47.994048] }, "properties": { "altitude": "252.1", "sensor": "15", "gpstime":"2019-06-24T20:29:40.000Z", "temperature": 27.25, "relhumidity": 5.13, "vappress": 3.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8147520,47.994260] }, "properties": { "altitude": "259.1", "sensor": "15", "gpstime":"2019-06-24T20:29:59.000Z", "temperature": 27.18, "relhumidity": 4.05, "vappress": 3.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161320,47.994623] }, "properties": { "altitude": "262.0", "sensor": "15", "gpstime":"2019-06-24T20:30:34.000Z", "temperature": 27.00, "relhumidity": 6.55, "vappress": 3.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8175780,47.995825] }, "properties": { "altitude": "255.4", "sensor": "15", "gpstime":"2019-06-24T20:31:09.000Z", "temperature": 26.84, "relhumidity": 5.20, "vappress": 3.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189770,47.997087] }, "properties": { "altitude": "254.2", "sensor": "15", "gpstime":"2019-06-24T20:31:39.000Z", "temperature": 26.98, "relhumidity": 5.04, "vappress": 3.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203330,47.997567] }, "properties": { "altitude": "252.7", "sensor": "15", "gpstime":"2019-06-24T20:32:44.000Z", "temperature": 26.80, "relhumidity": 5.12, "vappress": 2.936, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217250,47.997027] }, "properties": { "altitude": "250.8", "sensor": "15", "gpstime":"2019-06-24T20:33:15.000Z", "temperature": 26.92, "relhumidity": 4.56, "vappress": 2.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231670,47.996530] }, "properties": { "altitude": "251.9", "sensor": "15", "gpstime":"2019-06-24T20:33:38.000Z", "temperature": 27.04, "relhumidity": 3.47, "vappress": 2.918, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244670,47.995915] }, "properties": { "altitude": "256.7", "sensor": "15", "gpstime":"2019-06-24T20:34:00.000Z", "temperature": 27.19, "relhumidity": 3.01, "vappress": 2.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257330,47.994950] }, "properties": { "altitude": "263.5", "sensor": "15", "gpstime":"2019-06-24T20:34:35.000Z", "temperature": 27.10, "relhumidity": 4.14, "vappress": 2.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272900,47.994565] }, "properties": { "altitude": "259.5", "sensor": "15", "gpstime":"2019-06-24T20:34:59.000Z", "temperature": 26.83, "relhumidity": 4.29, "vappress": 2.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290520,47.993967] }, "properties": { "altitude": "260.7", "sensor": "15", "gpstime":"2019-06-24T20:35:24.000Z", "temperature": 26.93, "relhumidity": 3.99, "vappress": 2.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305400,47.993407] }, "properties": { "altitude": "262.5", "sensor": "15", "gpstime":"2019-06-24T20:35:45.000Z", "temperature": 27.11, "relhumidity": 3.53, "vappress": 2.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318300,47.992803] }, "properties": { "altitude": "269.2", "sensor": "15", "gpstime":"2019-06-24T20:36:39.000Z", "temperature": 27.14, "relhumidity": 3.33, "vappress": 2.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331770,47.992423] }, "properties": { "altitude": "266.3", "sensor": "15", "gpstime":"2019-06-24T20:36:58.000Z", "temperature": 27.15, "relhumidity": 3.24, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347000,47.991953] }, "properties": { "altitude": "267.4", "sensor": "15", "gpstime":"2019-06-24T20:37:19.000Z", "temperature": 27.12, "relhumidity": 3.21, "vappress": 2.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370850,47.991865] }, "properties": { "altitude": "266.2", "sensor": "15", "gpstime":"2019-06-24T20:38:16.000Z", "temperature": 26.93, "relhumidity": 5.05, "vappress": 2.860, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385420,47.991532] }, "properties": { "altitude": "267.7", "sensor": "15", "gpstime":"2019-06-24T20:38:37.000Z", "temperature": 26.87, "relhumidity": 5.23, "vappress": 2.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393850,47.993547] }, "properties": { "altitude": "275.7", "sensor": "15", "gpstime":"2019-06-24T20:39:45.000Z", "temperature": 26.73, "relhumidity": 4.11, "vappress": 2.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408450,47.995093] }, "properties": { "altitude": "281.3", "sensor": "15", "gpstime":"2019-06-24T20:40:20.000Z", "temperature": 26.84, "relhumidity": 4.28, "vappress": 2.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424050,47.993963] }, "properties": { "altitude": "278.4", "sensor": "15", "gpstime":"2019-06-24T20:40:49.000Z", "temperature": 26.93, "relhumidity": 5.05, "vappress": 3.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442570,47.993648] }, "properties": { "altitude": "276.2", "sensor": "15", "gpstime":"2019-06-24T20:41:13.000Z", "temperature": 26.95, "relhumidity": 6.27, "vappress": 3.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451400,47.993627] }, "properties": { "altitude": "276.2", "sensor": "15", "gpstime":"2019-06-24T20:41:24.000Z", "temperature": 26.92, "relhumidity": 6.32, "vappress": 3.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452900,47.991848] }, "properties": { "altitude": "271.6", "sensor": "16", "gpstime":"2019-06-24T19:25:00.000Z", "temperature": 26.05, "relhumidity": 17.59, "vappress": 6.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436170,47.992152] }, "properties": { "altitude": "269.9", "sensor": "16", "gpstime":"2019-06-24T19:25:58.000Z", "temperature": 26.08, "relhumidity": 18.05, "vappress": 6.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425320,47.993507] }, "properties": { "altitude": "278.8", "sensor": "16", "gpstime":"2019-06-24T19:26:30.000Z", "temperature": 26.00, "relhumidity": 17.87, "vappress": 6.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413520,47.994840] }, "properties": { "altitude": "270.2", "sensor": "16", "gpstime":"2019-06-24T19:26:59.000Z", "temperature": 26.08, "relhumidity": 17.88, "vappress": 6.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422570,47.996703] }, "properties": { "altitude": "270.2", "sensor": "16", "gpstime":"2019-06-24T19:27:55.000Z", "temperature": 26.25, "relhumidity": 17.33, "vappress": 6.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433170,47.998485] }, "properties": { "altitude": "278.8", "sensor": "16", "gpstime":"2019-06-24T19:28:34.000Z", "temperature": 26.51, "relhumidity": 15.42, "vappress": 6.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421770,47.999698] }, "properties": { "altitude": "267.2", "sensor": "16", "gpstime":"2019-06-24T19:29:50.000Z", "temperature": 26.66, "relhumidity": 13.31, "vappress": 5.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407280,48.000178] }, "properties": { "altitude": "257.3", "sensor": "16", "gpstime":"2019-06-24T19:30:14.000Z", "temperature": 26.46, "relhumidity": 16.11, "vappress": 6.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393830,48.000665] }, "properties": { "altitude": "247.5", "sensor": "16", "gpstime":"2019-06-24T19:30:33.000Z", "temperature": 26.64, "relhumidity": 15.46, "vappress": 6.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396770,48.002663] }, "properties": { "altitude": "260.5", "sensor": "16", "gpstime":"2019-06-24T19:32:08.000Z", "temperature": 26.93, "relhumidity": 13.61, "vappress": 6.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412950,48.003335] }, "properties": { "altitude": "260.0", "sensor": "16", "gpstime":"2019-06-24T19:32:36.000Z", "temperature": 27.13, "relhumidity": 12.54, "vappress": 6.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426070,48.004307] }, "properties": { "altitude": "259.2", "sensor": "16", "gpstime":"2019-06-24T19:33:01.000Z", "temperature": 27.25, "relhumidity": 12.02, "vappress": 6.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440730,48.005223] }, "properties": { "altitude": "257.2", "sensor": "16", "gpstime":"2019-06-24T19:33:27.000Z", "temperature": 27.21, "relhumidity": 12.60, "vappress": 6.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454980,48.007190] }, "properties": { "altitude": "258.1", "sensor": "16", "gpstime":"2019-06-24T19:34:20.000Z", "temperature": 26.93, "relhumidity": 12.15, "vappress": 5.836, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468050,48.008227] }, "properties": { "altitude": "255.6", "sensor": "16", "gpstime":"2019-06-24T19:35:09.000Z", "temperature": 26.80, "relhumidity": 12.52, "vappress": 5.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482270,48.009865] }, "properties": { "altitude": "255.7", "sensor": "16", "gpstime":"2019-06-24T19:35:44.000Z", "temperature": 26.77, "relhumidity": 11.40, "vappress": 5.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494380,48.010802] }, "properties": { "altitude": "250.3", "sensor": "16", "gpstime":"2019-06-24T19:36:10.000Z", "temperature": 26.89, "relhumidity": 11.48, "vappress": 5.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498570,48.013275] }, "properties": { "altitude": "263.0", "sensor": "16", "gpstime":"2019-06-24T19:37:05.000Z", "temperature": 26.89, "relhumidity": 11.09, "vappress": 5.543, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499980,48.015283] }, "properties": { "altitude": "260.1", "sensor": "16", "gpstime":"2019-06-24T19:37:52.000Z", "temperature": 26.86, "relhumidity": 11.17, "vappress": 5.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498670,48.017303] }, "properties": { "altitude": "252.5", "sensor": "16", "gpstime":"2019-06-24T19:38:39.000Z", "temperature": 26.89, "relhumidity": 11.43, "vappress": 5.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513320,48.018177] }, "properties": { "altitude": "249.9", "sensor": "16", "gpstime":"2019-06-24T19:39:15.000Z", "temperature": 26.89, "relhumidity": 12.96, "vappress": 6.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520730,48.020018] }, "properties": { "altitude": "243.7", "sensor": "16", "gpstime":"2019-06-24T19:39:54.000Z", "temperature": 26.43, "relhumidity": 15.99, "vappress": 6.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512830,48.022005] }, "properties": { "altitude": "240.4", "sensor": "16", "gpstime":"2019-06-24T19:40:53.000Z", "temperature": 25.96, "relhumidity": 16.98, "vappress": 6.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529050,48.022688] }, "properties": { "altitude": "239.4", "sensor": "16", "gpstime":"2019-06-24T19:41:20.000Z", "temperature": 26.36, "relhumidity": 15.97, "vappress": 6.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543480,48.023763] }, "properties": { "altitude": "239.1", "sensor": "16", "gpstime":"2019-06-24T19:41:49.000Z", "temperature": 26.58, "relhumidity": 15.27, "vappress": 6.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556930,48.024732] }, "properties": { "altitude": "239.5", "sensor": "16", "gpstime":"2019-06-24T19:42:16.000Z", "temperature": 26.52, "relhumidity": 13.74, "vappress": 5.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572480,48.024743] }, "properties": { "altitude": "243.9", "sensor": "16", "gpstime":"2019-06-24T19:44:03.000Z", "temperature": 26.42, "relhumidity": 15.79, "vappress": 5.860, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585170,48.025718] }, "properties": { "altitude": "242.2", "sensor": "16", "gpstime":"2019-06-24T19:44:44.000Z", "temperature": 26.02, "relhumidity": 16.03, "vappress": 5.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599180,48.026793] }, "properties": { "altitude": "242.6", "sensor": "16", "gpstime":"2019-06-24T19:45:13.000Z", "temperature": 25.78, "relhumidity": 16.29, "vappress": 5.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607930,48.028333] }, "properties": { "altitude": "239.9", "sensor": "16", "gpstime":"2019-06-24T19:47:15.000Z", "temperature": 25.77, "relhumidity": 16.55, "vappress": 5.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618720,48.029762] }, "properties": { "altitude": "239.4", "sensor": "16", "gpstime":"2019-06-24T19:47:47.000Z", "temperature": 25.72, "relhumidity": 16.85, "vappress": 5.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630730,48.031028] }, "properties": { "altitude": "234.6", "sensor": "16", "gpstime":"2019-06-24T19:48:14.000Z", "temperature": 25.58, "relhumidity": 17.05, "vappress": 5.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630650,48.033063] }, "properties": { "altitude": "234.1", "sensor": "16", "gpstime":"2019-06-24T19:48:50.000Z", "temperature": 25.18, "relhumidity": 18.61, "vappress": 4.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637830,48.034818] }, "properties": { "altitude": "232.2", "sensor": "16", "gpstime":"2019-06-24T19:49:22.000Z", "temperature": 24.58, "relhumidity": 19.60, "vappress": 3.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643670,48.036715] }, "properties": { "altitude": "234.9", "sensor": "16", "gpstime":"2019-06-24T19:50:00.000Z", "temperature": 24.26, "relhumidity": 20.04, "vappress": 3.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659700,48.036927] }, "properties": { "altitude": "238.7", "sensor": "16", "gpstime":"2019-06-24T19:52:16.000Z", "temperature": 24.11, "relhumidity": 19.52, "vappress": 3.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669280,48.038767] }, "properties": { "altitude": "242.1", "sensor": "16", "gpstime":"2019-06-24T19:53:24.000Z", "temperature": 24.73, "relhumidity": 17.38, "vappress": 4.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8679230,48.040457] }, "properties": { "altitude": "243.8", "sensor": "16", "gpstime":"2019-06-24T19:54:25.000Z", "temperature": 25.26, "relhumidity": 16.19, "vappress": 4.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8693730,48.040792] }, "properties": { "altitude": "242.1", "sensor": "16", "gpstime":"2019-06-24T19:55:00.000Z", "temperature": 25.51, "relhumidity": 16.69, "vappress": 4.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8704030,48.039475] }, "properties": { "altitude": "246.9", "sensor": "16", "gpstime":"2019-06-24T19:55:51.000Z", "temperature": 25.47, "relhumidity": 16.08, "vappress": 4.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8717900,48.038308] }, "properties": { "altitude": "249.6", "sensor": "16", "gpstime":"2019-06-24T19:56:34.000Z", "temperature": 25.48, "relhumidity": 16.08, "vappress": 4.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8736320,48.037413] }, "properties": { "altitude": "253.0", "sensor": "16", "gpstime":"2019-06-24T19:57:24.000Z", "temperature": 25.30, "relhumidity": 16.48, "vappress": 4.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8751330,48.037053] }, "properties": { "altitude": "256.9", "sensor": "16", "gpstime":"2019-06-24T19:57:54.000Z", "temperature": 25.06, "relhumidity": 16.92, "vappress": 4.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8764570,48.036347] }, "properties": { "altitude": "258.7", "sensor": "16", "gpstime":"2019-06-24T19:58:24.000Z", "temperature": 24.82, "relhumidity": 17.44, "vappress": 3.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8780820,48.036017] }, "properties": { "altitude": "261.4", "sensor": "16", "gpstime":"2019-06-24T19:58:51.000Z", "temperature": 24.58, "relhumidity": 18.14, "vappress": 3.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8800820,48.035880] }, "properties": { "altitude": "265.7", "sensor": "16", "gpstime":"2019-06-24T19:59:25.000Z", "temperature": 24.52, "relhumidity": 18.48, "vappress": 3.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8814200,48.035667] }, "properties": { "altitude": "263.9", "sensor": "16", "gpstime":"2019-06-24T19:59:48.000Z", "temperature": 24.26, "relhumidity": 18.71, "vappress": 3.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8803230,48.034515] }, "properties": { "altitude": "262.4", "sensor": "16", "gpstime":"2019-06-24T20:00:18.000Z", "temperature": 24.20, "relhumidity": 18.54, "vappress": 3.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8785020,48.034008] }, "properties": { "altitude": "263.2", "sensor": "16", "gpstime":"2019-06-24T20:00:42.000Z", "temperature": 24.21, "relhumidity": 18.13, "vappress": 3.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8767700,48.033622] }, "properties": { "altitude": "262.3", "sensor": "16", "gpstime":"2019-06-24T20:01:07.000Z", "temperature": 24.21, "relhumidity": 18.24, "vappress": 3.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749830,48.033370] }, "properties": { "altitude": "258.9", "sensor": "16", "gpstime":"2019-06-24T20:01:29.000Z", "temperature": 24.23, "relhumidity": 18.14, "vappress": 3.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8725300,48.032245] }, "properties": { "altitude": "258.6", "sensor": "16", "gpstime":"2019-06-24T20:02:06.000Z", "temperature": 24.26, "relhumidity": 18.13, "vappress": 3.136, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709980,48.031223] }, "properties": { "altitude": "259.4", "sensor": "16", "gpstime":"2019-06-24T20:02:30.000Z", "temperature": 24.33, "relhumidity": 18.38, "vappress": 3.376, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695770,48.031075] }, "properties": { "altitude": "260.8", "sensor": "16", "gpstime":"2019-06-24T20:02:49.000Z", "temperature": 24.30, "relhumidity": 17.82, "vappress": 3.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8681280,48.030435] }, "properties": { "altitude": "262.1", "sensor": "16", "gpstime":"2019-06-24T20:03:22.000Z", "temperature": 24.13, "relhumidity": 18.16, "vappress": 2.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8666330,48.030377] }, "properties": { "altitude": "258.6", "sensor": "16", "gpstime":"2019-06-24T20:03:50.000Z", "temperature": 23.98, "relhumidity": 18.85, "vappress": 2.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8656450,48.028915] }, "properties": { "altitude": "257.4", "sensor": "16", "gpstime":"2019-06-24T20:04:18.000Z", "temperature": 24.00, "relhumidity": 18.95, "vappress": 2.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645730,48.027362] }, "properties": { "altitude": "263.4", "sensor": "16", "gpstime":"2019-06-24T20:04:55.000Z", "temperature": 24.21, "relhumidity": 18.04, "vappress": 3.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636220,48.025388] }, "properties": { "altitude": "265.7", "sensor": "16", "gpstime":"2019-06-24T20:08:09.000Z", "temperature": 24.66, "relhumidity": 17.21, "vappress": 3.913, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630180,48.023292] }, "properties": { "altitude": "265.8", "sensor": "16", "gpstime":"2019-06-24T20:08:52.000Z", "temperature": 25.24, "relhumidity": 16.62, "vappress": 4.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628870,48.021292] }, "properties": { "altitude": "269.2", "sensor": "16", "gpstime":"2019-06-24T20:10:09.000Z", "temperature": 25.16, "relhumidity": 16.87, "vappress": 3.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619580,48.019472] }, "properties": { "altitude": "274.9", "sensor": "16", "gpstime":"2019-06-24T20:11:25.000Z", "temperature": 24.99, "relhumidity": 16.70, "vappress": 3.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619870,48.017257] }, "properties": { "altitude": "282.8", "sensor": "16", "gpstime":"2019-06-24T20:13:41.000Z", "temperature": 25.30, "relhumidity": 16.07, "vappress": 4.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8615320,48.015275] }, "properties": { "altitude": "287.1", "sensor": "16", "gpstime":"2019-06-24T20:15:19.000Z", "temperature": 25.32, "relhumidity": 16.34, "vappress": 4.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630880,48.015590] }, "properties": { "altitude": "289.0", "sensor": "16", "gpstime":"2019-06-24T20:15:52.000Z", "temperature": 25.34, "relhumidity": 16.60, "vappress": 4.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8649550,48.014952] }, "properties": { "altitude": "285.0", "sensor": "16", "gpstime":"2019-06-24T20:16:27.000Z", "temperature": 25.32, "relhumidity": 17.28, "vappress": 4.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632300,48.014443] }, "properties": { "altitude": "274.8", "sensor": "16", "gpstime":"2019-06-24T20:17:05.000Z", "temperature": 24.92, "relhumidity": 18.73, "vappress": 4.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618830,48.014222] }, "properties": { "altitude": "268.2", "sensor": "16", "gpstime":"2019-06-24T20:17:21.000Z", "temperature": 24.76, "relhumidity": 18.38, "vappress": 3.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8605770,48.013643] }, "properties": { "altitude": "256.3", "sensor": "16", "gpstime":"2019-06-24T20:17:43.000Z", "temperature": 24.72, "relhumidity": 18.45, "vappress": 3.713, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618480,48.012238] }, "properties": { "altitude": "267.9", "sensor": "16", "gpstime":"2019-06-24T20:18:56.000Z", "temperature": 24.72, "relhumidity": 18.44, "vappress": 3.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606150,48.011232] }, "properties": { "altitude": "268.0", "sensor": "16", "gpstime":"2019-06-24T20:19:30.000Z", "temperature": 24.87, "relhumidity": 18.07, "vappress": 4.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590900,48.010208] }, "properties": { "altitude": "262.8", "sensor": "16", "gpstime":"2019-06-24T20:20:21.000Z", "temperature": 25.18, "relhumidity": 18.20, "vappress": 4.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8574880,48.010852] }, "properties": { "altitude": "262.8", "sensor": "16", "gpstime":"2019-06-24T20:20:50.000Z", "temperature": 25.36, "relhumidity": 17.77, "vappress": 4.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562330,48.009683] }, "properties": { "altitude": "267.9", "sensor": "16", "gpstime":"2019-06-24T20:21:33.000Z", "temperature": 25.51, "relhumidity": 17.39, "vappress": 4.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549480,48.008592] }, "properties": { "altitude": "268.8", "sensor": "16", "gpstime":"2019-06-24T20:22:13.000Z", "temperature": 25.75, "relhumidity": 17.03, "vappress": 5.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552850,48.006402] }, "properties": { "altitude": "296.6", "sensor": "16", "gpstime":"2019-06-24T20:23:22.000Z", "temperature": 26.12, "relhumidity": 15.64, "vappress": 5.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550050,48.004383] }, "properties": { "altitude": "301.0", "sensor": "16", "gpstime":"2019-06-24T20:24:13.000Z", "temperature": 26.51, "relhumidity": 14.79, "vappress": 5.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543720,48.002217] }, "properties": { "altitude": "280.6", "sensor": "16", "gpstime":"2019-06-24T20:25:15.000Z", "temperature": 26.73, "relhumidity": 14.22, "vappress": 5.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536650,48.000333] }, "properties": { "altitude": "280.2", "sensor": "16", "gpstime":"2019-06-24T20:26:04.000Z", "temperature": 26.82, "relhumidity": 13.08, "vappress": 5.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529230,47.998587] }, "properties": { "altitude": "286.0", "sensor": "16", "gpstime":"2019-06-24T20:26:48.000Z", "temperature": 26.93, "relhumidity": 11.66, "vappress": 5.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8514070,47.998440] }, "properties": { "altitude": "282.0", "sensor": "16", "gpstime":"2019-06-24T20:28:20.000Z", "temperature": 27.09, "relhumidity": 9.76, "vappress": 5.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499270,47.998633] }, "properties": { "altitude": "279.7", "sensor": "16", "gpstime":"2019-06-24T20:28:39.000Z", "temperature": 27.32, "relhumidity": 9.28, "vappress": 5.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485530,47.998825] }, "properties": { "altitude": "277.4", "sensor": "16", "gpstime":"2019-06-24T20:29:00.000Z", "temperature": 27.49, "relhumidity": 8.60, "vappress": 5.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472100,47.997237] }, "properties": { "altitude": "295.0", "sensor": "16", "gpstime":"2019-06-24T20:30:09.000Z", "temperature": 27.70, "relhumidity": 8.21, "vappress": 5.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459950,47.995808] }, "properties": { "altitude": "284.5", "sensor": "16", "gpstime":"2019-06-24T20:30:40.000Z", "temperature": 27.61, "relhumidity": 10.82, "vappress": 6.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453330,47.994022] }, "properties": { "altitude": "277.7", "sensor": "16", "gpstime":"2019-06-24T20:31:25.000Z", "temperature": 27.36, "relhumidity": 12.06, "vappress": 5.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452550,47.993707] }, "properties": { "altitude": "273.9", "sensor": "16", "gpstime":"2019-06-24T20:31:32.000Z", "temperature": 27.06, "relhumidity": 12.41, "vappress": 5.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453670,47.993133] }, "properties": { "altitude": "132.9", "sensor": "17", "gpstime":"2019-06-24T18:53:58.000Z", "temperature": 24.18, "relhumidity": 22.97, "vappress": 5.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452280,47.991115] }, "properties": { "altitude": "269.8", "sensor": "17", "gpstime":"2019-06-24T19:24:39.000Z", "temperature": 25.01, "relhumidity": 8.73, "vappress": 3.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463670,47.989813] }, "properties": { "altitude": "275.5", "sensor": "17", "gpstime":"2019-06-24T19:26:41.000Z", "temperature": 25.84, "relhumidity": 10.67, "vappress": 3.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479250,47.989760] }, "properties": { "altitude": "278.8", "sensor": "17", "gpstime":"2019-06-24T19:27:00.000Z", "temperature": 25.64, "relhumidity": 10.86, "vappress": 3.429, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476470,47.987608] }, "properties": { "altitude": "278.3", "sensor": "17", "gpstime":"2019-06-24T19:28:40.000Z", "temperature": 25.69, "relhumidity": 10.40, "vappress": 3.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8492120,47.986038] }, "properties": { "altitude": "289.2", "sensor": "17", "gpstime":"2019-06-24T19:30:16.000Z", "temperature": 25.70, "relhumidity": 10.64, "vappress": 3.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482050,47.984615] }, "properties": { "altitude": "280.5", "sensor": "17", "gpstime":"2019-06-24T19:31:05.000Z", "temperature": 25.12, "relhumidity": 12.48, "vappress": 2.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497920,47.983910] }, "properties": { "altitude": "282.7", "sensor": "17", "gpstime":"2019-06-24T19:31:39.000Z", "temperature": 24.71, "relhumidity": 12.62, "vappress": 2.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493620,47.981713] }, "properties": { "altitude": "286.5", "sensor": "17", "gpstime":"2019-06-24T19:32:40.000Z", "temperature": 24.27, "relhumidity": 12.71, "vappress": 1.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477700,47.982062] }, "properties": { "altitude": "279.0", "sensor": "17", "gpstime":"2019-06-24T19:33:09.000Z", "temperature": 23.87, "relhumidity": 13.52, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461950,47.982560] }, "properties": { "altitude": "271.0", "sensor": "17", "gpstime":"2019-06-24T19:33:31.000Z", "temperature": 23.85, "relhumidity": 15.03, "vappress": 1.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446580,47.982782] }, "properties": { "altitude": "277.1", "sensor": "17", "gpstime":"2019-06-24T19:33:53.000Z", "temperature": 23.93, "relhumidity": 15.06, "vappress": 2.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455030,47.981073] }, "properties": { "altitude": "284.7", "sensor": "17", "gpstime":"2019-06-24T19:34:35.000Z", "temperature": 24.13, "relhumidity": 14.41, "vappress": 2.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469830,47.979938] }, "properties": { "altitude": "297.7", "sensor": "17", "gpstime":"2019-06-24T19:35:17.000Z", "temperature": 24.07, "relhumidity": 14.61, "vappress": 2.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465550,47.977695] }, "properties": { "altitude": "294.5", "sensor": "17", "gpstime":"2019-06-24T19:36:27.000Z", "temperature": 23.45, "relhumidity": 17.50, "vappress": 1.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461380,47.975637] }, "properties": { "altitude": "300.5", "sensor": "17", "gpstime":"2019-06-24T19:37:26.000Z", "temperature": 22.54, "relhumidity": 19.06, "vappress": 0.673, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447200,47.974810] }, "properties": { "altitude": "299.5", "sensor": "17", "gpstime":"2019-06-24T19:38:18.000Z", "temperature": 22.59, "relhumidity": 18.21, "vappress": 1.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433450,47.975008] }, "properties": { "altitude": "290.9", "sensor": "17", "gpstime":"2019-06-24T19:39:04.000Z", "temperature": 22.82, "relhumidity": 18.17, "vappress": 0.934, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420770,47.975860] }, "properties": { "altitude": "294.1", "sensor": "17", "gpstime":"2019-06-24T19:39:39.000Z", "temperature": 22.65, "relhumidity": 18.56, "vappress": 1.194, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413100,47.977550] }, "properties": { "altitude": "294.1", "sensor": "17", "gpstime":"2019-06-24T19:40:33.000Z", "temperature": 22.66, "relhumidity": 19.12, "vappress": 1.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426220,47.978288] }, "properties": { "altitude": "289.2", "sensor": "17", "gpstime":"2019-06-24T19:41:28.000Z", "temperature": 22.92, "relhumidity": 17.96, "vappress": 1.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443820,47.978465] }, "properties": { "altitude": "289.6", "sensor": "17", "gpstime":"2019-06-24T19:42:05.000Z", "temperature": 23.25, "relhumidity": 17.70, "vappress": 1.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444720,47.980810] }, "properties": { "altitude": "287.6", "sensor": "17", "gpstime":"2019-06-24T19:43:05.000Z", "temperature": 23.50, "relhumidity": 16.21, "vappress": 2.109, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434670,47.982427] }, "properties": { "altitude": "286.6", "sensor": "17", "gpstime":"2019-06-24T19:44:01.000Z", "temperature": 24.08, "relhumidity": 15.51, "vappress": 2.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440070,47.984508] }, "properties": { "altitude": "284.7", "sensor": "17", "gpstime":"2019-06-24T19:44:58.000Z", "temperature": 24.44, "relhumidity": 14.82, "vappress": 2.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455620,47.984757] }, "properties": { "altitude": "291.2", "sensor": "17", "gpstime":"2019-06-24T19:45:31.000Z", "temperature": 24.72, "relhumidity": 14.12, "vappress": 3.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463370,47.986498] }, "properties": { "altitude": "298.7", "sensor": "17", "gpstime":"2019-06-24T19:46:33.000Z", "temperature": 24.86, "relhumidity": 13.25, "vappress": 2.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462020,47.988533] }, "properties": { "altitude": "285.9", "sensor": "17", "gpstime":"2019-06-24T19:47:30.000Z", "temperature": 25.14, "relhumidity": 12.10, "vappress": 3.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474050,47.989745] }, "properties": { "altitude": "282.8", "sensor": "17", "gpstime":"2019-06-24T19:48:19.000Z", "temperature": 25.48, "relhumidity": 11.11, "vappress": 3.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462470,47.990885] }, "properties": { "altitude": "285.4", "sensor": "17", "gpstime":"2019-06-24T19:50:29.000Z", "temperature": 26.05, "relhumidity": 9.51, "vappress": 3.749, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474580,47.991893] }, "properties": { "altitude": "281.7", "sensor": "17", "gpstime":"2019-06-24T19:51:28.000Z", "temperature": 26.22, "relhumidity": 9.50, "vappress": 3.611, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460730,47.992170] }, "properties": { "altitude": "286.2", "sensor": "17", "gpstime":"2019-06-24T19:52:01.000Z", "temperature": 26.21, "relhumidity": 8.92, "vappress": 3.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452300,47.993460] }, "properties": { "altitude": "292.7", "sensor": "17", "gpstime":"2019-06-24T19:53:17.000Z", "temperature": 26.26, "relhumidity": 9.12, "vappress": 3.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452070,47.993492] }, "properties": { "altitude": "273.5", "sensor": "18", "gpstime":"2019-06-24T19:24:03.000Z", "temperature": 26.47, "relhumidity": -1.58, "vappress": 0.418, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459320,47.995283] }, "properties": { "altitude": "275.2", "sensor": "18", "gpstime":"2019-06-24T19:24:38.000Z", "temperature": 26.37, "relhumidity": -1.47, "vappress": 0.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471380,47.997032] }, "properties": { "altitude": "273.0", "sensor": "18", "gpstime":"2019-06-24T19:25:15.000Z", "temperature": 26.41, "relhumidity": -1.15, "vappress": 0.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488450,47.997518] }, "properties": { "altitude": "272.0", "sensor": "18", "gpstime":"2019-06-24T19:25:44.000Z", "temperature": 26.63, "relhumidity": -2.45, "vappress": 0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504200,47.997125] }, "properties": { "altitude": "280.2", "sensor": "18", "gpstime":"2019-06-24T19:26:09.000Z", "temperature": 26.81, "relhumidity": -4.93, "vappress": -0.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519420,47.996712] }, "properties": { "altitude": "284.6", "sensor": "18", "gpstime":"2019-06-24T19:26:35.000Z", "temperature": 26.87, "relhumidity": -5.87, "vappress": -0.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533070,47.996937] }, "properties": { "altitude": "284.9", "sensor": "18", "gpstime":"2019-06-24T19:27:00.000Z", "temperature": 26.94, "relhumidity": -6.31, "vappress": -0.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547930,47.996982] }, "properties": { "altitude": "283.7", "sensor": "18", "gpstime":"2019-06-24T19:27:24.000Z", "temperature": 26.86, "relhumidity": -5.33, "vappress": -0.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566050,47.997560] }, "properties": { "altitude": "279.4", "sensor": "18", "gpstime":"2019-06-24T19:27:57.000Z", "temperature": 26.45, "relhumidity": -4.24, "vappress": -0.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579550,47.997100] }, "properties": { "altitude": "278.6", "sensor": "18", "gpstime":"2019-06-24T19:28:27.000Z", "temperature": 25.88, "relhumidity": -1.79, "vappress": -0.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593820,47.996598] }, "properties": { "altitude": "304.0", "sensor": "18", "gpstime":"2019-06-24T19:30:41.000Z", "temperature": 25.22, "relhumidity": -0.30, "vappress": -1.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607330,47.995967] }, "properties": { "altitude": "350.0", "sensor": "18", "gpstime":"2019-06-24T19:33:59.000Z", "temperature": 24.90, "relhumidity": 0.66, "vappress": -1.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8623300,47.996387] }, "properties": { "altitude": "369.6", "sensor": "18", "gpstime":"2019-06-24T19:35:05.000Z", "temperature": 24.90, "relhumidity": -0.60, "vappress": -1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637050,47.996813] }, "properties": { "altitude": "382.9", "sensor": "18", "gpstime":"2019-06-24T19:36:05.000Z", "temperature": 24.72, "relhumidity": 1.51, "vappress": -1.376, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652330,47.997570] }, "properties": { "altitude": "394.5", "sensor": "18", "gpstime":"2019-06-24T19:37:21.000Z", "temperature": 24.37, "relhumidity": 2.30, "vappress": -1.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8661280,47.999112] }, "properties": { "altitude": "400.4", "sensor": "18", "gpstime":"2019-06-24T19:38:29.000Z", "temperature": 24.47, "relhumidity": 1.73, "vappress": -1.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674000,47.999800] }, "properties": { "altitude": "393.5", "sensor": "18", "gpstime":"2019-06-24T19:39:09.000Z", "temperature": 24.39, "relhumidity": 0.19, "vappress": -1.716, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8688030,47.998700] }, "properties": { "altitude": "374.6", "sensor": "18", "gpstime":"2019-06-24T19:40:03.000Z", "temperature": 24.80, "relhumidity": 1.23, "vappress": -0.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705500,47.998785] }, "properties": { "altitude": "333.3", "sensor": "18", "gpstime":"2019-06-24T19:41:53.000Z", "temperature": 24.86, "relhumidity": 1.54, "vappress": -1.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721330,47.998163] }, "properties": { "altitude": "323.3", "sensor": "18", "gpstime":"2019-06-24T19:42:12.000Z", "temperature": 24.53, "relhumidity": 2.95, "vappress": -1.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8711320,47.999698] }, "properties": { "altitude": "305.0", "sensor": "18", "gpstime":"2019-06-24T19:42:42.000Z", "temperature": 23.86, "relhumidity": 7.27, "vappress": -0.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706180,48.001548] }, "properties": { "altitude": "286.7", "sensor": "18", "gpstime":"2019-06-24T19:43:06.000Z", "temperature": 23.03, "relhumidity": 9.86, "vappress": -1.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8692650,48.002823] }, "properties": { "altitude": "273.4", "sensor": "18", "gpstime":"2019-06-24T19:43:34.000Z", "temperature": 22.75, "relhumidity": 9.77, "vappress": -1.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675770,48.003820] }, "properties": { "altitude": "265.8", "sensor": "18", "gpstime":"2019-06-24T19:43:58.000Z", "temperature": 23.21, "relhumidity": 8.90, "vappress": -0.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8687970,48.005397] }, "properties": { "altitude": "294.1", "sensor": "18", "gpstime":"2019-06-24T19:44:41.000Z", "temperature": 23.86, "relhumidity": 6.41, "vappress": -0.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8710200,48.005692] }, "properties": { "altitude": "297.1", "sensor": "18", "gpstime":"2019-06-24T19:45:08.000Z", "temperature": 23.67, "relhumidity": 9.02, "vappress": -0.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8725430,48.005557] }, "properties": { "altitude": "303.8", "sensor": "18", "gpstime":"2019-06-24T19:45:32.000Z", "temperature": 23.09, "relhumidity": 10.46, "vappress": -0.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712920,48.007065] }, "properties": { "altitude": "319.7", "sensor": "18", "gpstime":"2019-06-24T19:46:34.000Z", "temperature": 22.64, "relhumidity": 10.83, "vappress": -1.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721480,48.008895] }, "properties": { "altitude": "331.3", "sensor": "18", "gpstime":"2019-06-24T19:47:24.000Z", "temperature": 23.08, "relhumidity": 8.74, "vappress": -0.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729470,48.007187] }, "properties": { "altitude": "361.8", "sensor": "18", "gpstime":"2019-06-24T19:50:12.000Z", "temperature": 23.83, "relhumidity": 5.02, "vappress": -0.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748370,48.007273] }, "properties": { "altitude": "364.6", "sensor": "18", "gpstime":"2019-06-24T19:50:47.000Z", "temperature": 24.04, "relhumidity": 6.77, "vappress": -0.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8762950,48.006993] }, "properties": { "altitude": "367.8", "sensor": "18", "gpstime":"2019-06-24T19:51:08.000Z", "temperature": 23.87, "relhumidity": 6.66, "vappress": -0.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8783570,48.006735] }, "properties": { "altitude": "368.4", "sensor": "18", "gpstime":"2019-06-24T19:51:41.000Z", "temperature": 23.78, "relhumidity": 7.65, "vappress": -0.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797530,48.006290] }, "properties": { "altitude": "366.7", "sensor": "18", "gpstime":"2019-06-24T19:52:05.000Z", "temperature": 23.37, "relhumidity": 9.16, "vappress": -0.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8785780,48.005173] }, "properties": { "altitude": "361.4", "sensor": "18", "gpstime":"2019-06-24T19:52:37.000Z", "temperature": 22.79, "relhumidity": 9.66, "vappress": -1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8771800,48.004658] }, "properties": { "altitude": "353.0", "sensor": "18", "gpstime":"2019-06-24T19:53:00.000Z", "temperature": 22.77, "relhumidity": 9.67, "vappress": -1.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761280,48.003372] }, "properties": { "altitude": "356.6", "sensor": "18", "gpstime":"2019-06-24T19:53:47.000Z", "temperature": 23.12, "relhumidity": 9.01, "vappress": -1.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748300,48.002793] }, "properties": { "altitude": "364.3", "sensor": "18", "gpstime":"2019-06-24T19:54:24.000Z", "temperature": 23.27, "relhumidity": 8.95, "vappress": -0.942, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733880,48.003068] }, "properties": { "altitude": "373.1", "sensor": "18", "gpstime":"2019-06-24T19:54:52.000Z", "temperature": 23.54, "relhumidity": 8.00, "vappress": -0.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739880,48.001013] }, "properties": { "altitude": "395.5", "sensor": "18", "gpstime":"2019-06-24T19:55:43.000Z", "temperature": 24.22, "relhumidity": 6.81, "vappress": 0.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8751380,47.999837] }, "properties": { "altitude": "403.6", "sensor": "18", "gpstime":"2019-06-24T19:56:37.000Z", "temperature": 24.53, "relhumidity": 6.04, "vappress": 0.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749520,47.997603] }, "properties": { "altitude": "429.8", "sensor": "18", "gpstime":"2019-06-24T19:57:39.000Z", "temperature": 24.58, "relhumidity": 6.12, "vappress": 0.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8735430,47.996663] }, "properties": { "altitude": "437.8", "sensor": "18", "gpstime":"2019-06-24T19:58:05.000Z", "temperature": 24.56, "relhumidity": 6.59, "vappress": 0.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8747650,47.995770] }, "properties": { "altitude": "418.4", "sensor": "18", "gpstime":"2019-06-24T19:58:44.000Z", "temperature": 24.48, "relhumidity": 6.53, "vappress": 0.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8760600,47.996293] }, "properties": { "altitude": "407.4", "sensor": "18", "gpstime":"2019-06-24T19:59:08.000Z", "temperature": 24.62, "relhumidity": 5.27, "vappress": -0.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8777530,47.995938] }, "properties": { "altitude": "412.2", "sensor": "18", "gpstime":"2019-06-24T19:59:33.000Z", "temperature": 24.59, "relhumidity": 5.69, "vappress": -0.095, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8793770,47.996735] }, "properties": { "altitude": "416.1", "sensor": "18", "gpstime":"2019-06-24T20:00:07.000Z", "temperature": 24.61, "relhumidity": 4.57, "vappress": -0.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807950,47.997560] }, "properties": { "altitude": "423.3", "sensor": "18", "gpstime":"2019-06-24T20:00:42.000Z", "temperature": 24.68, "relhumidity": 4.40, "vappress": -0.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8825030,47.998047] }, "properties": { "altitude": "430.5", "sensor": "18", "gpstime":"2019-06-24T20:01:12.000Z", "temperature": 24.62, "relhumidity": 3.94, "vappress": -0.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8839100,47.998307] }, "properties": { "altitude": "436.9", "sensor": "18", "gpstime":"2019-06-24T20:01:34.000Z", "temperature": 24.65, "relhumidity": 3.87, "vappress": -0.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8853720,47.998843] }, "properties": { "altitude": "443.1", "sensor": "18", "gpstime":"2019-06-24T20:02:00.000Z", "temperature": 24.50, "relhumidity": 4.17, "vappress": -0.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8866570,47.997920] }, "properties": { "altitude": "451.4", "sensor": "18", "gpstime":"2019-06-24T20:02:28.000Z", "temperature": 24.33, "relhumidity": 4.13, "vappress": -0.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8881550,47.998927] }, "properties": { "altitude": "449.3", "sensor": "18", "gpstime":"2019-06-24T20:03:08.000Z", "temperature": 24.52, "relhumidity": 3.52, "vappress": -0.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8895300,47.999167] }, "properties": { "altitude": "455.2", "sensor": "18", "gpstime":"2019-06-24T20:03:34.000Z", "temperature": 24.54, "relhumidity": 4.03, "vappress": -0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8910620,47.999795] }, "properties": { "altitude": "455.6", "sensor": "18", "gpstime":"2019-06-24T20:04:01.000Z", "temperature": 24.52, "relhumidity": 4.58, "vappress": -0.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8920980,48.001425] }, "properties": { "altitude": "438.3", "sensor": "18", "gpstime":"2019-06-24T20:04:44.000Z", "temperature": 24.42, "relhumidity": 5.38, "vappress": -0.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8934780,48.002228] }, "properties": { "altitude": "424.6", "sensor": "18", "gpstime":"2019-06-24T20:05:19.000Z", "temperature": 24.21, "relhumidity": 5.93, "vappress": -0.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8946830,48.001327] }, "properties": { "altitude": "430.1", "sensor": "18", "gpstime":"2019-06-24T20:05:52.000Z", "temperature": 24.10, "relhumidity": 5.74, "vappress": -0.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8964170,48.001682] }, "properties": { "altitude": "432.7", "sensor": "18", "gpstime":"2019-06-24T20:06:15.000Z", "temperature": 24.09, "relhumidity": 6.13, "vappress": -0.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8978220,48.002187] }, "properties": { "altitude": "439.6", "sensor": "18", "gpstime":"2019-06-24T20:06:32.000Z", "temperature": 23.99, "relhumidity": 6.20, "vappress": -0.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8994320,48.002722] }, "properties": { "altitude": "441.9", "sensor": "18", "gpstime":"2019-06-24T20:07:02.000Z", "temperature": 23.49, "relhumidity": 7.51, "vappress": -1.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9008030,48.001593] }, "properties": { "altitude": "457.7", "sensor": "18", "gpstime":"2019-06-24T20:08:28.000Z", "temperature": 23.52, "relhumidity": 7.34, "vappress": -0.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9006100,47.999557] }, "properties": { "altitude": "481.2", "sensor": "18", "gpstime":"2019-06-24T20:09:34.000Z", "temperature": 23.62, "relhumidity": 7.51, "vappress": -0.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8993980,47.998440] }, "properties": { "altitude": "479.9", "sensor": "18", "gpstime":"2019-06-24T20:10:22.000Z", "temperature": 23.40, "relhumidity": 8.05, "vappress": -1.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8996180,47.996442] }, "properties": { "altitude": "457.6", "sensor": "18", "gpstime":"2019-06-24T20:11:03.000Z", "temperature": 23.40, "relhumidity": 7.58, "vappress": -0.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9007730,47.995052] }, "properties": { "altitude": "459.0", "sensor": "18", "gpstime":"2019-06-24T20:11:57.000Z", "temperature": 23.81, "relhumidity": 6.66, "vappress": -0.622, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9025080,47.995080] }, "properties": { "altitude": "458.0", "sensor": "18", "gpstime":"2019-06-24T20:12:29.000Z", "temperature": 24.10, "relhumidity": 6.24, "vappress": -0.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9040180,47.994913] }, "properties": { "altitude": "449.8", "sensor": "18", "gpstime":"2019-06-24T20:12:56.000Z", "temperature": 23.62, "relhumidity": 7.36, "vappress": -1.093, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9027530,47.993280] }, "properties": { "altitude": "433.3", "sensor": "18", "gpstime":"2019-06-24T20:13:32.000Z", "temperature": 23.60, "relhumidity": 7.31, "vappress": -0.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9014130,47.992522] }, "properties": { "altitude": "422.5", "sensor": "18", "gpstime":"2019-06-24T20:13:55.000Z", "temperature": 23.84, "relhumidity": 7.38, "vappress": -0.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9001270,47.991828] }, "properties": { "altitude": "412.2", "sensor": "18", "gpstime":"2019-06-24T20:14:13.000Z", "temperature": 23.92, "relhumidity": 7.42, "vappress": -0.429, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987650,47.991343] }, "properties": { "altitude": "404.1", "sensor": "18", "gpstime":"2019-06-24T20:14:59.000Z", "temperature": 24.09, "relhumidity": 7.24, "vappress": -0.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8974220,47.990440] }, "properties": { "altitude": "403.7", "sensor": "18", "gpstime":"2019-06-24T20:15:23.000Z", "temperature": 24.27, "relhumidity": 6.76, "vappress": -0.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987720,47.989830] }, "properties": { "altitude": "368.1", "sensor": "18", "gpstime":"2019-06-24T20:15:55.000Z", "temperature": 24.41, "relhumidity": 6.76, "vappress": -0.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8990770,47.987850] }, "properties": { "altitude": "316.8", "sensor": "18", "gpstime":"2019-06-24T20:17:00.000Z", "temperature": 24.15, "relhumidity": 7.43, "vappress": -0.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8974880,47.988212] }, "properties": { "altitude": "306.8", "sensor": "18", "gpstime":"2019-06-24T20:17:35.000Z", "temperature": 23.98, "relhumidity": 7.84, "vappress": -0.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8959420,47.989083] }, "properties": { "altitude": "304.0", "sensor": "18", "gpstime":"2019-06-24T20:17:54.000Z", "temperature": 23.81, "relhumidity": 8.22, "vappress": -0.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8946420,47.989560] }, "properties": { "altitude": "308.3", "sensor": "18", "gpstime":"2019-06-24T20:18:08.000Z", "temperature": 23.54, "relhumidity": 8.58, "vappress": -0.782, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8926550,47.990125] }, "properties": { "altitude": "303.5", "sensor": "18", "gpstime":"2019-06-24T20:18:29.000Z", "temperature": 23.35, "relhumidity": 8.87, "vappress": -0.982, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8909980,47.990500] }, "properties": { "altitude": "304.1", "sensor": "18", "gpstime":"2019-06-24T20:18:48.000Z", "temperature": 22.96, "relhumidity": 9.73, "vappress": -1.442, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8892150,47.990800] }, "properties": { "altitude": "299.9", "sensor": "18", "gpstime":"2019-06-24T20:19:07.000Z", "temperature": 22.75, "relhumidity": 10.63, "vappress": -1.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8876400,47.991060] }, "properties": { "altitude": "301.8", "sensor": "18", "gpstime":"2019-06-24T20:19:22.000Z", "temperature": 22.77, "relhumidity": 10.71, "vappress": -1.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8859920,47.991272] }, "properties": { "altitude": "301.6", "sensor": "18", "gpstime":"2019-06-24T20:19:39.000Z", "temperature": 22.58, "relhumidity": 10.50, "vappress": -1.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8845530,47.991398] }, "properties": { "altitude": "297.2", "sensor": "18", "gpstime":"2019-06-24T20:19:53.000Z", "temperature": 22.31, "relhumidity": 11.03, "vappress": -1.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8826550,47.991498] }, "properties": { "altitude": "294.2", "sensor": "18", "gpstime":"2019-06-24T20:20:12.000Z", "temperature": 22.37, "relhumidity": 11.43, "vappress": -1.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8810270,47.991655] }, "properties": { "altitude": "292.3", "sensor": "18", "gpstime":"2019-06-24T20:20:28.000Z", "temperature": 22.59, "relhumidity": 11.46, "vappress": -1.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8794220,47.991525] }, "properties": { "altitude": "290.6", "sensor": "18", "gpstime":"2019-06-24T20:20:46.000Z", "temperature": 22.69, "relhumidity": 11.35, "vappress": -1.076, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8774150,47.990743] }, "properties": { "altitude": "289.1", "sensor": "18", "gpstime":"2019-06-24T20:21:07.000Z", "temperature": 22.87, "relhumidity": 11.03, "vappress": -0.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8759570,47.990637] }, "properties": { "altitude": "286.8", "sensor": "18", "gpstime":"2019-06-24T20:21:22.000Z", "temperature": 22.78, "relhumidity": 10.43, "vappress": -1.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8743030,47.990618] }, "properties": { "altitude": "287.4", "sensor": "18", "gpstime":"2019-06-24T20:21:38.000Z", "temperature": 22.58, "relhumidity": 11.17, "vappress": -1.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726920,47.990725] }, "properties": { "altitude": "290.1", "sensor": "18", "gpstime":"2019-06-24T20:21:54.000Z", "temperature": 22.72, "relhumidity": 11.21, "vappress": -1.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8710630,47.990817] }, "properties": { "altitude": "295.3", "sensor": "18", "gpstime":"2019-06-24T20:22:11.000Z", "temperature": 23.11, "relhumidity": 10.78, "vappress": -0.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689970,47.990828] }, "properties": { "altitude": "288.3", "sensor": "18", "gpstime":"2019-06-24T20:22:30.000Z", "temperature": 23.27, "relhumidity": 10.66, "vappress": -0.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663920,47.990920] }, "properties": { "altitude": "285.7", "sensor": "18", "gpstime":"2019-06-24T20:22:55.000Z", "temperature": 23.42, "relhumidity": 10.29, "vappress": -0.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8646100,47.990807] }, "properties": { "altitude": "287.0", "sensor": "18", "gpstime":"2019-06-24T20:23:12.000Z", "temperature": 23.63, "relhumidity": 9.46, "vappress": -0.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626950,47.990575] }, "properties": { "altitude": "284.3", "sensor": "18", "gpstime":"2019-06-24T20:23:30.000Z", "temperature": 23.73, "relhumidity": 9.08, "vappress": -0.194, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613720,47.990970] }, "properties": { "altitude": "290.7", "sensor": "18", "gpstime":"2019-06-24T20:23:52.000Z", "temperature": 23.99, "relhumidity": 8.52, "vappress": -0.064, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597250,47.990920] }, "properties": { "altitude": "294.6", "sensor": "18", "gpstime":"2019-06-24T20:24:08.000Z", "temperature": 24.25, "relhumidity": 7.59, "vappress": -0.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582830,47.990983] }, "properties": { "altitude": "302.3", "sensor": "18", "gpstime":"2019-06-24T20:24:22.000Z", "temperature": 24.31, "relhumidity": 7.51, "vappress": 0.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565900,47.991735] }, "properties": { "altitude": "311.8", "sensor": "18", "gpstime":"2019-06-24T20:24:54.000Z", "temperature": 24.79, "relhumidity": 6.56, "vappress": 0.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548070,47.991817] }, "properties": { "altitude": "303.6", "sensor": "18", "gpstime":"2019-06-24T20:25:13.000Z", "temperature": 25.16, "relhumidity": 5.98, "vappress": 0.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531220,47.992123] }, "properties": { "altitude": "297.8", "sensor": "18", "gpstime":"2019-06-24T20:25:38.000Z", "temperature": 25.48, "relhumidity": 5.10, "vappress": 1.173, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515170,47.992058] }, "properties": { "altitude": "292.6", "sensor": "18", "gpstime":"2019-06-24T20:25:54.000Z", "temperature": 25.71, "relhumidity": 4.74, "vappress": 1.213, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491180,47.992312] }, "properties": { "altitude": "291.7", "sensor": "18", "gpstime":"2019-06-24T20:26:20.000Z", "temperature": 25.80, "relhumidity": 3.86, "vappress": 1.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476070,47.992718] }, "properties": { "altitude": "294.1", "sensor": "18", "gpstime":"2019-06-24T20:26:42.000Z", "temperature": 25.90, "relhumidity": 3.25, "vappress": 1.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459550,47.993333] }, "properties": { "altitude": "299.0", "sensor": "18", "gpstime":"2019-06-24T20:27:03.000Z", "temperature": 25.96, "relhumidity": 2.66, "vappress": 0.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454920,47.993572] }, "properties": { "altitude": "296.6", "sensor": "18", "gpstime":"2019-06-24T20:27:09.000Z", "temperature": 25.98, "relhumidity": 2.66, "vappress": 0.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452770,47.992203] }, "properties": { "altitude": "270.4", "sensor": "20", "gpstime":"2019-06-24T19:24:11.000Z", "temperature": 26.51, "relhumidity": -0.82, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444330,47.990367] }, "properties": { "altitude": "269.4", "sensor": "20", "gpstime":"2019-06-24T19:26:05.000Z", "temperature": 26.36, "relhumidity": 0.14, "vappress": 0.859, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462570,47.989982] }, "properties": { "altitude": "264.9", "sensor": "20", "gpstime":"2019-06-24T19:27:24.000Z", "temperature": 26.20, "relhumidity": 1.19, "vappress": 0.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485270,47.990020] }, "properties": { "altitude": "263.7", "sensor": "20", "gpstime":"2019-06-24T19:27:52.000Z", "temperature": 25.53, "relhumidity": 2.68, "vappress": 0.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500500,47.990025] }, "properties": { "altitude": "264.5", "sensor": "20", "gpstime":"2019-06-24T19:28:12.000Z", "temperature": 25.24, "relhumidity": 3.88, "vappress": 0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8514120,47.990013] }, "properties": { "altitude": "265.7", "sensor": "20", "gpstime":"2019-06-24T19:28:31.000Z", "temperature": 24.93, "relhumidity": 3.01, "vappress": -0.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8528720,47.990100] }, "properties": { "altitude": "267.6", "sensor": "20", "gpstime":"2019-06-24T19:29:01.000Z", "temperature": 25.10, "relhumidity": 1.56, "vappress": -0.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542220,47.990617] }, "properties": { "altitude": "272.7", "sensor": "20", "gpstime":"2019-06-24T19:29:39.000Z", "temperature": 25.64, "relhumidity": -0.09, "vappress": -0.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555530,47.990843] }, "properties": { "altitude": "276.1", "sensor": "20", "gpstime":"2019-06-24T19:30:09.000Z", "temperature": 25.72, "relhumidity": -0.66, "vappress": -0.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569070,47.990605] }, "properties": { "altitude": "280.7", "sensor": "20", "gpstime":"2019-06-24T19:30:31.000Z", "temperature": 25.16, "relhumidity": 0.78, "vappress": -1.135, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583570,47.990650] }, "properties": { "altitude": "283.4", "sensor": "20", "gpstime":"2019-06-24T19:31:11.000Z", "temperature": 24.68, "relhumidity": 3.50, "vappress": -0.816, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598030,47.990513] }, "properties": { "altitude": "284.2", "sensor": "20", "gpstime":"2019-06-24T19:31:30.000Z", "temperature": 24.06, "relhumidity": 4.66, "vappress": -1.166, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8616230,47.990642] }, "properties": { "altitude": "279.0", "sensor": "20", "gpstime":"2019-06-24T19:31:54.000Z", "temperature": 23.73, "relhumidity": 5.43, "vappress": -1.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633880,47.990612] }, "properties": { "altitude": "284.7", "sensor": "20", "gpstime":"2019-06-24T19:32:24.000Z", "temperature": 23.85, "relhumidity": 5.26, "vappress": -0.952, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8655670,47.990847] }, "properties": { "altitude": "291.1", "sensor": "20", "gpstime":"2019-06-24T19:32:59.000Z", "temperature": 23.92, "relhumidity": 5.56, "vappress": -0.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670930,47.990907] }, "properties": { "altitude": "289.9", "sensor": "20", "gpstime":"2019-06-24T19:33:21.000Z", "temperature": 23.88, "relhumidity": 5.53, "vappress": -0.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685750,47.990830] }, "properties": { "altitude": "285.0", "sensor": "20", "gpstime":"2019-06-24T19:33:43.000Z", "temperature": 23.85, "relhumidity": 5.66, "vappress": -0.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8699830,47.990742] }, "properties": { "altitude": "281.7", "sensor": "20", "gpstime":"2019-06-24T19:34:05.000Z", "temperature": 23.94, "relhumidity": 5.77, "vappress": -0.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8714950,47.990728] }, "properties": { "altitude": "282.9", "sensor": "20", "gpstime":"2019-06-24T19:34:29.000Z", "temperature": 23.74, "relhumidity": 6.28, "vappress": -1.124, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8730750,47.990653] }, "properties": { "altitude": "288.5", "sensor": "20", "gpstime":"2019-06-24T19:34:51.000Z", "temperature": 23.38, "relhumidity": 7.01, "vappress": -1.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8744150,47.990638] }, "properties": { "altitude": "290.7", "sensor": "20", "gpstime":"2019-06-24T19:35:10.000Z", "temperature": 23.20, "relhumidity": 7.71, "vappress": -1.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761180,47.990612] }, "properties": { "altitude": "291.3", "sensor": "20", "gpstime":"2019-06-24T19:35:32.000Z", "temperature": 23.14, "relhumidity": 8.27, "vappress": -1.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8777430,47.990805] }, "properties": { "altitude": "294.9", "sensor": "20", "gpstime":"2019-06-24T19:35:56.000Z", "temperature": 22.93, "relhumidity": 8.51, "vappress": -1.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8791230,47.991372] }, "properties": { "altitude": "295.4", "sensor": "20", "gpstime":"2019-06-24T19:36:20.000Z", "temperature": 22.91, "relhumidity": 9.15, "vappress": -1.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8809430,47.991647] }, "properties": { "altitude": "298.1", "sensor": "20", "gpstime":"2019-06-24T19:36:55.000Z", "temperature": 22.99, "relhumidity": 8.97, "vappress": -1.376, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8823800,47.991492] }, "properties": { "altitude": "297.5", "sensor": "20", "gpstime":"2019-06-24T19:37:17.000Z", "temperature": 22.64, "relhumidity": 9.32, "vappress": -1.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8837200,47.991390] }, "properties": { "altitude": "297.2", "sensor": "20", "gpstime":"2019-06-24T19:37:37.000Z", "temperature": 22.52, "relhumidity": 9.61, "vappress": -1.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8852080,47.991290] }, "properties": { "altitude": "298.6", "sensor": "20", "gpstime":"2019-06-24T19:38:00.000Z", "temperature": 22.52, "relhumidity": 9.61, "vappress": -1.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8866950,47.991160] }, "properties": { "altitude": "299.3", "sensor": "20", "gpstime":"2019-06-24T19:38:25.000Z", "temperature": 22.54, "relhumidity": 10.23, "vappress": -1.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8882250,47.990940] }, "properties": { "altitude": "305.1", "sensor": "20", "gpstime":"2019-06-24T19:38:52.000Z", "temperature": 22.67, "relhumidity": 10.31, "vappress": -1.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8895680,47.990695] }, "properties": { "altitude": "308.9", "sensor": "20", "gpstime":"2019-06-24T19:39:14.000Z", "temperature": 22.90, "relhumidity": 9.97, "vappress": -0.906, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8909830,47.990448] }, "properties": { "altitude": "310.6", "sensor": "20", "gpstime":"2019-06-24T19:39:35.000Z", "temperature": 22.97, "relhumidity": 10.36, "vappress": -0.796, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8926300,47.990107] }, "properties": { "altitude": "311.7", "sensor": "20", "gpstime":"2019-06-24T19:40:02.000Z", "temperature": 23.03, "relhumidity": 10.35, "vappress": -0.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8941230,47.989777] }, "properties": { "altitude": "313.1", "sensor": "20", "gpstime":"2019-06-24T19:40:53.000Z", "temperature": 22.88, "relhumidity": 10.28, "vappress": -0.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8957900,47.989082] }, "properties": { "altitude": "320.2", "sensor": "20", "gpstime":"2019-06-24T19:41:27.000Z", "temperature": 22.93, "relhumidity": 10.08, "vappress": -0.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8972900,47.988312] }, "properties": { "altitude": "317.3", "sensor": "20", "gpstime":"2019-06-24T19:41:57.000Z", "temperature": 22.94, "relhumidity": 10.01, "vappress": -0.961, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8986880,47.987468] }, "properties": { "altitude": "316.2", "sensor": "20", "gpstime":"2019-06-24T19:42:30.000Z", "temperature": 23.20, "relhumidity": 8.96, "vappress": -0.648, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8998700,47.985977] }, "properties": { "altitude": "310.7", "sensor": "20", "gpstime":"2019-06-24T19:43:11.000Z", "temperature": 23.24, "relhumidity": 9.15, "vappress": -0.831, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9010720,47.984768] }, "properties": { "altitude": "314.5", "sensor": "20", "gpstime":"2019-06-24T19:43:45.000Z", "temperature": 23.24, "relhumidity": 8.51, "vappress": -1.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9024320,47.983872] }, "properties": { "altitude": "304.6", "sensor": "20", "gpstime":"2019-06-24T19:44:57.000Z", "temperature": 23.23, "relhumidity": 9.37, "vappress": -0.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9019750,47.981853] }, "properties": { "altitude": "321.5", "sensor": "20", "gpstime":"2019-06-24T19:46:23.000Z", "temperature": 23.55, "relhumidity": 7.96, "vappress": -0.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9004370,47.981688] }, "properties": { "altitude": "316.7", "sensor": "20", "gpstime":"2019-06-24T19:46:59.000Z", "temperature": 24.04, "relhumidity": 7.44, "vappress": 0.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987180,47.982365] }, "properties": { "altitude": "319.9", "sensor": "20", "gpstime":"2019-06-24T19:47:25.000Z", "temperature": 24.50, "relhumidity": 6.74, "vappress": 0.237, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8977270,47.980928] }, "properties": { "altitude": "323.0", "sensor": "20", "gpstime":"2019-06-24T19:48:41.000Z", "temperature": 24.62, "relhumidity": 5.86, "vappress": 0.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8978350,47.978928] }, "properties": { "altitude": "319.9", "sensor": "20", "gpstime":"2019-06-24T19:49:41.000Z", "temperature": 24.55, "relhumidity": 4.71, "vappress": -0.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8995120,47.978538] }, "properties": { "altitude": "323.9", "sensor": "20", "gpstime":"2019-06-24T19:50:16.000Z", "temperature": 24.36, "relhumidity": 5.27, "vappress": -0.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9013330,47.978157] }, "properties": { "altitude": "327.6", "sensor": "20", "gpstime":"2019-06-24T19:50:47.000Z", "temperature": 24.22, "relhumidity": 4.70, "vappress": -0.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9027170,47.977880] }, "properties": { "altitude": "325.0", "sensor": "20", "gpstime":"2019-06-24T19:51:07.000Z", "temperature": 24.32, "relhumidity": 4.34, "vappress": -0.649, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9041780,47.977562] }, "properties": { "altitude": "329.5", "sensor": "20", "gpstime":"2019-06-24T19:51:31.000Z", "temperature": 24.45, "relhumidity": 4.32, "vappress": -0.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9058720,47.977290] }, "properties": { "altitude": "334.1", "sensor": "20", "gpstime":"2019-06-24T19:51:58.000Z", "temperature": 24.54, "relhumidity": 4.96, "vappress": -0.319, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9080480,47.977293] }, "properties": { "altitude": "332.4", "sensor": "20", "gpstime":"2019-06-24T19:52:32.000Z", "temperature": 24.59, "relhumidity": 4.05, "vappress": -0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9095880,47.977070] }, "properties": { "altitude": "334.3", "sensor": "20", "gpstime":"2019-06-24T19:53:00.000Z", "temperature": 24.71, "relhumidity": 3.38, "vappress": -0.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9110120,47.977227] }, "properties": { "altitude": "340.2", "sensor": "20", "gpstime":"2019-06-24T19:53:37.000Z", "temperature": 24.83, "relhumidity": 2.49, "vappress": -0.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9123630,47.976310] }, "properties": { "altitude": "337.3", "sensor": "20", "gpstime":"2019-06-24T19:55:42.000Z", "temperature": 24.94, "relhumidity": 2.67, "vappress": -0.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9122580,47.974195] }, "properties": { "altitude": "344.1", "sensor": "20", "gpstime":"2019-06-24T19:56:44.000Z", "temperature": 24.43, "relhumidity": 2.61, "vappress": -1.330, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9115130,47.972447] }, "properties": { "altitude": "353.2", "sensor": "20", "gpstime":"2019-06-24T19:57:42.000Z", "temperature": 24.38, "relhumidity": 1.46, "vappress": -1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9106200,47.970592] }, "properties": { "altitude": "360.9", "sensor": "20", "gpstime":"2019-06-24T19:58:44.000Z", "temperature": 24.38, "relhumidity": 0.55, "vappress": -1.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9097600,47.968822] }, "properties": { "altitude": "365.0", "sensor": "20", "gpstime":"2019-06-24T20:00:05.000Z", "temperature": 24.27, "relhumidity": 0.96, "vappress": -2.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9096880,47.970973] }, "properties": { "altitude": "358.5", "sensor": "20", "gpstime":"2019-06-24T20:00:54.000Z", "temperature": 24.07, "relhumidity": 1.27, "vappress": -2.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9109170,47.972388] }, "properties": { "altitude": "354.8", "sensor": "20", "gpstime":"2019-06-24T20:01:29.000Z", "temperature": 24.22, "relhumidity": 0.55, "vappress": -1.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9121200,47.973742] }, "properties": { "altitude": "352.1", "sensor": "20", "gpstime":"2019-06-24T20:03:12.000Z", "temperature": 24.28, "relhumidity": 0.44, "vappress": -2.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9125020,47.976010] }, "properties": { "altitude": "344.7", "sensor": "20", "gpstime":"2019-06-24T20:04:12.000Z", "temperature": 24.09, "relhumidity": 1.69, "vappress": -2.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9113980,47.977217] }, "properties": { "altitude": "334.2", "sensor": "20", "gpstime":"2019-06-24T20:04:53.000Z", "temperature": 23.97, "relhumidity": 1.38, "vappress": -2.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9100580,47.977000] }, "properties": { "altitude": "344.3", "sensor": "20", "gpstime":"2019-06-24T20:05:21.000Z", "temperature": 24.33, "relhumidity": 0.77, "vappress": -1.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9085420,47.977347] }, "properties": { "altitude": "348.0", "sensor": "20", "gpstime":"2019-06-24T20:05:40.000Z", "temperature": 24.39, "relhumidity": 1.08, "vappress": -1.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9068850,47.977985] }, "properties": { "altitude": "336.3", "sensor": "20", "gpstime":"2019-06-24T20:06:28.000Z", "temperature": 24.59, "relhumidity": 0.45, "vappress": -1.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9052300,47.978270] }, "properties": { "altitude": "338.5", "sensor": "20", "gpstime":"2019-06-24T20:06:57.000Z", "temperature": 25.01, "relhumidity": 0.18, "vappress": -0.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9034380,47.978548] }, "properties": { "altitude": "341.7", "sensor": "20", "gpstime":"2019-06-24T20:07:22.000Z", "temperature": 25.06, "relhumidity": 0.63, "vappress": -0.909, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9016420,47.979812] }, "properties": { "altitude": "335.1", "sensor": "20", "gpstime":"2019-06-24T20:08:05.000Z", "temperature": 25.06, "relhumidity": 0.67, "vappress": -0.867, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9002330,47.980215] }, "properties": { "altitude": "334.1", "sensor": "20", "gpstime":"2019-06-24T20:08:33.000Z", "temperature": 25.08, "relhumidity": 0.99, "vappress": -0.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8986370,47.980550] }, "properties": { "altitude": "329.3", "sensor": "20", "gpstime":"2019-06-24T20:08:54.000Z", "temperature": 24.98, "relhumidity": 1.33, "vappress": -0.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8971270,47.981013] }, "properties": { "altitude": "327.7", "sensor": "20", "gpstime":"2019-06-24T20:09:38.000Z", "temperature": 24.91, "relhumidity": 1.54, "vappress": -0.838, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8954080,47.981542] }, "properties": { "altitude": "329.0", "sensor": "20", "gpstime":"2019-06-24T20:10:10.000Z", "temperature": 24.94, "relhumidity": 1.59, "vappress": -0.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8940880,47.982188] }, "properties": { "altitude": "325.8", "sensor": "20", "gpstime":"2019-06-24T20:10:42.000Z", "temperature": 25.04, "relhumidity": 1.32, "vappress": -0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8945250,47.984328] }, "properties": { "altitude": "315.8", "sensor": "20", "gpstime":"2019-06-24T20:11:30.000Z", "temperature": 25.25, "relhumidity": 1.09, "vappress": -0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8931000,47.984185] }, "properties": { "altitude": "321.7", "sensor": "20", "gpstime":"2019-06-24T20:13:47.000Z", "temperature": 25.47, "relhumidity": 0.27, "vappress": -0.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8917120,47.983783] }, "properties": { "altitude": "319.2", "sensor": "20", "gpstime":"2019-06-24T20:14:16.000Z", "temperature": 25.55, "relhumidity": 0.42, "vappress": -0.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8899570,47.984200] }, "properties": { "altitude": "316.7", "sensor": "20", "gpstime":"2019-06-24T20:14:40.000Z", "temperature": 25.44, "relhumidity": 0.66, "vappress": -0.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8879320,47.984602] }, "properties": { "altitude": "312.8", "sensor": "20", "gpstime":"2019-06-24T20:15:20.000Z", "temperature": 25.46, "relhumidity": 0.81, "vappress": -0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8867680,47.985698] }, "properties": { "altitude": "316.9", "sensor": "20", "gpstime":"2019-06-24T20:16:03.000Z", "temperature": 25.52, "relhumidity": 0.41, "vappress": -0.241, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8854000,47.985217] }, "properties": { "altitude": "314.2", "sensor": "20", "gpstime":"2019-06-24T20:16:42.000Z", "temperature": 25.51, "relhumidity": 0.67, "vappress": -0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8838500,47.985247] }, "properties": { "altitude": "307.7", "sensor": "20", "gpstime":"2019-06-24T20:17:08.000Z", "temperature": 25.46, "relhumidity": 0.87, "vappress": -0.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8820330,47.985858] }, "properties": { "altitude": "308.0", "sensor": "20", "gpstime":"2019-06-24T20:17:35.000Z", "temperature": 25.33, "relhumidity": 1.10, "vappress": -0.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8805400,47.986230] }, "properties": { "altitude": "307.7", "sensor": "20", "gpstime":"2019-06-24T20:17:56.000Z", "temperature": 24.95, "relhumidity": 2.25, "vappress": -1.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8787420,47.986450] }, "properties": { "altitude": "304.4", "sensor": "20", "gpstime":"2019-06-24T20:18:21.000Z", "temperature": 24.25, "relhumidity": 3.15, "vappress": -1.452, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8770880,47.986088] }, "properties": { "altitude": "295.5", "sensor": "20", "gpstime":"2019-06-24T20:18:46.000Z", "temperature": 24.09, "relhumidity": 3.96, "vappress": -1.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8755550,47.985765] }, "properties": { "altitude": "293.6", "sensor": "20", "gpstime":"2019-06-24T20:19:10.000Z", "temperature": 23.93, "relhumidity": 4.17, "vappress": -1.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8750380,47.987683] }, "properties": { "altitude": "290.0", "sensor": "20", "gpstime":"2019-06-24T20:20:29.000Z", "temperature": 24.36, "relhumidity": 3.27, "vappress": -0.646, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8735680,47.988072] }, "properties": { "altitude": "301.1", "sensor": "20", "gpstime":"2019-06-24T20:21:41.000Z", "temperature": 24.90, "relhumidity": 2.48, "vappress": -0.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8720650,47.988347] }, "properties": { "altitude": "308.8", "sensor": "20", "gpstime":"2019-06-24T20:22:03.000Z", "temperature": 25.28, "relhumidity": 2.59, "vappress": 0.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8711430,47.989917] }, "properties": { "altitude": "293.0", "sensor": "20", "gpstime":"2019-06-24T20:22:51.000Z", "temperature": 25.39, "relhumidity": 2.87, "vappress": 0.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8692130,47.990008] }, "properties": { "altitude": "289.7", "sensor": "20", "gpstime":"2019-06-24T20:23:16.000Z", "temperature": 25.33, "relhumidity": 2.63, "vappress": -0.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674770,47.989907] }, "properties": { "altitude": "284.4", "sensor": "20", "gpstime":"2019-06-24T20:23:40.000Z", "temperature": 25.42, "relhumidity": 2.51, "vappress": 0.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663850,47.988675] }, "properties": { "altitude": "302.7", "sensor": "20", "gpstime":"2019-06-24T20:24:34.000Z", "temperature": 25.64, "relhumidity": 0.73, "vappress": 0.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650730,47.987182] }, "properties": { "altitude": "295.7", "sensor": "20", "gpstime":"2019-06-24T20:25:42.000Z", "temperature": 26.03, "relhumidity": 0.03, "vappress": 0.223, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8634130,47.986883] }, "properties": { "altitude": "289.2", "sensor": "20", "gpstime":"2019-06-24T20:26:14.000Z", "temperature": 25.99, "relhumidity": -0.14, "vappress": 0.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618380,47.986972] }, "properties": { "altitude": "284.1", "sensor": "20", "gpstime":"2019-06-24T20:26:39.000Z", "temperature": 26.07, "relhumidity": -0.23, "vappress": 0.182, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8601530,47.986832] }, "properties": { "altitude": "286.3", "sensor": "20", "gpstime":"2019-06-24T20:27:07.000Z", "temperature": 26.29, "relhumidity": -0.66, "vappress": 0.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585480,47.986552] }, "properties": { "altitude": "287.2", "sensor": "20", "gpstime":"2019-06-24T20:27:32.000Z", "temperature": 26.52, "relhumidity": -1.09, "vappress": 0.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570580,47.986418] }, "properties": { "altitude": "290.2", "sensor": "20", "gpstime":"2019-06-24T20:27:51.000Z", "temperature": 26.41, "relhumidity": -1.13, "vappress": 0.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556180,47.987370] }, "properties": { "altitude": "296.8", "sensor": "20", "gpstime":"2019-06-24T20:28:32.000Z", "temperature": 26.33, "relhumidity": -0.68, "vappress": 0.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542450,47.987115] }, "properties": { "altitude": "297.0", "sensor": "20", "gpstime":"2019-06-24T20:28:56.000Z", "temperature": 26.23, "relhumidity": -0.68, "vappress": 0.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531170,47.985932] }, "properties": { "altitude": "301.7", "sensor": "20", "gpstime":"2019-06-24T20:29:34.000Z", "temperature": 26.27, "relhumidity": -0.90, "vappress": 0.217, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515870,47.985942] }, "properties": { "altitude": "291.2", "sensor": "20", "gpstime":"2019-06-24T20:29:56.000Z", "temperature": 26.43, "relhumidity": -1.18, "vappress": 0.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500650,47.986030] }, "properties": { "altitude": "286.3", "sensor": "20", "gpstime":"2019-06-24T20:30:17.000Z", "temperature": 26.47, "relhumidity": -1.54, "vappress": 0.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488650,47.987007] }, "properties": { "altitude": "280.8", "sensor": "20", "gpstime":"2019-06-24T20:30:57.000Z", "temperature": 26.42, "relhumidity": -2.13, "vappress": -0.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478800,47.988497] }, "properties": { "altitude": "295.3", "sensor": "20", "gpstime":"2019-06-24T20:31:54.000Z", "temperature": 26.51, "relhumidity": -2.18, "vappress": 0.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483600,47.990732] }, "properties": { "altitude": "286.7", "sensor": "20", "gpstime":"2019-06-24T20:33:12.000Z", "temperature": 26.58, "relhumidity": -0.79, "vappress": 0.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477930,47.992705] }, "properties": { "altitude": "292.6", "sensor": "20", "gpstime":"2019-06-24T20:34:25.000Z", "temperature": 26.59, "relhumidity": -1.20, "vappress": 0.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464650,47.993185] }, "properties": { "altitude": "294.6", "sensor": "20", "gpstime":"2019-06-24T20:34:47.000Z", "temperature": 26.51, "relhumidity": -1.09, "vappress": 0.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453250,47.993538] }, "properties": { "altitude": "292.2", "sensor": "20", "gpstime":"2019-06-24T20:35:08.000Z", "temperature": 26.50, "relhumidity": -1.15, "vappress": 0.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.993522] }, "properties": { "altitude": "273.4", "sensor": "21", "gpstime":"2019-06-24T19:24:09.000Z", "temperature": 26.64, "relhumidity": -3.13, "vappress": 0.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460430,47.995463] }, "properties": { "altitude": "280.7", "sensor": "21", "gpstime":"2019-06-24T19:25:30.000Z", "temperature": 26.30, "relhumidity": -1.63, "vappress": -0.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470780,47.996995] }, "properties": { "altitude": "281.0", "sensor": "21", "gpstime":"2019-06-24T19:26:04.000Z", "temperature": 26.16, "relhumidity": -1.17, "vappress": 0.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483600,47.998165] }, "properties": { "altitude": "280.9", "sensor": "21", "gpstime":"2019-06-24T19:26:30.000Z", "temperature": 26.25, "relhumidity": -1.77, "vappress": 0.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466820,47.999058] }, "properties": { "altitude": "271.4", "sensor": "21", "gpstime":"2019-06-24T19:28:16.000Z", "temperature": 26.43, "relhumidity": -3.08, "vappress": 0.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451670,47.999375] }, "properties": { "altitude": "267.2", "sensor": "21", "gpstime":"2019-06-24T19:28:34.000Z", "temperature": 26.64, "relhumidity": -2.83, "vappress": 0.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437280,47.999790] }, "properties": { "altitude": "269.1", "sensor": "21", "gpstime":"2019-06-24T19:29:17.000Z", "temperature": 26.73, "relhumidity": -3.43, "vappress": 0.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425780,48.001365] }, "properties": { "altitude": "267.8", "sensor": "21", "gpstime":"2019-06-24T19:29:57.000Z", "temperature": 26.63, "relhumidity": -3.14, "vappress": -0.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410280,48.001182] }, "properties": { "altitude": "267.5", "sensor": "21", "gpstime":"2019-06-24T19:30:25.000Z", "temperature": 26.40, "relhumidity": -2.93, "vappress": -0.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397720,48.000423] }, "properties": { "altitude": "266.4", "sensor": "21", "gpstime":"2019-06-24T19:31:00.000Z", "temperature": 26.35, "relhumidity": -2.24, "vappress": 0.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382850,48.001130] }, "properties": { "altitude": "261.7", "sensor": "21", "gpstime":"2019-06-24T19:31:26.000Z", "temperature": 26.39, "relhumidity": -1.93, "vappress": 0.164, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8367530,48.001732] }, "properties": { "altitude": "260.7", "sensor": "21", "gpstime":"2019-06-24T19:31:51.000Z", "temperature": 26.39, "relhumidity": -2.28, "vappress": 0.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355670,48.000595] }, "properties": { "altitude": "265.8", "sensor": "21", "gpstime":"2019-06-24T19:32:36.000Z", "temperature": 26.25, "relhumidity": -1.78, "vappress": -0.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340720,47.999965] }, "properties": { "altitude": "263.8", "sensor": "21", "gpstime":"2019-06-24T19:33:10.000Z", "temperature": 26.11, "relhumidity": -1.38, "vappress": -0.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326270,47.999835] }, "properties": { "altitude": "264.2", "sensor": "21", "gpstime":"2019-06-24T19:33:44.000Z", "temperature": 25.91, "relhumidity": 0.01, "vappress": 0.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315250,47.998665] }, "properties": { "altitude": "263.1", "sensor": "21", "gpstime":"2019-06-24T19:34:16.000Z", "temperature": 25.87, "relhumidity": 0.19, "vappress": 0.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302920,47.997145] }, "properties": { "altitude": "262.5", "sensor": "21", "gpstime":"2019-06-24T19:34:49.000Z", "temperature": 25.82, "relhumidity": 0.79, "vappress": 0.256, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289580,47.996880] }, "properties": { "altitude": "256.5", "sensor": "21", "gpstime":"2019-06-24T19:35:16.000Z", "temperature": 25.75, "relhumidity": 0.07, "vappress": -0.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274370,47.997578] }, "properties": { "altitude": "245.6", "sensor": "21", "gpstime":"2019-06-24T19:35:36.000Z", "temperature": 25.74, "relhumidity": -0.11, "vappress": -0.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256500,47.997962] }, "properties": { "altitude": "240.9", "sensor": "21", "gpstime":"2019-06-24T19:35:56.000Z", "temperature": 25.66, "relhumidity": -0.77, "vappress": -0.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242650,47.998280] }, "properties": { "altitude": "244.1", "sensor": "21", "gpstime":"2019-06-24T19:36:11.000Z", "temperature": 25.40, "relhumidity": 0.03, "vappress": -0.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229800,47.998900] }, "properties": { "altitude": "247.5", "sensor": "21", "gpstime":"2019-06-24T19:36:39.000Z", "temperature": 25.15, "relhumidity": 3.18, "vappress": -0.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216370,47.998123] }, "properties": { "altitude": "256.6", "sensor": "21", "gpstime":"2019-06-24T19:38:43.000Z", "temperature": 24.58, "relhumidity": 5.13, "vappress": -0.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201000,47.998333] }, "properties": { "altitude": "250.9", "sensor": "21", "gpstime":"2019-06-24T19:39:30.000Z", "temperature": 24.65, "relhumidity": 3.54, "vappress": -0.406, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185920,47.998975] }, "properties": { "altitude": "251.3", "sensor": "21", "gpstime":"2019-06-24T19:39:50.000Z", "temperature": 24.79, "relhumidity": 2.90, "vappress": -0.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171370,47.999523] }, "properties": { "altitude": "248.7", "sensor": "21", "gpstime":"2019-06-24T19:40:09.000Z", "temperature": 24.69, "relhumidity": 3.05, "vappress": -0.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156580,48.000092] }, "properties": { "altitude": "247.1", "sensor": "21", "gpstime":"2019-06-24T19:40:28.000Z", "temperature": 24.46, "relhumidity": 3.36, "vappress": -0.842, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143470,48.000607] }, "properties": { "altitude": "244.8", "sensor": "21", "gpstime":"2019-06-24T19:40:44.000Z", "temperature": 24.38, "relhumidity": 3.51, "vappress": -0.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126950,48.001230] }, "properties": { "altitude": "245.5", "sensor": "21", "gpstime":"2019-06-24T19:41:05.000Z", "temperature": 24.51, "relhumidity": 2.56, "vappress": -0.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8111170,48.001848] }, "properties": { "altitude": "244.9", "sensor": "21", "gpstime":"2019-06-24T19:41:24.000Z", "temperature": 24.47, "relhumidity": 3.30, "vappress": -0.951, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8094320,48.002513] }, "properties": { "altitude": "244.4", "sensor": "21", "gpstime":"2019-06-24T19:41:44.000Z", "temperature": 24.34, "relhumidity": 2.51, "vappress": -1.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078480,48.003188] }, "properties": { "altitude": "244.3", "sensor": "21", "gpstime":"2019-06-24T19:42:06.000Z", "temperature": 24.26, "relhumidity": 3.49, "vappress": -1.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063370,48.004550] }, "properties": { "altitude": "239.0", "sensor": "21", "gpstime":"2019-06-24T19:43:43.000Z", "temperature": 24.15, "relhumidity": 4.55, "vappress": -1.571, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8050830,48.006207] }, "properties": { "altitude": "235.4", "sensor": "21", "gpstime":"2019-06-24T19:44:15.000Z", "temperature": 23.54, "relhumidity": 7.34, "vappress": -0.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040880,48.007690] }, "properties": { "altitude": "241.2", "sensor": "21", "gpstime":"2019-06-24T19:44:44.000Z", "temperature": 23.36, "relhumidity": 8.20, "vappress": -1.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036070,48.005743] }, "properties": { "altitude": "247.4", "sensor": "21", "gpstime":"2019-06-24T19:45:50.000Z", "temperature": 23.80, "relhumidity": 3.57, "vappress": -0.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8014270,48.005955] }, "properties": { "altitude": "233.2", "sensor": "21", "gpstime":"2019-06-24T19:46:22.000Z", "temperature": 24.47, "relhumidity": 5.27, "vappress": -0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8000900,48.005705] }, "properties": { "altitude": "231.3", "sensor": "21", "gpstime":"2019-06-24T19:46:39.000Z", "temperature": 23.74, "relhumidity": 8.25, "vappress": -0.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7996480,48.007608] }, "properties": { "altitude": "236.8", "sensor": "21", "gpstime":"2019-06-24T19:47:26.000Z", "temperature": 23.61, "relhumidity": 7.65, "vappress": -0.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7999820,48.009553] }, "properties": { "altitude": "236.6", "sensor": "21", "gpstime":"2019-06-24T19:48:03.000Z", "temperature": 23.55, "relhumidity": 9.04, "vappress": -0.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7988480,48.010872] }, "properties": { "altitude": "234.9", "sensor": "21", "gpstime":"2019-06-24T19:48:30.000Z", "temperature": 23.84, "relhumidity": 6.55, "vappress": -0.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7970730,48.012758] }, "properties": { "altitude": "233.6", "sensor": "21", "gpstime":"2019-06-24T19:49:09.000Z", "temperature": 24.15, "relhumidity": 9.42, "vappress": 0.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7958650,48.014028] }, "properties": { "altitude": "231.7", "sensor": "21", "gpstime":"2019-06-24T19:49:36.000Z", "temperature": 23.83, "relhumidity": 11.19, "vappress": 0.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7946300,48.014908] }, "properties": { "altitude": "229.5", "sensor": "21", "gpstime":"2019-06-24T19:50:00.000Z", "temperature": 23.28, "relhumidity": 11.15, "vappress": -0.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7929880,48.014322] }, "properties": { "altitude": "232.0", "sensor": "21", "gpstime":"2019-06-24T19:50:24.000Z", "temperature": 23.07, "relhumidity": 10.56, "vappress": -0.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7917180,48.013180] }, "properties": { "altitude": "231.2", "sensor": "21", "gpstime":"2019-06-24T19:50:53.000Z", "temperature": 22.89, "relhumidity": 10.74, "vappress": -0.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7906150,48.012030] }, "properties": { "altitude": "232.0", "sensor": "21", "gpstime":"2019-06-24T19:51:18.000Z", "temperature": 22.99, "relhumidity": 11.39, "vappress": -0.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7890300,48.011425] }, "properties": { "altitude": "231.2", "sensor": "21", "gpstime":"2019-06-24T19:51:39.000Z", "temperature": 22.97, "relhumidity": 10.55, "vappress": -0.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7875270,48.010358] }, "properties": { "altitude": "231.6", "sensor": "21", "gpstime":"2019-06-24T19:52:06.000Z", "temperature": 22.82, "relhumidity": 10.89, "vappress": -0.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7861520,48.009808] }, "properties": { "altitude": "230.9", "sensor": "21", "gpstime":"2019-06-24T19:52:25.000Z", "temperature": 23.07, "relhumidity": 10.85, "vappress": -0.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7847780,48.009270] }, "properties": { "altitude": "230.7", "sensor": "21", "gpstime":"2019-06-24T19:53:24.000Z", "temperature": 23.35, "relhumidity": 10.21, "vappress": -0.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7832720,48.009570] }, "properties": { "altitude": "228.1", "sensor": "21", "gpstime":"2019-06-24T19:53:48.000Z", "temperature": 23.52, "relhumidity": 9.73, "vappress": -0.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7819670,48.008777] }, "properties": { "altitude": "228.1", "sensor": "21", "gpstime":"2019-06-24T19:54:22.000Z", "temperature": 23.19, "relhumidity": 10.64, "vappress": -0.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7807770,48.007765] }, "properties": { "altitude": "234.7", "sensor": "21", "gpstime":"2019-06-24T19:54:54.000Z", "temperature": 23.14, "relhumidity": 9.77, "vappress": -0.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7793200,48.008402] }, "properties": { "altitude": "228.7", "sensor": "21", "gpstime":"2019-06-24T19:55:19.000Z", "temperature": 23.33, "relhumidity": 10.73, "vappress": -0.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7777670,48.009070] }, "properties": { "altitude": "227.5", "sensor": "21", "gpstime":"2019-06-24T19:55:41.000Z", "temperature": 23.28, "relhumidity": 11.34, "vappress": -0.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7763070,48.009585] }, "properties": { "altitude": "226.6", "sensor": "21", "gpstime":"2019-06-24T19:56:01.000Z", "temperature": 23.23, "relhumidity": 10.87, "vappress": -0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7748780,48.009855] }, "properties": { "altitude": "224.7", "sensor": "21", "gpstime":"2019-06-24T19:56:18.000Z", "temperature": 22.89, "relhumidity": 11.00, "vappress": -1.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7729180,48.010200] }, "properties": { "altitude": "221.9", "sensor": "21", "gpstime":"2019-06-24T19:56:42.000Z", "temperature": 22.46, "relhumidity": 12.71, "vappress": -1.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7712330,48.010368] }, "properties": { "altitude": "219.7", "sensor": "21", "gpstime":"2019-06-24T19:57:01.000Z", "temperature": 22.21, "relhumidity": 13.66, "vappress": -1.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7696880,48.010465] }, "properties": { "altitude": "219.0", "sensor": "21", "gpstime":"2019-06-24T19:57:19.000Z", "temperature": 21.98, "relhumidity": 14.62, "vappress": -1.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7682200,48.010567] }, "properties": { "altitude": "220.6", "sensor": "21", "gpstime":"2019-06-24T19:57:37.000Z", "temperature": 21.88, "relhumidity": 14.80, "vappress": -1.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7665780,48.009968] }, "properties": { "altitude": "222.8", "sensor": "21", "gpstime":"2019-06-24T19:58:05.000Z", "temperature": 21.82, "relhumidity": 15.78, "vappress": -1.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7652080,48.010297] }, "properties": { "altitude": "222.8", "sensor": "21", "gpstime":"2019-06-24T19:58:23.000Z", "temperature": 21.75, "relhumidity": 15.78, "vappress": -1.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7638530,48.010567] }, "properties": { "altitude": "217.3", "sensor": "21", "gpstime":"2019-06-24T19:58:45.000Z", "temperature": 21.98, "relhumidity": 15.78, "vappress": -0.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7626200,48.011378] }, "properties": { "altitude": "210.1", "sensor": "21", "gpstime":"2019-06-24T19:59:44.000Z", "temperature": 22.28, "relhumidity": 15.41, "vappress": -0.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7639530,48.010522] }, "properties": { "altitude": "214.9", "sensor": "21", "gpstime":"2019-06-24T20:00:27.000Z", "temperature": 22.48, "relhumidity": 14.80, "vappress": -0.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7631330,48.008613] }, "properties": { "altitude": "232.2", "sensor": "21", "gpstime":"2019-06-24T20:01:44.000Z", "temperature": 22.58, "relhumidity": 13.05, "vappress": -0.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7621180,48.007258] }, "properties": { "altitude": "233.3", "sensor": "21", "gpstime":"2019-06-24T20:02:26.000Z", "temperature": 22.87, "relhumidity": 11.62, "vappress": -0.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7609930,48.005990] }, "properties": { "altitude": "246.0", "sensor": "21", "gpstime":"2019-06-24T20:03:20.000Z", "temperature": 22.93, "relhumidity": 11.27, "vappress": -0.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7599280,48.004737] }, "properties": { "altitude": "235.2", "sensor": "21", "gpstime":"2019-06-24T20:04:11.000Z", "temperature": 22.78, "relhumidity": 11.82, "vappress": -1.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7588470,48.003390] }, "properties": { "altitude": "235.9", "sensor": "21", "gpstime":"2019-06-24T20:04:59.000Z", "temperature": 22.66, "relhumidity": 12.61, "vappress": -0.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7577470,48.002180] }, "properties": { "altitude": "235.2", "sensor": "21", "gpstime":"2019-06-24T20:05:39.000Z", "temperature": 22.59, "relhumidity": 12.90, "vappress": -0.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7566000,48.000867] }, "properties": { "altitude": "239.3", "sensor": "21", "gpstime":"2019-06-24T20:06:15.000Z", "temperature": 22.60, "relhumidity": 13.05, "vappress": -0.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7555070,47.999677] }, "properties": { "altitude": "236.0", "sensor": "21", "gpstime":"2019-06-24T20:06:50.000Z", "temperature": 22.61, "relhumidity": 13.47, "vappress": -0.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7536970,47.998377] }, "properties": { "altitude": "221.9", "sensor": "21", "gpstime":"2019-06-24T20:07:38.000Z", "temperature": 22.58, "relhumidity": 14.80, "vappress": -0.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7523470,47.998543] }, "properties": { "altitude": "208.6", "sensor": "21", "gpstime":"2019-06-24T20:08:05.000Z", "temperature": 22.53, "relhumidity": 14.88, "vappress": -0.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7509950,47.998600] }, "properties": { "altitude": "208.4", "sensor": "21", "gpstime":"2019-06-24T20:08:32.000Z", "temperature": 22.46, "relhumidity": 14.88, "vappress": -0.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7495980,47.998752] }, "properties": { "altitude": "215.0", "sensor": "21", "gpstime":"2019-06-24T20:08:54.000Z", "temperature": 22.46, "relhumidity": 14.88, "vappress": -0.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7483430,47.997905] }, "properties": { "altitude": "224.5", "sensor": "21", "gpstime":"2019-06-24T20:11:04.000Z", "temperature": 22.60, "relhumidity": 14.45, "vappress": -0.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7496850,47.997830] }, "properties": { "altitude": "225.2", "sensor": "21", "gpstime":"2019-06-24T20:12:05.000Z", "temperature": 22.57, "relhumidity": 14.44, "vappress": -0.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7511080,47.997862] }, "properties": { "altitude": "240.9", "sensor": "21", "gpstime":"2019-06-24T20:12:30.000Z", "temperature": 22.31, "relhumidity": 14.44, "vappress": -0.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7526780,47.997923] }, "properties": { "altitude": "245.5", "sensor": "21", "gpstime":"2019-06-24T20:12:56.000Z", "temperature": 22.34, "relhumidity": 14.44, "vappress": -0.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7541600,47.998002] }, "properties": { "altitude": "240.0", "sensor": "21", "gpstime":"2019-06-24T20:13:19.000Z", "temperature": 22.47, "relhumidity": 14.35, "vappress": -0.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7558750,47.998087] }, "properties": { "altitude": "229.9", "sensor": "21", "gpstime":"2019-06-24T20:13:45.000Z", "temperature": 22.54, "relhumidity": 14.35, "vappress": -0.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7573400,47.998338] }, "properties": { "altitude": "230.8", "sensor": "21", "gpstime":"2019-06-24T20:14:03.000Z", "temperature": 22.30, "relhumidity": 14.44, "vappress": -1.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7588280,47.998887] }, "properties": { "altitude": "222.4", "sensor": "21", "gpstime":"2019-06-24T20:14:22.000Z", "temperature": 22.11, "relhumidity": 14.35, "vappress": -1.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7601470,47.999260] }, "properties": { "altitude": "219.6", "sensor": "21", "gpstime":"2019-06-24T20:14:37.000Z", "temperature": 22.11, "relhumidity": 14.47, "vappress": -1.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7618170,47.999385] }, "properties": { "altitude": "223.0", "sensor": "21", "gpstime":"2019-06-24T20:14:59.000Z", "temperature": 22.18, "relhumidity": 14.44, "vappress": -1.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7631550,47.999195] }, "properties": { "altitude": "212.3", "sensor": "21", "gpstime":"2019-06-24T20:15:16.000Z", "temperature": 22.31, "relhumidity": 14.55, "vappress": -0.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7644770,47.998845] }, "properties": { "altitude": "206.0", "sensor": "21", "gpstime":"2019-06-24T20:15:37.000Z", "temperature": 22.24, "relhumidity": 14.59, "vappress": -0.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7661220,47.997887] }, "properties": { "altitude": "218.3", "sensor": "21", "gpstime":"2019-06-24T20:16:11.000Z", "temperature": 22.26, "relhumidity": 14.68, "vappress": -0.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675300,47.997255] }, "properties": { "altitude": "220.9", "sensor": "21", "gpstime":"2019-06-24T20:16:35.000Z", "temperature": 22.17, "relhumidity": 14.71, "vappress": -1.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7691200,47.996813] }, "properties": { "altitude": "219.8", "sensor": "21", "gpstime":"2019-06-24T20:16:59.000Z", "temperature": 21.99, "relhumidity": 14.67, "vappress": -1.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7705380,47.996260] }, "properties": { "altitude": "218.8", "sensor": "21", "gpstime":"2019-06-24T20:17:23.000Z", "temperature": 21.88, "relhumidity": 14.74, "vappress": -1.367, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7719420,47.995722] }, "properties": { "altitude": "215.9", "sensor": "21", "gpstime":"2019-06-24T20:17:47.000Z", "temperature": 22.04, "relhumidity": 14.69, "vappress": -1.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7733600,47.995190] }, "properties": { "altitude": "227.5", "sensor": "21", "gpstime":"2019-06-24T20:18:11.000Z", "temperature": 22.07, "relhumidity": 14.70, "vappress": -1.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7746920,47.994833] }, "properties": { "altitude": "229.0", "sensor": "21", "gpstime":"2019-06-24T20:18:30.000Z", "temperature": 22.05, "relhumidity": 14.70, "vappress": -1.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7768500,47.994908] }, "properties": { "altitude": "235.6", "sensor": "21", "gpstime":"2019-06-24T20:19:01.000Z", "temperature": 22.00, "relhumidity": 14.38, "vappress": -1.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7782720,47.995078] }, "properties": { "altitude": "237.2", "sensor": "21", "gpstime":"2019-06-24T20:19:21.000Z", "temperature": 21.91, "relhumidity": 14.07, "vappress": -1.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7797000,47.995123] }, "properties": { "altitude": "238.2", "sensor": "21", "gpstime":"2019-06-24T20:19:41.000Z", "temperature": 21.80, "relhumidity": 14.70, "vappress": -1.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7810550,47.994985] }, "properties": { "altitude": "242.1", "sensor": "21", "gpstime":"2019-06-24T20:20:01.000Z", "temperature": 21.85, "relhumidity": 14.90, "vappress": -1.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7824650,47.994942] }, "properties": { "altitude": "243.8", "sensor": "21", "gpstime":"2019-06-24T20:20:21.000Z", "temperature": 21.86, "relhumidity": 14.92, "vappress": -1.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7840000,47.994977] }, "properties": { "altitude": "241.9", "sensor": "21", "gpstime":"2019-06-24T20:20:43.000Z", "temperature": 21.86, "relhumidity": 14.90, "vappress": -1.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7855450,47.994957] }, "properties": { "altitude": "240.5", "sensor": "21", "gpstime":"2019-06-24T20:21:05.000Z", "temperature": 22.07, "relhumidity": 14.78, "vappress": -0.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7873730,47.994932] }, "properties": { "altitude": "239.4", "sensor": "21", "gpstime":"2019-06-24T20:21:31.000Z", "temperature": 22.51, "relhumidity": 14.18, "vappress": -0.372, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7888380,47.994923] }, "properties": { "altitude": "243.2", "sensor": "21", "gpstime":"2019-06-24T20:21:56.000Z", "temperature": 23.19, "relhumidity": 12.77, "vappress": 0.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896920,47.997013] }, "properties": { "altitude": "251.5", "sensor": "21", "gpstime":"2019-06-24T20:22:56.000Z", "temperature": 24.48, "relhumidity": 8.40, "vappress": 1.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7907700,47.998358] }, "properties": { "altitude": "253.6", "sensor": "21", "gpstime":"2019-06-24T20:23:45.000Z", "temperature": 25.66, "relhumidity": 6.29, "vappress": 1.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7921500,47.997753] }, "properties": { "altitude": "252.5", "sensor": "21", "gpstime":"2019-06-24T20:24:09.000Z", "temperature": 25.97, "relhumidity": 5.57, "vappress": 1.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7935130,47.997903] }, "properties": { "altitude": "253.7", "sensor": "21", "gpstime":"2019-06-24T20:24:38.000Z", "temperature": 26.09, "relhumidity": 4.67, "vappress": 1.909, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7950970,47.997243] }, "properties": { "altitude": "254.7", "sensor": "21", "gpstime":"2019-06-24T20:25:11.000Z", "temperature": 26.20, "relhumidity": 4.14, "vappress": 1.773, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7966070,47.996618] }, "properties": { "altitude": "260.1", "sensor": "21", "gpstime":"2019-06-24T20:25:38.000Z", "temperature": 26.22, "relhumidity": 3.89, "vappress": 1.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7979080,47.996047] }, "properties": { "altitude": "262.1", "sensor": "21", "gpstime":"2019-06-24T20:26:08.000Z", "temperature": 26.17, "relhumidity": 4.57, "vappress": 1.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992700,47.995453] }, "properties": { "altitude": "250.6", "sensor": "21", "gpstime":"2019-06-24T20:26:54.000Z", "temperature": 26.11, "relhumidity": 3.43, "vappress": 1.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8006930,47.995348] }, "properties": { "altitude": "248.2", "sensor": "21", "gpstime":"2019-06-24T20:27:57.000Z", "temperature": 26.25, "relhumidity": 3.93, "vappress": 1.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8020680,47.996208] }, "properties": { "altitude": "252.6", "sensor": "21", "gpstime":"2019-06-24T20:28:42.000Z", "temperature": 25.92, "relhumidity": 4.58, "vappress": 1.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8035280,47.995808] }, "properties": { "altitude": "253.6", "sensor": "21", "gpstime":"2019-06-24T20:29:33.000Z", "temperature": 26.06, "relhumidity": 3.12, "vappress": 1.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8048920,47.995737] }, "properties": { "altitude": "252.9", "sensor": "21", "gpstime":"2019-06-24T20:30:13.000Z", "temperature": 26.09, "relhumidity": 3.22, "vappress": 1.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8061330,47.996833] }, "properties": { "altitude": "243.6", "sensor": "21", "gpstime":"2019-06-24T20:30:43.000Z", "temperature": 26.05, "relhumidity": 2.79, "vappress": 1.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073420,47.997828] }, "properties": { "altitude": "247.5", "sensor": "21", "gpstime":"2019-06-24T20:31:10.000Z", "temperature": 26.14, "relhumidity": 2.50, "vappress": 1.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086150,47.998618] }, "properties": { "altitude": "255.7", "sensor": "21", "gpstime":"2019-06-24T20:31:45.000Z", "temperature": 26.23, "relhumidity": 2.08, "vappress": 1.027, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8101250,47.999502] }, "properties": { "altitude": "255.7", "sensor": "21", "gpstime":"2019-06-24T20:32:21.000Z", "temperature": 26.09, "relhumidity": 2.11, "vappress": 0.916, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114380,48.000155] }, "properties": { "altitude": "255.6", "sensor": "21", "gpstime":"2019-06-24T20:32:46.000Z", "temperature": 26.08, "relhumidity": 2.11, "vappress": 0.916, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128700,48.000897] }, "properties": { "altitude": "258.7", "sensor": "21", "gpstime":"2019-06-24T20:33:50.000Z", "temperature": 26.11, "relhumidity": 2.01, "vappress": 0.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142620,48.001152] }, "properties": { "altitude": "259.7", "sensor": "21", "gpstime":"2019-06-24T20:34:14.000Z", "temperature": 26.21, "relhumidity": 1.08, "vappress": 0.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156650,48.001355] }, "properties": { "altitude": "259.7", "sensor": "21", "gpstime":"2019-06-24T20:34:39.000Z", "temperature": 26.19, "relhumidity": 1.09, "vappress": 0.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170000,48.001583] }, "properties": { "altitude": "259.0", "sensor": "21", "gpstime":"2019-06-24T20:35:00.000Z", "temperature": 25.92, "relhumidity": 2.74, "vappress": 0.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190280,48.001947] }, "properties": { "altitude": "265.5", "sensor": "21", "gpstime":"2019-06-24T20:35:33.000Z", "temperature": 25.84, "relhumidity": 4.35, "vappress": 1.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176270,48.001530] }, "properties": { "altitude": "248.5", "sensor": "21", "gpstime":"2019-06-24T20:37:26.000Z", "temperature": 25.79, "relhumidity": 5.69, "vappress": 1.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188720,48.000590] }, "properties": { "altitude": "250.5", "sensor": "21", "gpstime":"2019-06-24T20:38:57.000Z", "temperature": 25.68, "relhumidity": 5.07, "vappress": 1.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203550,47.999892] }, "properties": { "altitude": "251.5", "sensor": "21", "gpstime":"2019-06-24T20:39:29.000Z", "temperature": 25.70, "relhumidity": 4.41, "vappress": 1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218770,47.999360] }, "properties": { "altitude": "253.2", "sensor": "21", "gpstime":"2019-06-24T20:39:59.000Z", "temperature": 25.70, "relhumidity": 3.97, "vappress": 0.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235020,47.999685] }, "properties": { "altitude": "254.8", "sensor": "21", "gpstime":"2019-06-24T20:40:49.000Z", "temperature": 25.64, "relhumidity": 6.63, "vappress": 1.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248250,48.000152] }, "properties": { "altitude": "268.0", "sensor": "21", "gpstime":"2019-06-24T20:41:27.000Z", "temperature": 25.61, "relhumidity": 5.18, "vappress": 1.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262080,47.999650] }, "properties": { "altitude": "265.9", "sensor": "21", "gpstime":"2019-06-24T20:41:49.000Z", "temperature": 25.83, "relhumidity": 3.07, "vappress": 0.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279030,47.999045] }, "properties": { "altitude": "260.3", "sensor": "21", "gpstime":"2019-06-24T20:42:13.000Z", "temperature": 25.95, "relhumidity": 2.81, "vappress": 0.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292530,47.998718] }, "properties": { "altitude": "262.9", "sensor": "21", "gpstime":"2019-06-24T20:42:34.000Z", "temperature": 26.05, "relhumidity": 2.61, "vappress": 0.897, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306650,47.998257] }, "properties": { "altitude": "262.7", "sensor": "21", "gpstime":"2019-06-24T20:42:56.000Z", "temperature": 25.93, "relhumidity": 1.52, "vappress": 0.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321770,47.997782] }, "properties": { "altitude": "267.9", "sensor": "21", "gpstime":"2019-06-24T20:43:20.000Z", "temperature": 26.19, "relhumidity": 0.41, "vappress": 0.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336180,47.997315] }, "properties": { "altitude": "276.8", "sensor": "21", "gpstime":"2019-06-24T20:43:41.000Z", "temperature": 26.28, "relhumidity": -0.62, "vappress": 0.369, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349920,47.996978] }, "properties": { "altitude": "274.9", "sensor": "21", "gpstime":"2019-06-24T20:44:07.000Z", "temperature": 26.35, "relhumidity": -1.11, "vappress": 0.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363120,47.996473] }, "properties": { "altitude": "273.6", "sensor": "21", "gpstime":"2019-06-24T20:44:39.000Z", "temperature": 26.36, "relhumidity": -0.85, "vappress": 0.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378380,47.996038] }, "properties": { "altitude": "276.3", "sensor": "21", "gpstime":"2019-06-24T20:45:04.000Z", "temperature": 26.31, "relhumidity": -0.65, "vappress": 0.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393580,47.996268] }, "properties": { "altitude": "280.7", "sensor": "21", "gpstime":"2019-06-24T20:45:41.000Z", "temperature": 26.18, "relhumidity": 1.00, "vappress": 0.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410770,47.995632] }, "properties": { "altitude": "274.9", "sensor": "21", "gpstime":"2019-06-24T20:46:19.000Z", "temperature": 26.10, "relhumidity": 0.89, "vappress": 0.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424800,47.994807] }, "properties": { "altitude": "269.9", "sensor": "21", "gpstime":"2019-06-24T20:46:59.000Z", "temperature": 26.16, "relhumidity": 1.76, "vappress": 0.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439600,47.993932] }, "properties": { "altitude": "267.3", "sensor": "21", "gpstime":"2019-06-24T20:47:50.000Z", "temperature": 26.15, "relhumidity": 2.29, "vappress": 0.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452550,47.993457] }, "properties": { "altitude": "274.0", "sensor": "21", "gpstime":"2019-06-24T20:48:23.000Z", "temperature": 26.01, "relhumidity": 2.47, "vappress": 0.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453620,47.993213] }, "properties": { "altitude": "133.3", "sensor": "25", "gpstime":"2019-06-24T18:54:25.000Z", "temperature": 25.35, "relhumidity": 7.85, "vappress": 2.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452280,47.991198] }, "properties": { "altitude": "259.8", "sensor": "25", "gpstime":"2019-06-24T19:24:42.000Z", "temperature": 25.83, "relhumidity": -3.19, "vappress": 0.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464870,47.989850] }, "properties": { "altitude": "267.0", "sensor": "25", "gpstime":"2019-06-24T19:26:47.000Z", "temperature": 26.55, "relhumidity": -1.15, "vappress": 0.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478830,47.989855] }, "properties": { "altitude": "271.8", "sensor": "25", "gpstime":"2019-06-24T19:27:12.000Z", "temperature": 26.41, "relhumidity": -1.16, "vappress": 0.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498380,47.989892] }, "properties": { "altitude": "277.2", "sensor": "25", "gpstime":"2019-06-24T19:27:39.000Z", "temperature": 26.54, "relhumidity": -1.94, "vappress": 0.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496430,47.987838] }, "properties": { "altitude": "279.6", "sensor": "25", "gpstime":"2019-06-24T19:28:28.000Z", "temperature": 26.48, "relhumidity": -0.49, "vappress": 0.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494850,47.985817] }, "properties": { "altitude": "284.7", "sensor": "25", "gpstime":"2019-06-24T19:29:08.000Z", "temperature": 26.16, "relhumidity": -0.88, "vappress": 0.019, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509580,47.984982] }, "properties": { "altitude": "276.7", "sensor": "25", "gpstime":"2019-06-24T19:29:49.000Z", "temperature": 25.67, "relhumidity": 1.08, "vappress": -0.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527100,47.985035] }, "properties": { "altitude": "273.7", "sensor": "25", "gpstime":"2019-06-24T19:30:17.000Z", "temperature": 25.21, "relhumidity": 1.73, "vappress": -0.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539420,47.984175] }, "properties": { "altitude": "271.5", "sensor": "25", "gpstime":"2019-06-24T19:30:50.000Z", "temperature": 25.18, "relhumidity": 0.71, "vappress": -0.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555800,47.983397] }, "properties": { "altitude": "271.1", "sensor": "25", "gpstime":"2019-06-24T19:31:30.000Z", "temperature": 24.99, "relhumidity": 2.16, "vappress": -0.936, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572770,47.983967] }, "properties": { "altitude": "261.8", "sensor": "25", "gpstime":"2019-06-24T19:31:57.000Z", "temperature": 24.34, "relhumidity": 4.63, "vappress": -0.736, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8573200,47.986192] }, "properties": { "altitude": "278.7", "sensor": "25", "gpstime":"2019-06-24T19:32:44.000Z", "temperature": 24.34, "relhumidity": 3.98, "vappress": -0.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587300,47.986718] }, "properties": { "altitude": "269.3", "sensor": "25", "gpstime":"2019-06-24T19:33:12.000Z", "temperature": 25.09, "relhumidity": 1.26, "vappress": -0.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599870,47.985725] }, "properties": { "altitude": "276.0", "sensor": "25", "gpstime":"2019-06-24T19:34:01.000Z", "temperature": 25.25, "relhumidity": 0.96, "vappress": -0.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8616080,47.985448] }, "properties": { "altitude": "271.6", "sensor": "25", "gpstime":"2019-06-24T19:34:34.000Z", "temperature": 24.27, "relhumidity": 5.67, "vappress": -0.864, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8631300,47.985430] }, "properties": { "altitude": "279.2", "sensor": "25", "gpstime":"2019-06-24T19:35:03.000Z", "temperature": 23.68, "relhumidity": 7.78, "vappress": -0.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647050,47.985393] }, "properties": { "altitude": "276.1", "sensor": "25", "gpstime":"2019-06-24T19:35:34.000Z", "temperature": 23.28, "relhumidity": 10.56, "vappress": -0.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662170,47.986185] }, "properties": { "altitude": "280.6", "sensor": "25", "gpstime":"2019-06-24T19:37:30.000Z", "temperature": 23.61, "relhumidity": 8.16, "vappress": -0.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678630,47.986218] }, "properties": { "altitude": "278.1", "sensor": "25", "gpstime":"2019-06-24T19:37:54.000Z", "temperature": 24.25, "relhumidity": 5.71, "vappress": -0.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695380,47.985818] }, "properties": { "altitude": "283.5", "sensor": "25", "gpstime":"2019-06-24T19:38:27.000Z", "temperature": 24.61, "relhumidity": 4.30, "vappress": -0.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8710420,47.986027] }, "properties": { "altitude": "278.7", "sensor": "25", "gpstime":"2019-06-24T19:38:52.000Z", "temperature": 24.37, "relhumidity": 5.97, "vappress": -0.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729550,47.986030] }, "properties": { "altitude": "285.8", "sensor": "25", "gpstime":"2019-06-24T19:39:27.000Z", "temperature": 24.24, "relhumidity": 5.77, "vappress": -0.396, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749170,47.985232] }, "properties": { "altitude": "282.2", "sensor": "25", "gpstime":"2019-06-24T19:40:17.000Z", "temperature": 23.95, "relhumidity": 9.78, "vappress": -0.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8766470,47.984987] }, "properties": { "altitude": "284.2", "sensor": "25", "gpstime":"2019-06-24T19:40:45.000Z", "temperature": 23.39, "relhumidity": 11.90, "vappress": -0.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8784280,47.984740] }, "properties": { "altitude": "286.2", "sensor": "25", "gpstime":"2019-06-24T19:41:15.000Z", "temperature": 23.16, "relhumidity": 9.67, "vappress": -0.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797200,47.983318] }, "properties": { "altitude": "297.3", "sensor": "25", "gpstime":"2019-06-24T19:41:59.000Z", "temperature": 23.26, "relhumidity": 10.01, "vappress": -0.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8806350,47.981575] }, "properties": { "altitude": "304.2", "sensor": "25", "gpstime":"2019-06-24T19:42:54.000Z", "temperature": 23.20, "relhumidity": 10.91, "vappress": -0.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8828720,47.981010] }, "properties": { "altitude": "307.4", "sensor": "25", "gpstime":"2019-06-24T19:43:38.000Z", "temperature": 22.91, "relhumidity": 13.52, "vappress": -0.181, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8844270,47.980868] }, "properties": { "altitude": "300.6", "sensor": "25", "gpstime":"2019-06-24T19:43:54.000Z", "temperature": 22.81, "relhumidity": 12.23, "vappress": -0.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8860630,47.980357] }, "properties": { "altitude": "297.7", "sensor": "25", "gpstime":"2019-06-24T19:44:15.000Z", "temperature": 23.19, "relhumidity": 10.93, "vappress": -0.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8877270,47.980108] }, "properties": { "altitude": "304.9", "sensor": "25", "gpstime":"2019-06-24T19:44:37.000Z", "temperature": 23.47, "relhumidity": 9.92, "vappress": -0.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8892370,47.979948] }, "properties": { "altitude": "308.1", "sensor": "25", "gpstime":"2019-06-24T19:44:59.000Z", "temperature": 23.78, "relhumidity": 8.88, "vappress": -0.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8910070,47.979790] }, "properties": { "altitude": "309.2", "sensor": "25", "gpstime":"2019-06-24T19:45:26.000Z", "temperature": 23.90, "relhumidity": 8.07, "vappress": -0.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8925380,47.979643] }, "properties": { "altitude": "309.2", "sensor": "25", "gpstime":"2019-06-24T19:45:50.000Z", "temperature": 24.00, "relhumidity": 6.08, "vappress": -0.452, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8940300,47.979747] }, "properties": { "altitude": "319.4", "sensor": "25", "gpstime":"2019-06-24T19:46:18.000Z", "temperature": 24.28, "relhumidity": 6.22, "vappress": -0.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8955730,47.979490] }, "properties": { "altitude": "324.0", "sensor": "25", "gpstime":"2019-06-24T19:47:00.000Z", "temperature": 24.52, "relhumidity": 4.95, "vappress": -0.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8941570,47.980628] }, "properties": { "altitude": "325.7", "sensor": "25", "gpstime":"2019-06-24T19:49:05.000Z", "temperature": 24.75, "relhumidity": 4.28, "vappress": 0.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8927780,47.980607] }, "properties": { "altitude": "324.3", "sensor": "25", "gpstime":"2019-06-24T19:49:21.000Z", "temperature": 25.14, "relhumidity": 3.15, "vappress": 0.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8912380,47.981125] }, "properties": { "altitude": "321.6", "sensor": "25", "gpstime":"2019-06-24T19:49:40.000Z", "temperature": 25.19, "relhumidity": 3.26, "vappress": -0.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8896300,47.981412] }, "properties": { "altitude": "321.7", "sensor": "25", "gpstime":"2019-06-24T19:50:02.000Z", "temperature": 24.96, "relhumidity": 4.37, "vappress": 0.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8882720,47.981863] }, "properties": { "altitude": "323.5", "sensor": "25", "gpstime":"2019-06-24T19:50:58.000Z", "temperature": 25.01, "relhumidity": 5.25, "vappress": 0.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8869300,47.981840] }, "properties": { "altitude": "322.5", "sensor": "25", "gpstime":"2019-06-24T19:51:26.000Z", "temperature": 24.33, "relhumidity": 7.12, "vappress": -0.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8854870,47.982083] }, "properties": { "altitude": "317.7", "sensor": "25", "gpstime":"2019-06-24T19:51:55.000Z", "temperature": 23.84, "relhumidity": 8.25, "vappress": -0.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8843470,47.983572] }, "properties": { "altitude": "311.5", "sensor": "25", "gpstime":"2019-06-24T19:53:04.000Z", "temperature": 23.62, "relhumidity": 9.79, "vappress": -0.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8857730,47.984205] }, "properties": { "altitude": "298.8", "sensor": "25", "gpstime":"2019-06-24T19:55:32.000Z", "temperature": 24.02, "relhumidity": 8.24, "vappress": 0.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8872130,47.983965] }, "properties": { "altitude": "299.8", "sensor": "25", "gpstime":"2019-06-24T19:55:54.000Z", "temperature": 23.98, "relhumidity": 9.16, "vappress": 0.166, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8887980,47.983758] }, "properties": { "altitude": "303.0", "sensor": "25", "gpstime":"2019-06-24T19:56:20.000Z", "temperature": 23.91, "relhumidity": 9.62, "vappress": 0.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8902100,47.983180] }, "properties": { "altitude": "308.4", "sensor": "25", "gpstime":"2019-06-24T19:57:15.000Z", "temperature": 24.29, "relhumidity": 7.21, "vappress": 0.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8917820,47.982833] }, "properties": { "altitude": "308.6", "sensor": "25", "gpstime":"2019-06-24T19:57:40.000Z", "temperature": 24.91, "relhumidity": 5.40, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8932030,47.982513] }, "properties": { "altitude": "311.3", "sensor": "25", "gpstime":"2019-06-24T19:58:02.000Z", "temperature": 25.05, "relhumidity": 4.44, "vappress": 0.278, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8945730,47.982173] }, "properties": { "altitude": "310.3", "sensor": "25", "gpstime":"2019-06-24T19:58:26.000Z", "temperature": 25.16, "relhumidity": 3.60, "vappress": 0.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8962530,47.981852] }, "properties": { "altitude": "312.1", "sensor": "25", "gpstime":"2019-06-24T19:58:51.000Z", "temperature": 25.08, "relhumidity": 3.91, "vappress": -0.032, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8976970,47.981520] }, "properties": { "altitude": "313.3", "sensor": "25", "gpstime":"2019-06-24T19:59:14.000Z", "temperature": 24.83, "relhumidity": 4.74, "vappress": -0.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8991950,47.981178] }, "properties": { "altitude": "313.5", "sensor": "25", "gpstime":"2019-06-24T19:59:39.000Z", "temperature": 24.56, "relhumidity": 4.99, "vappress": -0.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9006500,47.980853] }, "properties": { "altitude": "312.8", "sensor": "25", "gpstime":"2019-06-24T20:00:04.000Z", "temperature": 24.51, "relhumidity": 4.35, "vappress": -0.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9021930,47.980482] }, "properties": { "altitude": "320.1", "sensor": "25", "gpstime":"2019-06-24T20:00:31.000Z", "temperature": 24.51, "relhumidity": 4.40, "vappress": -0.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9035980,47.980173] }, "properties": { "altitude": "321.5", "sensor": "25", "gpstime":"2019-06-24T20:00:54.000Z", "temperature": 24.58, "relhumidity": 3.96, "vappress": -0.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9049750,47.979912] }, "properties": { "altitude": "321.1", "sensor": "25", "gpstime":"2019-06-24T20:01:17.000Z", "temperature": 24.60, "relhumidity": 3.45, "vappress": -0.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9063080,47.979730] }, "properties": { "altitude": "321.9", "sensor": "25", "gpstime":"2019-06-24T20:01:41.000Z", "temperature": 24.42, "relhumidity": 4.21, "vappress": -0.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9051070,47.980787] }, "properties": { "altitude": "320.8", "sensor": "25", "gpstime":"2019-06-24T20:03:25.000Z", "temperature": 24.68, "relhumidity": 3.03, "vappress": -0.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9036750,47.981080] }, "properties": { "altitude": "323.5", "sensor": "25", "gpstime":"2019-06-24T20:03:47.000Z", "temperature": 24.61, "relhumidity": 3.90, "vappress": -0.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9019620,47.981393] }, "properties": { "altitude": "322.9", "sensor": "25", "gpstime":"2019-06-24T20:04:06.000Z", "temperature": 24.74, "relhumidity": 3.20, "vappress": -0.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9001700,47.981727] }, "properties": { "altitude": "319.7", "sensor": "25", "gpstime":"2019-06-24T20:04:25.000Z", "temperature": 24.93, "relhumidity": 3.02, "vappress": -0.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8982130,47.982822] }, "properties": { "altitude": "315.1", "sensor": "25", "gpstime":"2019-06-24T20:04:52.000Z", "temperature": 24.94, "relhumidity": 2.61, "vappress": -0.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8969220,47.983878] }, "properties": { "altitude": "311.3", "sensor": "25", "gpstime":"2019-06-24T20:05:13.000Z", "temperature": 25.12, "relhumidity": 3.18, "vappress": -0.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8953420,47.984383] }, "properties": { "altitude": "311.4", "sensor": "25", "gpstime":"2019-06-24T20:05:35.000Z", "temperature": 25.13, "relhumidity": 2.89, "vappress": -0.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8957080,47.986342] }, "properties": { "altitude": "319.9", "sensor": "25", "gpstime":"2019-06-24T20:06:21.000Z", "temperature": 25.29, "relhumidity": 3.38, "vappress": 0.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8942920,47.987630] }, "properties": { "altitude": "320.0", "sensor": "25", "gpstime":"2019-06-24T20:07:02.000Z", "temperature": 25.07, "relhumidity": 4.32, "vappress": 0.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8927600,47.988127] }, "properties": { "altitude": "312.2", "sensor": "25", "gpstime":"2019-06-24T20:07:21.000Z", "temperature": 24.86, "relhumidity": 4.81, "vappress": 0.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8910530,47.988445] }, "properties": { "altitude": "308.3", "sensor": "25", "gpstime":"2019-06-24T20:07:39.000Z", "temperature": 24.97, "relhumidity": 4.42, "vappress": 0.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8895280,47.988662] }, "properties": { "altitude": "305.6", "sensor": "25", "gpstime":"2019-06-24T20:07:59.000Z", "temperature": 24.76, "relhumidity": 6.44, "vappress": 0.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8881830,47.988553] }, "properties": { "altitude": "298.9", "sensor": "25", "gpstime":"2019-06-24T20:08:17.000Z", "temperature": 24.51, "relhumidity": 8.48, "vappress": 0.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8866730,47.988465] }, "properties": { "altitude": "290.3", "sensor": "25", "gpstime":"2019-06-24T20:08:40.000Z", "temperature": 24.30, "relhumidity": 8.41, "vappress": 0.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8858670,47.986638] }, "properties": { "altitude": "299.6", "sensor": "25", "gpstime":"2019-06-24T20:09:24.000Z", "temperature": 24.66, "relhumidity": 4.16, "vappress": 0.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8845300,47.985187] }, "properties": { "altitude": "297.8", "sensor": "25", "gpstime":"2019-06-24T20:10:19.000Z", "temperature": 25.31, "relhumidity": 1.59, "vappress": -0.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8830550,47.984593] }, "properties": { "altitude": "297.9", "sensor": "25", "gpstime":"2019-06-24T20:12:11.000Z", "temperature": 25.33, "relhumidity": 2.95, "vappress": 0.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8813650,47.984820] }, "properties": { "altitude": "291.0", "sensor": "25", "gpstime":"2019-06-24T20:12:34.000Z", "temperature": 24.87, "relhumidity": 4.63, "vappress": -0.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8796780,47.985295] }, "properties": { "altitude": "288.6", "sensor": "25", "gpstime":"2019-06-24T20:12:58.000Z", "temperature": 24.49, "relhumidity": 4.94, "vappress": -0.773, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8783180,47.985383] }, "properties": { "altitude": "280.9", "sensor": "25", "gpstime":"2019-06-24T20:13:17.000Z", "temperature": 24.06, "relhumidity": 5.94, "vappress": -0.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8768930,47.985505] }, "properties": { "altitude": "277.2", "sensor": "25", "gpstime":"2019-06-24T20:13:35.000Z", "temperature": 23.59, "relhumidity": 7.34, "vappress": -1.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8753400,47.985747] }, "properties": { "altitude": "280.1", "sensor": "25", "gpstime":"2019-06-24T20:14:00.000Z", "temperature": 23.51, "relhumidity": 8.80, "vappress": -0.673, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8738680,47.985852] }, "properties": { "altitude": "275.2", "sensor": "25", "gpstime":"2019-06-24T20:14:19.000Z", "temperature": 23.76, "relhumidity": 8.17, "vappress": -0.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721030,47.986120] }, "properties": { "altitude": "283.5", "sensor": "25", "gpstime":"2019-06-24T20:15:05.000Z", "temperature": 23.93, "relhumidity": 7.30, "vappress": -0.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705000,47.986512] }, "properties": { "altitude": "279.9", "sensor": "25", "gpstime":"2019-06-24T20:15:24.000Z", "temperature": 24.38, "relhumidity": 6.21, "vappress": 0.019, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690430,47.986890] }, "properties": { "altitude": "275.0", "sensor": "25", "gpstime":"2019-06-24T20:15:41.000Z", "temperature": 24.79, "relhumidity": 4.72, "vappress": 0.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8672480,47.987345] }, "properties": { "altitude": "270.0", "sensor": "25", "gpstime":"2019-06-24T20:16:02.000Z", "temperature": 25.24, "relhumidity": 3.29, "vappress": 0.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659880,47.988438] }, "properties": { "altitude": "278.2", "sensor": "25", "gpstime":"2019-06-24T20:17:04.000Z", "temperature": 25.70, "relhumidity": 0.96, "vappress": 0.273, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645720,47.988552] }, "properties": { "altitude": "285.2", "sensor": "25", "gpstime":"2019-06-24T20:17:49.000Z", "temperature": 26.01, "relhumidity": -0.02, "vappress": 0.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8631970,47.989633] }, "properties": { "altitude": "279.0", "sensor": "25", "gpstime":"2019-06-24T20:18:28.000Z", "temperature": 26.19, "relhumidity": 0.34, "vappress": 0.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8615050,47.988913] }, "properties": { "altitude": "288.3", "sensor": "25", "gpstime":"2019-06-24T20:19:45.000Z", "temperature": 26.08, "relhumidity": -0.09, "vappress": 0.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600500,47.989160] }, "properties": { "altitude": "287.5", "sensor": "25", "gpstime":"2019-06-24T20:20:05.000Z", "temperature": 26.34, "relhumidity": -0.85, "vappress": 0.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8586600,47.989530] }, "properties": { "altitude": "287.3", "sensor": "25", "gpstime":"2019-06-24T20:20:22.000Z", "temperature": 26.56, "relhumidity": -1.24, "vappress": 0.564, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8573970,47.990445] }, "properties": { "altitude": "286.4", "sensor": "25", "gpstime":"2019-06-24T20:20:49.000Z", "temperature": 26.49, "relhumidity": -0.85, "vappress": 0.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559380,47.991128] }, "properties": { "altitude": "285.2", "sensor": "25", "gpstime":"2019-06-24T20:22:25.000Z", "temperature": 25.85, "relhumidity": 2.97, "vappress": 0.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545470,47.991323] }, "properties": { "altitude": "282.5", "sensor": "25", "gpstime":"2019-06-24T20:23:30.000Z", "temperature": 25.79, "relhumidity": 1.80, "vappress": 0.596, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527650,47.992092] }, "properties": { "altitude": "279.3", "sensor": "25", "gpstime":"2019-06-24T20:24:18.000Z", "temperature": 26.26, "relhumidity": -0.63, "vappress": 0.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513570,47.992077] }, "properties": { "altitude": "273.0", "sensor": "25", "gpstime":"2019-06-24T20:24:35.000Z", "temperature": 26.51, "relhumidity": -0.93, "vappress": 0.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498730,47.992148] }, "properties": { "altitude": "264.8", "sensor": "25", "gpstime":"2019-06-24T20:24:54.000Z", "temperature": 26.54, "relhumidity": -1.49, "vappress": 0.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481750,47.992662] }, "properties": { "altitude": "265.7", "sensor": "25", "gpstime":"2019-06-24T20:25:17.000Z", "temperature": 26.57, "relhumidity": -1.51, "vappress": 0.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466400,47.993042] }, "properties": { "altitude": "266.9", "sensor": "25", "gpstime":"2019-06-24T20:25:37.000Z", "temperature": 26.60, "relhumidity": -1.76, "vappress": 0.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459680,47.993387] }, "properties": { "altitude": "269.6", "sensor": "25", "gpstime":"2019-06-24T20:25:47.000Z", "temperature": 26.67, "relhumidity": -1.87, "vappress": 0.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453250,47.993727] }, "properties": { "altitude": "277.9", "sensor": "26", "gpstime":"2019-06-24T19:24:16.000Z", "temperature": 26.63, "relhumidity": -1.84, "vappress": 0.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438970,47.994888] }, "properties": { "altitude": "280.0", "sensor": "26", "gpstime":"2019-06-24T19:24:52.000Z", "temperature": 26.63, "relhumidity": -2.11, "vappress": 0.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421330,47.995130] }, "properties": { "altitude": "275.4", "sensor": "26", "gpstime":"2019-06-24T19:25:08.000Z", "temperature": 26.80, "relhumidity": -1.88, "vappress": 0.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427150,47.997152] }, "properties": { "altitude": "256.5", "sensor": "26", "gpstime":"2019-06-24T19:26:08.000Z", "temperature": 26.81, "relhumidity": -2.46, "vappress": 0.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436020,47.998745] }, "properties": { "altitude": "252.2", "sensor": "26", "gpstime":"2019-06-24T19:26:39.000Z", "temperature": 27.00, "relhumidity": -3.19, "vappress": 0.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420400,47.999733] }, "properties": { "altitude": "263.0", "sensor": "26", "gpstime":"2019-06-24T19:28:10.000Z", "temperature": 26.94, "relhumidity": -3.67, "vappress": -0.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403680,48.000248] }, "properties": { "altitude": "260.1", "sensor": "26", "gpstime":"2019-06-24T19:28:27.000Z", "temperature": 26.84, "relhumidity": -2.75, "vappress": 0.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386680,48.000883] }, "properties": { "altitude": "258.2", "sensor": "26", "gpstime":"2019-06-24T19:28:43.000Z", "temperature": 27.14, "relhumidity": -3.12, "vappress": 0.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362480,48.001905] }, "properties": { "altitude": "261.0", "sensor": "26", "gpstime":"2019-06-24T19:29:05.000Z", "temperature": 27.19, "relhumidity": -4.72, "vappress": 0.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8369100,48.003700] }, "properties": { "altitude": "269.8", "sensor": "26", "gpstime":"2019-06-24T19:29:48.000Z", "temperature": 27.32, "relhumidity": -6.04, "vappress": -0.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354880,48.004928] }, "properties": { "altitude": "263.2", "sensor": "26", "gpstime":"2019-06-24T19:30:18.000Z", "temperature": 27.23, "relhumidity": -5.67, "vappress": 0.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8339100,48.005902] }, "properties": { "altitude": "262.7", "sensor": "26", "gpstime":"2019-06-24T19:30:37.000Z", "temperature": 27.32, "relhumidity": -7.21, "vappress": -0.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322330,48.006680] }, "properties": { "altitude": "260.1", "sensor": "26", "gpstime":"2019-06-24T19:30:56.000Z", "temperature": 27.42, "relhumidity": -8.37, "vappress": -0.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305100,48.007257] }, "properties": { "altitude": "258.0", "sensor": "26", "gpstime":"2019-06-24T19:31:13.000Z", "temperature": 27.27, "relhumidity": -7.77, "vappress": -0.676, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290550,48.007797] }, "properties": { "altitude": "259.2", "sensor": "26", "gpstime":"2019-06-24T19:31:29.000Z", "temperature": 27.36, "relhumidity": -9.68, "vappress": -1.246, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305850,48.008953] }, "properties": { "altitude": "259.9", "sensor": "26", "gpstime":"2019-06-24T19:31:53.000Z", "temperature": 27.41, "relhumidity": -10.12, "vappress": -1.546, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320300,48.009780] }, "properties": { "altitude": "259.5", "sensor": "26", "gpstime":"2019-06-24T19:32:18.000Z", "temperature": 27.29, "relhumidity": -6.89, "vappress": -0.302, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334930,48.010815] }, "properties": { "altitude": "254.6", "sensor": "26", "gpstime":"2019-06-24T19:32:40.000Z", "temperature": 27.47, "relhumidity": -6.74, "vappress": 0.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357250,48.012020] }, "properties": { "altitude": "249.4", "sensor": "26", "gpstime":"2019-06-24T19:33:10.000Z", "temperature": 27.15, "relhumidity": -4.84, "vappress": -0.201, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370250,48.013058] }, "properties": { "altitude": "249.5", "sensor": "26", "gpstime":"2019-06-24T19:33:35.000Z", "temperature": 26.59, "relhumidity": -3.79, "vappress": -0.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371030,48.015283] }, "properties": { "altitude": "242.5", "sensor": "26", "gpstime":"2019-06-24T19:34:10.000Z", "temperature": 25.95, "relhumidity": -3.21, "vappress": -0.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371230,48.017528] }, "properties": { "altitude": "240.0", "sensor": "26", "gpstime":"2019-06-24T19:34:48.000Z", "temperature": 26.10, "relhumidity": -2.29, "vappress": -0.534, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386400,48.018305] }, "properties": { "altitude": "243.6", "sensor": "26", "gpstime":"2019-06-24T19:35:12.000Z", "temperature": 26.25, "relhumidity": -2.58, "vappress": -0.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400300,48.018463] }, "properties": { "altitude": "246.9", "sensor": "26", "gpstime":"2019-06-24T19:35:28.000Z", "temperature": 26.69, "relhumidity": -3.90, "vappress": -0.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414450,48.018773] }, "properties": { "altitude": "248.8", "sensor": "26", "gpstime":"2019-06-24T19:35:45.000Z", "temperature": 26.77, "relhumidity": -4.44, "vappress": -0.100, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427770,48.019287] }, "properties": { "altitude": "249.5", "sensor": "26", "gpstime":"2019-06-24T19:36:00.000Z", "temperature": 27.25, "relhumidity": -5.91, "vappress": 0.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449200,48.020010] }, "properties": { "altitude": "249.8", "sensor": "26", "gpstime":"2019-06-24T19:36:22.000Z", "temperature": 27.52, "relhumidity": -6.66, "vappress": 0.104, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465630,48.020593] }, "properties": { "altitude": "246.8", "sensor": "26", "gpstime":"2019-06-24T19:36:41.000Z", "temperature": 27.73, "relhumidity": -7.02, "vappress": 0.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481470,48.021122] }, "properties": { "altitude": "245.8", "sensor": "26", "gpstime":"2019-06-24T19:36:57.000Z", "temperature": 27.83, "relhumidity": -7.02, "vappress": 0.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501270,48.021865] }, "properties": { "altitude": "247.4", "sensor": "26", "gpstime":"2019-06-24T19:37:18.000Z", "temperature": 27.74, "relhumidity": -6.75, "vappress": 0.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493630,48.023677] }, "properties": { "altitude": "243.4", "sensor": "26", "gpstime":"2019-06-24T19:38:01.000Z", "temperature": 27.54, "relhumidity": -5.44, "vappress": 0.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482750,48.025032] }, "properties": { "altitude": "240.0", "sensor": "26", "gpstime":"2019-06-24T19:38:24.000Z", "temperature": 27.41, "relhumidity": -4.90, "vappress": 0.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472030,48.026408] }, "properties": { "altitude": "238.0", "sensor": "26", "gpstime":"2019-06-24T19:38:50.000Z", "temperature": 27.20, "relhumidity": -4.43, "vappress": 0.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459520,48.027867] }, "properties": { "altitude": "239.2", "sensor": "26", "gpstime":"2019-06-24T19:39:15.000Z", "temperature": 27.24, "relhumidity": -5.09, "vappress": 0.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443950,48.029248] }, "properties": { "altitude": "239.9", "sensor": "26", "gpstime":"2019-06-24T19:39:41.000Z", "temperature": 26.99, "relhumidity": -4.78, "vappress": -0.256, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430800,48.030447] }, "properties": { "altitude": "234.5", "sensor": "26", "gpstime":"2019-06-24T19:40:04.000Z", "temperature": 26.65, "relhumidity": -0.74, "vappress": 0.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416400,48.031825] }, "properties": { "altitude": "233.4", "sensor": "26", "gpstime":"2019-06-24T19:40:38.000Z", "temperature": 25.79, "relhumidity": 3.96, "vappress": 0.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397530,48.031357] }, "properties": { "altitude": "227.1", "sensor": "26", "gpstime":"2019-06-24T19:41:00.000Z", "temperature": 25.14, "relhumidity": 4.09, "vappress": 0.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381800,48.030990] }, "properties": { "altitude": "228.2", "sensor": "26", "gpstime":"2019-06-24T19:41:19.000Z", "temperature": 24.96, "relhumidity": 4.95, "vappress": 0.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361980,48.030507] }, "properties": { "altitude": "231.8", "sensor": "26", "gpstime":"2019-06-24T19:41:41.000Z", "temperature": 24.79, "relhumidity": 8.15, "vappress": 1.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346770,48.030057] }, "properties": { "altitude": "233.7", "sensor": "26", "gpstime":"2019-06-24T19:42:00.000Z", "temperature": 24.31, "relhumidity": 10.27, "vappress": 0.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330420,48.030827] }, "properties": { "altitude": "231.7", "sensor": "26", "gpstime":"2019-06-24T19:43:20.000Z", "temperature": 24.41, "relhumidity": 9.17, "vappress": 0.389, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321000,48.032643] }, "properties": { "altitude": "218.7", "sensor": "26", "gpstime":"2019-06-24T19:43:50.000Z", "temperature": 23.73, "relhumidity": 12.39, "vappress": 0.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309230,48.033918] }, "properties": { "altitude": "212.5", "sensor": "26", "gpstime":"2019-06-24T19:44:14.000Z", "temperature": 23.35, "relhumidity": 13.13, "vappress": 0.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8294520,48.034828] }, "properties": { "altitude": "202.1", "sensor": "26", "gpstime":"2019-06-24T19:44:33.000Z", "temperature": 23.12, "relhumidity": 13.72, "vappress": 0.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281900,48.035508] }, "properties": { "altitude": "188.9", "sensor": "26", "gpstime":"2019-06-24T19:44:47.000Z", "temperature": 23.09, "relhumidity": 14.79, "vappress": 0.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268150,48.036235] }, "properties": { "altitude": "173.9", "sensor": "26", "gpstime":"2019-06-24T19:45:03.000Z", "temperature": 23.16, "relhumidity": 14.48, "vappress": 0.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254370,48.037152] }, "properties": { "altitude": "176.2", "sensor": "26", "gpstime":"2019-06-24T19:45:19.000Z", "temperature": 23.23, "relhumidity": 14.37, "vappress": 0.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233970,48.038227] }, "properties": { "altitude": "187.5", "sensor": "26", "gpstime":"2019-06-24T19:45:43.000Z", "temperature": 23.27, "relhumidity": 13.30, "vappress": 0.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210800,48.038470] }, "properties": { "altitude": "203.1", "sensor": "26", "gpstime":"2019-06-24T19:46:07.000Z", "temperature": 23.19, "relhumidity": 13.73, "vappress": 0.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196220,48.038238] }, "properties": { "altitude": "214.1", "sensor": "26", "gpstime":"2019-06-24T19:46:23.000Z", "temperature": 23.15, "relhumidity": 13.98, "vappress": 0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177770,48.037683] }, "properties": { "altitude": "221.4", "sensor": "26", "gpstime":"2019-06-24T19:46:45.000Z", "temperature": 23.29, "relhumidity": 13.59, "vappress": 0.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161630,48.037625] }, "properties": { "altitude": "222.6", "sensor": "26", "gpstime":"2019-06-24T19:47:09.000Z", "temperature": 24.04, "relhumidity": 11.86, "vappress": 1.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151030,48.039175] }, "properties": { "altitude": "222.8", "sensor": "26", "gpstime":"2019-06-24T19:47:34.000Z", "temperature": 24.61, "relhumidity": 10.28, "vappress": 1.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141600,48.040678] }, "properties": { "altitude": "220.8", "sensor": "26", "gpstime":"2019-06-24T19:47:57.000Z", "temperature": 25.01, "relhumidity": 7.63, "vappress": 1.307, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126120,48.040730] }, "properties": { "altitude": "221.6", "sensor": "26", "gpstime":"2019-06-24T19:48:17.000Z", "temperature": 25.35, "relhumidity": 6.26, "vappress": 1.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104280,48.040062] }, "properties": { "altitude": "226.7", "sensor": "26", "gpstime":"2019-06-24T19:48:41.000Z", "temperature": 25.90, "relhumidity": 3.76, "vappress": 1.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089420,48.039623] }, "properties": { "altitude": "225.5", "sensor": "26", "gpstime":"2019-06-24T19:48:57.000Z", "temperature": 25.74, "relhumidity": 4.64, "vappress": 1.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093420,48.037682] }, "properties": { "altitude": "218.6", "sensor": "26", "gpstime":"2019-06-24T19:49:35.000Z", "temperature": 25.80, "relhumidity": 1.89, "vappress": 0.749, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119900,48.037253] }, "properties": { "altitude": "233.6", "sensor": "26", "gpstime":"2019-06-24T19:50:30.000Z", "temperature": 25.94, "relhumidity": 1.53, "vappress": 0.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136820,48.037693] }, "properties": { "altitude": "232.3", "sensor": "26", "gpstime":"2019-06-24T19:50:50.000Z", "temperature": 25.75, "relhumidity": 3.25, "vappress": 0.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152830,48.038185] }, "properties": { "altitude": "230.0", "sensor": "26", "gpstime":"2019-06-24T19:51:09.000Z", "temperature": 25.76, "relhumidity": 3.71, "vappress": 1.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136950,48.036623] }, "properties": { "altitude": "225.9", "sensor": "26", "gpstime":"2019-06-24T19:51:58.000Z", "temperature": 25.57, "relhumidity": 4.27, "vappress": 0.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8120770,48.036175] }, "properties": { "altitude": "225.8", "sensor": "26", "gpstime":"2019-06-24T19:52:16.000Z", "temperature": 25.23, "relhumidity": 3.75, "vappress": 0.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8107050,48.035747] }, "properties": { "altitude": "226.9", "sensor": "26", "gpstime":"2019-06-24T19:52:33.000Z", "temperature": 25.23, "relhumidity": 2.83, "vappress": 0.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8124720,48.034498] }, "properties": { "altitude": "229.5", "sensor": "26", "gpstime":"2019-06-24T19:53:10.000Z", "temperature": 25.32, "relhumidity": 2.89, "vappress": 0.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139530,48.034880] }, "properties": { "altitude": "232.3", "sensor": "26", "gpstime":"2019-06-24T19:53:27.000Z", "temperature": 25.19, "relhumidity": 2.25, "vappress": -0.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157050,48.035430] }, "properties": { "altitude": "229.5", "sensor": "26", "gpstime":"2019-06-24T19:53:48.000Z", "temperature": 25.19, "relhumidity": 5.87, "vappress": 0.790, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171020,48.035970] }, "properties": { "altitude": "229.5", "sensor": "26", "gpstime":"2019-06-24T19:54:12.000Z", "temperature": 24.97, "relhumidity": 7.70, "vappress": 1.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158630,48.037065] }, "properties": { "altitude": "222.1", "sensor": "26", "gpstime":"2019-06-24T19:54:47.000Z", "temperature": 24.94, "relhumidity": 5.91, "vappress": 0.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141450,48.036638] }, "properties": { "altitude": "228.4", "sensor": "26", "gpstime":"2019-06-24T19:55:10.000Z", "temperature": 25.07, "relhumidity": 5.73, "vappress": 0.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8124180,48.036148] }, "properties": { "altitude": "231.7", "sensor": "26", "gpstime":"2019-06-24T19:55:33.000Z", "temperature": 24.94, "relhumidity": 5.65, "vappress": 0.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8106780,48.035607] }, "properties": { "altitude": "231.5", "sensor": "26", "gpstime":"2019-06-24T19:56:00.000Z", "temperature": 24.86, "relhumidity": 4.85, "vappress": 0.246, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8092870,48.035253] }, "properties": { "altitude": "230.7", "sensor": "26", "gpstime":"2019-06-24T19:56:27.000Z", "temperature": 25.02, "relhumidity": 4.69, "vappress": 0.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078320,48.034840] }, "properties": { "altitude": "228.9", "sensor": "26", "gpstime":"2019-06-24T19:56:54.000Z", "temperature": 24.60, "relhumidity": 9.55, "vappress": 0.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063380,48.034388] }, "properties": { "altitude": "232.7", "sensor": "26", "gpstime":"2019-06-24T19:57:18.000Z", "temperature": 24.07, "relhumidity": 8.57, "vappress": 0.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046630,48.033872] }, "properties": { "altitude": "234.9", "sensor": "26", "gpstime":"2019-06-24T19:57:40.000Z", "temperature": 23.84, "relhumidity": 7.54, "vappress": -0.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032500,48.033782] }, "properties": { "altitude": "229.7", "sensor": "26", "gpstime":"2019-06-24T19:58:09.000Z", "temperature": 23.94, "relhumidity": 7.75, "vappress": -0.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046030,48.032280] }, "properties": { "altitude": "221.3", "sensor": "26", "gpstime":"2019-06-24T19:59:13.000Z", "temperature": 24.22, "relhumidity": 6.39, "vappress": 0.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062620,48.031137] }, "properties": { "altitude": "219.7", "sensor": "26", "gpstime":"2019-06-24T19:59:39.000Z", "temperature": 24.44, "relhumidity": 7.13, "vappress": 0.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8077980,48.029957] }, "properties": { "altitude": "218.3", "sensor": "26", "gpstime":"2019-06-24T20:00:04.000Z", "temperature": 24.43, "relhumidity": 7.13, "vappress": 0.282, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8092350,48.028500] }, "properties": { "altitude": "224.7", "sensor": "26", "gpstime":"2019-06-24T20:00:33.000Z", "temperature": 24.74, "relhumidity": 5.25, "vappress": 0.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8109270,48.028168] }, "properties": { "altitude": "230.1", "sensor": "26", "gpstime":"2019-06-24T20:01:04.000Z", "temperature": 24.87, "relhumidity": 4.82, "vappress": 0.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129670,48.026315] }, "properties": { "altitude": "230.3", "sensor": "26", "gpstime":"2019-06-24T20:01:43.000Z", "temperature": 24.66, "relhumidity": 5.80, "vappress": 0.209, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142580,48.025490] }, "properties": { "altitude": "237.4", "sensor": "26", "gpstime":"2019-06-24T20:02:02.000Z", "temperature": 24.88, "relhumidity": 3.96, "vappress": -0.014, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8133920,48.023640] }, "properties": { "altitude": "251.8", "sensor": "26", "gpstime":"2019-06-24T20:02:43.000Z", "temperature": 24.95, "relhumidity": 3.78, "vappress": 0.076, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8145070,48.022010] }, "properties": { "altitude": "244.6", "sensor": "26", "gpstime":"2019-06-24T20:03:24.000Z", "temperature": 24.63, "relhumidity": 9.21, "vappress": 0.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156180,48.020262] }, "properties": { "altitude": "237.4", "sensor": "26", "gpstime":"2019-06-24T20:04:07.000Z", "temperature": 23.89, "relhumidity": 8.26, "vappress": -0.141, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8169720,48.019007] }, "properties": { "altitude": "240.0", "sensor": "26", "gpstime":"2019-06-24T20:04:37.000Z", "temperature": 24.38, "relhumidity": 6.94, "vappress": 0.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184680,48.018053] }, "properties": { "altitude": "240.1", "sensor": "26", "gpstime":"2019-06-24T20:05:02.000Z", "temperature": 25.00, "relhumidity": 4.71, "vappress": 0.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199050,48.017273] }, "properties": { "altitude": "247.1", "sensor": "26", "gpstime":"2019-06-24T20:05:23.000Z", "temperature": 25.76, "relhumidity": 2.63, "vappress": 1.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214850,48.016367] }, "properties": { "altitude": "250.7", "sensor": "26", "gpstime":"2019-06-24T20:05:47.000Z", "temperature": 26.45, "relhumidity": 0.14, "vappress": 1.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229780,48.015510] }, "properties": { "altitude": "258.0", "sensor": "26", "gpstime":"2019-06-24T20:06:12.000Z", "temperature": 26.72, "relhumidity": -1.43, "vappress": 0.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243970,48.014668] }, "properties": { "altitude": "257.6", "sensor": "26", "gpstime":"2019-06-24T20:06:35.000Z", "temperature": 26.91, "relhumidity": -2.78, "vappress": 0.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257450,48.013798] }, "properties": { "altitude": "260.0", "sensor": "26", "gpstime":"2019-06-24T20:06:58.000Z", "temperature": 26.99, "relhumidity": -2.71, "vappress": 0.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8275500,48.012448] }, "properties": { "altitude": "265.6", "sensor": "26", "gpstime":"2019-06-24T20:07:28.000Z", "temperature": 26.96, "relhumidity": -2.12, "vappress": 1.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289920,48.011718] }, "properties": { "altitude": "267.9", "sensor": "26", "gpstime":"2019-06-24T20:07:49.000Z", "temperature": 26.89, "relhumidity": -2.01, "vappress": 0.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304270,48.010940] }, "properties": { "altitude": "270.0", "sensor": "26", "gpstime":"2019-06-24T20:08:08.000Z", "temperature": 27.00, "relhumidity": -2.46, "vappress": 1.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316500,48.009848] }, "properties": { "altitude": "276.5", "sensor": "26", "gpstime":"2019-06-24T20:08:53.000Z", "temperature": 27.44, "relhumidity": -4.29, "vappress": 0.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329330,48.009107] }, "properties": { "altitude": "278.4", "sensor": "26", "gpstime":"2019-06-24T20:09:23.000Z", "temperature": 27.45, "relhumidity": -4.03, "vappress": 0.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343480,48.008418] }, "properties": { "altitude": "282.5", "sensor": "26", "gpstime":"2019-06-24T20:09:45.000Z", "temperature": 27.28, "relhumidity": -3.83, "vappress": 0.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356900,48.007825] }, "properties": { "altitude": "271.3", "sensor": "26", "gpstime":"2019-06-24T20:10:12.000Z", "temperature": 27.07, "relhumidity": -3.32, "vappress": 0.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354300,48.005637] }, "properties": { "altitude": "274.1", "sensor": "26", "gpstime":"2019-06-24T20:11:10.000Z", "temperature": 27.02, "relhumidity": -3.47, "vappress": 0.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366820,48.003975] }, "properties": { "altitude": "265.0", "sensor": "26", "gpstime":"2019-06-24T20:12:02.000Z", "temperature": 27.07, "relhumidity": -3.28, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382370,48.003153] }, "properties": { "altitude": "271.8", "sensor": "26", "gpstime":"2019-06-24T20:12:30.000Z", "temperature": 27.05, "relhumidity": -2.92, "vappress": 0.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8395280,48.002497] }, "properties": { "altitude": "283.1", "sensor": "26", "gpstime":"2019-06-24T20:13:18.000Z", "temperature": 27.18, "relhumidity": -3.58, "vappress": 0.977, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413730,48.001768] }, "properties": { "altitude": "288.6", "sensor": "26", "gpstime":"2019-06-24T20:13:43.000Z", "temperature": 27.32, "relhumidity": -3.55, "vappress": 0.837, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433500,48.001012] }, "properties": { "altitude": "287.9", "sensor": "26", "gpstime":"2019-06-24T20:14:07.000Z", "temperature": 27.05, "relhumidity": -2.55, "vappress": 0.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449230,48.000717] }, "properties": { "altitude": "287.7", "sensor": "26", "gpstime":"2019-06-24T20:15:56.000Z", "temperature": 27.23, "relhumidity": -4.56, "vappress": 0.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461920,48.001503] }, "properties": { "altitude": "297.2", "sensor": "26", "gpstime":"2019-06-24T20:16:20.000Z", "temperature": 27.52, "relhumidity": -3.98, "vappress": 0.979, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475850,48.001150] }, "properties": { "altitude": "299.0", "sensor": "26", "gpstime":"2019-06-24T20:16:38.000Z", "temperature": 27.33, "relhumidity": -4.07, "vappress": 0.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468430,47.999343] }, "properties": { "altitude": "302.1", "sensor": "26", "gpstime":"2019-06-24T20:17:17.000Z", "temperature": 27.48, "relhumidity": -4.71, "vappress": 0.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456030,47.998340] }, "properties": { "altitude": "298.3", "sensor": "26", "gpstime":"2019-06-24T20:18:03.000Z", "temperature": 27.70, "relhumidity": -5.12, "vappress": 0.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439570,47.997410] }, "properties": { "altitude": "297.8", "sensor": "26", "gpstime":"2019-06-24T20:19:29.000Z", "temperature": 27.39, "relhumidity": -4.87, "vappress": 0.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435700,47.995272] }, "properties": { "altitude": "300.1", "sensor": "26", "gpstime":"2019-06-24T20:20:32.000Z", "temperature": 27.31, "relhumidity": -4.08, "vappress": 0.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446000,47.993852] }, "properties": { "altitude": "298.7", "sensor": "26", "gpstime":"2019-06-24T20:21:18.000Z", "temperature": 27.13, "relhumidity": -2.85, "vappress": 0.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451570,47.993530] }, "properties": { "altitude": "266.1", "sensor": "27", "gpstime":"2019-06-24T19:26:27.000Z", "temperature": 26.36, "relhumidity": 7.20, "vappress": 3.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459480,47.995252] }, "properties": { "altitude": "278.1", "sensor": "27", "gpstime":"2019-06-24T19:27:21.000Z", "temperature": 26.27, "relhumidity": 7.30, "vappress": 3.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475800,47.995242] }, "properties": { "altitude": "284.0", "sensor": "27", "gpstime":"2019-06-24T19:27:57.000Z", "temperature": 26.36, "relhumidity": 6.90, "vappress": 3.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489700,47.995127] }, "properties": { "altitude": "294.6", "sensor": "27", "gpstime":"2019-06-24T19:28:32.000Z", "temperature": 26.45, "relhumidity": 4.18, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503600,47.995228] }, "properties": { "altitude": "299.8", "sensor": "27", "gpstime":"2019-06-24T19:30:38.000Z", "temperature": 26.71, "relhumidity": 1.69, "vappress": 2.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517730,47.994923] }, "properties": { "altitude": "293.1", "sensor": "27", "gpstime":"2019-06-24T19:32:50.000Z", "temperature": 27.02, "relhumidity": -0.26, "vappress": 1.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534650,47.994783] }, "properties": { "altitude": "279.9", "sensor": "27", "gpstime":"2019-06-24T19:33:27.000Z", "temperature": 26.89, "relhumidity": 0.24, "vappress": 1.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541270,47.992762] }, "properties": { "altitude": "280.8", "sensor": "27", "gpstime":"2019-06-24T19:36:13.000Z", "temperature": 26.56, "relhumidity": 3.83, "vappress": 1.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8528280,47.992130] }, "properties": { "altitude": "277.6", "sensor": "27", "gpstime":"2019-06-24T19:38:31.000Z", "temperature": 26.05, "relhumidity": 4.97, "vappress": 2.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541980,47.991802] }, "properties": { "altitude": "282.6", "sensor": "27", "gpstime":"2019-06-24T19:39:17.000Z", "temperature": 26.18, "relhumidity": 4.87, "vappress": 2.194, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556350,47.991847] }, "properties": { "altitude": "285.6", "sensor": "27", "gpstime":"2019-06-24T19:40:32.000Z", "temperature": 26.08, "relhumidity": 5.01, "vappress": 1.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8571830,47.991820] }, "properties": { "altitude": "283.0", "sensor": "27", "gpstime":"2019-06-24T19:40:56.000Z", "temperature": 25.66, "relhumidity": 5.99, "vappress": 1.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8589130,47.991773] }, "properties": { "altitude": "286.3", "sensor": "27", "gpstime":"2019-06-24T19:42:03.000Z", "temperature": 25.59, "relhumidity": 6.89, "vappress": 1.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8605180,47.991698] }, "properties": { "altitude": "292.2", "sensor": "27", "gpstime":"2019-06-24T19:42:30.000Z", "temperature": 25.55, "relhumidity": 7.48, "vappress": 1.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619370,47.991678] }, "properties": { "altitude": "302.7", "sensor": "27", "gpstime":"2019-06-24T19:44:05.000Z", "temperature": 25.51, "relhumidity": 8.63, "vappress": 2.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636930,47.991617] }, "properties": { "altitude": "303.2", "sensor": "27", "gpstime":"2019-06-24T19:44:59.000Z", "temperature": 25.39, "relhumidity": 8.66, "vappress": 1.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653080,47.991532] }, "properties": { "altitude": "293.6", "sensor": "27", "gpstime":"2019-06-24T19:45:21.000Z", "temperature": 25.11, "relhumidity": 9.78, "vappress": 1.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669650,47.991752] }, "properties": { "altitude": "283.1", "sensor": "27", "gpstime":"2019-06-24T19:45:48.000Z", "temperature": 24.87, "relhumidity": 10.18, "vappress": 1.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685330,47.992262] }, "properties": { "altitude": "277.9", "sensor": "27", "gpstime":"2019-06-24T19:46:21.000Z", "temperature": 24.68, "relhumidity": 11.47, "vappress": 1.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8700450,47.992535] }, "properties": { "altitude": "273.8", "sensor": "27", "gpstime":"2019-06-24T19:46:42.000Z", "temperature": 24.43, "relhumidity": 12.85, "vappress": 1.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686030,47.992297] }, "properties": { "altitude": "263.6", "sensor": "27", "gpstime":"2019-06-24T19:47:39.000Z", "temperature": 24.01, "relhumidity": 15.52, "vappress": 1.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682950,47.990122] }, "properties": { "altitude": "279.3", "sensor": "27", "gpstime":"2019-06-24T19:49:14.000Z", "temperature": 23.63, "relhumidity": 16.96, "vappress": 2.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8671800,47.988772] }, "properties": { "altitude": "283.2", "sensor": "27", "gpstime":"2019-06-24T19:50:40.000Z", "temperature": 24.03, "relhumidity": 15.90, "vappress": 2.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659370,47.987862] }, "properties": { "altitude": "295.0", "sensor": "27", "gpstime":"2019-06-24T19:53:37.000Z", "temperature": 24.76, "relhumidity": 12.43, "vappress": 2.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645470,47.986850] }, "properties": { "altitude": "298.2", "sensor": "27", "gpstime":"2019-06-24T19:55:37.000Z", "temperature": 25.30, "relhumidity": 10.27, "vappress": 2.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8634870,47.985425] }, "properties": { "altitude": "291.5", "sensor": "27", "gpstime":"2019-06-24T19:56:16.000Z", "temperature": 25.33, "relhumidity": 9.55, "vappress": 2.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620430,47.984397] }, "properties": { "altitude": "292.2", "sensor": "27", "gpstime":"2019-06-24T19:58:20.000Z", "temperature": 24.62, "relhumidity": 13.11, "vappress": 1.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598380,47.984203] }, "properties": { "altitude": "285.7", "sensor": "27", "gpstime":"2019-06-24T19:58:45.000Z", "temperature": 24.01, "relhumidity": 14.91, "vappress": 1.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585100,47.983265] }, "properties": { "altitude": "266.8", "sensor": "27", "gpstime":"2019-06-24T19:59:14.000Z", "temperature": 23.72, "relhumidity": 15.01, "vappress": 1.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569370,47.982427] }, "properties": { "altitude": "250.0", "sensor": "27", "gpstime":"2019-06-24T19:59:55.000Z", "temperature": 23.61, "relhumidity": 16.62, "vappress": 1.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552000,47.981880] }, "properties": { "altitude": "226.6", "sensor": "27", "gpstime":"2019-06-24T20:00:22.000Z", "temperature": 23.50, "relhumidity": 16.93, "vappress": 1.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536720,47.981403] }, "properties": { "altitude": "202.3", "sensor": "27", "gpstime":"2019-06-24T20:00:46.000Z", "temperature": 23.45, "relhumidity": 17.83, "vappress": 1.782, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522280,47.981022] }, "properties": { "altitude": "182.1", "sensor": "27", "gpstime":"2019-06-24T20:01:10.000Z", "temperature": 23.43, "relhumidity": 17.56, "vappress": 1.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8507650,47.980730] }, "properties": { "altitude": "155.6", "sensor": "27", "gpstime":"2019-06-24T20:01:47.000Z", "temperature": 23.37, "relhumidity": 17.36, "vappress": 1.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494600,47.981382] }, "properties": { "altitude": "151.4", "sensor": "27", "gpstime":"2019-06-24T20:03:26.000Z", "temperature": 23.44, "relhumidity": 16.36, "vappress": 1.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481700,47.982088] }, "properties": { "altitude": "165.3", "sensor": "27", "gpstime":"2019-06-24T20:03:46.000Z", "temperature": 23.53, "relhumidity": 16.36, "vappress": 1.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465320,47.982643] }, "properties": { "altitude": "183.0", "sensor": "27", "gpstime":"2019-06-24T20:04:11.000Z", "temperature": 23.62, "relhumidity": 17.94, "vappress": 2.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452030,47.982963] }, "properties": { "altitude": "205.9", "sensor": "27", "gpstime":"2019-06-24T20:04:31.000Z", "temperature": 23.76, "relhumidity": 18.06, "vappress": 2.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440880,47.984260] }, "properties": { "altitude": "268.3", "sensor": "27", "gpstime":"2019-06-24T20:06:36.000Z", "temperature": 24.00, "relhumidity": 17.26, "vappress": 2.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456450,47.984710] }, "properties": { "altitude": "286.8", "sensor": "27", "gpstime":"2019-06-24T20:07:36.000Z", "temperature": 24.39, "relhumidity": 14.78, "vappress": 2.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472230,47.984610] }, "properties": { "altitude": "295.3", "sensor": "27", "gpstime":"2019-06-24T20:08:06.000Z", "temperature": 24.70, "relhumidity": 14.15, "vappress": 2.713, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476580,47.982675] }, "properties": { "altitude": "271.4", "sensor": "27", "gpstime":"2019-06-24T20:11:56.000Z", "temperature": 24.91, "relhumidity": 12.85, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479020,47.980550] }, "properties": { "altitude": "284.6", "sensor": "27", "gpstime":"2019-06-24T20:14:41.000Z", "temperature": 24.67, "relhumidity": 12.87, "vappress": 1.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476800,47.978408] }, "properties": { "altitude": "306.7", "sensor": "27", "gpstime":"2019-06-24T20:18:54.000Z", "temperature": 24.47, "relhumidity": 15.15, "vappress": 2.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475350,47.976008] }, "properties": { "altitude": "297.3", "sensor": "27", "gpstime":"2019-06-24T20:20:11.000Z", "temperature": 23.95, "relhumidity": 16.51, "vappress": 1.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459180,47.975017] }, "properties": { "altitude": "293.3", "sensor": "27", "gpstime":"2019-06-24T20:21:38.000Z", "temperature": 23.82, "relhumidity": 17.17, "vappress": 2.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441720,47.974467] }, "properties": { "altitude": "296.8", "sensor": "27", "gpstime":"2019-06-24T20:22:11.000Z", "temperature": 23.84, "relhumidity": 16.17, "vappress": 1.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428750,47.973828] }, "properties": { "altitude": "292.1", "sensor": "27", "gpstime":"2019-06-24T20:22:49.000Z", "temperature": 23.81, "relhumidity": 17.46, "vappress": 1.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416630,47.972908] }, "properties": { "altitude": "313.9", "sensor": "27", "gpstime":"2019-06-24T20:31:56.000Z", "temperature": 23.96, "relhumidity": 15.45, "vappress": 1.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403150,47.972663] }, "properties": { "altitude": "318.6", "sensor": "27", "gpstime":"2019-06-24T20:35:24.000Z", "temperature": 23.94, "relhumidity": 13.38, "vappress": 1.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389950,47.972060] }, "properties": { "altitude": "326.2", "sensor": "27", "gpstime":"2019-06-24T20:37:25.000Z", "temperature": 24.03, "relhumidity": 17.49, "vappress": 2.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376620,47.971797] }, "properties": { "altitude": "328.3", "sensor": "27", "gpstime":"2019-06-24T20:39:30.000Z", "temperature": 23.73, "relhumidity": 18.83, "vappress": 1.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378450,47.973865] }, "properties": { "altitude": "342.0", "sensor": "27", "gpstime":"2019-06-24T20:40:49.000Z", "temperature": 23.53, "relhumidity": 17.26, "vappress": 1.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380250,47.976193] }, "properties": { "altitude": "329.4", "sensor": "27", "gpstime":"2019-06-24T20:41:38.000Z", "temperature": 23.77, "relhumidity": 13.72, "vappress": 1.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386970,47.977935] }, "properties": { "altitude": "323.4", "sensor": "27", "gpstime":"2019-06-24T20:43:43.000Z", "temperature": 24.19, "relhumidity": 13.21, "vappress": 1.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8387030,47.980233] }, "properties": { "altitude": "310.2", "sensor": "27", "gpstime":"2019-06-24T20:45:00.000Z", "temperature": 24.46, "relhumidity": 13.35, "vappress": 1.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390750,47.982340] }, "properties": { "altitude": "318.9", "sensor": "27", "gpstime":"2019-06-24T20:46:57.000Z", "temperature": 24.52, "relhumidity": 14.35, "vappress": 2.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401350,47.983705] }, "properties": { "altitude": "288.5", "sensor": "27", "gpstime":"2019-06-24T20:50:10.000Z", "temperature": 24.60, "relhumidity": 14.33, "vappress": 2.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419250,47.984602] }, "properties": { "altitude": "282.6", "sensor": "27", "gpstime":"2019-06-24T20:52:17.000Z", "temperature": 24.96, "relhumidity": 11.86, "vappress": 2.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405520,47.984720] }, "properties": { "altitude": "267.7", "sensor": "27", "gpstime":"2019-06-24T20:53:06.000Z", "temperature": 25.14, "relhumidity": 10.89, "vappress": 2.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391700,47.984750] }, "properties": { "altitude": "264.0", "sensor": "27", "gpstime":"2019-06-24T20:53:29.000Z", "temperature": 25.26, "relhumidity": 11.29, "vappress": 2.319, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374970,47.984303] }, "properties": { "altitude": "257.3", "sensor": "27", "gpstime":"2019-06-24T20:54:00.000Z", "temperature": 25.29, "relhumidity": 10.70, "vappress": 2.299, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364170,47.985947] }, "properties": { "altitude": "263.4", "sensor": "27", "gpstime":"2019-06-24T20:56:42.000Z", "temperature": 25.61, "relhumidity": 8.25, "vappress": 2.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377820,47.986335] }, "properties": { "altitude": "261.0", "sensor": "27", "gpstime":"2019-06-24T20:57:37.000Z", "temperature": 25.91, "relhumidity": 7.28, "vappress": 2.174, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391620,47.987088] }, "properties": { "altitude": "254.9", "sensor": "27", "gpstime":"2019-06-24T20:58:09.000Z", "temperature": 25.91, "relhumidity": 6.68, "vappress": 2.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407030,47.988068] }, "properties": { "altitude": "261.5", "sensor": "27", "gpstime":"2019-06-24T20:58:55.000Z", "temperature": 25.90, "relhumidity": 6.40, "vappress": 1.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419820,47.988782] }, "properties": { "altitude": "272.1", "sensor": "27", "gpstime":"2019-06-24T20:59:49.000Z", "temperature": 25.97, "relhumidity": 6.16, "vappress": 2.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433880,47.989425] }, "properties": { "altitude": "276.1", "sensor": "27", "gpstime":"2019-06-24T21:00:19.000Z", "temperature": 26.17, "relhumidity": 6.59, "vappress": 2.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448280,47.990302] }, "properties": { "altitude": "272.6", "sensor": "27", "gpstime":"2019-06-24T21:01:25.000Z", "temperature": 26.27, "relhumidity": 6.95, "vappress": 2.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453920,47.992218] }, "properties": { "altitude": "261.0", "sensor": "27", "gpstime":"2019-06-24T21:02:25.000Z", "temperature": 26.22, "relhumidity": 7.17, "vappress": 2.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453420,47.992290] }, "properties": { "altitude": "262.5", "sensor": "27", "gpstime":"2019-06-24T21:02:32.000Z", "temperature": 26.20, "relhumidity": 7.47, "vappress": 2.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438670,47.992168] }, "properties": { "altitude": "253.7", "sensor": "28", "gpstime":"2019-06-24T19:24:37.000Z", "temperature": 26.13, "relhumidity": -0.96, "vappress": 0.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448920,47.990872] }, "properties": { "altitude": "265.8", "sensor": "28", "gpstime":"2019-06-24T19:25:15.000Z", "temperature": 25.89, "relhumidity": 0.26, "vappress": 0.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434970,47.989830] }, "properties": { "altitude": "260.6", "sensor": "28", "gpstime":"2019-06-24T19:26:14.000Z", "temperature": 25.85, "relhumidity": 0.32, "vappress": -0.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423830,47.988145] }, "properties": { "altitude": "265.3", "sensor": "28", "gpstime":"2019-06-24T19:27:03.000Z", "temperature": 25.59, "relhumidity": 4.10, "vappress": 0.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433550,47.986315] }, "properties": { "altitude": "265.5", "sensor": "28", "gpstime":"2019-06-24T19:27:57.000Z", "temperature": 25.18, "relhumidity": 6.60, "vappress": 1.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448800,47.986205] }, "properties": { "altitude": "269.1", "sensor": "28", "gpstime":"2019-06-24T19:28:18.000Z", "temperature": 25.01, "relhumidity": 6.12, "vappress": 0.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462600,47.986150] }, "properties": { "altitude": "273.0", "sensor": "28", "gpstime":"2019-06-24T19:28:38.000Z", "temperature": 25.01, "relhumidity": 5.54, "vappress": 0.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473700,47.984802] }, "properties": { "altitude": "270.8", "sensor": "28", "gpstime":"2019-06-24T19:29:25.000Z", "temperature": 25.23, "relhumidity": 4.03, "vappress": 0.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476970,47.982557] }, "properties": { "altitude": "272.3", "sensor": "28", "gpstime":"2019-06-24T19:30:12.000Z", "temperature": 24.92, "relhumidity": 5.49, "vappress": 0.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479020,47.980453] }, "properties": { "altitude": "281.0", "sensor": "28", "gpstime":"2019-06-24T19:31:09.000Z", "temperature": 24.28, "relhumidity": 5.72, "vappress": -0.616, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477170,47.977883] }, "properties": { "altitude": "289.2", "sensor": "28", "gpstime":"2019-06-24T19:32:19.000Z", "temperature": 23.75, "relhumidity": 8.90, "vappress": -0.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474770,47.975830] }, "properties": { "altitude": "294.4", "sensor": "28", "gpstime":"2019-06-24T19:33:13.000Z", "temperature": 23.56, "relhumidity": 9.68, "vappress": -0.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485100,47.974533] }, "properties": { "altitude": "301.1", "sensor": "28", "gpstime":"2019-06-24T19:35:11.000Z", "temperature": 22.99, "relhumidity": 14.37, "vappress": 0.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8492270,47.972657] }, "properties": { "altitude": "317.1", "sensor": "28", "gpstime":"2019-06-24T19:36:08.000Z", "temperature": 22.83, "relhumidity": 15.04, "vappress": 0.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504550,47.971825] }, "properties": { "altitude": "320.9", "sensor": "28", "gpstime":"2019-06-24T19:36:48.000Z", "temperature": 22.65, "relhumidity": 16.32, "vappress": 0.344, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519470,47.970970] }, "properties": { "altitude": "324.0", "sensor": "28", "gpstime":"2019-06-24T19:37:33.000Z", "temperature": 22.62, "relhumidity": 17.46, "vappress": 0.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530520,47.969495] }, "properties": { "altitude": "319.5", "sensor": "28", "gpstime":"2019-06-24T19:38:12.000Z", "temperature": 22.66, "relhumidity": 15.04, "vappress": -0.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536970,47.967705] }, "properties": { "altitude": "320.6", "sensor": "28", "gpstime":"2019-06-24T19:39:14.000Z", "temperature": 22.45, "relhumidity": 18.07, "vappress": 0.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551750,47.967735] }, "properties": { "altitude": "329.0", "sensor": "28", "gpstime":"2019-06-24T19:39:49.000Z", "temperature": 22.85, "relhumidity": 16.33, "vappress": 0.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8567030,47.967182] }, "properties": { "altitude": "331.8", "sensor": "28", "gpstime":"2019-06-24T19:40:29.000Z", "temperature": 23.01, "relhumidity": 16.02, "vappress": 0.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582320,47.966282] }, "properties": { "altitude": "339.6", "sensor": "28", "gpstime":"2019-06-24T19:41:09.000Z", "temperature": 23.09, "relhumidity": 14.30, "vappress": 0.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595870,47.965422] }, "properties": { "altitude": "352.7", "sensor": "28", "gpstime":"2019-06-24T19:42:02.000Z", "temperature": 23.11, "relhumidity": 14.45, "vappress": 0.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8610720,47.965173] }, "properties": { "altitude": "361.5", "sensor": "28", "gpstime":"2019-06-24T19:42:45.000Z", "temperature": 22.97, "relhumidity": 14.72, "vappress": 0.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614600,47.963145] }, "properties": { "altitude": "352.8", "sensor": "28", "gpstime":"2019-06-24T19:45:29.000Z", "temperature": 22.58, "relhumidity": 18.46, "vappress": 1.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628530,47.962915] }, "properties": { "altitude": "352.0", "sensor": "28", "gpstime":"2019-06-24T19:46:43.000Z", "temperature": 22.89, "relhumidity": 18.03, "vappress": 1.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8641200,47.962125] }, "properties": { "altitude": "366.1", "sensor": "28", "gpstime":"2019-06-24T19:47:37.000Z", "temperature": 22.93, "relhumidity": 17.67, "vappress": 1.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653720,47.960995] }, "properties": { "altitude": "378.3", "sensor": "28", "gpstime":"2019-06-24T19:48:25.000Z", "temperature": 23.12, "relhumidity": 16.94, "vappress": 1.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659500,47.959052] }, "properties": { "altitude": "391.9", "sensor": "28", "gpstime":"2019-06-24T19:49:40.000Z", "temperature": 22.88, "relhumidity": 17.15, "vappress": 0.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653480,47.956913] }, "properties": { "altitude": "382.2", "sensor": "28", "gpstime":"2019-06-24T19:50:19.000Z", "temperature": 22.11, "relhumidity": 19.45, "vappress": -0.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639200,47.956050] }, "properties": { "altitude": "364.9", "sensor": "28", "gpstime":"2019-06-24T19:50:43.000Z", "temperature": 21.59, "relhumidity": 19.90, "vappress": -0.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637300,47.958337] }, "properties": { "altitude": "351.2", "sensor": "28", "gpstime":"2019-06-24T19:52:58.000Z", "temperature": 21.57, "relhumidity": 19.94, "vappress": 0.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630330,47.960848] }, "properties": { "altitude": "350.0", "sensor": "28", "gpstime":"2019-06-24T19:53:35.000Z", "temperature": 22.20, "relhumidity": 18.73, "vappress": 0.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617030,47.962015] }, "properties": { "altitude": "348.2", "sensor": "28", "gpstime":"2019-06-24T19:53:55.000Z", "temperature": 22.64, "relhumidity": 18.11, "vappress": 0.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8601550,47.962588] }, "properties": { "altitude": "341.0", "sensor": "28", "gpstime":"2019-06-24T19:54:19.000Z", "temperature": 23.01, "relhumidity": 16.74, "vappress": 0.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8584280,47.963740] }, "properties": { "altitude": "332.6", "sensor": "28", "gpstime":"2019-06-24T19:54:45.000Z", "temperature": 22.50, "relhumidity": 17.43, "vappress": 0.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568370,47.963877] }, "properties": { "altitude": "330.8", "sensor": "28", "gpstime":"2019-06-24T19:56:48.000Z", "temperature": 22.51, "relhumidity": 16.53, "vappress": -0.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553470,47.964057] }, "properties": { "altitude": "328.5", "sensor": "28", "gpstime":"2019-06-24T19:58:06.000Z", "temperature": 22.03, "relhumidity": 17.24, "vappress": -0.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549180,47.966005] }, "properties": { "altitude": "327.0", "sensor": "28", "gpstime":"2019-06-24T19:59:03.000Z", "temperature": 22.10, "relhumidity": 16.81, "vappress": -0.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8535930,47.966560] }, "properties": { "altitude": "324.9", "sensor": "28", "gpstime":"2019-06-24T19:59:24.000Z", "temperature": 22.47, "relhumidity": 16.73, "vappress": 0.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520830,47.966893] }, "properties": { "altitude": "322.7", "sensor": "28", "gpstime":"2019-06-24T19:59:46.000Z", "temperature": 22.71, "relhumidity": 16.43, "vappress": 0.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504170,47.967962] }, "properties": { "altitude": "313.9", "sensor": "28", "gpstime":"2019-06-24T20:00:14.000Z", "temperature": 22.64, "relhumidity": 16.19, "vappress": 0.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490330,47.968685] }, "properties": { "altitude": "307.7", "sensor": "28", "gpstime":"2019-06-24T20:00:54.000Z", "temperature": 22.95, "relhumidity": 15.29, "vappress": 0.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473500,47.969382] }, "properties": { "altitude": "305.4", "sensor": "28", "gpstime":"2019-06-24T20:01:29.000Z", "temperature": 22.86, "relhumidity": 15.42, "vappress": 0.019, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458070,47.969770] }, "properties": { "altitude": "304.8", "sensor": "28", "gpstime":"2019-06-24T20:01:54.000Z", "temperature": 22.65, "relhumidity": 15.90, "vappress": -0.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442230,47.971065] }, "properties": { "altitude": "297.0", "sensor": "28", "gpstime":"2019-06-24T20:02:29.000Z", "temperature": 22.71, "relhumidity": 16.07, "vappress": 0.226, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437620,47.973107] }, "properties": { "altitude": "298.1", "sensor": "28", "gpstime":"2019-06-24T20:03:15.000Z", "temperature": 22.85, "relhumidity": 15.20, "vappress": 0.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422820,47.973212] }, "properties": { "altitude": "305.0", "sensor": "28", "gpstime":"2019-06-24T20:04:35.000Z", "temperature": 22.96, "relhumidity": 15.85, "vappress": 0.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408880,47.972792] }, "properties": { "altitude": "318.4", "sensor": "28", "gpstime":"2019-06-24T20:06:39.000Z", "temperature": 23.12, "relhumidity": 14.51, "vappress": 0.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394380,47.972322] }, "properties": { "altitude": "331.8", "sensor": "28", "gpstime":"2019-06-24T20:07:33.000Z", "temperature": 23.36, "relhumidity": 13.58, "vappress": 0.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381650,47.971668] }, "properties": { "altitude": "353.0", "sensor": "28", "gpstime":"2019-06-24T20:08:26.000Z", "temperature": 23.13, "relhumidity": 14.99, "vappress": -0.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398800,47.972785] }, "properties": { "altitude": "332.2", "sensor": "28", "gpstime":"2019-06-24T20:09:58.000Z", "temperature": 22.64, "relhumidity": 14.09, "vappress": 0.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412430,47.973570] }, "properties": { "altitude": "329.1", "sensor": "28", "gpstime":"2019-06-24T20:10:20.000Z", "temperature": 23.92, "relhumidity": 10.65, "vappress": 0.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416220,47.975783] }, "properties": { "altitude": "310.4", "sensor": "28", "gpstime":"2019-06-24T20:10:57.000Z", "temperature": 24.08, "relhumidity": 9.98, "vappress": 0.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403720,47.977207] }, "properties": { "altitude": "282.4", "sensor": "28", "gpstime":"2019-06-24T20:11:33.000Z", "temperature": 24.00, "relhumidity": 10.96, "vappress": 0.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397880,47.979127] }, "properties": { "altitude": "293.4", "sensor": "28", "gpstime":"2019-06-24T20:12:17.000Z", "temperature": 24.08, "relhumidity": 9.14, "vappress": 0.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404980,47.981343] }, "properties": { "altitude": "278.9", "sensor": "28", "gpstime":"2019-06-24T20:12:55.000Z", "temperature": 24.41, "relhumidity": 9.08, "vappress": 0.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409300,47.983372] }, "properties": { "altitude": "280.5", "sensor": "28", "gpstime":"2019-06-24T20:13:35.000Z", "temperature": 24.54, "relhumidity": 10.45, "vappress": 0.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422880,47.984733] }, "properties": { "altitude": "272.2", "sensor": "28", "gpstime":"2019-06-24T20:14:20.000Z", "temperature": 24.49, "relhumidity": 9.42, "vappress": 1.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437500,47.984757] }, "properties": { "altitude": "276.4", "sensor": "28", "gpstime":"2019-06-24T20:14:43.000Z", "temperature": 24.76, "relhumidity": 9.15, "vappress": 1.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429070,47.986318] }, "properties": { "altitude": "280.5", "sensor": "28", "gpstime":"2019-06-24T20:16:31.000Z", "temperature": 24.93, "relhumidity": 7.43, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424750,47.988293] }, "properties": { "altitude": "281.1", "sensor": "28", "gpstime":"2019-06-24T20:17:30.000Z", "temperature": 25.26, "relhumidity": 5.92, "vappress": 1.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439220,47.989878] }, "properties": { "altitude": "279.6", "sensor": "28", "gpstime":"2019-06-24T20:18:09.000Z", "temperature": 25.73, "relhumidity": 3.59, "vappress": 1.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452480,47.990637] }, "properties": { "altitude": "277.5", "sensor": "28", "gpstime":"2019-06-24T20:18:33.000Z", "temperature": 25.89, "relhumidity": 2.75, "vappress": 0.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453230,47.992137] }, "properties": { "altitude": "283.1", "sensor": "28", "gpstime":"2019-06-24T20:19:09.000Z", "temperature": 25.92, "relhumidity": 2.57, "vappress": 0.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453850,47.993332] }, "properties": { "altitude": "162.8", "sensor": "29", "gpstime":"2019-06-24T19:03:34.000Z", "temperature": 26.45, "relhumidity": 6.17, "vappress": 3.264, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.991120] }, "properties": { "altitude": "265.0", "sensor": "29", "gpstime":"2019-06-24T19:24:36.000Z", "temperature": 26.86, "relhumidity": -1.79, "vappress": 0.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435350,47.990622] }, "properties": { "altitude": "266.9", "sensor": "29", "gpstime":"2019-06-24T19:26:11.000Z", "temperature": 26.74, "relhumidity": -1.24, "vappress": 0.859, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419500,47.991082] }, "properties": { "altitude": "262.9", "sensor": "29", "gpstime":"2019-06-24T19:26:25.000Z", "temperature": 26.52, "relhumidity": 0.15, "vappress": 0.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391700,47.991587] }, "properties": { "altitude": "259.3", "sensor": "29", "gpstime":"2019-06-24T19:26:51.000Z", "temperature": 26.13, "relhumidity": 2.62, "vappress": 0.989, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374520,47.991998] }, "properties": { "altitude": "256.0", "sensor": "29", "gpstime":"2019-06-24T19:27:07.000Z", "temperature": 25.83, "relhumidity": 3.33, "vappress": 0.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361080,47.992238] }, "properties": { "altitude": "251.2", "sensor": "29", "gpstime":"2019-06-24T19:27:20.000Z", "temperature": 25.63, "relhumidity": 3.64, "vappress": 0.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345500,47.992885] }, "properties": { "altitude": "253.5", "sensor": "29", "gpstime":"2019-06-24T19:27:39.000Z", "temperature": 25.40, "relhumidity": 4.65, "vappress": 0.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332080,47.993470] }, "properties": { "altitude": "253.9", "sensor": "29", "gpstime":"2019-06-24T19:27:55.000Z", "temperature": 25.37, "relhumidity": 4.83, "vappress": 1.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318850,47.993980] }, "properties": { "altitude": "252.7", "sensor": "29", "gpstime":"2019-06-24T19:28:11.000Z", "temperature": 25.38, "relhumidity": 4.82, "vappress": 1.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302120,47.994592] }, "properties": { "altitude": "252.1", "sensor": "29", "gpstime":"2019-06-24T19:28:30.000Z", "temperature": 25.51, "relhumidity": 4.02, "vappress": 1.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284500,47.995173] }, "properties": { "altitude": "253.2", "sensor": "29", "gpstime":"2019-06-24T19:28:51.000Z", "temperature": 25.60, "relhumidity": 1.84, "vappress": 0.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301100,47.994615] }, "properties": { "altitude": "254.4", "sensor": "29", "gpstime":"2019-06-24T19:29:55.000Z", "temperature": 25.61, "relhumidity": 2.92, "vappress": 0.719, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8314480,47.994105] }, "properties": { "altitude": "254.7", "sensor": "29", "gpstime":"2019-06-24T19:30:14.000Z", "temperature": 25.63, "relhumidity": 3.90, "vappress": 1.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327930,47.993605] }, "properties": { "altitude": "257.3", "sensor": "29", "gpstime":"2019-06-24T19:30:35.000Z", "temperature": 25.72, "relhumidity": 3.50, "vappress": 1.095, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317030,47.992217] }, "properties": { "altitude": "267.4", "sensor": "29", "gpstime":"2019-06-24T19:32:01.000Z", "temperature": 25.85, "relhumidity": 1.83, "vappress": 1.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306230,47.990967] }, "properties": { "altitude": "266.1", "sensor": "29", "gpstime":"2019-06-24T19:32:36.000Z", "temperature": 26.38, "relhumidity": 1.43, "vappress": 1.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289070,47.991132] }, "properties": { "altitude": "263.1", "sensor": "29", "gpstime":"2019-06-24T19:33:05.000Z", "temperature": 26.42, "relhumidity": 0.84, "vappress": 1.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8275470,47.991648] }, "properties": { "altitude": "259.2", "sensor": "29", "gpstime":"2019-06-24T19:34:27.000Z", "temperature": 26.26, "relhumidity": 1.27, "vappress": 0.976, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260320,47.992397] }, "properties": { "altitude": "257.5", "sensor": "29", "gpstime":"2019-06-24T19:35:07.000Z", "temperature": 26.13, "relhumidity": 0.92, "vappress": 0.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8245020,47.993117] }, "properties": { "altitude": "255.0", "sensor": "29", "gpstime":"2019-06-24T19:35:29.000Z", "temperature": 26.07, "relhumidity": 2.07, "vappress": 0.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230100,47.992835] }, "properties": { "altitude": "256.9", "sensor": "29", "gpstime":"2019-06-24T19:35:56.000Z", "temperature": 25.93, "relhumidity": 1.60, "vappress": 0.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216650,47.992787] }, "properties": { "altitude": "258.7", "sensor": "29", "gpstime":"2019-06-24T19:36:21.000Z", "temperature": 25.98, "relhumidity": 1.61, "vappress": 0.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202130,47.990943] }, "properties": { "altitude": "259.0", "sensor": "29", "gpstime":"2019-06-24T19:36:59.000Z", "temperature": 26.15, "relhumidity": 1.37, "vappress": 1.074, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188700,47.990693] }, "properties": { "altitude": "257.7", "sensor": "29", "gpstime":"2019-06-24T19:37:20.000Z", "temperature": 26.39, "relhumidity": 0.38, "vappress": 1.063, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170550,47.991045] }, "properties": { "altitude": "255.9", "sensor": "29", "gpstime":"2019-06-24T19:37:39.000Z", "temperature": 26.57, "relhumidity": -0.32, "vappress": 1.123, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156670,47.991457] }, "properties": { "altitude": "256.8", "sensor": "29", "gpstime":"2019-06-24T19:37:54.000Z", "temperature": 26.73, "relhumidity": -1.00, "vappress": 1.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141980,47.991902] }, "properties": { "altitude": "258.9", "sensor": "29", "gpstime":"2019-06-24T19:38:11.000Z", "temperature": 26.87, "relhumidity": -1.28, "vappress": 1.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126180,47.992385] }, "properties": { "altitude": "257.5", "sensor": "29", "gpstime":"2019-06-24T19:38:35.000Z", "temperature": 26.90, "relhumidity": -1.84, "vappress": 0.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8108580,47.992845] }, "properties": { "altitude": "251.1", "sensor": "29", "gpstime":"2019-06-24T19:38:51.000Z", "temperature": 26.90, "relhumidity": -1.48, "vappress": 1.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8095200,47.993120] }, "properties": { "altitude": "249.1", "sensor": "29", "gpstime":"2019-06-24T19:39:04.000Z", "temperature": 26.92, "relhumidity": -1.94, "vappress": 0.914, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081080,47.993348] }, "properties": { "altitude": "248.2", "sensor": "29", "gpstime":"2019-06-24T19:39:23.000Z", "temperature": 26.93, "relhumidity": -1.86, "vappress": 0.944, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8067230,47.993593] }, "properties": { "altitude": "244.8", "sensor": "29", "gpstime":"2019-06-24T19:39:36.000Z", "temperature": 26.96, "relhumidity": -2.06, "vappress": 1.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046830,47.994182] }, "properties": { "altitude": "244.4", "sensor": "29", "gpstime":"2019-06-24T19:39:57.000Z", "temperature": 26.93, "relhumidity": -2.22, "vappress": 0.814, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032270,47.994623] }, "properties": { "altitude": "245.0", "sensor": "29", "gpstime":"2019-06-24T19:40:20.000Z", "temperature": 26.97, "relhumidity": -2.49, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8012150,47.995078] }, "properties": { "altitude": "240.6", "sensor": "29", "gpstime":"2019-06-24T19:40:42.000Z", "temperature": 26.95, "relhumidity": -2.29, "vappress": 0.818, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7997380,47.995405] }, "properties": { "altitude": "238.9", "sensor": "29", "gpstime":"2019-06-24T19:40:59.000Z", "temperature": 26.95, "relhumidity": -2.49, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7983570,47.995580] }, "properties": { "altitude": "241.2", "sensor": "29", "gpstime":"2019-06-24T19:42:08.000Z", "temperature": 26.84, "relhumidity": -1.74, "vappress": 0.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7964530,47.996727] }, "properties": { "altitude": "241.5", "sensor": "29", "gpstime":"2019-06-24T19:42:52.000Z", "temperature": 26.76, "relhumidity": -2.53, "vappress": 0.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7951450,47.997398] }, "properties": { "altitude": "245.4", "sensor": "29", "gpstime":"2019-06-24T19:43:09.000Z", "temperature": 26.54, "relhumidity": -3.10, "vappress": -0.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7927730,47.998482] }, "properties": { "altitude": "243.7", "sensor": "29", "gpstime":"2019-06-24T19:43:38.000Z", "temperature": 26.59, "relhumidity": -3.54, "vappress": 0.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7908220,47.999362] }, "properties": { "altitude": "245.5", "sensor": "29", "gpstime":"2019-06-24T19:44:02.000Z", "temperature": 26.80, "relhumidity": -4.33, "vappress": 0.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7892130,48.000003] }, "properties": { "altitude": "241.9", "sensor": "29", "gpstime":"2019-06-24T19:44:21.000Z", "temperature": 27.00, "relhumidity": -5.31, "vappress": -0.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7875900,48.000710] }, "properties": { "altitude": "243.7", "sensor": "29", "gpstime":"2019-06-24T19:44:42.000Z", "temperature": 27.14, "relhumidity": -4.77, "vappress": 0.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7859420,48.001188] }, "properties": { "altitude": "237.2", "sensor": "29", "gpstime":"2019-06-24T19:45:06.000Z", "temperature": 27.14, "relhumidity": -2.22, "vappress": 0.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7850300,47.998830] }, "properties": { "altitude": "234.3", "sensor": "29", "gpstime":"2019-06-24T19:45:49.000Z", "temperature": 26.49, "relhumidity": 1.08, "vappress": 0.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7836780,47.998343] }, "properties": { "altitude": "231.9", "sensor": "29", "gpstime":"2019-06-24T19:46:30.000Z", "temperature": 25.35, "relhumidity": 4.72, "vappress": 0.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7819380,47.998687] }, "properties": { "altitude": "212.5", "sensor": "29", "gpstime":"2019-06-24T19:46:52.000Z", "temperature": 24.71, "relhumidity": 7.60, "vappress": 0.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7803930,47.999017] }, "properties": { "altitude": "201.5", "sensor": "29", "gpstime":"2019-06-24T19:47:09.000Z", "temperature": 24.54, "relhumidity": 8.70, "vappress": 0.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7790220,47.999253] }, "properties": { "altitude": "198.7", "sensor": "29", "gpstime":"2019-06-24T19:47:24.000Z", "temperature": 24.35, "relhumidity": 10.59, "vappress": 1.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7772730,47.999575] }, "properties": { "altitude": "193.5", "sensor": "29", "gpstime":"2019-06-24T19:47:44.000Z", "temperature": 24.15, "relhumidity": 8.55, "vappress": 0.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7758580,47.999857] }, "properties": { "altitude": "189.6", "sensor": "29", "gpstime":"2019-06-24T19:47:57.000Z", "temperature": 24.03, "relhumidity": 12.95, "vappress": 1.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7743030,48.000118] }, "properties": { "altitude": "192.0", "sensor": "29", "gpstime":"2019-06-24T19:48:12.000Z", "temperature": 23.95, "relhumidity": 14.54, "vappress": 1.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7736780,48.001905] }, "properties": { "altitude": "212.7", "sensor": "29", "gpstime":"2019-06-24T19:48:56.000Z", "temperature": 23.62, "relhumidity": 16.68, "vappress": 1.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7724450,48.003418] }, "properties": { "altitude": "218.9", "sensor": "29", "gpstime":"2019-06-24T19:49:36.000Z", "temperature": 23.08, "relhumidity": 17.24, "vappress": 0.879, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7705570,48.003750] }, "properties": { "altitude": "219.7", "sensor": "29", "gpstime":"2019-06-24T19:49:58.000Z", "temperature": 22.84, "relhumidity": 18.59, "vappress": 1.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7710000,48.005825] }, "properties": { "altitude": "219.5", "sensor": "29", "gpstime":"2019-06-24T19:50:58.000Z", "temperature": 22.58, "relhumidity": 17.99, "vappress": 0.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7698620,48.007003] }, "properties": { "altitude": "220.5", "sensor": "29", "gpstime":"2019-06-24T19:51:39.000Z", "temperature": 22.31, "relhumidity": 19.51, "vappress": 0.141, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7685070,48.007880] }, "properties": { "altitude": "220.5", "sensor": "29", "gpstime":"2019-06-24T19:52:06.000Z", "temperature": 21.94, "relhumidity": 20.86, "vappress": 0.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7674550,48.009448] }, "properties": { "altitude": "218.9", "sensor": "29", "gpstime":"2019-06-24T19:52:35.000Z", "temperature": 21.90, "relhumidity": 20.99, "vappress": 0.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7661530,48.010032] }, "properties": { "altitude": "217.3", "sensor": "29", "gpstime":"2019-06-24T19:53:15.000Z", "temperature": 21.90, "relhumidity": 22.27, "vappress": 0.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7645200,48.010368] }, "properties": { "altitude": "214.8", "sensor": "29", "gpstime":"2019-06-24T19:53:39.000Z", "temperature": 22.10, "relhumidity": 22.57, "vappress": 1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7628620,48.011225] }, "properties": { "altitude": "205.8", "sensor": "29", "gpstime":"2019-06-24T19:54:07.000Z", "temperature": 22.33, "relhumidity": 22.64, "vappress": 1.828, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7615150,48.012403] }, "properties": { "altitude": "201.5", "sensor": "29", "gpstime":"2019-06-24T19:54:34.000Z", "temperature": 22.71, "relhumidity": 21.92, "vappress": 1.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7614900,48.014513] }, "properties": { "altitude": "214.9", "sensor": "29", "gpstime":"2019-06-24T19:55:31.000Z", "temperature": 22.76, "relhumidity": 20.83, "vappress": 1.526, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7625620,48.015832] }, "properties": { "altitude": "222.7", "sensor": "29", "gpstime":"2019-06-24T19:56:03.000Z", "temperature": 22.58, "relhumidity": 20.29, "vappress": 1.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7637570,48.017038] }, "properties": { "altitude": "223.9", "sensor": "29", "gpstime":"2019-06-24T19:56:44.000Z", "temperature": 22.40, "relhumidity": 21.46, "vappress": 1.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7650950,48.017115] }, "properties": { "altitude": "217.8", "sensor": "29", "gpstime":"2019-06-24T19:57:10.000Z", "temperature": 22.34, "relhumidity": 20.81, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7664780,48.017430] }, "properties": { "altitude": "213.8", "sensor": "29", "gpstime":"2019-06-24T19:57:40.000Z", "temperature": 22.25, "relhumidity": 20.17, "vappress": 0.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675970,48.018608] }, "properties": { "altitude": "217.3", "sensor": "29", "gpstime":"2019-06-24T20:02:59.000Z", "temperature": 22.57, "relhumidity": 17.61, "vappress": 0.616, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7687180,48.020373] }, "properties": { "altitude": "216.7", "sensor": "29", "gpstime":"2019-06-24T20:05:29.000Z", "temperature": 22.79, "relhumidity": 17.27, "vappress": 0.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7700380,48.022055] }, "properties": { "altitude": "219.3", "sensor": "29", "gpstime":"2019-06-24T20:06:10.000Z", "temperature": 22.36, "relhumidity": 19.77, "vappress": 0.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7712350,48.023133] }, "properties": { "altitude": "217.1", "sensor": "29", "gpstime":"2019-06-24T20:06:39.000Z", "temperature": 22.20, "relhumidity": 19.76, "vappress": 0.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7724220,48.022057] }, "properties": { "altitude": "217.4", "sensor": "29", "gpstime":"2019-06-24T20:07:17.000Z", "temperature": 22.14, "relhumidity": 20.07, "vappress": 0.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7735830,48.020942] }, "properties": { "altitude": "215.5", "sensor": "29", "gpstime":"2019-06-24T20:07:52.000Z", "temperature": 22.15, "relhumidity": 19.71, "vappress": 0.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7750600,48.020335] }, "properties": { "altitude": "226.8", "sensor": "29", "gpstime":"2019-06-24T20:08:24.000Z", "temperature": 22.09, "relhumidity": 20.05, "vappress": 0.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7764750,48.019515] }, "properties": { "altitude": "227.8", "sensor": "29", "gpstime":"2019-06-24T20:08:54.000Z", "temperature": 22.29, "relhumidity": 18.14, "vappress": 0.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7779780,48.018460] }, "properties": { "altitude": "226.5", "sensor": "29", "gpstime":"2019-06-24T20:09:20.000Z", "temperature": 22.79, "relhumidity": 18.35, "vappress": 1.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7791150,48.017182] }, "properties": { "altitude": "222.0", "sensor": "29", "gpstime":"2019-06-24T20:09:47.000Z", "temperature": 22.96, "relhumidity": 16.54, "vappress": 0.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7788470,48.015068] }, "properties": { "altitude": "227.0", "sensor": "29", "gpstime":"2019-06-24T20:10:32.000Z", "temperature": 23.13, "relhumidity": 15.78, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7781620,48.013340] }, "properties": { "altitude": "228.3", "sensor": "29", "gpstime":"2019-06-24T20:11:09.000Z", "temperature": 23.35, "relhumidity": 15.18, "vappress": 0.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7773920,48.011382] }, "properties": { "altitude": "227.4", "sensor": "29", "gpstime":"2019-06-24T20:11:50.000Z", "temperature": 23.36, "relhumidity": 15.44, "vappress": 0.728, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7766850,48.009582] }, "properties": { "altitude": "226.7", "sensor": "29", "gpstime":"2019-06-24T20:12:24.000Z", "temperature": 23.15, "relhumidity": 16.62, "vappress": 0.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7783080,48.008793] }, "properties": { "altitude": "226.8", "sensor": "29", "gpstime":"2019-06-24T20:12:51.000Z", "temperature": 23.09, "relhumidity": 16.26, "vappress": 0.677, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7798870,48.008115] }, "properties": { "altitude": "226.2", "sensor": "29", "gpstime":"2019-06-24T20:13:17.000Z", "temperature": 23.09, "relhumidity": 16.10, "vappress": 0.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7813600,48.008030] }, "properties": { "altitude": "225.7", "sensor": "29", "gpstime":"2019-06-24T20:13:44.000Z", "temperature": 23.03, "relhumidity": 16.50, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7823500,48.009630] }, "properties": { "altitude": "225.0", "sensor": "29", "gpstime":"2019-06-24T20:14:19.000Z", "temperature": 23.19, "relhumidity": 17.16, "vappress": 1.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7837830,48.009333] }, "properties": { "altitude": "225.7", "sensor": "29", "gpstime":"2019-06-24T20:14:48.000Z", "temperature": 23.44, "relhumidity": 16.54, "vappress": 1.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7853950,48.009468] }, "properties": { "altitude": "226.4", "sensor": "29", "gpstime":"2019-06-24T20:15:15.000Z", "temperature": 23.56, "relhumidity": 15.49, "vappress": 1.389, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7868320,48.009985] }, "properties": { "altitude": "226.4", "sensor": "29", "gpstime":"2019-06-24T20:15:36.000Z", "temperature": 23.91, "relhumidity": 15.29, "vappress": 1.809, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7880280,48.008678] }, "properties": { "altitude": "227.5", "sensor": "29", "gpstime":"2019-06-24T20:16:50.000Z", "temperature": 24.00, "relhumidity": 15.35, "vappress": 1.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7893680,48.008147] }, "properties": { "altitude": "229.2", "sensor": "29", "gpstime":"2019-06-24T20:17:20.000Z", "temperature": 23.87, "relhumidity": 15.91, "vappress": 1.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7908720,48.008260] }, "properties": { "altitude": "230.3", "sensor": "29", "gpstime":"2019-06-24T20:17:47.000Z", "temperature": 23.94, "relhumidity": 15.59, "vappress": 1.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7922270,48.007968] }, "properties": { "altitude": "230.7", "sensor": "29", "gpstime":"2019-06-24T20:18:10.000Z", "temperature": 24.14, "relhumidity": 15.25, "vappress": 2.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7935170,48.007367] }, "properties": { "altitude": "230.1", "sensor": "29", "gpstime":"2019-06-24T20:18:35.000Z", "temperature": 24.10, "relhumidity": 15.86, "vappress": 2.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7949430,48.006445] }, "properties": { "altitude": "231.8", "sensor": "29", "gpstime":"2019-06-24T20:19:05.000Z", "temperature": 24.23, "relhumidity": 15.44, "vappress": 2.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7965580,48.005315] }, "properties": { "altitude": "233.3", "sensor": "29", "gpstime":"2019-06-24T20:19:39.000Z", "temperature": 24.46, "relhumidity": 14.83, "vappress": 2.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7965700,48.003230] }, "properties": { "altitude": "234.9", "sensor": "29", "gpstime":"2019-06-24T20:20:30.000Z", "temperature": 24.89, "relhumidity": 12.24, "vappress": 2.574, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7979930,48.003162] }, "properties": { "altitude": "234.2", "sensor": "29", "gpstime":"2019-06-24T20:21:10.000Z", "temperature": 25.01, "relhumidity": 12.01, "vappress": 2.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7991750,48.004345] }, "properties": { "altitude": "242.1", "sensor": "29", "gpstime":"2019-06-24T20:21:56.000Z", "temperature": 25.03, "relhumidity": 12.45, "vappress": 2.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8003750,48.005757] }, "properties": { "altitude": "244.9", "sensor": "29", "gpstime":"2019-06-24T20:22:35.000Z", "temperature": 25.33, "relhumidity": 10.69, "vappress": 2.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8020870,48.005945] }, "properties": { "altitude": "245.9", "sensor": "29", "gpstime":"2019-06-24T20:23:06.000Z", "temperature": 25.27, "relhumidity": 11.40, "vappress": 2.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8034730,48.005710] }, "properties": { "altitude": "247.1", "sensor": "29", "gpstime":"2019-06-24T20:23:41.000Z", "temperature": 25.20, "relhumidity": 9.85, "vappress": 2.116, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8044970,48.007838] }, "properties": { "altitude": "247.2", "sensor": "29", "gpstime":"2019-06-24T20:24:57.000Z", "temperature": 25.43, "relhumidity": 9.06, "vappress": 2.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8058120,48.008257] }, "properties": { "altitude": "241.6", "sensor": "29", "gpstime":"2019-06-24T20:26:39.000Z", "temperature": 25.63, "relhumidity": 9.23, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8065770,48.006443] }, "properties": { "altitude": "242.3", "sensor": "29", "gpstime":"2019-06-24T20:27:25.000Z", "temperature": 25.74, "relhumidity": 8.05, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8076870,48.005273] }, "properties": { "altitude": "241.5", "sensor": "29", "gpstime":"2019-06-24T20:27:57.000Z", "temperature": 25.82, "relhumidity": 7.72, "vappress": 2.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8087900,48.004070] }, "properties": { "altitude": "240.9", "sensor": "29", "gpstime":"2019-06-24T20:28:29.000Z", "temperature": 25.92, "relhumidity": 7.55, "vappress": 2.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8100500,48.003070] }, "properties": { "altitude": "241.7", "sensor": "29", "gpstime":"2019-06-24T20:29:01.000Z", "temperature": 25.92, "relhumidity": 6.16, "vappress": 1.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114980,48.002825] }, "properties": { "altitude": "241.2", "sensor": "29", "gpstime":"2019-06-24T20:29:25.000Z", "temperature": 25.87, "relhumidity": 7.42, "vappress": 2.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129030,48.003055] }, "properties": { "altitude": "245.0", "sensor": "29", "gpstime":"2019-06-24T20:30:00.000Z", "temperature": 25.87, "relhumidity": 6.74, "vappress": 2.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143050,48.003322] }, "properties": { "altitude": "247.8", "sensor": "29", "gpstime":"2019-06-24T20:30:30.000Z", "temperature": 25.85, "relhumidity": 6.67, "vappress": 1.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157300,48.002780] }, "properties": { "altitude": "249.9", "sensor": "29", "gpstime":"2019-06-24T20:30:59.000Z", "temperature": 25.85, "relhumidity": 6.58, "vappress": 1.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8169200,48.001748] }, "properties": { "altitude": "251.7", "sensor": "29", "gpstime":"2019-06-24T20:31:36.000Z", "temperature": 25.87, "relhumidity": 6.27, "vappress": 1.897, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8187120,48.001655] }, "properties": { "altitude": "256.9", "sensor": "29", "gpstime":"2019-06-24T20:33:27.000Z", "temperature": 25.97, "relhumidity": 6.04, "vappress": 2.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201000,48.001887] }, "properties": { "altitude": "254.6", "sensor": "29", "gpstime":"2019-06-24T20:34:31.000Z", "temperature": 26.07, "relhumidity": 4.48, "vappress": 1.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213730,48.002662] }, "properties": { "altitude": "252.7", "sensor": "29", "gpstime":"2019-06-24T20:35:05.000Z", "temperature": 26.20, "relhumidity": 5.04, "vappress": 2.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228300,48.003302] }, "properties": { "altitude": "256.0", "sensor": "29", "gpstime":"2019-06-24T20:35:35.000Z", "temperature": 26.31, "relhumidity": 3.79, "vappress": 1.762, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240920,48.002613] }, "properties": { "altitude": "262.1", "sensor": "29", "gpstime":"2019-06-24T20:36:02.000Z", "temperature": 26.46, "relhumidity": 1.53, "vappress": 1.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255030,48.002340] }, "properties": { "altitude": "263.4", "sensor": "29", "gpstime":"2019-06-24T20:36:35.000Z", "temperature": 26.67, "relhumidity": 1.40, "vappress": 1.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269350,48.001917] }, "properties": { "altitude": "262.9", "sensor": "29", "gpstime":"2019-06-24T20:37:36.000Z", "temperature": 26.80, "relhumidity": 0.04, "vappress": 1.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285500,48.001747] }, "properties": { "altitude": "262.2", "sensor": "29", "gpstime":"2019-06-24T20:38:06.000Z", "temperature": 26.88, "relhumidity": 0.77, "vappress": 1.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300350,48.001870] }, "properties": { "altitude": "261.3", "sensor": "29", "gpstime":"2019-06-24T20:38:30.000Z", "temperature": 26.89, "relhumidity": 1.79, "vappress": 1.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8314770,48.002220] }, "properties": { "altitude": "267.1", "sensor": "29", "gpstime":"2019-06-24T20:38:57.000Z", "temperature": 26.75, "relhumidity": 1.74, "vappress": 1.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330650,48.002580] }, "properties": { "altitude": "270.9", "sensor": "29", "gpstime":"2019-06-24T20:39:28.000Z", "temperature": 26.75, "relhumidity": 0.41, "vappress": 1.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343920,48.002263] }, "properties": { "altitude": "265.5", "sensor": "29", "gpstime":"2019-06-24T20:39:55.000Z", "temperature": 26.91, "relhumidity": -1.16, "vappress": 1.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333170,48.000712] }, "properties": { "altitude": "268.8", "sensor": "29", "gpstime":"2019-06-24T20:40:44.000Z", "temperature": 27.25, "relhumidity": -1.95, "vappress": 1.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322380,47.999445] }, "properties": { "altitude": "265.8", "sensor": "29", "gpstime":"2019-06-24T20:41:27.000Z", "temperature": 27.51, "relhumidity": -3.97, "vappress": 0.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334020,48.000572] }, "properties": { "altitude": "267.4", "sensor": "29", "gpstime":"2019-06-24T20:44:16.000Z", "temperature": 27.51, "relhumidity": -4.41, "vappress": 0.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348780,48.000727] }, "properties": { "altitude": "269.2", "sensor": "29", "gpstime":"2019-06-24T20:44:52.000Z", "temperature": 27.56, "relhumidity": -4.23, "vappress": 0.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362280,48.000267] }, "properties": { "altitude": "271.2", "sensor": "29", "gpstime":"2019-06-24T20:45:20.000Z", "temperature": 27.64, "relhumidity": -4.70, "vappress": 0.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378580,47.999752] }, "properties": { "altitude": "274.6", "sensor": "29", "gpstime":"2019-06-24T20:46:05.000Z", "temperature": 27.65, "relhumidity": -4.53, "vappress": 0.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375670,47.997785] }, "properties": { "altitude": "274.6", "sensor": "29", "gpstime":"2019-06-24T20:47:07.000Z", "temperature": 27.60, "relhumidity": -4.56, "vappress": 0.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389380,47.997215] }, "properties": { "altitude": "273.2", "sensor": "29", "gpstime":"2019-06-24T20:47:37.000Z", "temperature": 27.61, "relhumidity": -3.86, "vappress": 0.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400820,47.996052] }, "properties": { "altitude": "281.6", "sensor": "29", "gpstime":"2019-06-24T20:48:40.000Z", "temperature": 27.36, "relhumidity": -3.02, "vappress": 0.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413850,47.995502] }, "properties": { "altitude": "271.4", "sensor": "29", "gpstime":"2019-06-24T20:49:23.000Z", "temperature": 27.20, "relhumidity": -2.08, "vappress": 1.206, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427120,47.995848] }, "properties": { "altitude": "278.3", "sensor": "29", "gpstime":"2019-06-24T20:50:04.000Z", "temperature": 27.25, "relhumidity": -2.54, "vappress": 1.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440830,47.995727] }, "properties": { "altitude": "286.2", "sensor": "29", "gpstime":"2019-06-24T20:50:32.000Z", "temperature": 27.34, "relhumidity": -2.54, "vappress": 1.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455470,47.995427] }, "properties": { "altitude": "292.5", "sensor": "29", "gpstime":"2019-06-24T20:51:05.000Z", "temperature": 27.32, "relhumidity": -1.88, "vappress": 1.252, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452070,47.993733] }, "properties": { "altitude": "283.9", "sensor": "29", "gpstime":"2019-06-24T20:52:00.000Z", "temperature": 27.13, "relhumidity": -0.38, "vappress": 1.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454370,47.993555] }, "properties": { "altitude": "271.4", "sensor": "30", "gpstime":"2019-06-24T19:26:02.000Z", "temperature": 26.64, "relhumidity": 0.84, "vappress": 1.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467300,47.992897] }, "properties": { "altitude": "277.7", "sensor": "30", "gpstime":"2019-06-24T19:26:23.000Z", "temperature": 26.36, "relhumidity": 1.56, "vappress": 1.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486470,47.992472] }, "properties": { "altitude": "281.2", "sensor": "30", "gpstime":"2019-06-24T19:26:48.000Z", "temperature": 26.33, "relhumidity": 1.88, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501620,47.992142] }, "properties": { "altitude": "282.2", "sensor": "30", "gpstime":"2019-06-24T19:27:12.000Z", "temperature": 26.36, "relhumidity": -0.39, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516430,47.992042] }, "properties": { "altitude": "283.8", "sensor": "30", "gpstime":"2019-06-24T19:27:34.000Z", "temperature": 26.36, "relhumidity": -0.19, "vappress": 0.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8535430,47.991985] }, "properties": { "altitude": "285.8", "sensor": "30", "gpstime":"2019-06-24T19:28:01.000Z", "temperature": 26.30, "relhumidity": -0.40, "vappress": 0.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550880,47.991768] }, "properties": { "altitude": "287.6", "sensor": "30", "gpstime":"2019-06-24T19:28:23.000Z", "temperature": 26.14, "relhumidity": -0.86, "vappress": 0.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570550,47.991825] }, "properties": { "altitude": "288.1", "sensor": "30", "gpstime":"2019-06-24T19:28:46.000Z", "temperature": 25.73, "relhumidity": 1.61, "vappress": -0.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8586720,47.991695] }, "properties": { "altitude": "283.4", "sensor": "30", "gpstime":"2019-06-24T19:29:06.000Z", "temperature": 25.32, "relhumidity": 2.13, "vappress": 0.249, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8610050,47.991605] }, "properties": { "altitude": "287.5", "sensor": "30", "gpstime":"2019-06-24T19:29:34.000Z", "temperature": 25.32, "relhumidity": 3.42, "vappress": 0.379, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624380,47.991578] }, "properties": { "altitude": "291.2", "sensor": "30", "gpstime":"2019-06-24T19:29:52.000Z", "temperature": 25.17, "relhumidity": 4.63, "vappress": 0.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643900,47.991500] }, "properties": { "altitude": "291.5", "sensor": "30", "gpstime":"2019-06-24T19:30:16.000Z", "temperature": 24.94, "relhumidity": 5.52, "vappress": 0.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8665350,47.991652] }, "properties": { "altitude": "287.2", "sensor": "30", "gpstime":"2019-06-24T19:30:42.000Z", "temperature": 24.57, "relhumidity": 6.76, "vappress": 0.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683130,47.992080] }, "properties": { "altitude": "286.7", "sensor": "30", "gpstime":"2019-06-24T19:31:09.000Z", "temperature": 24.17, "relhumidity": 8.69, "vappress": 0.324, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8697470,47.992423] }, "properties": { "altitude": "286.6", "sensor": "30", "gpstime":"2019-06-24T19:31:30.000Z", "temperature": 23.82, "relhumidity": 10.50, "vappress": 0.424, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8713930,47.992477] }, "properties": { "altitude": "285.7", "sensor": "30", "gpstime":"2019-06-24T19:31:51.000Z", "temperature": 23.33, "relhumidity": 13.10, "vappress": 0.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729080,47.992072] }, "properties": { "altitude": "287.4", "sensor": "30", "gpstime":"2019-06-24T19:32:13.000Z", "temperature": 23.07, "relhumidity": 13.18, "vappress": 0.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8752600,47.991617] }, "properties": { "altitude": "289.2", "sensor": "30", "gpstime":"2019-06-24T19:32:48.000Z", "temperature": 23.22, "relhumidity": 15.69, "vappress": 1.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8766300,47.991527] }, "properties": { "altitude": "292.1", "sensor": "30", "gpstime":"2019-06-24T19:33:07.000Z", "temperature": 23.42, "relhumidity": 15.70, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8787450,47.991675] }, "properties": { "altitude": "295.5", "sensor": "30", "gpstime":"2019-06-24T19:33:36.000Z", "temperature": 23.20, "relhumidity": 16.04, "vappress": 0.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8800820,47.992117] }, "properties": { "altitude": "294.1", "sensor": "30", "gpstime":"2019-06-24T19:33:59.000Z", "temperature": 22.95, "relhumidity": 16.58, "vappress": 0.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8814150,47.993132] }, "properties": { "altitude": "295.0", "sensor": "30", "gpstime":"2019-06-24T19:34:30.000Z", "temperature": 22.81, "relhumidity": 18.18, "vappress": 1.086, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8829150,47.993145] }, "properties": { "altitude": "296.0", "sensor": "30", "gpstime":"2019-06-24T19:34:49.000Z", "temperature": 22.76, "relhumidity": 18.97, "vappress": 1.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8847000,47.992638] }, "properties": { "altitude": "295.6", "sensor": "30", "gpstime":"2019-06-24T19:35:13.000Z", "temperature": 22.77, "relhumidity": 19.08, "vappress": 1.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8862930,47.992292] }, "properties": { "altitude": "294.7", "sensor": "30", "gpstime":"2019-06-24T19:35:34.000Z", "temperature": 22.74, "relhumidity": 20.36, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8877630,47.992390] }, "properties": { "altitude": "297.0", "sensor": "30", "gpstime":"2019-06-24T19:35:53.000Z", "temperature": 22.64, "relhumidity": 20.68, "vappress": 1.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8894370,47.992178] }, "properties": { "altitude": "299.1", "sensor": "30", "gpstime":"2019-06-24T19:36:17.000Z", "temperature": 22.71, "relhumidity": 19.66, "vappress": 1.444, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8912450,47.991712] }, "properties": { "altitude": "301.2", "sensor": "30", "gpstime":"2019-06-24T19:36:41.000Z", "temperature": 22.50, "relhumidity": 21.99, "vappress": 1.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8925730,47.991292] }, "properties": { "altitude": "302.9", "sensor": "30", "gpstime":"2019-06-24T19:37:00.000Z", "temperature": 22.50, "relhumidity": 23.17, "vappress": 2.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8945350,47.990203] }, "properties": { "altitude": "303.0", "sensor": "30", "gpstime":"2019-06-24T19:37:32.000Z", "temperature": 22.55, "relhumidity": 22.28, "vappress": 2.013, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8960130,47.989582] }, "properties": { "altitude": "307.7", "sensor": "30", "gpstime":"2019-06-24T19:37:54.000Z", "temperature": 22.72, "relhumidity": 22.16, "vappress": 2.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8976170,47.988875] }, "properties": { "altitude": "313.4", "sensor": "30", "gpstime":"2019-06-24T19:38:21.000Z", "temperature": 22.69, "relhumidity": 21.30, "vappress": 1.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8988720,47.988010] }, "properties": { "altitude": "314.5", "sensor": "30", "gpstime":"2019-06-24T19:38:48.000Z", "temperature": 23.15, "relhumidity": 20.51, "vappress": 2.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9007730,47.987710] }, "properties": { "altitude": "318.1", "sensor": "30", "gpstime":"2019-06-24T19:39:18.000Z", "temperature": 23.61, "relhumidity": 17.56, "vappress": 2.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9021530,47.988063] }, "properties": { "altitude": "323.9", "sensor": "30", "gpstime":"2019-06-24T19:39:47.000Z", "temperature": 24.02, "relhumidity": 15.87, "vappress": 2.304, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9036100,47.988593] }, "properties": { "altitude": "325.1", "sensor": "30", "gpstime":"2019-06-24T19:40:19.000Z", "temperature": 24.06, "relhumidity": 16.10, "vappress": 2.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9050350,47.988750] }, "properties": { "altitude": "330.6", "sensor": "30", "gpstime":"2019-06-24T19:40:53.000Z", "temperature": 23.86, "relhumidity": 15.22, "vappress": 1.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9065480,47.988510] }, "properties": { "altitude": "323.8", "sensor": "30", "gpstime":"2019-06-24T19:41:22.000Z", "temperature": 23.76, "relhumidity": 14.47, "vappress": 1.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9080570,47.988857] }, "properties": { "altitude": "323.0", "sensor": "30", "gpstime":"2019-06-24T19:41:43.000Z", "temperature": 23.41, "relhumidity": 15.10, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9098100,47.989077] }, "properties": { "altitude": "324.7", "sensor": "30", "gpstime":"2019-06-24T19:42:07.000Z", "temperature": 23.25, "relhumidity": 16.00, "vappress": 1.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9111530,47.989343] }, "properties": { "altitude": "325.0", "sensor": "30", "gpstime":"2019-06-24T19:42:27.000Z", "temperature": 23.17, "relhumidity": 16.81, "vappress": 1.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9129050,47.989437] }, "properties": { "altitude": "329.8", "sensor": "30", "gpstime":"2019-06-24T19:42:52.000Z", "temperature": 23.04, "relhumidity": 17.52, "vappress": 1.322, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9145970,47.989578] }, "properties": { "altitude": "331.2", "sensor": "30", "gpstime":"2019-06-24T19:43:16.000Z", "temperature": 22.99, "relhumidity": 17.62, "vappress": 1.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9159650,47.989902] }, "properties": { "altitude": "332.1", "sensor": "30", "gpstime":"2019-06-24T19:43:37.000Z", "temperature": 22.83, "relhumidity": 17.63, "vappress": 0.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9174950,47.990225] }, "properties": { "altitude": "334.3", "sensor": "30", "gpstime":"2019-06-24T19:43:59.000Z", "temperature": 22.90, "relhumidity": 18.29, "vappress": 1.429, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9192050,47.990553] }, "properties": { "altitude": "336.4", "sensor": "30", "gpstime":"2019-06-24T19:44:23.000Z", "temperature": 23.12, "relhumidity": 19.40, "vappress": 1.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9205750,47.990985] }, "properties": { "altitude": "336.5", "sensor": "30", "gpstime":"2019-06-24T19:44:48.000Z", "temperature": 22.46, "relhumidity": 20.02, "vappress": 0.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9211420,47.992862] }, "properties": { "altitude": "348.7", "sensor": "30", "gpstime":"2019-06-24T19:45:55.000Z", "temperature": 22.01, "relhumidity": 22.73, "vappress": 1.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9194420,47.992913] }, "properties": { "altitude": "346.6", "sensor": "30", "gpstime":"2019-06-24T19:46:50.000Z", "temperature": 21.84, "relhumidity": 21.51, "vappress": 0.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9197800,47.990898] }, "properties": { "altitude": "340.1", "sensor": "30", "gpstime":"2019-06-24T19:47:33.000Z", "temperature": 21.65, "relhumidity": 22.83, "vappress": 0.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9212600,47.991088] }, "properties": { "altitude": "340.9", "sensor": "30", "gpstime":"2019-06-24T19:47:52.000Z", "temperature": 21.58, "relhumidity": 22.16, "vappress": 0.187, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9224570,47.989035] }, "properties": { "altitude": "341.4", "sensor": "30", "gpstime":"2019-06-24T19:48:46.000Z", "temperature": 21.79, "relhumidity": 22.26, "vappress": 0.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9209470,47.988165] }, "properties": { "altitude": "335.9", "sensor": "30", "gpstime":"2019-06-24T19:49:24.000Z", "temperature": 21.81, "relhumidity": 22.59, "vappress": 0.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9193780,47.987462] }, "properties": { "altitude": "335.5", "sensor": "30", "gpstime":"2019-06-24T19:49:48.000Z", "temperature": 22.05, "relhumidity": 22.06, "vappress": 0.969, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9180450,47.986632] }, "properties": { "altitude": "334.5", "sensor": "30", "gpstime":"2019-06-24T19:50:13.000Z", "temperature": 22.33, "relhumidity": 21.29, "vappress": 1.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9167650,47.985903] }, "properties": { "altitude": "333.0", "sensor": "30", "gpstime":"2019-06-24T19:50:37.000Z", "temperature": 22.49, "relhumidity": 21.20, "vappress": 1.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9179650,47.984723] }, "properties": { "altitude": "333.7", "sensor": "30", "gpstime":"2019-06-24T19:51:31.000Z", "temperature": 22.38, "relhumidity": 21.15, "vappress": 1.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9192880,47.983570] }, "properties": { "altitude": "334.5", "sensor": "30", "gpstime":"2019-06-24T19:52:04.000Z", "temperature": 22.28, "relhumidity": 21.08, "vappress": 0.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9207680,47.983213] }, "properties": { "altitude": "336.4", "sensor": "30", "gpstime":"2019-06-24T19:52:39.000Z", "temperature": 22.12, "relhumidity": 21.20, "vappress": 0.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9232630,47.983030] }, "properties": { "altitude": "339.2", "sensor": "30", "gpstime":"2019-06-24T19:53:14.000Z", "temperature": 22.03, "relhumidity": 21.76, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9246550,47.982887] }, "properties": { "altitude": "340.9", "sensor": "30", "gpstime":"2019-06-24T19:53:34.000Z", "temperature": 22.23, "relhumidity": 21.20, "vappress": 1.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9263930,47.982623] }, "properties": { "altitude": "342.5", "sensor": "30", "gpstime":"2019-06-24T19:53:59.000Z", "temperature": 22.35, "relhumidity": 20.60, "vappress": 0.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9277280,47.982262] }, "properties": { "altitude": "344.5", "sensor": "30", "gpstime":"2019-06-24T19:54:18.000Z", "temperature": 22.24, "relhumidity": 20.55, "vappress": 0.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9295280,47.981618] }, "properties": { "altitude": "346.2", "sensor": "30", "gpstime":"2019-06-24T19:54:47.000Z", "temperature": 22.00, "relhumidity": 20.40, "vappress": 0.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9310520,47.981165] }, "properties": { "altitude": "348.1", "sensor": "30", "gpstime":"2019-06-24T19:55:12.000Z", "temperature": 21.77, "relhumidity": 20.42, "vappress": 0.086, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9294730,47.981667] }, "properties": { "altitude": "345.1", "sensor": "30", "gpstime":"2019-06-24T19:57:02.000Z", "temperature": 21.51, "relhumidity": 21.57, "vappress": -0.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9280820,47.982177] }, "properties": { "altitude": "343.9", "sensor": "30", "gpstime":"2019-06-24T19:57:16.000Z", "temperature": 21.59, "relhumidity": 21.62, "vappress": 0.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9267400,47.982585] }, "properties": { "altitude": "342.2", "sensor": "30", "gpstime":"2019-06-24T19:57:29.000Z", "temperature": 21.64, "relhumidity": 21.70, "vappress": 0.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9250820,47.982875] }, "properties": { "altitude": "340.2", "sensor": "30", "gpstime":"2019-06-24T19:57:44.000Z", "temperature": 21.95, "relhumidity": 21.96, "vappress": 0.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9236570,47.983030] }, "properties": { "altitude": "338.4", "sensor": "30", "gpstime":"2019-06-24T19:57:56.000Z", "temperature": 22.20, "relhumidity": 21.81, "vappress": 1.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9209320,47.983257] }, "properties": { "altitude": "335.7", "sensor": "30", "gpstime":"2019-06-24T19:58:19.000Z", "temperature": 22.26, "relhumidity": 20.60, "vappress": 0.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9195550,47.983162] }, "properties": { "altitude": "335.3", "sensor": "30", "gpstime":"2019-06-24T19:58:34.000Z", "temperature": 22.16, "relhumidity": 20.72, "vappress": 0.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9186820,47.981380] }, "properties": { "altitude": "333.5", "sensor": "30", "gpstime":"2019-06-24T19:59:11.000Z", "temperature": 21.53, "relhumidity": 21.94, "vappress": -0.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9169370,47.981892] }, "properties": { "altitude": "328.5", "sensor": "30", "gpstime":"2019-06-24T19:59:34.000Z", "temperature": 21.67, "relhumidity": 22.25, "vappress": 0.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9154550,47.982210] }, "properties": { "altitude": "330.2", "sensor": "30", "gpstime":"2019-06-24T19:59:51.000Z", "temperature": 21.94, "relhumidity": 22.12, "vappress": 0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9140930,47.982680] }, "properties": { "altitude": "327.5", "sensor": "30", "gpstime":"2019-06-24T20:00:08.000Z", "temperature": 22.24, "relhumidity": 21.62, "vappress": 1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9126150,47.983035] }, "properties": { "altitude": "327.4", "sensor": "30", "gpstime":"2019-06-24T20:00:24.000Z", "temperature": 22.41, "relhumidity": 21.40, "vappress": 1.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9116330,47.984863] }, "properties": { "altitude": "328.7", "sensor": "30", "gpstime":"2019-06-24T20:01:12.000Z", "temperature": 22.49, "relhumidity": 19.98, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9101000,47.985303] }, "properties": { "altitude": "326.2", "sensor": "30", "gpstime":"2019-06-24T20:01:29.000Z", "temperature": 22.89, "relhumidity": 19.34, "vappress": 1.399, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9087100,47.985910] }, "properties": { "altitude": "324.5", "sensor": "30", "gpstime":"2019-06-24T20:01:51.000Z", "temperature": 22.91, "relhumidity": 19.14, "vappress": 1.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9066950,47.986177] }, "properties": { "altitude": "322.2", "sensor": "30", "gpstime":"2019-06-24T20:02:15.000Z", "temperature": 23.00, "relhumidity": 18.62, "vappress": 1.396, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9053020,47.986400] }, "properties": { "altitude": "320.2", "sensor": "30", "gpstime":"2019-06-24T20:02:31.000Z", "temperature": 23.33, "relhumidity": 18.16, "vappress": 1.746, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9036050,47.986948] }, "properties": { "altitude": "320.6", "sensor": "30", "gpstime":"2019-06-24T20:03:01.000Z", "temperature": 23.55, "relhumidity": 16.75, "vappress": 1.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9035550,47.984672] }, "properties": { "altitude": "327.4", "sensor": "30", "gpstime":"2019-06-24T20:04:39.000Z", "temperature": 23.76, "relhumidity": 15.91, "vappress": 2.139, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9019430,47.983657] }, "properties": { "altitude": "326.1", "sensor": "30", "gpstime":"2019-06-24T20:05:26.000Z", "temperature": 23.99, "relhumidity": 15.52, "vappress": 1.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9006080,47.983373] }, "properties": { "altitude": "326.3", "sensor": "30", "gpstime":"2019-06-24T20:05:52.000Z", "temperature": 23.87, "relhumidity": 15.67, "vappress": 1.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8990450,47.982367] }, "properties": { "altitude": "329.8", "sensor": "30", "gpstime":"2019-06-24T20:06:19.000Z", "temperature": 24.09, "relhumidity": 13.44, "vappress": 1.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8976350,47.983293] }, "properties": { "altitude": "323.8", "sensor": "30", "gpstime":"2019-06-24T20:06:47.000Z", "temperature": 24.30, "relhumidity": 12.29, "vappress": 1.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8960950,47.984193] }, "properties": { "altitude": "319.2", "sensor": "30", "gpstime":"2019-06-24T20:07:12.000Z", "temperature": 24.49, "relhumidity": 12.26, "vappress": 1.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8947230,47.984623] }, "properties": { "altitude": "318.1", "sensor": "30", "gpstime":"2019-06-24T20:07:34.000Z", "temperature": 24.56, "relhumidity": 11.72, "vappress": 1.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8955750,47.986182] }, "properties": { "altitude": "325.5", "sensor": "30", "gpstime":"2019-06-24T20:08:40.000Z", "temperature": 24.68, "relhumidity": 11.90, "vappress": 1.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8937600,47.987828] }, "properties": { "altitude": "314.7", "sensor": "30", "gpstime":"2019-06-24T20:09:34.000Z", "temperature": 24.58, "relhumidity": 12.19, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8921280,47.988262] }, "properties": { "altitude": "313.3", "sensor": "30", "gpstime":"2019-06-24T20:09:59.000Z", "temperature": 24.53, "relhumidity": 12.17, "vappress": 1.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8902750,47.988622] }, "properties": { "altitude": "312.5", "sensor": "30", "gpstime":"2019-06-24T20:10:26.000Z", "temperature": 24.62, "relhumidity": 12.97, "vappress": 2.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8886350,47.988632] }, "properties": { "altitude": "309.2", "sensor": "30", "gpstime":"2019-06-24T20:10:50.000Z", "temperature": 24.35, "relhumidity": 14.02, "vappress": 1.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8873950,47.987687] }, "properties": { "altitude": "310.7", "sensor": "30", "gpstime":"2019-06-24T20:11:33.000Z", "temperature": 24.32, "relhumidity": 13.51, "vappress": 2.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8858270,47.986592] }, "properties": { "altitude": "312.1", "sensor": "30", "gpstime":"2019-06-24T20:12:15.000Z", "temperature": 24.75, "relhumidity": 9.82, "vappress": 1.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8842350,47.986788] }, "properties": { "altitude": "309.5", "sensor": "30", "gpstime":"2019-06-24T20:12:37.000Z", "temperature": 25.19, "relhumidity": 8.49, "vappress": 1.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8837800,47.988950] }, "properties": { "altitude": "302.2", "sensor": "30", "gpstime":"2019-06-24T20:14:22.000Z", "temperature": 25.24, "relhumidity": 10.18, "vappress": 1.861, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8824400,47.989053] }, "properties": { "altitude": "300.1", "sensor": "30", "gpstime":"2019-06-24T20:14:47.000Z", "temperature": 25.01, "relhumidity": 10.58, "vappress": 1.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807380,47.988913] }, "properties": { "altitude": "306.1", "sensor": "30", "gpstime":"2019-06-24T20:15:29.000Z", "temperature": 24.92, "relhumidity": 10.85, "vappress": 1.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8799500,47.987140] }, "properties": { "altitude": "314.2", "sensor": "30", "gpstime":"2019-06-24T20:16:17.000Z", "temperature": 25.09, "relhumidity": 8.83, "vappress": 1.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8779480,47.987128] }, "properties": { "altitude": "310.0", "sensor": "30", "gpstime":"2019-06-24T20:16:48.000Z", "temperature": 25.03, "relhumidity": 8.59, "vappress": 1.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8762830,47.987340] }, "properties": { "altitude": "306.9", "sensor": "30", "gpstime":"2019-06-24T20:17:13.000Z", "temperature": 25.00, "relhumidity": 8.54, "vappress": 1.353, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749600,47.987935] }, "properties": { "altitude": "305.8", "sensor": "30", "gpstime":"2019-06-24T20:18:15.000Z", "temperature": 25.10, "relhumidity": 8.52, "vappress": 1.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8737230,47.986382] }, "properties": { "altitude": "303.7", "sensor": "30", "gpstime":"2019-06-24T20:19:30.000Z", "temperature": 25.17, "relhumidity": 7.52, "vappress": 0.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8723180,47.986140] }, "properties": { "altitude": "302.7", "sensor": "30", "gpstime":"2019-06-24T20:19:57.000Z", "temperature": 24.76, "relhumidity": 9.02, "vappress": 0.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705430,47.986560] }, "properties": { "altitude": "301.1", "sensor": "30", "gpstime":"2019-06-24T20:20:19.000Z", "temperature": 24.68, "relhumidity": 10.25, "vappress": 1.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686550,47.987028] }, "properties": { "altitude": "300.1", "sensor": "30", "gpstime":"2019-06-24T20:20:42.000Z", "temperature": 24.84, "relhumidity": 10.02, "vappress": 1.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8673100,47.987365] }, "properties": { "altitude": "299.6", "sensor": "30", "gpstime":"2019-06-24T20:20:59.000Z", "temperature": 24.96, "relhumidity": 9.51, "vappress": 1.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8658330,47.987723] }, "properties": { "altitude": "299.0", "sensor": "30", "gpstime":"2019-06-24T20:21:18.000Z", "temperature": 25.24, "relhumidity": 8.62, "vappress": 1.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8644550,47.988030] }, "properties": { "altitude": "295.8", "sensor": "30", "gpstime":"2019-06-24T20:21:37.000Z", "temperature": 25.31, "relhumidity": 7.71, "vappress": 1.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629980,47.988240] }, "properties": { "altitude": "292.5", "sensor": "30", "gpstime":"2019-06-24T20:21:59.000Z", "temperature": 25.36, "relhumidity": 7.20, "vappress": 1.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617280,47.987037] }, "properties": { "altitude": "308.6", "sensor": "30", "gpstime":"2019-06-24T20:22:42.000Z", "temperature": 25.59, "relhumidity": 6.79, "vappress": 1.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600000,47.986817] }, "properties": { "altitude": "307.4", "sensor": "30", "gpstime":"2019-06-24T20:23:07.000Z", "temperature": 25.70, "relhumidity": 5.48, "vappress": 1.546, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588920,47.988010] }, "properties": { "altitude": "300.0", "sensor": "30", "gpstime":"2019-06-24T20:23:55.000Z", "temperature": 25.80, "relhumidity": 5.47, "vappress": 1.696, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8573050,47.988480] }, "properties": { "altitude": "297.0", "sensor": "30", "gpstime":"2019-06-24T20:24:24.000Z", "temperature": 25.89, "relhumidity": 4.40, "vappress": 1.379, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8557020,47.988532] }, "properties": { "altitude": "293.6", "sensor": "30", "gpstime":"2019-06-24T20:24:58.000Z", "temperature": 26.06, "relhumidity": 4.87, "vappress": 1.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541270,47.988433] }, "properties": { "altitude": "291.1", "sensor": "30", "gpstime":"2019-06-24T20:25:41.000Z", "temperature": 26.12, "relhumidity": 4.53, "vappress": 1.753, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520420,47.988545] }, "properties": { "altitude": "293.7", "sensor": "30", "gpstime":"2019-06-24T20:26:06.000Z", "temperature": 26.13, "relhumidity": 3.94, "vappress": 1.762, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498030,47.988745] }, "properties": { "altitude": "291.6", "sensor": "30", "gpstime":"2019-06-24T20:26:33.000Z", "temperature": 26.32, "relhumidity": 2.83, "vappress": 1.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482750,47.988785] }, "properties": { "altitude": "294.0", "sensor": "30", "gpstime":"2019-06-24T20:26:55.000Z", "temperature": 26.38, "relhumidity": 2.32, "vappress": 1.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477780,47.990663] }, "properties": { "altitude": "288.4", "sensor": "30", "gpstime":"2019-06-24T20:28:34.000Z", "temperature": 26.35, "relhumidity": 2.65, "vappress": 1.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463230,47.990797] }, "properties": { "altitude": "287.9", "sensor": "30", "gpstime":"2019-06-24T20:28:52.000Z", "temperature": 26.26, "relhumidity": 3.13, "vappress": 1.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453750,47.992385] }, "properties": { "altitude": "285.4", "sensor": "30", "gpstime":"2019-06-24T20:29:39.000Z", "temperature": 26.35, "relhumidity": 2.88, "vappress": 1.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454030,47.992687] }, "properties": { "altitude": "281.8", "sensor": "30", "gpstime":"2019-06-24T20:29:47.000Z", "temperature": 26.33, "relhumidity": 2.88, "vappress": 1.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449730,47.993485] }, "properties": { "altitude": "108.6", "sensor": "32", "gpstime":"2019-06-24T18:46:33.000Z", "temperature": 25.91, "relhumidity": 24.19, "vappress": 8.974, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452430,47.991208] }, "properties": { "altitude": "266.9", "sensor": "32", "gpstime":"2019-06-24T19:24:33.000Z", "temperature": 25.81, "relhumidity": 3.65, "vappress": 1.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446070,47.989443] }, "properties": { "altitude": "266.4", "sensor": "32", "gpstime":"2019-06-24T19:26:33.000Z", "temperature": 26.24, "relhumidity": 6.22, "vappress": 2.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443780,47.987328] }, "properties": { "altitude": "265.9", "sensor": "32", "gpstime":"2019-06-24T19:27:17.000Z", "temperature": 25.82, "relhumidity": 8.71, "vappress": 2.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439880,47.984973] }, "properties": { "altitude": "268.1", "sensor": "32", "gpstime":"2019-06-24T19:28:00.000Z", "temperature": 25.51, "relhumidity": 10.99, "vappress": 2.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455850,47.984675] }, "properties": { "altitude": "271.2", "sensor": "32", "gpstime":"2019-06-24T19:28:28.000Z", "temperature": 25.34, "relhumidity": 10.76, "vappress": 2.942, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472280,47.984558] }, "properties": { "altitude": "275.1", "sensor": "32", "gpstime":"2019-06-24T19:28:52.000Z", "temperature": 25.28, "relhumidity": 10.65, "vappress": 2.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478520,47.982642] }, "properties": { "altitude": "271.1", "sensor": "32", "gpstime":"2019-06-24T19:29:38.000Z", "temperature": 24.91, "relhumidity": 11.66, "vappress": 2.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481380,47.980587] }, "properties": { "altitude": "276.1", "sensor": "32", "gpstime":"2019-06-24T19:30:55.000Z", "temperature": 24.18, "relhumidity": 13.36, "vappress": 1.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488100,47.978658] }, "properties": { "altitude": "244.6", "sensor": "32", "gpstime":"2019-06-24T19:32:32.000Z", "temperature": 23.57, "relhumidity": 16.72, "vappress": 1.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501700,47.978682] }, "properties": { "altitude": "271.0", "sensor": "32", "gpstime":"2019-06-24T19:35:20.000Z", "temperature": 23.57, "relhumidity": 13.10, "vappress": 1.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501950,47.976448] }, "properties": { "altitude": "342.5", "sensor": "32", "gpstime":"2019-06-24T19:37:25.000Z", "temperature": 23.90, "relhumidity": 10.51, "vappress": 0.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509480,47.974730] }, "properties": { "altitude": "349.0", "sensor": "32", "gpstime":"2019-06-24T19:38:23.000Z", "temperature": 24.17, "relhumidity": 10.77, "vappress": 1.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8518320,47.972843] }, "properties": { "altitude": "350.0", "sensor": "32", "gpstime":"2019-06-24T19:39:23.000Z", "temperature": 24.00, "relhumidity": 11.89, "vappress": 0.974, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531580,47.972268] }, "properties": { "altitude": "353.5", "sensor": "32", "gpstime":"2019-06-24T19:39:53.000Z", "temperature": 24.31, "relhumidity": 9.21, "vappress": 1.074, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539380,47.970605] }, "properties": { "altitude": "356.3", "sensor": "32", "gpstime":"2019-06-24T19:41:36.000Z", "temperature": 24.17, "relhumidity": 13.09, "vappress": 1.719, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555550,47.969837] }, "properties": { "altitude": "380.9", "sensor": "32", "gpstime":"2019-06-24T19:42:19.000Z", "temperature": 24.20, "relhumidity": 12.75, "vappress": 1.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569370,47.970090] }, "properties": { "altitude": "385.1", "sensor": "32", "gpstime":"2019-06-24T19:42:43.000Z", "temperature": 24.34, "relhumidity": 10.37, "vappress": 1.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583920,47.970247] }, "properties": { "altitude": "387.5", "sensor": "32", "gpstime":"2019-06-24T19:43:05.000Z", "temperature": 24.13, "relhumidity": 11.18, "vappress": 0.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598570,47.970132] }, "properties": { "altitude": "387.2", "sensor": "32", "gpstime":"2019-06-24T19:43:35.000Z", "temperature": 23.80, "relhumidity": 12.42, "vappress": 0.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590770,47.968407] }, "properties": { "altitude": "378.0", "sensor": "32", "gpstime":"2019-06-24T19:44:32.000Z", "temperature": 23.45, "relhumidity": 18.52, "vappress": 2.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8605580,47.967338] }, "properties": { "altitude": "391.8", "sensor": "32", "gpstime":"2019-06-24T19:45:13.000Z", "temperature": 23.62, "relhumidity": 15.86, "vappress": 1.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622270,47.966803] }, "properties": { "altitude": "399.0", "sensor": "32", "gpstime":"2019-06-24T19:45:45.000Z", "temperature": 24.04, "relhumidity": 14.50, "vappress": 2.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637480,47.966960] }, "properties": { "altitude": "403.8", "sensor": "32", "gpstime":"2019-06-24T19:46:10.000Z", "temperature": 24.23, "relhumidity": 13.89, "vappress": 2.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651350,47.967068] }, "properties": { "altitude": "410.0", "sensor": "32", "gpstime":"2019-06-24T19:46:34.000Z", "temperature": 23.90, "relhumidity": 14.81, "vappress": 1.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8667500,47.967338] }, "properties": { "altitude": "412.4", "sensor": "32", "gpstime":"2019-06-24T19:47:07.000Z", "temperature": 23.29, "relhumidity": 16.94, "vappress": 0.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682250,47.967525] }, "properties": { "altitude": "406.2", "sensor": "32", "gpstime":"2019-06-24T19:47:31.000Z", "temperature": 22.57, "relhumidity": 21.41, "vappress": 1.367, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695450,47.968277] }, "properties": { "altitude": "379.1", "sensor": "32", "gpstime":"2019-06-24T19:48:38.000Z", "temperature": 22.20, "relhumidity": 21.87, "vappress": 0.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8681530,47.968483] }, "properties": { "altitude": "385.6", "sensor": "32", "gpstime":"2019-06-24T19:49:33.000Z", "temperature": 22.31, "relhumidity": 19.63, "vappress": 0.949, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8666270,47.968542] }, "properties": { "altitude": "456.0", "sensor": "32", "gpstime":"2019-06-24T19:50:40.000Z", "temperature": 22.86, "relhumidity": 14.53, "vappress": 0.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651750,47.968368] }, "properties": { "altitude": "493.1", "sensor": "32", "gpstime":"2019-06-24T19:51:29.000Z", "temperature": 23.41, "relhumidity": 14.07, "vappress": 1.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636750,47.968575] }, "properties": { "altitude": "523.7", "sensor": "32", "gpstime":"2019-06-24T19:52:20.000Z", "temperature": 23.75, "relhumidity": 12.72, "vappress": 1.095, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650680,47.968868] }, "properties": { "altitude": "548.4", "sensor": "32", "gpstime":"2019-06-24T19:53:20.000Z", "temperature": 24.01, "relhumidity": 9.77, "vappress": 0.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670750,47.969303] }, "properties": { "altitude": "568.8", "sensor": "32", "gpstime":"2019-06-24T19:54:03.000Z", "temperature": 24.12, "relhumidity": 6.54, "vappress": -0.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657050,47.969727] }, "properties": { "altitude": "586.0", "sensor": "32", "gpstime":"2019-06-24T19:56:01.000Z", "temperature": 24.19, "relhumidity": 6.25, "vappress": -0.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8666050,47.971457] }, "properties": { "altitude": "583.2", "sensor": "32", "gpstime":"2019-06-24T19:57:17.000Z", "temperature": 24.27, "relhumidity": 6.77, "vappress": -0.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651020,47.972660] }, "properties": { "altitude": "568.9", "sensor": "32", "gpstime":"2019-06-24T19:58:43.000Z", "temperature": 23.99, "relhumidity": 6.44, "vappress": -0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8635350,47.972678] }, "properties": { "altitude": "551.7", "sensor": "32", "gpstime":"2019-06-24T19:58:59.000Z", "temperature": 24.01, "relhumidity": 6.33, "vappress": -0.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622850,47.973558] }, "properties": { "altitude": "537.3", "sensor": "32", "gpstime":"2019-06-24T19:59:19.000Z", "temperature": 24.20, "relhumidity": 5.71, "vappress": -0.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606670,47.973523] }, "properties": { "altitude": "528.7", "sensor": "32", "gpstime":"2019-06-24T19:59:35.000Z", "temperature": 24.18, "relhumidity": 5.91, "vappress": -0.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585780,47.972775] }, "properties": { "altitude": "517.7", "sensor": "32", "gpstime":"2019-06-24T19:59:57.000Z", "temperature": 24.34, "relhumidity": 5.32, "vappress": -0.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563500,47.974050] }, "properties": { "altitude": "507.8", "sensor": "32", "gpstime":"2019-06-24T20:00:48.000Z", "temperature": 24.48, "relhumidity": 4.92, "vappress": -0.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550030,47.975693] }, "properties": { "altitude": "493.7", "sensor": "32", "gpstime":"2019-06-24T20:01:17.000Z", "temperature": 24.73, "relhumidity": 3.38, "vappress": -0.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562250,47.976598] }, "properties": { "altitude": "476.1", "sensor": "32", "gpstime":"2019-06-24T20:04:13.000Z", "temperature": 24.92, "relhumidity": 3.70, "vappress": -0.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8575730,47.976900] }, "properties": { "altitude": "463.0", "sensor": "32", "gpstime":"2019-06-24T20:04:29.000Z", "temperature": 24.52, "relhumidity": 5.77, "vappress": -0.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598330,47.977342] }, "properties": { "altitude": "436.9", "sensor": "32", "gpstime":"2019-06-24T20:04:55.000Z", "temperature": 24.43, "relhumidity": 7.53, "vappress": 0.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613280,47.978848] }, "properties": { "altitude": "417.4", "sensor": "32", "gpstime":"2019-06-24T20:05:23.000Z", "temperature": 24.42, "relhumidity": 7.06, "vappress": 0.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626150,47.979612] }, "properties": { "altitude": "405.3", "sensor": "32", "gpstime":"2019-06-24T20:05:44.000Z", "temperature": 24.57, "relhumidity": 6.02, "vappress": 0.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8640230,47.979502] }, "properties": { "altitude": "396.4", "sensor": "32", "gpstime":"2019-06-24T20:06:39.000Z", "temperature": 24.70, "relhumidity": 7.03, "vappress": 0.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657220,47.979825] }, "properties": { "altitude": "390.0", "sensor": "32", "gpstime":"2019-06-24T20:07:03.000Z", "temperature": 24.35, "relhumidity": 8.11, "vappress": 0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670020,47.978905] }, "properties": { "altitude": "389.6", "sensor": "32", "gpstime":"2019-06-24T20:08:05.000Z", "temperature": 24.02, "relhumidity": 10.75, "vappress": 0.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682430,47.977567] }, "properties": { "altitude": "399.7", "sensor": "32", "gpstime":"2019-06-24T20:09:02.000Z", "temperature": 23.62, "relhumidity": 15.81, "vappress": 0.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8684550,47.979560] }, "properties": { "altitude": "410.1", "sensor": "32", "gpstime":"2019-06-24T20:10:25.000Z", "temperature": 23.19, "relhumidity": 14.87, "vappress": 1.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696650,47.980932] }, "properties": { "altitude": "417.6", "sensor": "32", "gpstime":"2019-06-24T20:11:03.000Z", "temperature": 23.79, "relhumidity": 15.11, "vappress": 1.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712400,47.981227] }, "properties": { "altitude": "417.3", "sensor": "32", "gpstime":"2019-06-24T20:11:52.000Z", "temperature": 23.88, "relhumidity": 16.07, "vappress": 1.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718350,47.979393] }, "properties": { "altitude": "415.8", "sensor": "32", "gpstime":"2019-06-24T20:13:04.000Z", "temperature": 24.00, "relhumidity": 12.80, "vappress": 1.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8732220,47.978710] }, "properties": { "altitude": "410.8", "sensor": "32", "gpstime":"2019-06-24T20:13:26.000Z", "temperature": 23.85, "relhumidity": 12.25, "vappress": 0.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8747920,47.979183] }, "properties": { "altitude": "405.5", "sensor": "32", "gpstime":"2019-06-24T20:13:50.000Z", "temperature": 23.95, "relhumidity": 11.13, "vappress": 0.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761580,47.979765] }, "properties": { "altitude": "402.5", "sensor": "32", "gpstime":"2019-06-24T20:14:11.000Z", "temperature": 24.22, "relhumidity": 11.07, "vappress": 1.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8771300,47.978205] }, "properties": { "altitude": "397.7", "sensor": "32", "gpstime":"2019-06-24T20:15:09.000Z", "temperature": 24.14, "relhumidity": 13.42, "vappress": 1.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8789970,47.978512] }, "properties": { "altitude": "383.7", "sensor": "32", "gpstime":"2019-06-24T20:15:38.000Z", "temperature": 23.65, "relhumidity": 14.02, "vappress": 0.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8806220,47.979090] }, "properties": { "altitude": "360.7", "sensor": "32", "gpstime":"2019-06-24T20:16:03.000Z", "temperature": 23.68, "relhumidity": 15.07, "vappress": 1.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8819220,47.979593] }, "properties": { "altitude": "348.6", "sensor": "32", "gpstime":"2019-06-24T20:16:26.000Z", "temperature": 23.41, "relhumidity": 18.46, "vappress": 1.499, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8806170,47.981342] }, "properties": { "altitude": "314.3", "sensor": "32", "gpstime":"2019-06-24T20:17:19.000Z", "temperature": 22.89, "relhumidity": 20.42, "vappress": 1.123, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8792520,47.981910] }, "properties": { "altitude": "297.0", "sensor": "32", "gpstime":"2019-06-24T20:17:43.000Z", "temperature": 22.76, "relhumidity": 20.01, "vappress": 1.323, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8776800,47.982133] }, "properties": { "altitude": "279.3", "sensor": "32", "gpstime":"2019-06-24T20:18:13.000Z", "temperature": 22.92, "relhumidity": 19.60, "vappress": 1.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8760630,47.981923] }, "properties": { "altitude": "293.7", "sensor": "32", "gpstime":"2019-06-24T20:18:48.000Z", "temperature": 23.17, "relhumidity": 19.06, "vappress": 1.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8751080,47.983583] }, "properties": { "altitude": "314.4", "sensor": "32", "gpstime":"2019-06-24T20:19:40.000Z", "temperature": 23.05, "relhumidity": 19.73, "vappress": 1.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8738280,47.984752] }, "properties": { "altitude": "316.5", "sensor": "32", "gpstime":"2019-06-24T20:20:04.000Z", "temperature": 23.27, "relhumidity": 19.95, "vappress": 2.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721630,47.985263] }, "properties": { "altitude": "308.1", "sensor": "32", "gpstime":"2019-06-24T20:20:28.000Z", "temperature": 23.46, "relhumidity": 20.06, "vappress": 2.244, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705080,47.985410] }, "properties": { "altitude": "297.1", "sensor": "32", "gpstime":"2019-06-24T20:20:50.000Z", "temperature": 23.43, "relhumidity": 19.87, "vappress": 2.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8691730,47.985188] }, "properties": { "altitude": "293.3", "sensor": "32", "gpstime":"2019-06-24T20:21:06.000Z", "temperature": 23.48, "relhumidity": 19.48, "vappress": 2.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8673930,47.984267] }, "properties": { "altitude": "282.2", "sensor": "32", "gpstime":"2019-06-24T20:21:33.000Z", "temperature": 23.63, "relhumidity": 19.16, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660520,47.983665] }, "properties": { "altitude": "307.2", "sensor": "32", "gpstime":"2019-06-24T20:22:00.000Z", "temperature": 23.67, "relhumidity": 19.16, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645100,47.983268] }, "properties": { "altitude": "317.8", "sensor": "32", "gpstime":"2019-06-24T20:22:27.000Z", "temperature": 23.66, "relhumidity": 19.06, "vappress": 2.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627330,47.983975] }, "properties": { "altitude": "302.6", "sensor": "32", "gpstime":"2019-06-24T20:22:53.000Z", "temperature": 23.44, "relhumidity": 19.58, "vappress": 1.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622670,47.985857] }, "properties": { "altitude": "291.9", "sensor": "32", "gpstime":"2019-06-24T20:23:29.000Z", "temperature": 23.22, "relhumidity": 19.60, "vappress": 2.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609130,47.985995] }, "properties": { "altitude": "305.2", "sensor": "32", "gpstime":"2019-06-24T20:24:07.000Z", "temperature": 23.97, "relhumidity": 17.13, "vappress": 2.649, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596570,47.986758] }, "properties": { "altitude": "317.7", "sensor": "32", "gpstime":"2019-06-24T20:24:44.000Z", "temperature": 24.77, "relhumidity": 12.37, "vappress": 2.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580470,47.986408] }, "properties": { "altitude": "327.0", "sensor": "32", "gpstime":"2019-06-24T20:25:08.000Z", "temperature": 25.35, "relhumidity": 10.48, "vappress": 2.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566380,47.986352] }, "properties": { "altitude": "337.2", "sensor": "32", "gpstime":"2019-06-24T20:25:28.000Z", "temperature": 25.75, "relhumidity": 8.17, "vappress": 2.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549200,47.986422] }, "properties": { "altitude": "342.9", "sensor": "32", "gpstime":"2019-06-24T20:25:51.000Z", "temperature": 25.93, "relhumidity": 7.15, "vappress": 2.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531020,47.986488] }, "properties": { "altitude": "346.4", "sensor": "32", "gpstime":"2019-06-24T20:26:15.000Z", "temperature": 26.12, "relhumidity": 5.91, "vappress": 2.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505650,47.986787] }, "properties": { "altitude": "359.2", "sensor": "32", "gpstime":"2019-06-24T20:26:53.000Z", "temperature": 26.20, "relhumidity": 4.88, "vappress": 2.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490930,47.987150] }, "properties": { "altitude": "350.7", "sensor": "32", "gpstime":"2019-06-24T20:27:09.000Z", "temperature": 26.29, "relhumidity": 4.21, "vappress": 1.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476220,47.987150] }, "properties": { "altitude": "332.6", "sensor": "32", "gpstime":"2019-06-24T20:27:30.000Z", "temperature": 26.35, "relhumidity": 3.50, "vappress": 1.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460180,47.986133] }, "properties": { "altitude": "301.5", "sensor": "32", "gpstime":"2019-06-24T20:28:12.000Z", "temperature": 26.51, "relhumidity": 2.79, "vappress": 1.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442650,47.986248] }, "properties": { "altitude": "296.5", "sensor": "32", "gpstime":"2019-06-24T20:28:32.000Z", "temperature": 26.58, "relhumidity": 3.29, "vappress": 1.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425600,47.986392] }, "properties": { "altitude": "288.7", "sensor": "32", "gpstime":"2019-06-24T20:28:52.000Z", "temperature": 26.39, "relhumidity": 4.95, "vappress": 2.175, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424570,47.988443] }, "properties": { "altitude": "287.7", "sensor": "32", "gpstime":"2019-06-24T20:29:37.000Z", "temperature": 26.21, "relhumidity": 4.07, "vappress": 1.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439320,47.989787] }, "properties": { "altitude": "273.4", "sensor": "32", "gpstime":"2019-06-24T20:30:08.000Z", "temperature": 26.33, "relhumidity": 3.88, "vappress": 2.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453650,47.990808] }, "properties": { "altitude": "273.8", "sensor": "32", "gpstime":"2019-06-24T20:30:32.000Z", "temperature": 26.36, "relhumidity": 4.79, "vappress": 2.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454230,47.991997] }, "properties": { "altitude": "271.2", "sensor": "32", "gpstime":"2019-06-24T20:30:53.000Z", "temperature": 26.26, "relhumidity": 5.62, "vappress": 2.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461220,47.993588] }, "properties": { "altitude": "117.0", "sensor": "34", "gpstime":"2019-06-24T19:16:30.000Z", "temperature": 25.86, "relhumidity": 8.34, "vappress": 2.986, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447850,47.993982] }, "properties": { "altitude": "213.8", "sensor": "34", "gpstime":"2019-06-24T19:24:44.000Z", "temperature": 27.12, "relhumidity": -0.86, "vappress": 1.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432830,47.994018] }, "properties": { "altitude": "231.5", "sensor": "34", "gpstime":"2019-06-24T19:25:00.000Z", "temperature": 26.56, "relhumidity": -0.43, "vappress": 0.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417170,47.993977] }, "properties": { "altitude": "251.4", "sensor": "34", "gpstime":"2019-06-24T19:25:16.000Z", "temperature": 26.55, "relhumidity": 0.47, "vappress": 1.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400900,47.994233] }, "properties": { "altitude": "240.1", "sensor": "34", "gpstime":"2019-06-24T19:25:39.000Z", "temperature": 26.49, "relhumidity": 1.18, "vappress": 1.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392120,47.996257] }, "properties": { "altitude": "246.4", "sensor": "34", "gpstime":"2019-06-24T19:26:39.000Z", "temperature": 26.40, "relhumidity": 1.76, "vappress": 1.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402620,47.997805] }, "properties": { "altitude": "244.8", "sensor": "34", "gpstime":"2019-06-24T19:27:10.000Z", "temperature": 26.24, "relhumidity": 2.21, "vappress": 1.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413900,47.999190] }, "properties": { "altitude": "249.4", "sensor": "34", "gpstime":"2019-06-24T19:27:33.000Z", "temperature": 26.40, "relhumidity": 1.05, "vappress": 1.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429870,48.000327] }, "properties": { "altitude": "263.0", "sensor": "34", "gpstime":"2019-06-24T19:28:00.000Z", "temperature": 26.61, "relhumidity": -0.75, "vappress": 1.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414580,48.001007] }, "properties": { "altitude": "264.1", "sensor": "34", "gpstime":"2019-06-24T19:28:19.000Z", "temperature": 26.73, "relhumidity": -1.29, "vappress": 0.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398630,48.001535] }, "properties": { "altitude": "263.9", "sensor": "34", "gpstime":"2019-06-24T19:28:38.000Z", "temperature": 26.73, "relhumidity": -1.51, "vappress": 0.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385030,48.000952] }, "properties": { "altitude": "262.4", "sensor": "34", "gpstime":"2019-06-24T19:29:04.000Z", "temperature": 26.74, "relhumidity": -0.90, "vappress": 1.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372880,47.999855] }, "properties": { "altitude": "268.1", "sensor": "34", "gpstime":"2019-06-24T19:31:01.000Z", "temperature": 26.92, "relhumidity": -1.24, "vappress": 1.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360950,47.998352] }, "properties": { "altitude": "268.4", "sensor": "34", "gpstime":"2019-06-24T19:31:36.000Z", "temperature": 26.95, "relhumidity": -1.43, "vappress": 1.064, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350480,47.997080] }, "properties": { "altitude": "268.4", "sensor": "34", "gpstime":"2019-06-24T19:32:31.000Z", "temperature": 26.85, "relhumidity": -0.06, "vappress": 1.448, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335230,47.995052] }, "properties": { "altitude": "267.2", "sensor": "34", "gpstime":"2019-06-24T19:33:11.000Z", "temperature": 26.73, "relhumidity": 0.38, "vappress": 1.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322280,47.993348] }, "properties": { "altitude": "264.3", "sensor": "34", "gpstime":"2019-06-24T19:34:12.000Z", "temperature": 26.71, "relhumidity": 0.71, "vappress": 1.536, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309770,47.991662] }, "properties": { "altitude": "265.2", "sensor": "34", "gpstime":"2019-06-24T19:34:42.000Z", "temperature": 26.60, "relhumidity": 1.03, "vappress": 1.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321600,47.990113] }, "properties": { "altitude": "265.6", "sensor": "34", "gpstime":"2019-06-24T19:35:47.000Z", "temperature": 26.49, "relhumidity": 2.39, "vappress": 1.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305280,47.990727] }, "properties": { "altitude": "261.8", "sensor": "34", "gpstime":"2019-06-24T19:36:45.000Z", "temperature": 26.23, "relhumidity": 3.50, "vappress": 1.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8294080,47.989503] }, "properties": { "altitude": "262.8", "sensor": "34", "gpstime":"2019-06-24T19:37:12.000Z", "temperature": 26.11, "relhumidity": 3.65, "vappress": 1.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283580,47.987838] }, "properties": { "altitude": "264.1", "sensor": "34", "gpstime":"2019-06-24T19:37:42.000Z", "temperature": 26.04, "relhumidity": 3.32, "vappress": 1.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279750,47.985800] }, "properties": { "altitude": "266.1", "sensor": "34", "gpstime":"2019-06-24T19:38:21.000Z", "temperature": 26.14, "relhumidity": 3.26, "vappress": 1.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265700,47.985570] }, "properties": { "altitude": "265.4", "sensor": "34", "gpstime":"2019-06-24T19:38:39.000Z", "temperature": 26.22, "relhumidity": 2.82, "vappress": 1.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8250330,47.985340] }, "properties": { "altitude": "265.8", "sensor": "34", "gpstime":"2019-06-24T19:38:56.000Z", "temperature": 26.27, "relhumidity": 2.52, "vappress": 1.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235450,47.985192] }, "properties": { "altitude": "263.9", "sensor": "34", "gpstime":"2019-06-24T19:39:10.000Z", "temperature": 26.40, "relhumidity": 1.81, "vappress": 1.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221900,47.985042] }, "properties": { "altitude": "260.5", "sensor": "34", "gpstime":"2019-06-24T19:39:23.000Z", "temperature": 26.50, "relhumidity": 1.16, "vappress": 1.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206180,47.984657] }, "properties": { "altitude": "259.5", "sensor": "34", "gpstime":"2019-06-24T19:39:39.000Z", "temperature": 26.50, "relhumidity": 1.37, "vappress": 1.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191930,47.984348] }, "properties": { "altitude": "259.0", "sensor": "34", "gpstime":"2019-06-24T19:40:51.000Z", "temperature": 26.49, "relhumidity": 0.03, "vappress": 1.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198250,47.982415] }, "properties": { "altitude": "256.3", "sensor": "34", "gpstime":"2019-06-24T19:41:52.000Z", "temperature": 26.51, "relhumidity": -0.15, "vappress": 0.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207500,47.980408] }, "properties": { "altitude": "258.4", "sensor": "34", "gpstime":"2019-06-24T19:42:39.000Z", "temperature": 26.37, "relhumidity": 0.25, "vappress": 0.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194400,47.979033] }, "properties": { "altitude": "261.8", "sensor": "34", "gpstime":"2019-06-24T19:43:20.000Z", "temperature": 26.31, "relhumidity": 0.34, "vappress": 0.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8193030,47.976825] }, "properties": { "altitude": "261.7", "sensor": "34", "gpstime":"2019-06-24T19:44:52.000Z", "temperature": 26.23, "relhumidity": 3.34, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181700,47.975653] }, "properties": { "altitude": "262.5", "sensor": "34", "gpstime":"2019-06-24T19:45:44.000Z", "temperature": 25.96, "relhumidity": 4.44, "vappress": 1.408, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191080,47.974118] }, "properties": { "altitude": "267.2", "sensor": "34", "gpstime":"2019-06-24T19:46:38.000Z", "temperature": 25.36, "relhumidity": 5.83, "vappress": 0.975, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206630,47.973337] }, "properties": { "altitude": "272.1", "sensor": "34", "gpstime":"2019-06-24T19:47:05.000Z", "temperature": 25.04, "relhumidity": 7.38, "vappress": 1.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219480,47.972690] }, "properties": { "altitude": "270.3", "sensor": "34", "gpstime":"2019-06-24T19:47:29.000Z", "temperature": 24.98, "relhumidity": 7.71, "vappress": 1.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232270,47.971583] }, "properties": { "altitude": "267.1", "sensor": "34", "gpstime":"2019-06-24T19:47:56.000Z", "temperature": 24.77, "relhumidity": 8.24, "vappress": 1.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240420,47.969872] }, "properties": { "altitude": "271.1", "sensor": "34", "gpstime":"2019-06-24T19:48:58.000Z", "temperature": 24.74, "relhumidity": 7.14, "vappress": 0.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228130,47.968543] }, "properties": { "altitude": "289.4", "sensor": "34", "gpstime":"2019-06-24T19:50:33.000Z", "temperature": 24.56, "relhumidity": 6.45, "vappress": -0.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214170,47.967863] }, "properties": { "altitude": "304.2", "sensor": "34", "gpstime":"2019-06-24T19:51:30.000Z", "temperature": 23.93, "relhumidity": 7.53, "vappress": -0.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198880,47.968190] }, "properties": { "altitude": "325.9", "sensor": "34", "gpstime":"2019-06-24T19:53:02.000Z", "temperature": 23.48, "relhumidity": 8.44, "vappress": -0.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184800,47.968152] }, "properties": { "altitude": "330.0", "sensor": "34", "gpstime":"2019-06-24T19:53:32.000Z", "temperature": 23.50, "relhumidity": 8.11, "vappress": -0.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170900,47.967347] }, "properties": { "altitude": "341.5", "sensor": "34", "gpstime":"2019-06-24T19:54:02.000Z", "temperature": 23.76, "relhumidity": 4.53, "vappress": -1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157720,47.966842] }, "properties": { "altitude": "346.7", "sensor": "34", "gpstime":"2019-06-24T19:54:26.000Z", "temperature": 24.18, "relhumidity": 3.78, "vappress": -1.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172270,47.966650] }, "properties": { "altitude": "348.1", "sensor": "34", "gpstime":"2019-06-24T19:55:07.000Z", "temperature": 23.96, "relhumidity": 2.87, "vappress": -1.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186280,47.965867] }, "properties": { "altitude": "352.6", "sensor": "34", "gpstime":"2019-06-24T19:55:39.000Z", "temperature": 24.07, "relhumidity": 5.41, "vappress": -0.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199180,47.964800] }, "properties": { "altitude": "354.3", "sensor": "34", "gpstime":"2019-06-24T19:56:08.108Z", "temperature": 23.48, "relhumidity": 5.87, "vappress": -3.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210470,47.963528] }, "properties": { "altitude": "351.1", "sensor": "34", "gpstime":"2019-06-24T19:56:55.000Z", "temperature": 23.61, "relhumidity": 8.36, "vappress": -0.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226820,47.964220] }, "properties": { "altitude": "330.0", "sensor": "34", "gpstime":"2019-06-24T19:57:52.685Z", "temperature": 22.96, "relhumidity": 12.69, "vappress": -0.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242570,47.964562] }, "properties": { "altitude": "339.9", "sensor": "34", "gpstime":"2019-06-24T19:59:00.000Z", "temperature": 22.86, "relhumidity": 12.89, "vappress": -0.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255180,47.965552] }, "properties": { "altitude": "337.8", "sensor": "34", "gpstime":"2019-06-24T19:59:19.000Z", "temperature": 23.12, "relhumidity": 14.60, "vappress": 0.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269780,47.964840] }, "properties": { "altitude": "335.0", "sensor": "34", "gpstime":"2019-06-24T20:02:19.000Z", "temperature": 23.57, "relhumidity": 11.99, "vappress": 0.826, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283330,47.965878] }, "properties": { "altitude": "331.4", "sensor": "34", "gpstime":"2019-06-24T20:02:44.000Z", "temperature": 23.92, "relhumidity": 11.25, "vappress": 0.616, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285280,47.967977] }, "properties": { "altitude": "296.1", "sensor": "34", "gpstime":"2019-06-24T20:04:48.000Z", "temperature": 23.99, "relhumidity": 10.73, "vappress": 0.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281570,47.969910] }, "properties": { "altitude": "284.3", "sensor": "34", "gpstime":"2019-06-24T20:05:18.000Z", "temperature": 24.26, "relhumidity": 9.61, "vappress": 0.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284220,47.972155] }, "properties": { "altitude": "282.7", "sensor": "34", "gpstime":"2019-06-24T20:05:53.000Z", "temperature": 24.64, "relhumidity": 7.93, "vappress": 0.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286770,47.974368] }, "properties": { "altitude": "281.5", "sensor": "34", "gpstime":"2019-06-24T20:06:31.000Z", "temperature": 24.88, "relhumidity": 6.38, "vappress": 0.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287680,47.976443] }, "properties": { "altitude": "292.1", "sensor": "34", "gpstime":"2019-06-24T20:08:08.000Z", "temperature": 25.23, "relhumidity": 4.53, "vappress": 0.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272280,47.977387] }, "properties": { "altitude": "292.0", "sensor": "34", "gpstime":"2019-06-24T20:09:16.000Z", "temperature": 25.56, "relhumidity": 3.84, "vappress": 0.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312880,47.981432] }, "properties": { "altitude": "262.9", "sensor": "34", "gpstime":"2019-06-24T20:11:59.000Z", "temperature": 25.74, "relhumidity": 2.72, "vappress": 1.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329380,47.982180] }, "properties": { "altitude": "262.7", "sensor": "34", "gpstime":"2019-06-24T20:12:37.000Z", "temperature": 25.91, "relhumidity": -1.58, "vappress": -0.443, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345580,47.982310] }, "properties": { "altitude": "267.7", "sensor": "34", "gpstime":"2019-06-24T20:13:57.000Z", "temperature": 26.66, "relhumidity": 3.52, "vappress": 1.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364530,47.983787] }, "properties": { "altitude": "267.7", "sensor": "34", "gpstime":"2019-06-24T20:14:32.000Z", "temperature": 25.84, "relhumidity": 3.59, "vappress": 0.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378770,47.984288] }, "properties": { "altitude": "270.1", "sensor": "34", "gpstime":"2019-06-24T20:15:26.000Z", "temperature": 25.69, "relhumidity": 4.99, "vappress": 1.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396200,47.984780] }, "properties": { "altitude": "275.3", "sensor": "34", "gpstime":"2019-06-24T20:15:52.000Z", "temperature": 25.65, "relhumidity": 5.41, "vappress": 1.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409920,47.984632] }, "properties": { "altitude": "274.6", "sensor": "34", "gpstime":"2019-06-24T20:16:14.000Z", "temperature": 25.68, "relhumidity": 4.77, "vappress": 1.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424320,47.984772] }, "properties": { "altitude": "275.2", "sensor": "34", "gpstime":"2019-06-24T20:16:52.000Z", "temperature": 26.83, "relhumidity": 7.95, "vappress": 16.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441900,47.984773] }, "properties": { "altitude": "277.4", "sensor": "34", "gpstime":"2019-06-24T20:17:14.000Z", "temperature": 25.61, "relhumidity": 6.02, "vappress": 1.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459900,47.984458] }, "properties": { "altitude": "276.4", "sensor": "34", "gpstime":"2019-06-24T20:17:38.000Z", "temperature": 25.62, "relhumidity": 5.51, "vappress": 1.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473380,47.984455] }, "properties": { "altitude": "276.1", "sensor": "34", "gpstime":"2019-06-24T20:17:57.000Z", "temperature": 25.59, "relhumidity": 5.70, "vappress": 1.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477070,47.982418] }, "properties": { "altitude": "281.9", "sensor": "34", "gpstime":"2019-06-24T20:19:17.000Z", "temperature": 25.42, "relhumidity": 7.96, "vappress": 1.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8492750,47.981713] }, "properties": { "altitude": "287.5", "sensor": "34", "gpstime":"2019-06-24T20:20:09.000Z", "temperature": 24.69, "relhumidity": 8.08, "vappress": 0.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501730,47.983258] }, "properties": { "altitude": "281.2", "sensor": "34", "gpstime":"2019-06-24T20:20:37.000Z", "temperature": 24.44, "relhumidity": 8.62, "vappress": 0.484, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501420,47.985527] }, "properties": { "altitude": "283.3", "sensor": "34", "gpstime":"2019-06-24T20:21:23.000Z", "temperature": 24.42, "relhumidity": 10.14, "vappress": 1.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8507200,47.987655] }, "properties": { "altitude": "284.9", "sensor": "34", "gpstime":"2019-06-24T20:22:01.000Z", "temperature": 24.90, "relhumidity": 7.47, "vappress": 1.278, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517650,47.989197] }, "properties": { "altitude": "279.0", "sensor": "34", "gpstime":"2019-06-24T20:23:17.000Z", "temperature": 25.45, "relhumidity": 5.39, "vappress": 1.566, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504630,47.990455] }, "properties": { "altitude": "279.4", "sensor": "34", "gpstime":"2019-06-24T20:24:54.000Z", "temperature": 25.77, "relhumidity": 5.27, "vappress": 1.699, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490670,47.990625] }, "properties": { "altitude": "280.0", "sensor": "34", "gpstime":"2019-06-24T20:25:11.000Z", "temperature": 25.95, "relhumidity": 4.41, "vappress": 1.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476020,47.990742] }, "properties": { "altitude": "279.0", "sensor": "34", "gpstime":"2019-06-24T20:25:59.000Z", "temperature": 26.02, "relhumidity": 3.77, "vappress": 1.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459800,47.990912] }, "properties": { "altitude": "277.5", "sensor": "34", "gpstime":"2019-06-24T20:26:16.000Z", "temperature": 26.19, "relhumidity": 3.05, "vappress": 1.382, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454050,47.992122] }, "properties": { "altitude": "277.2", "sensor": "34", "gpstime":"2019-06-24T20:26:44.000Z", "temperature": 24.95, "relhumidity": 2.60, "vappress": 1.242, } }, ] }); <file_sep>eqfeed_callback({ "type": "FeatureCollection", "features": [ { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454430,47.993527] }, "properties": { "altitude": "277.2", "sensor": "01", "gpstime":"2018-06-19T19:24:13.000Z", "temperature": 1.48, "relhumidity": -1.72, "vappress": 1.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470980,47.992827] }, "properties": { "altitude": "275.1", "sensor": "01", "gpstime":"2018-06-19T19:24:50.000Z", "temperature": 1.42, "relhumidity": -1.19, "vappress": 1.653, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484920,47.992457] }, "properties": { "altitude": "272.5", "sensor": "01", "gpstime":"2018-06-19T19:25:19.000Z", "temperature": 1.21, "relhumidity": -1.02, "vappress": 1.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482030,47.990143] }, "properties": { "altitude": "276.6", "sensor": "01", "gpstime":"2018-06-19T19:26:58.000Z", "temperature": 1.21, "relhumidity": -1.21, "vappress": 1.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477430,47.987913] }, "properties": { "altitude": "276.9", "sensor": "01", "gpstime":"2018-06-19T19:27:38.000Z", "temperature": 1.22, "relhumidity": -1.60, "vappress": 1.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491200,47.986917] }, "properties": { "altitude": "276.7", "sensor": "01", "gpstime":"2018-06-19T19:28:16.000Z", "temperature": 1.19, "relhumidity": -1.23, "vappress": 1.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505180,47.985972] }, "properties": { "altitude": "278.0", "sensor": "01", "gpstime":"2018-06-19T19:28:54.000Z", "temperature": 1.11, "relhumidity": -0.35, "vappress": 1.646, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523120,47.985915] }, "properties": { "altitude": "276.7", "sensor": "01", "gpstime":"2018-06-19T19:29:20.000Z", "temperature": 0.95, "relhumidity": 0.52, "vappress": 1.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537880,47.985867] }, "properties": { "altitude": "277.9", "sensor": "01", "gpstime":"2018-06-19T19:29:42.000Z", "temperature": 0.80, "relhumidity": 0.56, "vappress": 1.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544270,47.987832] }, "properties": { "altitude": "295.5", "sensor": "01", "gpstime":"2018-06-19T19:30:36.000Z", "temperature": 0.75, "relhumidity": 1.20, "vappress": 1.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560550,47.987303] }, "properties": { "altitude": "276.5", "sensor": "01", "gpstime":"2018-06-19T19:31:22.000Z", "temperature": 0.71, "relhumidity": 0.88, "vappress": 1.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8575420,47.986467] }, "properties": { "altitude": "273.6", "sensor": "01", "gpstime":"2018-06-19T19:32:06.000Z", "temperature": 0.72, "relhumidity": 0.24, "vappress": 1.514, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8591950,47.986750] }, "properties": { "altitude": "284.1", "sensor": "01", "gpstime":"2018-06-19T19:32:37.000Z", "temperature": 0.83, "relhumidity": -0.06, "vappress": 1.534, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606530,47.986922] }, "properties": { "altitude": "285.1", "sensor": "01", "gpstime":"2018-06-19T19:33:00.000Z", "temperature": 0.83, "relhumidity": 0.10, "vappress": 1.584, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622480,47.986945] }, "properties": { "altitude": "282.1", "sensor": "01", "gpstime":"2018-06-19T19:33:25.000Z", "temperature": 0.89, "relhumidity": -0.58, "vappress": 1.427, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639780,47.986780] }, "properties": { "altitude": "285.6", "sensor": "01", "gpstime":"2018-06-19T19:33:50.000Z", "temperature": 0.86, "relhumidity": -1.30, "vappress": 1.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654270,47.987375] }, "properties": { "altitude": "289.4", "sensor": "01", "gpstime":"2018-06-19T19:34:17.000Z", "temperature": 0.80, "relhumidity": -0.76, "vappress": 1.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8667600,47.987628] }, "properties": { "altitude": "286.2", "sensor": "01", "gpstime":"2018-06-19T19:34:46.000Z", "temperature": 0.81, "relhumidity": -0.82, "vappress": 1.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670780,47.989798] }, "properties": { "altitude": "274.9", "sensor": "01", "gpstime":"2018-06-19T19:36:48.000Z", "temperature": 0.92, "relhumidity": -0.97, "vappress": 1.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685970,47.989965] }, "properties": { "altitude": "283.4", "sensor": "01", "gpstime":"2018-06-19T19:37:12.000Z", "temperature": 0.78, "relhumidity": 1.11, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8701000,47.989968] }, "properties": { "altitude": "290.7", "sensor": "01", "gpstime":"2018-06-19T19:37:33.000Z", "temperature": 0.49, "relhumidity": 2.29, "vappress": 1.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8713570,47.988413] }, "properties": { "altitude": "291.1", "sensor": "01", "gpstime":"2018-06-19T19:38:33.000Z", "temperature": -0.05, "relhumidity": 4.83, "vappress": 1.833, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729350,47.988095] }, "properties": { "altitude": "290.4", "sensor": "01", "gpstime":"2018-06-19T19:39:02.000Z", "temperature": -0.25, "relhumidity": 5.32, "vappress": 1.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746070,47.987760] }, "properties": { "altitude": "291.8", "sensor": "01", "gpstime":"2018-06-19T19:40:24.000Z", "temperature": -0.22, "relhumidity": 4.02, "vappress": 1.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748600,47.985780] }, "properties": { "altitude": "297.3", "sensor": "01", "gpstime":"2018-06-19T19:41:08.000Z", "temperature": -0.27, "relhumidity": 5.34, "vappress": 1.714, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8765570,47.985975] }, "properties": { "altitude": "296.5", "sensor": "01", "gpstime":"2018-06-19T19:41:30.000Z", "temperature": -0.59, "relhumidity": 6.52, "vappress": 1.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8782520,47.986340] }, "properties": { "altitude": "294.8", "sensor": "01", "gpstime":"2018-06-19T19:41:53.000Z", "temperature": -0.92, "relhumidity": 8.04, "vappress": 1.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8801920,47.986275] }, "properties": { "altitude": "298.1", "sensor": "01", "gpstime":"2018-06-19T19:42:18.000Z", "temperature": -1.16, "relhumidity": 9.36, "vappress": 1.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8817720,47.985843] }, "properties": { "altitude": "299.3", "sensor": "01", "gpstime":"2018-06-19T19:42:40.000Z", "temperature": -1.34, "relhumidity": 9.93, "vappress": 1.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8831550,47.985508] }, "properties": { "altitude": "300.7", "sensor": "01", "gpstime":"2018-06-19T19:43:01.000Z", "temperature": -1.49, "relhumidity": 10.18, "vappress": 1.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8848600,47.985145] }, "properties": { "altitude": "301.2", "sensor": "01", "gpstime":"2018-06-19T19:43:30.000Z", "temperature": -1.42, "relhumidity": 10.19, "vappress": 1.942, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8862380,47.985695] }, "properties": { "altitude": "298.5", "sensor": "01", "gpstime":"2018-06-19T19:44:04.000Z", "temperature": -1.24, "relhumidity": 9.21, "vappress": 1.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8879050,47.985383] }, "properties": { "altitude": "301.7", "sensor": "01", "gpstime":"2018-06-19T19:44:40.000Z", "temperature": -1.17, "relhumidity": 9.35, "vappress": 1.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8895130,47.984208] }, "properties": { "altitude": "303.4", "sensor": "01", "gpstime":"2018-06-19T19:45:25.000Z", "temperature": -1.06, "relhumidity": 9.51, "vappress": 2.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8909230,47.983787] }, "properties": { "altitude": "289.4", "sensor": "01", "gpstime":"2018-06-19T19:45:49.000Z", "temperature": -0.99, "relhumidity": 8.94, "vappress": 2.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8922650,47.983562] }, "properties": { "altitude": "300.8", "sensor": "01", "gpstime":"2018-06-19T19:46:08.000Z", "temperature": -0.95, "relhumidity": 8.42, "vappress": 1.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8938980,47.982757] }, "properties": { "altitude": "314.4", "sensor": "01", "gpstime":"2018-06-19T19:46:48.000Z", "temperature": -0.79, "relhumidity": 7.77, "vappress": 2.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8953020,47.981513] }, "properties": { "altitude": "315.3", "sensor": "01", "gpstime":"2018-06-19T19:47:53.000Z", "temperature": -0.71, "relhumidity": 6.41, "vappress": 1.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8973450,47.980873] }, "properties": { "altitude": "315.8", "sensor": "01", "gpstime":"2018-06-19T19:48:20.000Z", "temperature": -0.70, "relhumidity": 7.22, "vappress": 1.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987050,47.980442] }, "properties": { "altitude": "322.8", "sensor": "01", "gpstime":"2018-06-19T19:48:40.000Z", "temperature": -0.85, "relhumidity": 8.01, "vappress": 1.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9001880,47.980133] }, "properties": { "altitude": "325.5", "sensor": "01", "gpstime":"2018-06-19T19:49:02.000Z", "temperature": -0.89, "relhumidity": 8.07, "vappress": 1.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9016100,47.979698] }, "properties": { "altitude": "323.2", "sensor": "01", "gpstime":"2018-06-19T19:49:25.000Z", "temperature": -0.97, "relhumidity": 8.28, "vappress": 1.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9029600,47.979350] }, "properties": { "altitude": "320.8", "sensor": "01", "gpstime":"2018-06-19T19:49:46.000Z", "temperature": -0.97, "relhumidity": 8.64, "vappress": 1.975, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9044630,47.978280] }, "properties": { "altitude": "324.5", "sensor": "01", "gpstime":"2018-06-19T19:50:24.000Z", "temperature": -1.03, "relhumidity": 8.46, "vappress": 1.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9061130,47.977980] }, "properties": { "altitude": "323.6", "sensor": "01", "gpstime":"2018-06-19T19:50:48.000Z", "temperature": -1.10, "relhumidity": 8.96, "vappress": 1.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9077750,47.978268] }, "properties": { "altitude": "324.0", "sensor": "01", "gpstime":"2018-06-19T19:51:20.000Z", "temperature": -1.23, "relhumidity": 9.05, "vappress": 1.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9090830,47.977158] }, "properties": { "altitude": "328.2", "sensor": "01", "gpstime":"2018-06-19T19:52:15.000Z", "temperature": -1.27, "relhumidity": 9.30, "vappress": 1.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9108270,47.977108] }, "properties": { "altitude": "333.9", "sensor": "01", "gpstime":"2018-06-19T19:52:47.000Z", "temperature": -1.41, "relhumidity": 9.93, "vappress": 1.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9122600,47.976417] }, "properties": { "altitude": "336.6", "sensor": "01", "gpstime":"2018-06-19T19:53:22.000Z", "temperature": -1.51, "relhumidity": 10.04, "vappress": 1.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9122130,47.973920] }, "properties": { "altitude": "340.6", "sensor": "01", "gpstime":"2018-06-19T19:54:23.000Z", "temperature": -1.80, "relhumidity": 11.31, "vappress": 1.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9113950,47.972273] }, "properties": { "altitude": "345.2", "sensor": "01", "gpstime":"2018-06-19T19:55:22.000Z", "temperature": -2.10, "relhumidity": 12.17, "vappress": 1.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9105600,47.970627] }, "properties": { "altitude": "349.7", "sensor": "01", "gpstime":"2018-06-19T19:56:10.000Z", "temperature": -2.16, "relhumidity": 11.87, "vappress": 1.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9099670,47.968772] }, "properties": { "altitude": "358.4", "sensor": "01", "gpstime":"2018-06-19T19:57:15.000Z", "temperature": -2.13, "relhumidity": 12.49, "vappress": 1.547, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9096380,47.970923] }, "properties": { "altitude": "349.2", "sensor": "01", "gpstime":"2018-06-19T19:58:10.000Z", "temperature": -2.19, "relhumidity": 12.30, "vappress": 1.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9108180,47.972205] }, "properties": { "altitude": "347.2", "sensor": "01", "gpstime":"2018-06-19T19:58:43.000Z", "temperature": -2.18, "relhumidity": 12.18, "vappress": 1.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9120520,47.973523] }, "properties": { "altitude": "339.3", "sensor": "01", "gpstime":"2018-06-19T19:59:37.000Z", "temperature": -2.10, "relhumidity": 12.30, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9124180,47.975702] }, "properties": { "altitude": "333.3", "sensor": "01", "gpstime":"2018-06-19T20:00:10.000Z", "temperature": -2.20, "relhumidity": 12.50, "vappress": 1.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9108870,47.976723] }, "properties": { "altitude": "322.5", "sensor": "01", "gpstime":"2018-06-19T20:00:58.000Z", "temperature": -2.24, "relhumidity": 13.13, "vappress": 1.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9090400,47.977190] }, "properties": { "altitude": "320.1", "sensor": "01", "gpstime":"2018-06-19T20:01:25.000Z", "temperature": -2.16, "relhumidity": 12.36, "vappress": 1.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9076370,47.977375] }, "properties": { "altitude": "322.1", "sensor": "01", "gpstime":"2018-06-19T20:02:23.000Z", "temperature": -1.91, "relhumidity": 10.85, "vappress": 1.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9061000,47.977248] }, "properties": { "altitude": "318.5", "sensor": "01", "gpstime":"2018-06-19T20:02:42.000Z", "temperature": -1.68, "relhumidity": 11.13, "vappress": 1.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9046850,47.977467] }, "properties": { "altitude": "314.9", "sensor": "01", "gpstime":"2018-06-19T20:02:58.000Z", "temperature": -1.68, "relhumidity": 11.56, "vappress": 1.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9033550,47.977802] }, "properties": { "altitude": "319.1", "sensor": "01", "gpstime":"2018-06-19T20:03:12.000Z", "temperature": -1.64, "relhumidity": 10.98, "vappress": 1.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9014920,47.978122] }, "properties": { "altitude": "320.2", "sensor": "01", "gpstime":"2018-06-19T20:03:34.000Z", "temperature": -1.57, "relhumidity": 10.80, "vappress": 1.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8996330,47.978550] }, "properties": { "altitude": "318.6", "sensor": "01", "gpstime":"2018-06-19T20:03:58.000Z", "temperature": -1.47, "relhumidity": 10.87, "vappress": 1.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8979330,47.978625] }, "properties": { "altitude": "319.4", "sensor": "01", "gpstime":"2018-06-19T20:04:17.000Z", "temperature": -1.50, "relhumidity": 10.72, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8974680,47.980543] }, "properties": { "altitude": "317.8", "sensor": "01", "gpstime":"2018-06-19T20:04:55.000Z", "temperature": -1.51, "relhumidity": 10.38, "vappress": 1.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8955680,47.981418] }, "properties": { "altitude": "312.5", "sensor": "01", "gpstime":"2018-06-19T20:05:27.000Z", "temperature": -1.46, "relhumidity": 10.49, "vappress": 1.803, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8939250,47.981940] }, "properties": { "altitude": "311.0", "sensor": "01", "gpstime":"2018-06-19T20:05:52.000Z", "temperature": -1.46, "relhumidity": 10.15, "vappress": 1.713, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8959320,47.981892] }, "properties": { "altitude": "313.3", "sensor": "01", "gpstime":"2018-06-19T20:06:48.000Z", "temperature": -1.34, "relhumidity": 10.28, "vappress": 1.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8977280,47.981503] }, "properties": { "altitude": "313.6", "sensor": "01", "gpstime":"2018-06-19T20:07:18.000Z", "temperature": -1.28, "relhumidity": 10.33, "vappress": 1.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8991580,47.981983] }, "properties": { "altitude": "319.6", "sensor": "01", "gpstime":"2018-06-19T20:08:15.000Z", "temperature": -1.33, "relhumidity": 9.94, "vappress": 1.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9008050,47.981512] }, "properties": { "altitude": "317.0", "sensor": "01", "gpstime":"2018-06-19T20:08:42.000Z", "temperature": -1.31, "relhumidity": 10.10, "vappress": 1.837, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9021200,47.982735] }, "properties": { "altitude": "316.1", "sensor": "01", "gpstime":"2018-06-19T20:09:27.000Z", "temperature": -1.44, "relhumidity": 10.83, "vappress": 1.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9013770,47.984575] }, "properties": { "altitude": "309.4", "sensor": "01", "gpstime":"2018-06-19T20:10:24.000Z", "temperature": -1.75, "relhumidity": 12.73, "vappress": 1.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8997380,47.986162] }, "properties": { "altitude": "308.2", "sensor": "01", "gpstime":"2018-06-19T20:10:55.000Z", "temperature": -2.19, "relhumidity": 15.06, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8981750,47.987785] }, "properties": { "altitude": "303.2", "sensor": "01", "gpstime":"2018-06-19T20:11:28.000Z", "temperature": -2.49, "relhumidity": 14.67, "vappress": 1.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8966220,47.988680] }, "properties": { "altitude": "302.6", "sensor": "01", "gpstime":"2018-06-19T20:11:49.000Z", "temperature": -2.44, "relhumidity": 14.79, "vappress": 1.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8952650,47.989370] }, "properties": { "altitude": "301.1", "sensor": "01", "gpstime":"2018-06-19T20:12:08.000Z", "temperature": -2.43, "relhumidity": 15.24, "vappress": 1.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8934020,47.989948] }, "properties": { "altitude": "300.7", "sensor": "01", "gpstime":"2018-06-19T20:12:30.000Z", "temperature": -2.56, "relhumidity": 15.14, "vappress": 1.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8914580,47.990370] }, "properties": { "altitude": "297.5", "sensor": "01", "gpstime":"2018-06-19T20:12:52.000Z", "temperature": -2.73, "relhumidity": 15.83, "vappress": 1.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8900070,47.990635] }, "properties": { "altitude": "293.8", "sensor": "01", "gpstime":"2018-06-19T20:13:08.000Z", "temperature": -2.82, "relhumidity": 15.77, "vappress": 1.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8882220,47.990967] }, "properties": { "altitude": "292.9", "sensor": "01", "gpstime":"2018-06-19T20:13:27.000Z", "temperature": -2.81, "relhumidity": 15.99, "vappress": 1.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8860330,47.991232] }, "properties": { "altitude": "293.4", "sensor": "01", "gpstime":"2018-06-19T20:13:49.000Z", "temperature": -2.87, "relhumidity": 16.40, "vappress": 1.488, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8845880,47.991350] }, "properties": { "altitude": "293.4", "sensor": "01", "gpstime":"2018-06-19T20:14:03.000Z", "temperature": -2.95, "relhumidity": 16.54, "vappress": 1.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8829750,47.991445] }, "properties": { "altitude": "293.1", "sensor": "01", "gpstime":"2018-06-19T20:14:19.000Z", "temperature": -2.88, "relhumidity": 16.51, "vappress": 1.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8808550,47.991620] }, "properties": { "altitude": "291.3", "sensor": "01", "gpstime":"2018-06-19T20:14:40.000Z", "temperature": -2.85, "relhumidity": 16.51, "vappress": 1.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8795000,47.991537] }, "properties": { "altitude": "291.0", "sensor": "01", "gpstime":"2018-06-19T20:14:57.000Z", "temperature": -2.98, "relhumidity": 16.67, "vappress": 1.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8781450,47.990920] }, "properties": { "altitude": "287.1", "sensor": "01", "gpstime":"2018-06-19T20:15:13.000Z", "temperature": -2.88, "relhumidity": 16.47, "vappress": 1.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761830,47.990622] }, "properties": { "altitude": "282.9", "sensor": "01", "gpstime":"2018-06-19T20:15:35.000Z", "temperature": -2.88, "relhumidity": 16.47, "vappress": 1.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746920,47.990598] }, "properties": { "altitude": "286.3", "sensor": "01", "gpstime":"2018-06-19T20:15:51.000Z", "temperature": -2.88, "relhumidity": 16.26, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8730200,47.990652] }, "properties": { "altitude": "286.0", "sensor": "01", "gpstime":"2018-06-19T20:16:10.000Z", "temperature": -2.83, "relhumidity": 16.12, "vappress": 1.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8711300,47.990737] }, "properties": { "altitude": "287.9", "sensor": "01", "gpstime":"2018-06-19T20:16:31.000Z", "temperature": -2.82, "relhumidity": 15.95, "vappress": 1.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695050,47.990805] }, "properties": { "altitude": "287.0", "sensor": "01", "gpstime":"2018-06-19T20:16:48.000Z", "temperature": -2.71, "relhumidity": 15.66, "vappress": 1.599, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678730,47.990883] }, "properties": { "altitude": "283.7", "sensor": "01", "gpstime":"2018-06-19T20:17:05.000Z", "temperature": -2.55, "relhumidity": 14.96, "vappress": 1.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659880,47.990897] }, "properties": { "altitude": "284.2", "sensor": "01", "gpstime":"2018-06-19T20:17:24.000Z", "temperature": -2.35, "relhumidity": 14.55, "vappress": 1.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8635680,47.990710] }, "properties": { "altitude": "283.5", "sensor": "01", "gpstime":"2018-06-19T20:17:50.000Z", "temperature": -2.17, "relhumidity": 14.15, "vappress": 1.861, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619020,47.990630] }, "properties": { "altitude": "277.7", "sensor": "01", "gpstime":"2018-06-19T20:18:11.000Z", "temperature": -2.03, "relhumidity": 13.80, "vappress": 1.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594620,47.990488] }, "properties": { "altitude": "268.1", "sensor": "01", "gpstime":"2018-06-19T20:18:35.000Z", "temperature": -1.92, "relhumidity": 13.92, "vappress": 1.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580870,47.990718] }, "properties": { "altitude": "263.5", "sensor": "01", "gpstime":"2018-06-19T20:18:50.000Z", "temperature": -1.99, "relhumidity": 13.92, "vappress": 1.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562130,47.990870] }, "properties": { "altitude": "264.4", "sensor": "01", "gpstime":"2018-06-19T20:19:09.000Z", "temperature": -1.91, "relhumidity": 13.47, "vappress": 1.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540600,47.990770] }, "properties": { "altitude": "263.5", "sensor": "01", "gpstime":"2018-06-19T20:19:33.000Z", "temperature": -1.81, "relhumidity": 13.19, "vappress": 2.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522530,47.990202] }, "properties": { "altitude": "265.6", "sensor": "01", "gpstime":"2018-06-19T20:20:00.000Z", "temperature": -1.57, "relhumidity": 11.18, "vappress": 1.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503580,47.990027] }, "properties": { "altitude": "266.5", "sensor": "01", "gpstime":"2018-06-19T20:20:22.000Z", "temperature": -1.21, "relhumidity": 10.23, "vappress": 2.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489500,47.989968] }, "properties": { "altitude": "268.5", "sensor": "01", "gpstime":"2018-06-19T20:20:43.000Z", "temperature": -0.99, "relhumidity": 9.73, "vappress": 2.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474870,47.990730] }, "properties": { "altitude": "275.2", "sensor": "01", "gpstime":"2018-06-19T20:23:05.000Z", "temperature": -0.65, "relhumidity": 7.08, "vappress": 2.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459800,47.990838] }, "properties": { "altitude": "279.1", "sensor": "01", "gpstime":"2018-06-19T20:23:32.000Z", "temperature": -0.18, "relhumidity": 6.35, "vappress": 2.217, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453520,47.992625] }, "properties": { "altitude": "275.8", "sensor": "01", "gpstime":"2018-06-19T20:24:25.000Z", "temperature": 0.10, "relhumidity": 4.70, "vappress": 2.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452720,47.993512] }, "properties": { "altitude": "283.8", "sensor": "01", "gpstime":"2018-06-19T20:24:47.000Z", "temperature": 0.23, "relhumidity": 4.63, "vappress": 2.124, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457820,47.993320] }, "properties": { "altitude": "104.7", "sensor": "02", "gpstime":"2018-06-19T18:19:57.000Z", "temperature": 1.32, "relhumidity": 1.25, "vappress": 2.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446900,47.994755] }, "properties": { "altitude": "280.2", "sensor": "02", "gpstime":"2018-06-19T19:24:45.000Z", "temperature": 1.07, "relhumidity": 1.28, "vappress": 1.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429030,47.994957] }, "properties": { "altitude": "289.9", "sensor": "02", "gpstime":"2018-06-19T19:25:06.000Z", "temperature": 0.84, "relhumidity": 1.02, "vappress": 1.954, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413000,47.995168] }, "properties": { "altitude": "295.1", "sensor": "02", "gpstime":"2018-06-19T19:25:25.000Z", "temperature": 0.80, "relhumidity": 1.89, "vappress": 2.114, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421830,47.996683] }, "properties": { "altitude": "269.0", "sensor": "02", "gpstime":"2018-06-19T19:25:58.000Z", "temperature": 0.89, "relhumidity": 0.74, "vappress": 1.864, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431000,47.998218] }, "properties": { "altitude": "266.0", "sensor": "02", "gpstime":"2018-06-19T19:26:33.000Z", "temperature": 0.86, "relhumidity": 0.55, "vappress": 1.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442050,47.999707] }, "properties": { "altitude": "270.4", "sensor": "02", "gpstime":"2018-06-19T19:27:15.000Z", "temperature": 0.79, "relhumidity": 0.93, "vappress": 1.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454330,48.000518] }, "properties": { "altitude": "267.1", "sensor": "02", "gpstime":"2018-06-19T19:27:44.000Z", "temperature": 0.85, "relhumidity": 0.15, "vappress": 1.517, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466770,48.001468] }, "properties": { "altitude": "271.4", "sensor": "02", "gpstime":"2018-06-19T19:28:15.000Z", "temperature": 0.81, "relhumidity": 0.99, "vappress": 1.846, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481100,48.002450] }, "properties": { "altitude": "272.2", "sensor": "02", "gpstime":"2018-06-19T19:29:39.000Z", "temperature": 0.64, "relhumidity": 1.99, "vappress": 1.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489220,48.004185] }, "properties": { "altitude": "273.0", "sensor": "02", "gpstime":"2018-06-19T19:30:41.000Z", "temperature": 0.67, "relhumidity": 1.12, "vappress": 1.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478780,48.005557] }, "properties": { "altitude": "266.3", "sensor": "02", "gpstime":"2018-06-19T19:31:55.000Z", "temperature": 0.77, "relhumidity": 1.09, "vappress": 1.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475470,48.007767] }, "properties": { "altitude": "270.1", "sensor": "02", "gpstime":"2018-06-19T19:32:59.000Z", "temperature": 0.78, "relhumidity": 0.70, "vappress": 1.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480300,48.009647] }, "properties": { "altitude": "254.1", "sensor": "02", "gpstime":"2018-06-19T19:34:05.000Z", "temperature": 0.99, "relhumidity": -0.53, "vappress": 1.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465520,48.011117] }, "properties": { "altitude": "245.2", "sensor": "02", "gpstime":"2018-06-19T19:34:35.000Z", "temperature": 1.09, "relhumidity": -0.65, "vappress": 1.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452570,48.012035] }, "properties": { "altitude": "247.0", "sensor": "02", "gpstime":"2018-06-19T19:34:56.000Z", "temperature": 1.01, "relhumidity": -0.63, "vappress": 1.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431780,48.012780] }, "properties": { "altitude": "245.9", "sensor": "02", "gpstime":"2018-06-19T19:35:25.000Z", "temperature": 0.92, "relhumidity": 0.08, "vappress": 1.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418130,48.013007] }, "properties": { "altitude": "258.4", "sensor": "02", "gpstime":"2018-06-19T19:37:20.000Z", "temperature": 0.65, "relhumidity": 1.06, "vappress": 1.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421130,48.015085] }, "properties": { "altitude": "245.5", "sensor": "02", "gpstime":"2018-06-19T19:38:07.000Z", "temperature": 0.65, "relhumidity": 1.52, "vappress": 1.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415020,48.017148] }, "properties": { "altitude": "237.1", "sensor": "02", "gpstime":"2018-06-19T19:38:45.000Z", "temperature": 0.61, "relhumidity": 1.16, "vappress": 1.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409770,48.019125] }, "properties": { "altitude": "238.5", "sensor": "02", "gpstime":"2018-06-19T19:39:33.000Z", "temperature": 0.67, "relhumidity": 0.89, "vappress": 1.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404400,48.020980] }, "properties": { "altitude": "236.8", "sensor": "02", "gpstime":"2018-06-19T19:40:08.000Z", "temperature": 0.56, "relhumidity": 1.68, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8395120,48.022790] }, "properties": { "altitude": "232.0", "sensor": "02", "gpstime":"2018-06-19T19:40:56.000Z", "temperature": 0.25, "relhumidity": 2.37, "vappress": 1.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381170,48.023522] }, "properties": { "altitude": "233.3", "sensor": "02", "gpstime":"2018-06-19T19:41:25.000Z", "temperature": 0.19, "relhumidity": 2.91, "vappress": 1.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364380,48.023063] }, "properties": { "altitude": "235.5", "sensor": "02", "gpstime":"2018-06-19T19:41:50.000Z", "temperature": 0.17, "relhumidity": 3.51, "vappress": 1.814, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379480,48.023515] }, "properties": { "altitude": "234.2", "sensor": "02", "gpstime":"2018-06-19T19:42:31.000Z", "temperature": 0.15, "relhumidity": 3.36, "vappress": 1.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392870,48.023515] }, "properties": { "altitude": "236.7", "sensor": "02", "gpstime":"2018-06-19T19:42:55.000Z", "temperature": 0.12, "relhumidity": 3.36, "vappress": 1.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384170,48.025108] }, "properties": { "altitude": "232.4", "sensor": "02", "gpstime":"2018-06-19T19:43:29.000Z", "temperature": 0.11, "relhumidity": 4.09, "vappress": 1.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370750,48.026320] }, "properties": { "altitude": "230.8", "sensor": "02", "gpstime":"2018-06-19T19:43:59.000Z", "temperature": -0.08, "relhumidity": 5.07, "vappress": 2.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354430,48.027170] }, "properties": { "altitude": "231.5", "sensor": "02", "gpstime":"2018-06-19T19:44:31.000Z", "temperature": -0.06, "relhumidity": 4.51, "vappress": 1.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342570,48.028155] }, "properties": { "altitude": "234.3", "sensor": "02", "gpstime":"2018-06-19T19:45:03.000Z", "temperature": -0.16, "relhumidity": 8.25, "vappress": 2.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329080,48.029192] }, "properties": { "altitude": "228.4", "sensor": "02", "gpstime":"2018-06-19T19:45:38.000Z", "temperature": -0.62, "relhumidity": 12.34, "vappress": 3.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313080,48.028715] }, "properties": { "altitude": "236.6", "sensor": "02", "gpstime":"2018-06-19T19:46:04.000Z", "temperature": -1.14, "relhumidity": 12.24, "vappress": 2.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298000,48.028833] }, "properties": { "altitude": "226.9", "sensor": "02", "gpstime":"2018-06-19T19:49:49.000Z", "temperature": -1.72, "relhumidity": 15.36, "vappress": 2.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283480,48.028418] }, "properties": { "altitude": "231.3", "sensor": "02", "gpstime":"2018-06-19T19:50:21.000Z", "temperature": -2.10, "relhumidity": 14.96, "vappress": 2.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287080,48.026192] }, "properties": { "altitude": "242.3", "sensor": "02", "gpstime":"2018-06-19T19:52:19.000Z", "temperature": -1.83, "relhumidity": 14.09, "vappress": 2.264, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282500,48.024282] }, "properties": { "altitude": "244.5", "sensor": "02", "gpstime":"2018-06-19T19:54:51.000Z", "temperature": -1.82, "relhumidity": 14.18, "vappress": 2.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274670,48.022648] }, "properties": { "altitude": "233.5", "sensor": "02", "gpstime":"2018-06-19T19:55:45.000Z", "temperature": -2.06, "relhumidity": 18.05, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8261380,48.021915] }, "properties": { "altitude": "234.0", "sensor": "02", "gpstime":"2018-06-19T19:56:10.000Z", "temperature": -2.41, "relhumidity": 19.35, "vappress": 2.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246430,48.021277] }, "properties": { "altitude": "230.6", "sensor": "02", "gpstime":"2018-06-19T19:56:39.000Z", "temperature": -2.46, "relhumidity": 19.35, "vappress": 3.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232630,48.022163] }, "properties": { "altitude": "225.0", "sensor": "02", "gpstime":"2018-06-19T19:57:21.000Z", "temperature": -2.41, "relhumidity": 22.90, "vappress": 3.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223300,48.023628] }, "properties": { "altitude": "223.0", "sensor": "02", "gpstime":"2018-06-19T19:57:53.000Z", "temperature": -2.44, "relhumidity": 25.72, "vappress": 4.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205700,48.023055] }, "properties": { "altitude": "219.2", "sensor": "02", "gpstime":"2018-06-19T19:58:19.000Z", "temperature": -2.49, "relhumidity": 26.41, "vappress": 4.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192270,48.022912] }, "properties": { "altitude": "219.4", "sensor": "02", "gpstime":"2018-06-19T19:58:43.000Z", "temperature": -2.63, "relhumidity": 25.43, "vappress": 4.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8204580,48.021948] }, "properties": { "altitude": "223.0", "sensor": "02", "gpstime":"2018-06-19T19:59:19.000Z", "temperature": -2.94, "relhumidity": 27.50, "vappress": 4.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217380,48.021053] }, "properties": { "altitude": "227.9", "sensor": "02", "gpstime":"2018-06-19T19:59:50.000Z", "temperature": -3.26, "relhumidity": 26.76, "vappress": 3.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223330,48.019177] }, "properties": { "altitude": "227.0", "sensor": "02", "gpstime":"2018-06-19T20:01:23.000Z", "temperature": -2.94, "relhumidity": 16.86, "vappress": 2.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236020,48.018397] }, "properties": { "altitude": "237.6", "sensor": "02", "gpstime":"2018-06-19T20:01:52.000Z", "temperature": -1.61, "relhumidity": 13.47, "vappress": 2.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244070,48.016683] }, "properties": { "altitude": "239.1", "sensor": "02", "gpstime":"2018-06-19T20:03:15.000Z", "temperature": -0.83, "relhumidity": 8.80, "vappress": 2.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8261530,48.017518] }, "properties": { "altitude": "237.7", "sensor": "02", "gpstime":"2018-06-19T20:03:51.000Z", "temperature": -0.34, "relhumidity": 8.39, "vappress": 2.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273850,48.016567] }, "properties": { "altitude": "243.5", "sensor": "02", "gpstime":"2018-06-19T20:05:33.000Z", "temperature": -0.36, "relhumidity": 6.71, "vappress": 2.093, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286080,48.015717] }, "properties": { "altitude": "242.7", "sensor": "02", "gpstime":"2018-06-19T20:06:10.000Z", "temperature": -0.87, "relhumidity": 10.40, "vappress": 2.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302320,48.015463] }, "properties": { "altitude": "241.7", "sensor": "02", "gpstime":"2018-06-19T20:07:16.000Z", "temperature": -1.61, "relhumidity": 12.75, "vappress": 2.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313220,48.014115] }, "properties": { "altitude": "249.8", "sensor": "02", "gpstime":"2018-06-19T20:08:11.000Z", "temperature": -1.09, "relhumidity": 8.76, "vappress": 2.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327680,48.013137] }, "properties": { "altitude": "248.2", "sensor": "02", "gpstime":"2018-06-19T20:08:43.000Z", "temperature": -0.71, "relhumidity": 7.95, "vappress": 2.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338570,48.011742] }, "properties": { "altitude": "242.9", "sensor": "02", "gpstime":"2018-06-19T20:09:31.000Z", "temperature": -0.62, "relhumidity": 8.58, "vappress": 2.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342400,48.009732] }, "properties": { "altitude": "251.7", "sensor": "02", "gpstime":"2018-06-19T20:11:18.000Z", "temperature": -0.38, "relhumidity": 5.72, "vappress": 2.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350320,48.008035] }, "properties": { "altitude": "257.7", "sensor": "02", "gpstime":"2018-06-19T20:12:11.000Z", "temperature": 0.09, "relhumidity": 4.33, "vappress": 2.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364020,48.007353] }, "properties": { "altitude": "260.4", "sensor": "02", "gpstime":"2018-06-19T20:12:43.000Z", "temperature": 0.28, "relhumidity": 3.73, "vappress": 1.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376200,48.006225] }, "properties": { "altitude": "264.4", "sensor": "02", "gpstime":"2018-06-19T20:13:18.000Z", "temperature": 0.26, "relhumidity": 4.84, "vappress": 2.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388980,48.005530] }, "properties": { "altitude": "264.9", "sensor": "02", "gpstime":"2018-06-19T20:13:41.000Z", "temperature": 0.36, "relhumidity": 3.83, "vappress": 2.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404680,48.004657] }, "properties": { "altitude": "266.4", "sensor": "02", "gpstime":"2018-06-19T20:14:16.000Z", "temperature": 0.48, "relhumidity": 3.66, "vappress": 2.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414520,48.003212] }, "properties": { "altitude": "263.7", "sensor": "02", "gpstime":"2018-06-19T20:15:02.000Z", "temperature": 0.51, "relhumidity": 3.80, "vappress": 2.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423530,48.001707] }, "properties": { "altitude": "260.7", "sensor": "02", "gpstime":"2018-06-19T20:15:49.000Z", "temperature": 0.71, "relhumidity": 2.89, "vappress": 2.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409700,48.000077] }, "properties": { "altitude": "257.5", "sensor": "02", "gpstime":"2018-06-19T20:16:43.000Z", "temperature": 0.78, "relhumidity": 2.29, "vappress": 2.139, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406070,47.998090] }, "properties": { "altitude": "267.4", "sensor": "02", "gpstime":"2018-06-19T20:17:55.000Z", "temperature": 0.95, "relhumidity": 1.21, "vappress": 2.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394050,47.997068] }, "properties": { "altitude": "278.0", "sensor": "02", "gpstime":"2018-06-19T20:18:27.000Z", "temperature": 1.17, "relhumidity": 0.85, "vappress": 2.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383170,47.995728] }, "properties": { "altitude": "270.3", "sensor": "02", "gpstime":"2018-06-19T20:19:03.000Z", "temperature": 1.14, "relhumidity": 0.70, "vappress": 2.012, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371970,47.993465] }, "properties": { "altitude": "266.3", "sensor": "02", "gpstime":"2018-06-19T20:19:55.000Z", "temperature": 1.00, "relhumidity": 2.60, "vappress": 2.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384020,47.992215] }, "properties": { "altitude": "243.1", "sensor": "02", "gpstime":"2018-06-19T20:20:51.000Z", "temperature": 0.58, "relhumidity": 4.81, "vappress": 2.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397720,47.992693] }, "properties": { "altitude": "255.6", "sensor": "02", "gpstime":"2018-06-19T20:22:04.000Z", "temperature": 0.11, "relhumidity": 6.72, "vappress": 2.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411230,47.992353] }, "properties": { "altitude": "273.4", "sensor": "02", "gpstime":"2018-06-19T20:22:26.000Z", "temperature": -0.07, "relhumidity": 7.62, "vappress": 2.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424650,47.993428] }, "properties": { "altitude": "279.2", "sensor": "02", "gpstime":"2018-06-19T20:23:18.000Z", "temperature": -0.05, "relhumidity": 6.34, "vappress": 2.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437600,47.992022] }, "properties": { "altitude": "267.2", "sensor": "02", "gpstime":"2018-06-19T20:24:00.000Z", "temperature": 0.21, "relhumidity": 5.82, "vappress": 2.447, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453670,47.992843] }, "properties": { "altitude": "275.7", "sensor": "02", "gpstime":"2018-06-19T20:27:20.000Z", "temperature": 0.32, "relhumidity": 6.45, "vappress": 2.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440100,47.992678] }, "properties": { "altitude": "276.9", "sensor": "02", "gpstime":"2018-06-19T20:28:47.000Z", "temperature": 0.56, "relhumidity": 17.56, "vappress": 6.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434350,47.992322] }, "properties": { "altitude": "278.6", "sensor": "02", "gpstime":"2018-06-19T20:29:19.000Z", "temperature": 0.67, "relhumidity": 16.34, "vappress": 6.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452320,47.993487] }, "properties": { "altitude": "279.2", "sensor": "03", "gpstime":"2018-06-19T19:25:16.000Z", "temperature": 0.45, "relhumidity": -0.77, "vappress": 0.884, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467420,47.992972] }, "properties": { "altitude": "296.5", "sensor": "03", "gpstime":"2018-06-19T19:25:59.000Z", "temperature": 0.49, "relhumidity": -0.29, "vappress": 0.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481580,47.992657] }, "properties": { "altitude": "294.4", "sensor": "03", "gpstime":"2018-06-19T19:26:28.000Z", "temperature": 0.29, "relhumidity": -0.88, "vappress": 0.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500020,47.993475] }, "properties": { "altitude": "299.7", "sensor": "03", "gpstime":"2018-06-19T19:29:23.000Z", "temperature": 0.54, "relhumidity": -1.62, "vappress": 0.801, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515920,47.993480] }, "properties": { "altitude": "280.3", "sensor": "03", "gpstime":"2018-06-19T19:30:03.000Z", "temperature": 0.63, "relhumidity": -1.13, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529500,47.993158] }, "properties": { "altitude": "288.6", "sensor": "03", "gpstime":"2018-06-19T19:30:48.000Z", "temperature": 0.65, "relhumidity": -0.26, "vappress": 1.259, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542100,47.992470] }, "properties": { "altitude": "287.1", "sensor": "03", "gpstime":"2018-06-19T19:34:07.000Z", "temperature": 0.72, "relhumidity": -1.11, "vappress": 1.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558980,47.991813] }, "properties": { "altitude": "280.0", "sensor": "03", "gpstime":"2018-06-19T19:35:31.000Z", "temperature": 0.82, "relhumidity": -0.33, "vappress": 0.943, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572680,47.991718] }, "properties": { "altitude": "275.1", "sensor": "03", "gpstime":"2018-06-19T19:35:52.000Z", "temperature": -0.09, "relhumidity": 2.12, "vappress": 0.773, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8589170,47.991623] }, "properties": { "altitude": "273.4", "sensor": "03", "gpstime":"2018-06-19T19:36:18.000Z", "temperature": -0.48, "relhumidity": 4.33, "vappress": 1.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603630,47.991610] }, "properties": { "altitude": "264.7", "sensor": "03", "gpstime":"2018-06-19T19:36:39.000Z", "temperature": -0.67, "relhumidity": 5.20, "vappress": 1.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617370,47.991575] }, "properties": { "altitude": "261.4", "sensor": "03", "gpstime":"2018-06-19T19:37:02.000Z", "temperature": -0.87, "relhumidity": 6.09, "vappress": 1.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633170,47.991512] }, "properties": { "altitude": "250.7", "sensor": "03", "gpstime":"2018-06-19T19:37:29.000Z", "temperature": -1.07, "relhumidity": 7.08, "vappress": 1.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647420,47.991500] }, "properties": { "altitude": "254.1", "sensor": "03", "gpstime":"2018-06-19T19:37:49.000Z", "temperature": -1.27, "relhumidity": 8.21, "vappress": 1.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662680,47.991563] }, "properties": { "altitude": "258.8", "sensor": "03", "gpstime":"2018-06-19T19:38:15.000Z", "temperature": -1.48, "relhumidity": 9.75, "vappress": 1.723, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676600,47.991840] }, "properties": { "altitude": "266.0", "sensor": "03", "gpstime":"2018-06-19T19:38:43.000Z", "temperature": -1.63, "relhumidity": 11.41, "vappress": 2.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8665170,47.990623] }, "properties": { "altitude": "285.7", "sensor": "03", "gpstime":"2018-06-19T19:41:10.000Z", "temperature": -1.85, "relhumidity": 11.48, "vappress": 1.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659530,47.988643] }, "properties": { "altitude": "292.8", "sensor": "03", "gpstime":"2018-06-19T19:42:25.000Z", "temperature": -1.35, "relhumidity": 6.35, "vappress": 1.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8648920,47.987065] }, "properties": { "altitude": "291.8", "sensor": "03", "gpstime":"2018-06-19T19:44:14.000Z", "temperature": -0.58, "relhumidity": 4.48, "vappress": 1.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636500,47.985982] }, "properties": { "altitude": "283.2", "sensor": "03", "gpstime":"2018-06-19T19:44:43.000Z", "temperature": -0.67, "relhumidity": 6.61, "vappress": 1.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8623580,47.985303] }, "properties": { "altitude": "282.6", "sensor": "03", "gpstime":"2018-06-19T19:46:12.000Z", "temperature": -1.24, "relhumidity": 11.44, "vappress": 2.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609550,47.984420] }, "properties": { "altitude": "275.7", "sensor": "03", "gpstime":"2018-06-19T19:47:05.000Z", "temperature": -1.94, "relhumidity": 14.76, "vappress": 2.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595820,47.983950] }, "properties": { "altitude": "265.7", "sensor": "03", "gpstime":"2018-06-19T19:47:20.000Z", "temperature": -2.18, "relhumidity": 14.02, "vappress": 1.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582750,47.983180] }, "properties": { "altitude": "251.2", "sensor": "03", "gpstime":"2018-06-19T19:47:40.000Z", "temperature": -2.28, "relhumidity": 14.88, "vappress": 2.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568800,47.982532] }, "properties": { "altitude": "231.7", "sensor": "03", "gpstime":"2018-06-19T19:48:11.000Z", "temperature": -2.52, "relhumidity": 18.06, "vappress": 2.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547450,47.981820] }, "properties": { "altitude": "215.5", "sensor": "03", "gpstime":"2018-06-19T19:48:45.000Z", "temperature": -2.55, "relhumidity": 16.88, "vappress": 2.442, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533080,47.981407] }, "properties": { "altitude": "213.4", "sensor": "03", "gpstime":"2018-06-19T19:49:05.000Z", "temperature": -2.50, "relhumidity": 18.17, "vappress": 2.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517630,47.981180] }, "properties": { "altitude": "212.2", "sensor": "03", "gpstime":"2018-06-19T19:49:31.000Z", "temperature": -2.59, "relhumidity": 18.89, "vappress": 2.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503670,47.981005] }, "properties": { "altitude": "213.3", "sensor": "03", "gpstime":"2018-06-19T19:50:07.000Z", "temperature": -2.60, "relhumidity": 18.21, "vappress": 2.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490430,47.981680] }, "properties": { "altitude": "242.8", "sensor": "03", "gpstime":"2018-06-19T19:51:15.000Z", "temperature": -2.58, "relhumidity": 16.65, "vappress": 2.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478570,47.982787] }, "properties": { "altitude": "274.8", "sensor": "03", "gpstime":"2018-06-19T19:51:57.000Z", "temperature": -2.42, "relhumidity": 15.48, "vappress": 2.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470450,47.984537] }, "properties": { "altitude": "289.0", "sensor": "03", "gpstime":"2018-06-19T19:54:15.000Z", "temperature": -2.18, "relhumidity": 12.86, "vappress": 2.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455500,47.984748] }, "properties": { "altitude": "287.0", "sensor": "03", "gpstime":"2018-06-19T19:54:50.000Z", "temperature": -1.71, "relhumidity": 11.32, "vappress": 2.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442020,47.984820] }, "properties": { "altitude": "285.2", "sensor": "03", "gpstime":"2018-06-19T19:55:12.000Z", "temperature": -1.37, "relhumidity": 10.32, "vappress": 1.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427600,47.984747] }, "properties": { "altitude": "277.6", "sensor": "03", "gpstime":"2018-06-19T19:55:33.000Z", "temperature": -1.33, "relhumidity": 9.64, "vappress": 1.793, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412950,47.984698] }, "properties": { "altitude": "276.0", "sensor": "03", "gpstime":"2018-06-19T19:56:00.000Z", "temperature": -1.33, "relhumidity": 9.27, "vappress": 1.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407980,47.982820] }, "properties": { "altitude": "268.8", "sensor": "03", "gpstime":"2018-06-19T19:58:16.000Z", "temperature": -1.36, "relhumidity": 10.66, "vappress": 1.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419230,47.981733] }, "properties": { "altitude": "268.6", "sensor": "03", "gpstime":"2018-06-19T19:59:00.000Z", "temperature": -1.72, "relhumidity": 11.33, "vappress": 1.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432800,47.981583] }, "properties": { "altitude": "270.7", "sensor": "03", "gpstime":"2018-06-19T19:59:30.000Z", "temperature": -1.87, "relhumidity": 12.04, "vappress": 1.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444100,47.980473] }, "properties": { "altitude": "272.6", "sensor": "03", "gpstime":"2018-06-19T20:00:46.000Z", "temperature": -2.00, "relhumidity": 13.03, "vappress": 1.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449530,47.978625] }, "properties": { "altitude": "282.0", "sensor": "03", "gpstime":"2018-06-19T20:02:59.000Z", "temperature": -2.09, "relhumidity": 14.39, "vappress": 1.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463220,47.979107] }, "properties": { "altitude": "274.3", "sensor": "03", "gpstime":"2018-06-19T20:03:28.000Z", "temperature": -2.68, "relhumidity": 15.89, "vappress": 1.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476770,47.979350] }, "properties": { "altitude": "268.8", "sensor": "03", "gpstime":"2018-06-19T20:04:10.000Z", "temperature": -2.99, "relhumidity": 17.18, "vappress": 1.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476170,47.977287] }, "properties": { "altitude": "248.5", "sensor": "03", "gpstime":"2018-06-19T20:05:05.000Z", "temperature": -3.44, "relhumidity": 20.65, "vappress": 1.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472170,47.975250] }, "properties": { "altitude": "238.2", "sensor": "03", "gpstime":"2018-06-19T20:06:08.000Z", "temperature": -3.36, "relhumidity": 18.60, "vappress": 2.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456830,47.974997] }, "properties": { "altitude": "256.6", "sensor": "03", "gpstime":"2018-06-19T20:06:53.000Z", "temperature": -2.96, "relhumidity": 17.17, "vappress": 1.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443630,47.974577] }, "properties": { "altitude": "276.1", "sensor": "03", "gpstime":"2018-06-19T20:07:20.000Z", "temperature": -3.35, "relhumidity": 18.20, "vappress": 1.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431150,47.973822] }, "properties": { "altitude": "290.5", "sensor": "03", "gpstime":"2018-06-19T20:07:55.000Z", "temperature": -3.50, "relhumidity": 20.74, "vappress": 1.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418920,47.972927] }, "properties": { "altitude": "287.1", "sensor": "03", "gpstime":"2018-06-19T20:11:24.000Z", "temperature": -3.56, "relhumidity": 23.38, "vappress": 2.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405280,47.972695] }, "properties": { "altitude": "270.1", "sensor": "03", "gpstime":"2018-06-19T20:12:44.000Z", "temperature": -4.01, "relhumidity": 23.89, "vappress": 1.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391820,47.972228] }, "properties": { "altitude": "276.0", "sensor": "03", "gpstime":"2018-06-19T20:14:12.000Z", "temperature": -4.17, "relhumidity": 24.20, "vappress": 1.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378980,47.971653] }, "properties": { "altitude": "315.5", "sensor": "03", "gpstime":"2018-06-19T20:16:08.000Z", "temperature": -4.00, "relhumidity": 22.86, "vappress": 1.849, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378720,47.973718] }, "properties": { "altitude": "336.0", "sensor": "03", "gpstime":"2018-06-19T20:19:12.000Z", "temperature": -3.37, "relhumidity": 16.68, "vappress": 1.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379550,47.975807] }, "properties": { "altitude": "327.9", "sensor": "03", "gpstime":"2018-06-19T20:19:57.000Z", "temperature": -2.35, "relhumidity": 13.11, "vappress": 1.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385850,47.977657] }, "properties": { "altitude": "329.5", "sensor": "03", "gpstime":"2018-06-19T20:20:37.000Z", "temperature": -2.11, "relhumidity": 12.61, "vappress": 1.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8387050,47.979828] }, "properties": { "altitude": "333.4", "sensor": "03", "gpstime":"2018-06-19T20:21:25.000Z", "temperature": -2.09, "relhumidity": 14.01, "vappress": 1.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8387080,47.981977] }, "properties": { "altitude": "360.4", "sensor": "03", "gpstime":"2018-06-19T20:23:59.000Z", "temperature": -2.07, "relhumidity": 12.46, "vappress": 1.517, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397950,47.983582] }, "properties": { "altitude": "313.9", "sensor": "03", "gpstime":"2018-06-19T20:25:25.000Z", "temperature": -2.01, "relhumidity": 12.25, "vappress": 1.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409950,47.984663] }, "properties": { "altitude": "279.5", "sensor": "03", "gpstime":"2018-06-19T20:28:18.000Z", "temperature": -1.82, "relhumidity": 11.82, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426130,47.988992] }, "properties": { "altitude": "265.8", "sensor": "03", "gpstime":"2018-06-19T20:32:08.000Z", "temperature": -1.44, "relhumidity": 10.41, "vappress": 1.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446520,47.990158] }, "properties": { "altitude": "294.1", "sensor": "03", "gpstime":"2018-06-19T20:34:15.000Z", "temperature": -0.85, "relhumidity": 6.86, "vappress": 1.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452780,47.991957] }, "properties": { "altitude": "291.0", "sensor": "03", "gpstime":"2018-06-19T20:38:02.000Z", "temperature": -0.30, "relhumidity": 4.70, "vappress": 1.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439570,47.992703] }, "properties": { "altitude": "338.5", "sensor": "03", "gpstime":"2018-06-19T20:43:25.000Z", "temperature": 0.19, "relhumidity": 16.07, "vappress": 6.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438500,47.992693] }, "properties": { "altitude": "340.8", "sensor": "03", "gpstime":"2018-06-19T20:43:28.000Z", "temperature": 1.24, "relhumidity": 17.04, "vappress": 6.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451650,47.993617] }, "properties": { "altitude": "275.2", "sensor": "04", "gpstime":"2018-06-19T19:24:16.000Z", "temperature": 0.51, "relhumidity": 3.25, "vappress": 2.213, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433670,47.993793] }, "properties": { "altitude": "278.9", "sensor": "04", "gpstime":"2018-06-19T19:24:46.000Z", "temperature": 0.49, "relhumidity": 2.61, "vappress": 2.013, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440650,47.991835] }, "properties": { "altitude": "286.6", "sensor": "04", "gpstime":"2018-06-19T19:26:55.000Z", "temperature": 0.44, "relhumidity": 3.62, "vappress": 2.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427450,47.993132] }, "properties": { "altitude": "282.2", "sensor": "04", "gpstime":"2018-06-19T19:27:30.000Z", "temperature": 0.36, "relhumidity": 2.89, "vappress": 1.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413750,47.994887] }, "properties": { "altitude": "267.9", "sensor": "04", "gpstime":"2018-06-19T19:28:03.000Z", "temperature": 0.36, "relhumidity": 3.41, "vappress": 2.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400180,47.996045] }, "properties": { "altitude": "279.9", "sensor": "04", "gpstime":"2018-06-19T19:28:40.000Z", "temperature": 0.53, "relhumidity": 2.67, "vappress": 1.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406180,47.998113] }, "properties": { "altitude": "266.6", "sensor": "04", "gpstime":"2018-06-19T19:29:36.000Z", "temperature": 0.38, "relhumidity": 2.94, "vappress": 1.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418950,47.999558] }, "properties": { "altitude": "268.1", "sensor": "04", "gpstime":"2018-06-19T19:30:03.000Z", "temperature": 0.30, "relhumidity": 3.67, "vappress": 2.109, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423900,48.001540] }, "properties": { "altitude": "269.0", "sensor": "04", "gpstime":"2018-06-19T19:31:01.000Z", "temperature": 0.14, "relhumidity": 4.30, "vappress": 2.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415470,48.003222] }, "properties": { "altitude": "266.9", "sensor": "04", "gpstime":"2018-06-19T19:31:33.000Z", "temperature": 0.14, "relhumidity": 4.03, "vappress": 2.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397880,48.002928] }, "properties": { "altitude": "265.6", "sensor": "04", "gpstime":"2018-06-19T19:33:32.000Z", "temperature": 0.18, "relhumidity": 4.03, "vappress": 1.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384330,48.001715] }, "properties": { "altitude": "263.8", "sensor": "04", "gpstime":"2018-06-19T19:34:03.000Z", "temperature": 0.22, "relhumidity": 3.87, "vappress": 2.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372520,47.999882] }, "properties": { "altitude": "264.3", "sensor": "04", "gpstime":"2018-06-19T19:34:33.000Z", "temperature": 0.29, "relhumidity": 3.51, "vappress": 2.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361680,47.998357] }, "properties": { "altitude": "264.4", "sensor": "04", "gpstime":"2018-06-19T19:35:03.000Z", "temperature": 0.42, "relhumidity": 2.56, "vappress": 1.923, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8351150,47.997030] }, "properties": { "altitude": "267.2", "sensor": "04", "gpstime":"2018-06-19T19:35:45.000Z", "temperature": 0.51, "relhumidity": 2.54, "vappress": 2.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336420,47.995223] }, "properties": { "altitude": "270.4", "sensor": "04", "gpstime":"2018-06-19T19:36:15.000Z", "temperature": 0.51, "relhumidity": 3.01, "vappress": 2.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324130,47.993592] }, "properties": { "altitude": "266.6", "sensor": "04", "gpstime":"2018-06-19T19:37:09.000Z", "temperature": 0.50, "relhumidity": 2.30, "vappress": 1.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311880,47.992010] }, "properties": { "altitude": "264.0", "sensor": "04", "gpstime":"2018-06-19T19:37:35.000Z", "temperature": 0.52, "relhumidity": 2.30, "vappress": 1.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319900,47.990197] }, "properties": { "altitude": "261.0", "sensor": "04", "gpstime":"2018-06-19T19:38:29.000Z", "temperature": 0.41, "relhumidity": 4.30, "vappress": 2.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305880,47.990703] }, "properties": { "altitude": "261.8", "sensor": "04", "gpstime":"2018-06-19T19:39:09.000Z", "temperature": 0.19, "relhumidity": 4.52, "vappress": 2.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293500,47.989403] }, "properties": { "altitude": "260.6", "sensor": "04", "gpstime":"2018-06-19T19:39:39.000Z", "temperature": 0.18, "relhumidity": 3.91, "vappress": 1.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280680,47.987542] }, "properties": { "altitude": "267.0", "sensor": "04", "gpstime":"2018-06-19T19:40:11.000Z", "temperature": -0.14, "relhumidity": 4.08, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264230,47.986620] }, "properties": { "altitude": "263.9", "sensor": "04", "gpstime":"2018-06-19T19:40:43.000Z", "temperature": 0.08, "relhumidity": 3.45, "vappress": 1.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8250580,47.986293] }, "properties": { "altitude": "258.2", "sensor": "04", "gpstime":"2018-06-19T19:41:15.000Z", "temperature": 0.07, "relhumidity": 4.08, "vappress": 1.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233700,47.986072] }, "properties": { "altitude": "256.0", "sensor": "04", "gpstime":"2018-06-19T19:41:37.000Z", "temperature": 0.03, "relhumidity": 5.54, "vappress": 2.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213900,47.984832] }, "properties": { "altitude": "253.3", "sensor": "04", "gpstime":"2018-06-19T19:42:25.000Z", "temperature": -0.05, "relhumidity": 4.64, "vappress": 2.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196770,47.984402] }, "properties": { "altitude": "252.2", "sensor": "04", "gpstime":"2018-06-19T19:42:44.000Z", "temperature": 0.23, "relhumidity": 4.01, "vappress": 2.182, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199170,47.982262] }, "properties": { "altitude": "257.4", "sensor": "04", "gpstime":"2018-06-19T19:43:35.000Z", "temperature": 0.38, "relhumidity": 3.44, "vappress": 2.012, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208150,47.980365] }, "properties": { "altitude": "260.3", "sensor": "04", "gpstime":"2018-06-19T19:44:10.000Z", "temperature": 0.38, "relhumidity": 3.06, "vappress": 2.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196480,47.979298] }, "properties": { "altitude": "257.4", "sensor": "04", "gpstime":"2018-06-19T19:44:40.000Z", "temperature": 0.49, "relhumidity": 2.61, "vappress": 2.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196830,47.977288] }, "properties": { "altitude": "254.3", "sensor": "04", "gpstime":"2018-06-19T19:45:25.000Z", "temperature": 0.49, "relhumidity": 3.28, "vappress": 1.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183980,47.975703] }, "properties": { "altitude": "254.2", "sensor": "04", "gpstime":"2018-06-19T19:45:58.000Z", "temperature": 0.06, "relhumidity": 8.10, "vappress": 2.574, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192150,47.974068] }, "properties": { "altitude": "249.2", "sensor": "04", "gpstime":"2018-06-19T19:47:00.000Z", "temperature": -0.67, "relhumidity": 8.81, "vappress": 2.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206270,47.973440] }, "properties": { "altitude": "255.5", "sensor": "04", "gpstime":"2018-06-19T19:47:22.000Z", "temperature": -0.65, "relhumidity": 8.35, "vappress": 2.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221300,47.972590] }, "properties": { "altitude": "259.8", "sensor": "04", "gpstime":"2018-06-19T19:47:48.000Z", "temperature": -0.92, "relhumidity": 9.68, "vappress": 2.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232830,47.971445] }, "properties": { "altitude": "261.3", "sensor": "04", "gpstime":"2018-06-19T19:48:11.000Z", "temperature": -1.25, "relhumidity": 10.59, "vappress": 2.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241520,47.969603] }, "properties": { "altitude": "264.5", "sensor": "04", "gpstime":"2018-06-19T19:49:34.000Z", "temperature": -0.86, "relhumidity": 10.50, "vappress": 2.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228500,47.968533] }, "properties": { "altitude": "268.7", "sensor": "04", "gpstime":"2018-06-19T19:50:51.000Z", "temperature": -1.55, "relhumidity": 15.52, "vappress": 2.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215270,47.968057] }, "properties": { "altitude": "294.9", "sensor": "04", "gpstime":"2018-06-19T19:51:53.000Z", "temperature": -2.33, "relhumidity": 15.41, "vappress": 2.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201330,47.968230] }, "properties": { "altitude": "315.8", "sensor": "04", "gpstime":"2018-06-19T19:53:18.000Z", "temperature": -2.18, "relhumidity": 13.37, "vappress": 2.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8187680,47.968303] }, "properties": { "altitude": "323.1", "sensor": "04", "gpstime":"2018-06-19T19:53:51.000Z", "temperature": -1.71, "relhumidity": 12.06, "vappress": 2.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8174170,47.967477] }, "properties": { "altitude": "327.3", "sensor": "04", "gpstime":"2018-06-19T19:54:18.000Z", "temperature": -1.69, "relhumidity": 11.71, "vappress": 1.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158830,47.966847] }, "properties": { "altitude": "331.1", "sensor": "04", "gpstime":"2018-06-19T19:54:45.000Z", "temperature": -1.86, "relhumidity": 11.98, "vappress": 1.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167320,47.964803] }, "properties": { "altitude": "358.7", "sensor": "04", "gpstime":"2018-06-19T19:56:16.000Z", "temperature": -2.17, "relhumidity": 14.54, "vappress": 1.625, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171600,47.962748] }, "properties": { "altitude": "364.2", "sensor": "04", "gpstime":"2018-06-19T19:57:10.000Z", "temperature": -2.83, "relhumidity": 16.45, "vappress": 1.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8178770,47.960830] }, "properties": { "altitude": "365.5", "sensor": "04", "gpstime":"2018-06-19T19:57:53.000Z", "temperature": -2.87, "relhumidity": 16.74, "vappress": 1.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188680,47.959158] }, "properties": { "altitude": "371.2", "sensor": "04", "gpstime":"2018-06-19T19:58:47.000Z", "temperature": -2.99, "relhumidity": 17.08, "vappress": 1.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191330,47.957162] }, "properties": { "altitude": "370.7", "sensor": "04", "gpstime":"2018-06-19T19:59:45.000Z", "temperature": -3.06, "relhumidity": 17.84, "vappress": 1.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208530,47.956807] }, "properties": { "altitude": "351.1", "sensor": "04", "gpstime":"2018-06-19T20:00:20.000Z", "temperature": -3.06, "relhumidity": 18.71, "vappress": 2.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223900,47.956773] }, "properties": { "altitude": "335.3", "sensor": "04", "gpstime":"2018-06-19T20:00:44.000Z", "temperature": -3.13, "relhumidity": 19.23, "vappress": 1.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236580,47.955498] }, "properties": { "altitude": "330.6", "sensor": "04", "gpstime":"2018-06-19T20:01:30.000Z", "temperature": -3.12, "relhumidity": 19.79, "vappress": 2.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252580,47.954778] }, "properties": { "altitude": "313.5", "sensor": "04", "gpstime":"2018-06-19T20:01:57.000Z", "temperature": -3.18, "relhumidity": 19.95, "vappress": 2.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271020,47.955017] }, "properties": { "altitude": "300.3", "sensor": "04", "gpstime":"2018-06-19T20:02:16.000Z", "temperature": -3.32, "relhumidity": 20.19, "vappress": 1.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284380,47.954817] }, "properties": { "altitude": "284.1", "sensor": "04", "gpstime":"2018-06-19T20:02:38.000Z", "temperature": -3.49, "relhumidity": 21.67, "vappress": 2.213, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296370,47.956558] }, "properties": { "altitude": "286.0", "sensor": "04", "gpstime":"2018-06-19T20:03:14.000Z", "temperature": -3.46, "relhumidity": 21.58, "vappress": 2.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308200,47.958298] }, "properties": { "altitude": "284.6", "sensor": "04", "gpstime":"2018-06-19T20:03:43.000Z", "temperature": -3.24, "relhumidity": 21.57, "vappress": 2.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309420,47.960307] }, "properties": { "altitude": "274.5", "sensor": "04", "gpstime":"2018-06-19T20:04:21.000Z", "temperature": -3.33, "relhumidity": 21.66, "vappress": 2.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303230,47.962322] }, "properties": { "altitude": "265.4", "sensor": "04", "gpstime":"2018-06-19T20:04:54.000Z", "temperature": -3.01, "relhumidity": 21.01, "vappress": 2.622, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296900,47.964553] }, "properties": { "altitude": "258.2", "sensor": "04", "gpstime":"2018-06-19T20:05:29.000Z", "temperature": -2.93, "relhumidity": 21.18, "vappress": 2.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287370,47.966213] }, "properties": { "altitude": "261.6", "sensor": "04", "gpstime":"2018-06-19T20:05:56.000Z", "temperature": -2.65, "relhumidity": 19.59, "vappress": 2.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284780,47.968393] }, "properties": { "altitude": "266.9", "sensor": "04", "gpstime":"2018-06-19T20:06:31.000Z", "temperature": -2.32, "relhumidity": 18.03, "vappress": 2.860, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281530,47.970443] }, "properties": { "altitude": "265.2", "sensor": "04", "gpstime":"2018-06-19T20:07:06.000Z", "temperature": -1.87, "relhumidity": 16.35, "vappress": 3.121, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267980,47.971785] }, "properties": { "altitude": "275.4", "sensor": "04", "gpstime":"2018-06-19T20:07:42.000Z", "temperature": -1.52, "relhumidity": 14.95, "vappress": 2.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252250,47.972820] }, "properties": { "altitude": "267.3", "sensor": "04", "gpstime":"2018-06-19T20:08:30.000Z", "temperature": -1.50, "relhumidity": 13.59, "vappress": 2.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255030,47.974817] }, "properties": { "altitude": "261.1", "sensor": "04", "gpstime":"2018-06-19T20:09:35.000Z", "temperature": -1.64, "relhumidity": 14.55, "vappress": 2.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262520,47.976617] }, "properties": { "altitude": "266.1", "sensor": "04", "gpstime":"2018-06-19T20:10:22.000Z", "temperature": -1.50, "relhumidity": 14.58, "vappress": 2.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268700,47.978603] }, "properties": { "altitude": "263.1", "sensor": "04", "gpstime":"2018-06-19T20:11:38.000Z", "temperature": -0.91, "relhumidity": 10.80, "vappress": 2.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282870,47.979528] }, "properties": { "altitude": "267.4", "sensor": "04", "gpstime":"2018-06-19T20:12:05.000Z", "temperature": -0.45, "relhumidity": 9.85, "vappress": 2.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8294000,47.981062] }, "properties": { "altitude": "271.7", "sensor": "04", "gpstime":"2018-06-19T20:12:49.000Z", "temperature": -0.34, "relhumidity": 9.05, "vappress": 2.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308680,47.981252] }, "properties": { "altitude": "264.9", "sensor": "04", "gpstime":"2018-06-19T20:13:41.000Z", "temperature": -0.71, "relhumidity": 14.72, "vappress": 3.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321750,47.982427] }, "properties": { "altitude": "268.5", "sensor": "04", "gpstime":"2018-06-19T20:14:16.000Z", "temperature": -1.27, "relhumidity": 12.94, "vappress": 2.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335770,47.983617] }, "properties": { "altitude": "275.4", "sensor": "04", "gpstime":"2018-06-19T20:14:51.000Z", "temperature": -1.09, "relhumidity": 11.71, "vappress": 2.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350230,47.984380] }, "properties": { "altitude": "278.6", "sensor": "04", "gpstime":"2018-06-19T20:15:21.000Z", "temperature": -0.80, "relhumidity": 10.45, "vappress": 2.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364030,47.984355] }, "properties": { "altitude": "277.1", "sensor": "04", "gpstime":"2018-06-19T20:15:53.000Z", "temperature": -0.72, "relhumidity": 10.45, "vappress": 2.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380830,47.984402] }, "properties": { "altitude": "275.0", "sensor": "04", "gpstime":"2018-06-19T20:16:39.000Z", "temperature": -0.71, "relhumidity": 10.61, "vappress": 2.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396900,47.984850] }, "properties": { "altitude": "272.4", "sensor": "04", "gpstime":"2018-06-19T20:17:03.000Z", "temperature": -0.83, "relhumidity": 10.82, "vappress": 2.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416050,47.984740] }, "properties": { "altitude": "268.5", "sensor": "04", "gpstime":"2018-06-19T20:17:50.000Z", "temperature": -0.97, "relhumidity": 11.33, "vappress": 2.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435300,47.984798] }, "properties": { "altitude": "267.3", "sensor": "04", "gpstime":"2018-06-19T20:18:12.000Z", "temperature": -1.20, "relhumidity": 12.74, "vappress": 2.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444020,47.983193] }, "properties": { "altitude": "259.6", "sensor": "04", "gpstime":"2018-06-19T20:18:52.000Z", "temperature": -1.37, "relhumidity": 13.95, "vappress": 2.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453300,47.981145] }, "properties": { "altitude": "260.3", "sensor": "04", "gpstime":"2018-06-19T20:19:36.000Z", "temperature": -1.64, "relhumidity": 14.95, "vappress": 2.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467080,47.980058] }, "properties": { "altitude": "270.7", "sensor": "04", "gpstime":"2018-06-19T20:20:14.000Z", "temperature": -2.03, "relhumidity": 16.10, "vappress": 2.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455200,47.981127] }, "properties": { "altitude": "260.8", "sensor": "04", "gpstime":"2018-06-19T20:21:30.000Z", "temperature": -2.30, "relhumidity": 17.69, "vappress": 2.366, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468680,47.981375] }, "properties": { "altitude": "266.3", "sensor": "04", "gpstime":"2018-06-19T20:21:54.000Z", "temperature": -2.38, "relhumidity": 17.78, "vappress": 2.386, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481750,47.981878] }, "properties": { "altitude": "271.5", "sensor": "04", "gpstime":"2018-06-19T20:22:24.000Z", "temperature": -2.40, "relhumidity": 19.18, "vappress": 2.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497530,47.982193] }, "properties": { "altitude": "274.8", "sensor": "04", "gpstime":"2018-06-19T20:22:51.000Z", "temperature": -2.48, "relhumidity": 19.72, "vappress": 2.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503100,47.984342] }, "properties": { "altitude": "270.1", "sensor": "04", "gpstime":"2018-06-19T20:23:37.000Z", "temperature": -2.37, "relhumidity": 18.69, "vappress": 2.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503380,47.986435] }, "properties": { "altitude": "281.8", "sensor": "04", "gpstime":"2018-06-19T20:24:31.000Z", "temperature": -1.81, "relhumidity": 15.47, "vappress": 2.884, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8507900,47.988487] }, "properties": { "altitude": "291.6", "sensor": "04", "gpstime":"2018-06-19T20:25:28.000Z", "temperature": -0.96, "relhumidity": 11.05, "vappress": 2.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499250,47.990088] }, "properties": { "altitude": "285.5", "sensor": "04", "gpstime":"2018-06-19T20:27:06.000Z", "temperature": -0.42, "relhumidity": 9.57, "vappress": 2.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501850,47.992087] }, "properties": { "altitude": "278.8", "sensor": "04", "gpstime":"2018-06-19T20:29:03.000Z", "temperature": -0.35, "relhumidity": 8.49, "vappress": 2.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487270,47.992488] }, "properties": { "altitude": "273.7", "sensor": "04", "gpstime":"2018-06-19T20:29:25.000Z", "temperature": -0.23, "relhumidity": 8.49, "vappress": 2.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470000,47.992803] }, "properties": { "altitude": "270.6", "sensor": "04", "gpstime":"2018-06-19T20:29:47.000Z", "temperature": -0.13, "relhumidity": 8.36, "vappress": 2.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454220,47.993622] }, "properties": { "altitude": "265.1", "sensor": "04", "gpstime":"2018-06-19T20:30:16.000Z", "temperature": -0.08, "relhumidity": 7.98, "vappress": 2.752, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453100,47.993445] }, "properties": { "altitude": "267.2", "sensor": "04", "gpstime":"2018-06-19T20:30:22.000Z", "temperature": -0.00, "relhumidity": 7.80, "vappress": 2.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452180,47.993463] }, "properties": { "altitude": "276.5", "sensor": "05", "gpstime":"2018-06-19T19:24:26.000Z", "temperature": 0.81, "relhumidity": 3.54, "vappress": 2.653, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458750,47.995340] }, "properties": { "altitude": "275.7", "sensor": "05", "gpstime":"2018-06-19T19:25:19.000Z", "temperature": 0.69, "relhumidity": 3.69, "vappress": 2.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443100,47.995638] }, "properties": { "altitude": "279.3", "sensor": "05", "gpstime":"2018-06-19T19:26:11.000Z", "temperature": 0.64, "relhumidity": 3.51, "vappress": 2.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425170,47.996047] }, "properties": { "altitude": "281.1", "sensor": "05", "gpstime":"2018-06-19T19:26:36.000Z", "temperature": 0.58, "relhumidity": 3.89, "vappress": 2.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409780,47.996392] }, "properties": { "altitude": "281.0", "sensor": "05", "gpstime":"2018-06-19T19:27:02.000Z", "temperature": 0.47, "relhumidity": 3.46, "vappress": 2.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391220,47.996812] }, "properties": { "altitude": "275.0", "sensor": "05", "gpstime":"2018-06-19T19:27:33.000Z", "temperature": 0.45, "relhumidity": 3.78, "vappress": 2.227, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377230,47.997413] }, "properties": { "altitude": "269.1", "sensor": "05", "gpstime":"2018-06-19T19:27:56.000Z", "temperature": 0.45, "relhumidity": 4.29, "vappress": 2.507, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385520,47.999247] }, "properties": { "altitude": "257.7", "sensor": "05", "gpstime":"2018-06-19T19:29:05.000Z", "temperature": 0.39, "relhumidity": 4.06, "vappress": 2.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371470,47.999938] }, "properties": { "altitude": "259.5", "sensor": "05", "gpstime":"2018-06-19T19:29:41.000Z", "temperature": 0.38, "relhumidity": 4.03, "vappress": 2.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354870,48.000517] }, "properties": { "altitude": "260.8", "sensor": "05", "gpstime":"2018-06-19T19:30:08.000Z", "temperature": 0.46, "relhumidity": 4.24, "vappress": 2.389, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8339320,48.001058] }, "properties": { "altitude": "258.5", "sensor": "05", "gpstime":"2018-06-19T19:30:31.000Z", "temperature": 0.35, "relhumidity": 4.87, "vappress": 2.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327800,48.002528] }, "properties": { "altitude": "258.4", "sensor": "05", "gpstime":"2018-06-19T19:31:59.000Z", "temperature": 0.15, "relhumidity": 5.95, "vappress": 2.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312470,48.002192] }, "properties": { "altitude": "256.1", "sensor": "05", "gpstime":"2018-06-19T19:32:23.000Z", "temperature": -0.10, "relhumidity": 6.98, "vappress": 2.524, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296220,48.001775] }, "properties": { "altitude": "254.2", "sensor": "05", "gpstime":"2018-06-19T19:32:48.000Z", "temperature": -0.43, "relhumidity": 8.31, "vappress": 2.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282650,48.001707] }, "properties": { "altitude": "254.8", "sensor": "05", "gpstime":"2018-06-19T19:33:07.000Z", "temperature": -0.60, "relhumidity": 8.87, "vappress": 2.517, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266320,48.001977] }, "properties": { "altitude": "257.9", "sensor": "05", "gpstime":"2018-06-19T19:33:31.000Z", "temperature": -0.66, "relhumidity": 8.49, "vappress": 2.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251200,48.002088] }, "properties": { "altitude": "252.8", "sensor": "05", "gpstime":"2018-06-19T19:34:19.000Z", "temperature": -0.45, "relhumidity": 8.33, "vappress": 2.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240400,48.003578] }, "properties": { "altitude": "252.7", "sensor": "05", "gpstime":"2018-06-19T19:35:54.000Z", "temperature": -0.38, "relhumidity": 9.54, "vappress": 2.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228400,48.004667] }, "properties": { "altitude": "252.9", "sensor": "05", "gpstime":"2018-06-19T19:38:12.000Z", "temperature": -0.30, "relhumidity": 7.10, "vappress": 2.493, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216880,48.002870] }, "properties": { "altitude": "235.0", "sensor": "05", "gpstime":"2018-06-19T19:39:54.000Z", "temperature": -0.35, "relhumidity": 8.74, "vappress": 2.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202520,48.003042] }, "properties": { "altitude": "244.0", "sensor": "05", "gpstime":"2018-06-19T19:41:47.000Z", "temperature": -0.22, "relhumidity": 6.69, "vappress": 2.574, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189380,48.002652] }, "properties": { "altitude": "248.6", "sensor": "05", "gpstime":"2018-06-19T19:42:17.000Z", "temperature": -0.00, "relhumidity": 6.50, "vappress": 2.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8173170,48.003167] }, "properties": { "altitude": "242.5", "sensor": "05", "gpstime":"2018-06-19T19:42:52.000Z", "temperature": -0.12, "relhumidity": 10.04, "vappress": 3.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157370,48.003322] }, "properties": { "altitude": "241.4", "sensor": "05", "gpstime":"2018-06-19T19:43:35.000Z", "temperature": -0.46, "relhumidity": 10.09, "vappress": 2.842, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143280,48.004322] }, "properties": { "altitude": "242.8", "sensor": "05", "gpstime":"2018-06-19T19:44:03.000Z", "temperature": -0.66, "relhumidity": 9.98, "vappress": 2.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128780,48.004752] }, "properties": { "altitude": "239.4", "sensor": "05", "gpstime":"2018-06-19T19:44:33.000Z", "temperature": -0.54, "relhumidity": 9.38, "vappress": 2.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118750,48.006420] }, "properties": { "altitude": "240.9", "sensor": "05", "gpstime":"2018-06-19T19:45:43.000Z", "temperature": -0.30, "relhumidity": 9.31, "vappress": 3.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103070,48.007313] }, "properties": { "altitude": "238.1", "sensor": "05", "gpstime":"2018-06-19T19:46:13.000Z", "temperature": -0.15, "relhumidity": 8.24, "vappress": 2.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089130,48.007700] }, "properties": { "altitude": "237.0", "sensor": "05", "gpstime":"2018-06-19T19:46:43.000Z", "temperature": 0.02, "relhumidity": 7.64, "vappress": 2.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8074570,48.008098] }, "properties": { "altitude": "232.0", "sensor": "05", "gpstime":"2018-06-19T19:47:13.000Z", "temperature": -0.01, "relhumidity": 6.95, "vappress": 2.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8056100,48.008733] }, "properties": { "altitude": "232.6", "sensor": "05", "gpstime":"2018-06-19T19:47:51.000Z", "temperature": 0.13, "relhumidity": 6.87, "vappress": 2.728, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8044070,48.007837] }, "properties": { "altitude": "234.2", "sensor": "05", "gpstime":"2018-06-19T19:48:23.000Z", "temperature": -0.09, "relhumidity": 8.23, "vappress": 2.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033820,48.005747] }, "properties": { "altitude": "238.6", "sensor": "05", "gpstime":"2018-06-19T19:49:39.000Z", "temperature": -0.44, "relhumidity": 9.99, "vappress": 2.925, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8017430,48.005950] }, "properties": { "altitude": "234.6", "sensor": "05", "gpstime":"2018-06-19T19:49:58.000Z", "temperature": -0.49, "relhumidity": 10.09, "vappress": 2.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8002320,48.005650] }, "properties": { "altitude": "226.9", "sensor": "05", "gpstime":"2018-06-19T19:50:17.000Z", "temperature": -0.61, "relhumidity": 12.55, "vappress": 3.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7990520,48.004075] }, "properties": { "altitude": "228.6", "sensor": "05", "gpstime":"2018-06-19T19:51:02.000Z", "temperature": -1.04, "relhumidity": 13.72, "vappress": 3.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7984500,48.002058] }, "properties": { "altitude": "232.3", "sensor": "05", "gpstime":"2018-06-19T19:51:43.000Z", "temperature": -1.18, "relhumidity": 16.57, "vappress": 3.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7972280,48.000675] }, "properties": { "altitude": "232.4", "sensor": "05", "gpstime":"2018-06-19T19:52:40.000Z", "temperature": -1.58, "relhumidity": 16.68, "vappress": 3.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7946150,48.001645] }, "properties": { "altitude": "229.8", "sensor": "05", "gpstime":"2018-06-19T19:53:20.000Z", "temperature": -1.57, "relhumidity": 18.40, "vappress": 3.771, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7932550,48.002253] }, "properties": { "altitude": "229.2", "sensor": "05", "gpstime":"2018-06-19T19:53:39.000Z", "temperature": -1.67, "relhumidity": 20.24, "vappress": 4.121, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7919070,48.002847] }, "properties": { "altitude": "230.1", "sensor": "05", "gpstime":"2018-06-19T19:53:58.000Z", "temperature": -1.84, "relhumidity": 19.72, "vappress": 3.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7903500,48.003540] }, "properties": { "altitude": "224.9", "sensor": "05", "gpstime":"2018-06-19T19:54:20.000Z", "temperature": -1.81, "relhumidity": 19.34, "vappress": 3.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7886930,48.004287] }, "properties": { "altitude": "219.9", "sensor": "05", "gpstime":"2018-06-19T19:54:44.000Z", "temperature": -1.95, "relhumidity": 18.84, "vappress": 3.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7869920,48.005047] }, "properties": { "altitude": "223.2", "sensor": "05", "gpstime":"2018-06-19T19:55:08.000Z", "temperature": -2.11, "relhumidity": 22.28, "vappress": 4.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7852980,48.005765] }, "properties": { "altitude": "224.7", "sensor": "05", "gpstime":"2018-06-19T19:55:32.000Z", "temperature": -2.10, "relhumidity": 20.12, "vappress": 3.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7837730,48.006448] }, "properties": { "altitude": "223.8", "sensor": "05", "gpstime":"2018-06-19T19:55:54.000Z", "temperature": -2.10, "relhumidity": 22.16, "vappress": 4.113, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7824150,48.007008] }, "properties": { "altitude": "225.1", "sensor": "05", "gpstime":"2018-06-19T19:56:13.000Z", "temperature": -2.14, "relhumidity": 21.17, "vappress": 3.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7811150,48.007592] }, "properties": { "altitude": "222.5", "sensor": "05", "gpstime":"2018-06-19T19:56:32.000Z", "temperature": -2.14, "relhumidity": 22.67, "vappress": 4.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7795780,48.008280] }, "properties": { "altitude": "220.0", "sensor": "05", "gpstime":"2018-06-19T19:56:54.000Z", "temperature": -2.01, "relhumidity": 21.08, "vappress": 3.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7779870,48.008970] }, "properties": { "altitude": "219.6", "sensor": "05", "gpstime":"2018-06-19T19:57:16.000Z", "temperature": -1.85, "relhumidity": 22.32, "vappress": 4.477, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7767400,48.009733] }, "properties": { "altitude": "218.2", "sensor": "05", "gpstime":"2018-06-19T19:57:40.000Z", "temperature": -2.05, "relhumidity": 23.02, "vappress": 4.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7775880,48.011810] }, "properties": { "altitude": "217.0", "sensor": "05", "gpstime":"2018-06-19T19:58:22.000Z", "temperature": -2.03, "relhumidity": 19.25, "vappress": 3.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7782700,48.013550] }, "properties": { "altitude": "216.6", "sensor": "05", "gpstime":"2018-06-19T19:58:58.000Z", "temperature": -1.84, "relhumidity": 19.14, "vappress": 3.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7790500,48.015557] }, "properties": { "altitude": "216.1", "sensor": "05", "gpstime":"2018-06-19T19:59:44.000Z", "temperature": -2.07, "relhumidity": 24.29, "vappress": 4.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7788050,48.017537] }, "properties": { "altitude": "212.8", "sensor": "05", "gpstime":"2018-06-19T20:00:30.000Z", "temperature": -2.35, "relhumidity": 26.68, "vappress": 4.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7775670,48.018752] }, "properties": { "altitude": "216.8", "sensor": "05", "gpstime":"2018-06-19T20:01:08.000Z", "temperature": -2.63, "relhumidity": 28.06, "vappress": 4.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7763480,48.019597] }, "properties": { "altitude": "221.2", "sensor": "05", "gpstime":"2018-06-19T20:01:54.000Z", "temperature": -2.45, "relhumidity": 29.70, "vappress": 5.571, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7750200,48.020292] }, "properties": { "altitude": "220.0", "sensor": "05", "gpstime":"2018-06-19T20:03:02.000Z", "temperature": -2.41, "relhumidity": 28.15, "vappress": 4.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7734400,48.021078] }, "properties": { "altitude": "207.0", "sensor": "05", "gpstime":"2018-06-19T20:03:23.000Z", "temperature": -3.19, "relhumidity": 28.95, "vappress": 4.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7722720,48.022355] }, "properties": { "altitude": "191.9", "sensor": "05", "gpstime":"2018-06-19T20:03:48.000Z", "temperature": -3.73, "relhumidity": 30.36, "vappress": 3.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7708300,48.022817] }, "properties": { "altitude": "202.2", "sensor": "05", "gpstime":"2018-06-19T20:04:53.000Z", "temperature": -3.93, "relhumidity": 31.72, "vappress": 3.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7696400,48.021525] }, "properties": { "altitude": "201.5", "sensor": "05", "gpstime":"2018-06-19T20:05:31.000Z", "temperature": -4.12, "relhumidity": 34.48, "vappress": 3.953, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7684350,48.020037] }, "properties": { "altitude": "202.6", "sensor": "05", "gpstime":"2018-06-19T20:06:11.000Z", "temperature": -4.44, "relhumidity": 32.89, "vappress": 3.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7676620,48.018342] }, "properties": { "altitude": "209.5", "sensor": "05", "gpstime":"2018-06-19T20:08:44.000Z", "temperature": -4.47, "relhumidity": 30.61, "vappress": 3.477, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7662600,48.017440] }, "properties": { "altitude": "209.9", "sensor": "05", "gpstime":"2018-06-19T20:10:02.000Z", "temperature": -3.72, "relhumidity": 29.64, "vappress": 3.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7645100,48.017122] }, "properties": { "altitude": "204.1", "sensor": "05", "gpstime":"2018-06-19T20:10:31.000Z", "temperature": -3.82, "relhumidity": 33.11, "vappress": 3.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7629850,48.016373] }, "properties": { "altitude": "200.1", "sensor": "05", "gpstime":"2018-06-19T20:11:36.000Z", "temperature": -3.90, "relhumidity": 33.02, "vappress": 4.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7617620,48.015033] }, "properties": { "altitude": "204.3", "sensor": "05", "gpstime":"2018-06-19T20:12:44.000Z", "temperature": -4.06, "relhumidity": 35.66, "vappress": 4.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7606230,48.013630] }, "properties": { "altitude": "202.0", "sensor": "05", "gpstime":"2018-06-19T20:13:27.000Z", "temperature": -4.22, "relhumidity": 32.65, "vappress": 3.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7623900,48.011550] }, "properties": { "altitude": "186.9", "sensor": "05", "gpstime":"2018-06-19T20:14:26.000Z", "temperature": -4.25, "relhumidity": 32.97, "vappress": 3.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7640420,48.010473] }, "properties": { "altitude": "195.5", "sensor": "05", "gpstime":"2018-06-19T20:14:56.000Z", "temperature": -3.73, "relhumidity": 31.97, "vappress": 4.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7654830,48.010142] }, "properties": { "altitude": "208.7", "sensor": "05", "gpstime":"2018-06-19T20:15:23.000Z", "temperature": -3.40, "relhumidity": 31.55, "vappress": 4.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7671200,48.009988] }, "properties": { "altitude": "211.7", "sensor": "05", "gpstime":"2018-06-19T20:15:52.000Z", "temperature": -3.26, "relhumidity": 29.80, "vappress": 4.095, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7687970,48.010485] }, "properties": { "altitude": "217.7", "sensor": "05", "gpstime":"2018-06-19T20:16:27.000Z", "temperature": -2.91, "relhumidity": 26.93, "vappress": 4.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7706480,48.010375] }, "properties": { "altitude": "221.4", "sensor": "05", "gpstime":"2018-06-19T20:16:59.000Z", "temperature": -2.31, "relhumidity": 25.54, "vappress": 4.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7720730,48.010272] }, "properties": { "altitude": "224.6", "sensor": "05", "gpstime":"2018-06-19T20:17:28.000Z", "temperature": -2.44, "relhumidity": 25.85, "vappress": 4.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7736650,48.010052] }, "properties": { "altitude": "225.2", "sensor": "05", "gpstime":"2018-06-19T20:19:36.000Z", "temperature": -2.40, "relhumidity": 25.32, "vappress": 4.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7751200,48.009828] }, "properties": { "altitude": "220.6", "sensor": "05", "gpstime":"2018-06-19T20:19:58.000Z", "temperature": -2.57, "relhumidity": 25.43, "vappress": 3.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7764880,48.009157] }, "properties": { "altitude": "217.9", "sensor": "05", "gpstime":"2018-06-19T20:20:33.000Z", "temperature": -2.67, "relhumidity": 27.78, "vappress": 4.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7756730,48.007078] }, "properties": { "altitude": "217.6", "sensor": "05", "gpstime":"2018-06-19T20:21:19.000Z", "temperature": -2.89, "relhumidity": 28.02, "vappress": 3.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7749820,48.005355] }, "properties": { "altitude": "216.0", "sensor": "05", "gpstime":"2018-06-19T20:21:57.000Z", "temperature": -3.07, "relhumidity": 27.20, "vappress": 3.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7742070,48.003432] }, "properties": { "altitude": "217.0", "sensor": "05", "gpstime":"2018-06-19T20:22:37.000Z", "temperature": -3.13, "relhumidity": 28.08, "vappress": 3.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7734550,48.001525] }, "properties": { "altitude": "217.0", "sensor": "05", "gpstime":"2018-06-19T20:23:18.000Z", "temperature": -3.19, "relhumidity": 29.61, "vappress": 3.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7744350,47.999953] }, "properties": { "altitude": "213.5", "sensor": "05", "gpstime":"2018-06-19T20:24:12.000Z", "temperature": -3.43, "relhumidity": 30.81, "vappress": 3.954, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7758430,47.999740] }, "properties": { "altitude": "217.5", "sensor": "05", "gpstime":"2018-06-19T20:24:34.000Z", "temperature": -3.48, "relhumidity": 30.82, "vappress": 4.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7773250,47.999475] }, "properties": { "altitude": "223.7", "sensor": "05", "gpstime":"2018-06-19T20:24:58.000Z", "temperature": -3.33, "relhumidity": 29.72, "vappress": 3.984, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7788280,47.999220] }, "properties": { "altitude": "224.6", "sensor": "05", "gpstime":"2018-06-19T20:25:22.000Z", "temperature": -3.12, "relhumidity": 30.04, "vappress": 4.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7801720,47.998935] }, "properties": { "altitude": "223.4", "sensor": "05", "gpstime":"2018-06-19T20:25:44.000Z", "temperature": -2.98, "relhumidity": 28.12, "vappress": 4.064, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7817350,47.998668] }, "properties": { "altitude": "232.0", "sensor": "05", "gpstime":"2018-06-19T20:26:09.000Z", "temperature": -2.75, "relhumidity": 26.34, "vappress": 4.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7834530,47.998437] }, "properties": { "altitude": "234.8", "sensor": "05", "gpstime":"2018-06-19T20:26:36.000Z", "temperature": -2.40, "relhumidity": 27.66, "vappress": 4.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7849730,47.998683] }, "properties": { "altitude": "229.7", "sensor": "05", "gpstime":"2018-06-19T20:27:30.000Z", "temperature": -2.38, "relhumidity": 26.17, "vappress": 4.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7856400,48.000475] }, "properties": { "altitude": "229.8", "sensor": "05", "gpstime":"2018-06-19T20:28:14.000Z", "temperature": -2.60, "relhumidity": 25.57, "vappress": 3.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7869600,48.000942] }, "properties": { "altitude": "229.2", "sensor": "05", "gpstime":"2018-06-19T20:29:02.000Z", "temperature": -2.28, "relhumidity": 22.30, "vappress": 4.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7884450,48.000427] }, "properties": { "altitude": "242.7", "sensor": "05", "gpstime":"2018-06-19T20:29:51.000Z", "temperature": -1.27, "relhumidity": 18.15, "vappress": 4.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7901270,47.999650] }, "properties": { "altitude": "265.0", "sensor": "05", "gpstime":"2018-06-19T20:30:23.000Z", "temperature": -0.62, "relhumidity": 15.03, "vappress": 4.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7916980,47.999162] }, "properties": { "altitude": "261.1", "sensor": "05", "gpstime":"2018-06-19T20:30:47.000Z", "temperature": -0.26, "relhumidity": 13.74, "vappress": 4.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7932450,47.998370] }, "properties": { "altitude": "257.8", "sensor": "05", "gpstime":"2018-06-19T20:31:17.000Z", "temperature": -0.00, "relhumidity": 12.13, "vappress": 4.023, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7946630,47.997652] }, "properties": { "altitude": "266.5", "sensor": "05", "gpstime":"2018-06-19T20:31:44.000Z", "temperature": 0.11, "relhumidity": 11.73, "vappress": 3.913, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7960720,47.996982] }, "properties": { "altitude": "267.5", "sensor": "05", "gpstime":"2018-06-19T20:32:11.000Z", "temperature": 0.12, "relhumidity": 11.50, "vappress": 3.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7974000,47.996205] }, "properties": { "altitude": "258.9", "sensor": "05", "gpstime":"2018-06-19T20:32:40.000Z", "temperature": 0.01, "relhumidity": 12.52, "vappress": 3.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7988780,47.995330] }, "properties": { "altitude": "244.5", "sensor": "05", "gpstime":"2018-06-19T20:33:13.000Z", "temperature": -0.39, "relhumidity": 13.77, "vappress": 3.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8003230,47.995010] }, "properties": { "altitude": "242.3", "sensor": "05", "gpstime":"2018-06-19T20:34:48.000Z", "temperature": -0.41, "relhumidity": 13.60, "vappress": 3.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8019470,47.994750] }, "properties": { "altitude": "237.5", "sensor": "05", "gpstime":"2018-06-19T20:35:22.000Z", "temperature": -0.30, "relhumidity": 13.35, "vappress": 3.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033950,47.994373] }, "properties": { "altitude": "241.4", "sensor": "05", "gpstime":"2018-06-19T20:35:45.000Z", "temperature": -0.28, "relhumidity": 11.72, "vappress": 3.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052330,47.993805] }, "properties": { "altitude": "244.8", "sensor": "05", "gpstime":"2018-06-19T20:36:44.000Z", "temperature": 0.06, "relhumidity": 9.81, "vappress": 3.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8068100,47.993393] }, "properties": { "altitude": "247.0", "sensor": "05", "gpstime":"2018-06-19T20:37:08.000Z", "temperature": 0.42, "relhumidity": 9.38, "vappress": 3.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085330,47.993070] }, "properties": { "altitude": "248.4", "sensor": "05", "gpstime":"2018-06-19T20:37:33.000Z", "temperature": 0.37, "relhumidity": 9.39, "vappress": 3.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102050,47.992783] }, "properties": { "altitude": "250.3", "sensor": "05", "gpstime":"2018-06-19T20:38:35.000Z", "temperature": 0.39, "relhumidity": 8.15, "vappress": 3.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8121820,47.992367] }, "properties": { "altitude": "252.1", "sensor": "05", "gpstime":"2018-06-19T20:39:10.000Z", "temperature": 0.50, "relhumidity": 8.30, "vappress": 3.456, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8137500,47.991865] }, "properties": { "altitude": "253.7", "sensor": "05", "gpstime":"2018-06-19T20:39:37.000Z", "temperature": 0.42, "relhumidity": 9.49, "vappress": 3.656, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152150,47.991448] }, "properties": { "altitude": "250.5", "sensor": "05", "gpstime":"2018-06-19T20:39:59.000Z", "temperature": 0.42, "relhumidity": 9.71, "vappress": 3.716, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8166030,47.991038] }, "properties": { "altitude": "253.0", "sensor": "05", "gpstime":"2018-06-19T20:40:20.000Z", "temperature": 0.44, "relhumidity": 9.57, "vappress": 3.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8179650,47.990790] }, "properties": { "altitude": "258.8", "sensor": "05", "gpstime":"2018-06-19T20:40:42.000Z", "temperature": 0.50, "relhumidity": 9.65, "vappress": 3.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194030,47.990563] }, "properties": { "altitude": "261.6", "sensor": "05", "gpstime":"2018-06-19T20:41:04.000Z", "temperature": 0.44, "relhumidity": 10.06, "vappress": 3.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208220,47.991385] }, "properties": { "altitude": "258.2", "sensor": "05", "gpstime":"2018-06-19T20:41:39.000Z", "temperature": 0.35, "relhumidity": 11.09, "vappress": 4.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218020,47.993098] }, "properties": { "altitude": "262.2", "sensor": "05", "gpstime":"2018-06-19T20:42:16.000Z", "temperature": 0.30, "relhumidity": 11.27, "vappress": 4.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231920,47.993497] }, "properties": { "altitude": "258.0", "sensor": "05", "gpstime":"2018-06-19T20:42:46.000Z", "temperature": 0.29, "relhumidity": 12.08, "vappress": 4.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246800,47.993073] }, "properties": { "altitude": "256.6", "sensor": "05", "gpstime":"2018-06-19T20:43:09.000Z", "temperature": 0.07, "relhumidity": 12.29, "vappress": 3.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260370,47.992397] }, "properties": { "altitude": "254.6", "sensor": "05", "gpstime":"2018-06-19T20:43:33.000Z", "temperature": -0.13, "relhumidity": 14.23, "vappress": 4.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274620,47.991703] }, "properties": { "altitude": "255.4", "sensor": "05", "gpstime":"2018-06-19T20:44:00.000Z", "temperature": -0.44, "relhumidity": 14.92, "vappress": 3.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290320,47.991097] }, "properties": { "altitude": "256.4", "sensor": "05", "gpstime":"2018-06-19T20:44:28.000Z", "temperature": -0.45, "relhumidity": 15.70, "vappress": 4.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303680,47.990787] }, "properties": { "altitude": "258.3", "sensor": "05", "gpstime":"2018-06-19T20:44:55.000Z", "temperature": -0.54, "relhumidity": 15.89, "vappress": 4.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317050,47.992213] }, "properties": { "altitude": "258.5", "sensor": "05", "gpstime":"2018-06-19T20:45:35.000Z", "temperature": -0.36, "relhumidity": 13.95, "vappress": 4.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332830,47.994377] }, "properties": { "altitude": "262.0", "sensor": "05", "gpstime":"2018-06-19T20:46:35.000Z", "temperature": 0.00, "relhumidity": 12.64, "vappress": 4.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350730,47.994225] }, "properties": { "altitude": "267.9", "sensor": "05", "gpstime":"2018-06-19T20:47:07.000Z", "temperature": 0.14, "relhumidity": 12.10, "vappress": 4.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361120,47.992878] }, "properties": { "altitude": "267.3", "sensor": "05", "gpstime":"2018-06-19T20:47:50.000Z", "temperature": 0.14, "relhumidity": 12.79, "vappress": 4.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380300,47.992340] }, "properties": { "altitude": "265.7", "sensor": "05", "gpstime":"2018-06-19T20:48:18.000Z", "temperature": 0.10, "relhumidity": 13.27, "vappress": 4.127, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396300,47.992167] }, "properties": { "altitude": "263.4", "sensor": "05", "gpstime":"2018-06-19T20:48:42.000Z", "temperature": 0.03, "relhumidity": 13.46, "vappress": 4.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410680,47.992358] }, "properties": { "altitude": "268.9", "sensor": "05", "gpstime":"2018-06-19T20:50:22.000Z", "temperature": -0.11, "relhumidity": 14.33, "vappress": 4.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427470,47.991775] }, "properties": { "altitude": "266.8", "sensor": "05", "gpstime":"2018-06-19T20:50:47.000Z", "temperature": -0.22, "relhumidity": 14.26, "vappress": 4.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445170,47.991312] }, "properties": { "altitude": "266.7", "sensor": "05", "gpstime":"2018-06-19T20:51:16.000Z", "temperature": -0.29, "relhumidity": 14.42, "vappress": 4.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453100,47.992218] }, "properties": { "altitude": "277.2", "sensor": "05", "gpstime":"2018-06-19T20:52:10.000Z", "temperature": -0.12, "relhumidity": 13.33, "vappress": 3.974, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452450,47.992110] }, "properties": { "altitude": "271.8", "sensor": "06", "gpstime":"2018-06-19T19:23:48.000Z", "temperature": 0.95, "relhumidity": -2.39, "vappress": 0.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443480,47.990393] }, "properties": { "altitude": "273.9", "sensor": "06", "gpstime":"2018-06-19T19:24:54.000Z", "temperature": 0.86, "relhumidity": -1.89, "vappress": 0.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427080,47.989355] }, "properties": { "altitude": "271.6", "sensor": "06", "gpstime":"2018-06-19T19:25:38.000Z", "temperature": 0.73, "relhumidity": -1.65, "vappress": 0.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419600,47.987580] }, "properties": { "altitude": "269.8", "sensor": "06", "gpstime":"2018-06-19T19:26:20.000Z", "temperature": 0.54, "relhumidity": -1.77, "vappress": 0.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396430,47.987295] }, "properties": { "altitude": "276.2", "sensor": "06", "gpstime":"2018-06-19T19:26:52.000Z", "temperature": 0.52, "relhumidity": -1.35, "vappress": 0.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385580,47.985522] }, "properties": { "altitude": "269.1", "sensor": "06", "gpstime":"2018-06-19T19:27:33.000Z", "temperature": 0.52, "relhumidity": -1.75, "vappress": 0.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372020,47.984515] }, "properties": { "altitude": "270.3", "sensor": "06", "gpstime":"2018-06-19T19:27:56.000Z", "temperature": 0.46, "relhumidity": -1.56, "vappress": 0.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354150,47.984475] }, "properties": { "altitude": "271.3", "sensor": "06", "gpstime":"2018-06-19T19:28:56.000Z", "temperature": 0.20, "relhumidity": -1.79, "vappress": 0.636, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8339820,47.984842] }, "properties": { "altitude": "269.3", "sensor": "06", "gpstime":"2018-06-19T19:29:16.000Z", "temperature": 0.56, "relhumidity": -2.28, "vappress": 0.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325430,47.985008] }, "properties": { "altitude": "272.3", "sensor": "06", "gpstime":"2018-06-19T19:30:29.000Z", "temperature": 0.49, "relhumidity": -1.87, "vappress": 0.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312800,47.983693] }, "properties": { "altitude": "273.4", "sensor": "06", "gpstime":"2018-06-19T19:31:28.000Z", "temperature": 0.40, "relhumidity": -0.73, "vappress": 0.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326780,47.982337] }, "properties": { "altitude": "278.3", "sensor": "06", "gpstime":"2018-06-19T19:32:07.000Z", "temperature": 0.12, "relhumidity": -0.98, "vappress": 0.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321750,47.980212] }, "properties": { "altitude": "271.9", "sensor": "06", "gpstime":"2018-06-19T19:33:03.000Z", "temperature": 0.15, "relhumidity": -0.60, "vappress": 0.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311130,47.978878] }, "properties": { "altitude": "273.2", "sensor": "06", "gpstime":"2018-06-19T19:33:43.000Z", "temperature": 0.27, "relhumidity": -1.10, "vappress": 0.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296130,47.979978] }, "properties": { "altitude": "264.3", "sensor": "06", "gpstime":"2018-06-19T19:35:02.000Z", "temperature": 0.29, "relhumidity": -1.45, "vappress": 0.533, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281080,47.979337] }, "properties": { "altitude": "265.6", "sensor": "06", "gpstime":"2018-06-19T19:35:23.000Z", "temperature": 0.32, "relhumidity": -1.94, "vappress": 0.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266480,47.978430] }, "properties": { "altitude": "269.8", "sensor": "06", "gpstime":"2018-06-19T19:35:43.000Z", "temperature": 0.42, "relhumidity": -2.14, "vappress": 0.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251720,47.977898] }, "properties": { "altitude": "268.9", "sensor": "06", "gpstime":"2018-06-19T19:36:10.000Z", "temperature": 0.43, "relhumidity": -1.77, "vappress": 0.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240120,47.976147] }, "properties": { "altitude": "266.1", "sensor": "06", "gpstime":"2018-06-19T19:36:54.000Z", "temperature": 0.44, "relhumidity": -1.18, "vappress": 0.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223530,47.976315] }, "properties": { "altitude": "256.4", "sensor": "06", "gpstime":"2018-06-19T19:37:21.000Z", "temperature": 0.37, "relhumidity": -1.75, "vappress": 0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201000,47.976857] }, "properties": { "altitude": "250.2", "sensor": "06", "gpstime":"2018-06-19T19:37:48.000Z", "temperature": 0.23, "relhumidity": -1.16, "vappress": 0.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186120,47.975930] }, "properties": { "altitude": "257.8", "sensor": "06", "gpstime":"2018-06-19T19:38:23.000Z", "temperature": 0.10, "relhumidity": 0.99, "vappress": 1.003, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8174570,47.974813] }, "properties": { "altitude": "260.6", "sensor": "06", "gpstime":"2018-06-19T19:38:50.000Z", "temperature": -0.12, "relhumidity": 2.58, "vappress": 1.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161130,47.974730] }, "properties": { "altitude": "263.6", "sensor": "06", "gpstime":"2018-06-19T19:39:14.000Z", "temperature": -0.28, "relhumidity": 1.24, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141050,47.974908] }, "properties": { "altitude": "263.5", "sensor": "06", "gpstime":"2018-06-19T19:39:41.000Z", "temperature": -0.23, "relhumidity": 0.45, "vappress": 0.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129730,47.973353] }, "properties": { "altitude": "274.9", "sensor": "06", "gpstime":"2018-06-19T19:40:38.000Z", "temperature": -0.08, "relhumidity": -1.94, "vappress": 0.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116900,47.972730] }, "properties": { "altitude": "276.7", "sensor": "06", "gpstime":"2018-06-19T19:41:21.000Z", "temperature": 0.04, "relhumidity": 0.76, "vappress": 0.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099170,47.973797] }, "properties": { "altitude": "274.4", "sensor": "06", "gpstime":"2018-06-19T19:42:33.000Z", "temperature": -0.12, "relhumidity": 3.74, "vappress": 1.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103770,47.976078] }, "properties": { "altitude": "262.5", "sensor": "06", "gpstime":"2018-06-19T19:43:18.000Z", "temperature": -0.48, "relhumidity": 2.84, "vappress": 0.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119670,47.976507] }, "properties": { "altitude": "258.5", "sensor": "06", "gpstime":"2018-06-19T19:43:41.000Z", "temperature": -0.39, "relhumidity": 1.16, "vappress": 0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8101620,47.977528] }, "properties": { "altitude": "252.2", "sensor": "06", "gpstime":"2018-06-19T19:44:34.000Z", "temperature": -0.08, "relhumidity": 0.79, "vappress": 0.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8084880,47.977448] }, "properties": { "altitude": "250.8", "sensor": "06", "gpstime":"2018-06-19T19:45:18.000Z", "temperature": -0.07, "relhumidity": 0.41, "vappress": 0.744, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073000,47.979392] }, "properties": { "altitude": "244.7", "sensor": "06", "gpstime":"2018-06-19T19:47:41.000Z", "temperature": 0.13, "relhumidity": -0.61, "vappress": 0.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8074500,47.981520] }, "properties": { "altitude": "246.2", "sensor": "06", "gpstime":"2018-06-19T19:48:38.000Z", "temperature": 0.29, "relhumidity": -1.34, "vappress": 0.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086770,47.982567] }, "properties": { "altitude": "248.7", "sensor": "06", "gpstime":"2018-06-19T19:49:02.000Z", "temperature": 0.51, "relhumidity": -1.59, "vappress": 0.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099720,47.984012] }, "properties": { "altitude": "257.1", "sensor": "06", "gpstime":"2018-06-19T19:49:43.000Z", "temperature": 0.40, "relhumidity": -1.79, "vappress": 0.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112250,47.985467] }, "properties": { "altitude": "251.4", "sensor": "06", "gpstime":"2018-06-19T19:50:13.000Z", "temperature": 0.41, "relhumidity": -1.68, "vappress": 0.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8123580,47.987118] }, "properties": { "altitude": "251.5", "sensor": "06", "gpstime":"2018-06-19T19:50:45.000Z", "temperature": 0.42, "relhumidity": -1.78, "vappress": 0.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116670,47.989010] }, "properties": { "altitude": "253.2", "sensor": "06", "gpstime":"2018-06-19T19:51:37.000Z", "temperature": 0.35, "relhumidity": -1.08, "vappress": 0.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130220,47.990682] }, "properties": { "altitude": "256.8", "sensor": "06", "gpstime":"2018-06-19T19:52:12.000Z", "temperature": 0.31, "relhumidity": -1.07, "vappress": 0.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143230,47.991153] }, "properties": { "altitude": "258.8", "sensor": "06", "gpstime":"2018-06-19T19:52:41.000Z", "temperature": 0.32, "relhumidity": -1.27, "vappress": 0.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156880,47.991292] }, "properties": { "altitude": "254.7", "sensor": "06", "gpstime":"2018-06-19T19:53:08.000Z", "temperature": 0.28, "relhumidity": -1.65, "vappress": 0.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8140120,47.991928] }, "properties": { "altitude": "258.1", "sensor": "06", "gpstime":"2018-06-19T19:53:56.000Z", "temperature": 0.29, "relhumidity": -1.85, "vappress": 0.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8125480,47.991838] }, "properties": { "altitude": "255.9", "sensor": "06", "gpstime":"2018-06-19T19:55:16.000Z", "temperature": 0.29, "relhumidity": -1.64, "vappress": 0.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112330,47.990768] }, "properties": { "altitude": "251.7", "sensor": "06", "gpstime":"2018-06-19T19:55:37.000Z", "temperature": 0.21, "relhumidity": -0.96, "vappress": 0.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099720,47.989745] }, "properties": { "altitude": "248.5", "sensor": "06", "gpstime":"2018-06-19T19:56:02.000Z", "temperature": 0.14, "relhumidity": -1.22, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083400,47.990740] }, "properties": { "altitude": "248.1", "sensor": "06", "gpstime":"2018-06-19T19:56:47.000Z", "temperature": 0.19, "relhumidity": -1.63, "vappress": 0.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069400,47.991522] }, "properties": { "altitude": "246.0", "sensor": "06", "gpstime":"2018-06-19T19:57:07.000Z", "temperature": 0.32, "relhumidity": -1.58, "vappress": 0.547, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8054800,47.991877] }, "properties": { "altitude": "243.0", "sensor": "06", "gpstime":"2018-06-19T19:57:26.000Z", "temperature": 0.39, "relhumidity": -1.48, "vappress": 0.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036820,47.992250] }, "properties": { "altitude": "236.6", "sensor": "06", "gpstime":"2018-06-19T19:57:45.000Z", "temperature": 0.39, "relhumidity": -1.79, "vappress": 0.487, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8018400,47.992675] }, "properties": { "altitude": "235.1", "sensor": "06", "gpstime":"2018-06-19T19:58:08.000Z", "temperature": 0.46, "relhumidity": -1.92, "vappress": 0.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8003950,47.992975] }, "properties": { "altitude": "234.0", "sensor": "06", "gpstime":"2018-06-19T19:58:26.000Z", "temperature": 0.50, "relhumidity": -1.72, "vappress": 0.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021250,47.993605] }, "properties": { "altitude": "245.2", "sensor": "06", "gpstime":"2018-06-19T19:59:03.000Z", "temperature": 0.37, "relhumidity": -1.72, "vappress": 0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8034980,47.993673] }, "properties": { "altitude": "250.9", "sensor": "06", "gpstime":"2018-06-19T19:59:27.000Z", "temperature": 0.31, "relhumidity": -1.52, "vappress": 0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046020,47.995052] }, "properties": { "altitude": "249.5", "sensor": "06", "gpstime":"2018-06-19T20:00:00.000Z", "temperature": 0.39, "relhumidity": -1.82, "vappress": 0.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031320,47.996183] }, "properties": { "altitude": "235.8", "sensor": "06", "gpstime":"2018-06-19T20:00:33.000Z", "temperature": 0.44, "relhumidity": -1.42, "vappress": 0.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8038830,47.998050] }, "properties": { "altitude": "237.9", "sensor": "06", "gpstime":"2018-06-19T20:01:11.000Z", "temperature": 0.36, "relhumidity": -1.14, "vappress": 0.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063700,47.998260] }, "properties": { "altitude": "242.6", "sensor": "06", "gpstime":"2018-06-19T20:01:40.000Z", "temperature": 0.33, "relhumidity": -1.13, "vappress": 0.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078030,47.997963] }, "properties": { "altitude": "248.5", "sensor": "06", "gpstime":"2018-06-19T20:02:21.000Z", "temperature": 0.28, "relhumidity": -1.97, "vappress": 0.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093280,47.998873] }, "properties": { "altitude": "247.6", "sensor": "06", "gpstime":"2018-06-19T20:02:45.000Z", "temperature": 0.25, "relhumidity": -1.29, "vappress": 0.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8108680,47.998568] }, "properties": { "altitude": "247.8", "sensor": "06", "gpstime":"2018-06-19T20:03:13.000Z", "temperature": 0.21, "relhumidity": -1.97, "vappress": 0.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8125450,47.997450] }, "properties": { "altitude": "249.0", "sensor": "06", "gpstime":"2018-06-19T20:03:39.000Z", "temperature": 0.33, "relhumidity": -1.76, "vappress": 0.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139470,47.996805] }, "properties": { "altitude": "249.4", "sensor": "06", "gpstime":"2018-06-19T20:04:01.000Z", "temperature": 0.24, "relhumidity": -2.10, "vappress": 0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152570,47.995720] }, "properties": { "altitude": "252.2", "sensor": "06", "gpstime":"2018-06-19T20:04:32.000Z", "temperature": 0.29, "relhumidity": -1.62, "vappress": 0.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8169730,47.995250] }, "properties": { "altitude": "253.9", "sensor": "06", "gpstime":"2018-06-19T20:05:42.000Z", "temperature": 0.24, "relhumidity": -1.39, "vappress": 0.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183180,47.996175] }, "properties": { "altitude": "254.9", "sensor": "06", "gpstime":"2018-06-19T20:06:06.000Z", "temperature": 0.20, "relhumidity": -1.25, "vappress": 0.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197350,47.997120] }, "properties": { "altitude": "257.8", "sensor": "06", "gpstime":"2018-06-19T20:06:36.000Z", "temperature": 0.14, "relhumidity": -0.66, "vappress": 0.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211570,47.997930] }, "properties": { "altitude": "253.5", "sensor": "06", "gpstime":"2018-06-19T20:07:27.000Z", "temperature": 0.08, "relhumidity": -0.59, "vappress": 0.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224620,47.998930] }, "properties": { "altitude": "248.8", "sensor": "06", "gpstime":"2018-06-19T20:07:55.000Z", "temperature": 0.09, "relhumidity": -0.10, "vappress": 0.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8209270,47.999648] }, "properties": { "altitude": "242.1", "sensor": "06", "gpstime":"2018-06-19T20:08:41.000Z", "temperature": 0.07, "relhumidity": -0.48, "vappress": 0.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196630,48.001243] }, "properties": { "altitude": "234.5", "sensor": "06", "gpstime":"2018-06-19T20:09:38.000Z", "temperature": -0.08, "relhumidity": 3.92, "vappress": 1.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208120,48.002358] }, "properties": { "altitude": "246.9", "sensor": "06", "gpstime":"2018-06-19T20:10:57.000Z", "temperature": -0.36, "relhumidity": 0.41, "vappress": 0.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221900,48.003197] }, "properties": { "altitude": "248.5", "sensor": "06", "gpstime":"2018-06-19T20:11:23.000Z", "temperature": -0.20, "relhumidity": -0.09, "vappress": 0.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8237320,48.002865] }, "properties": { "altitude": "250.7", "sensor": "06", "gpstime":"2018-06-19T20:11:51.000Z", "temperature": -0.09, "relhumidity": -0.09, "vappress": 0.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251400,48.002077] }, "properties": { "altitude": "255.3", "sensor": "06", "gpstime":"2018-06-19T20:12:21.000Z", "temperature": -0.09, "relhumidity": -0.39, "vappress": 0.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265600,48.003427] }, "properties": { "altitude": "258.1", "sensor": "06", "gpstime":"2018-06-19T20:12:57.000Z", "temperature": -0.10, "relhumidity": -0.29, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276600,48.004632] }, "properties": { "altitude": "258.1", "sensor": "06", "gpstime":"2018-06-19T20:13:23.000Z", "temperature": -0.01, "relhumidity": -1.23, "vappress": 0.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292220,48.005578] }, "properties": { "altitude": "255.9", "sensor": "06", "gpstime":"2018-06-19T20:14:08.000Z", "temperature": 0.14, "relhumidity": -1.53, "vappress": 0.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308380,48.006778] }, "properties": { "altitude": "255.1", "sensor": "06", "gpstime":"2018-06-19T20:14:37.000Z", "temperature": 0.24, "relhumidity": -1.91, "vappress": 0.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323280,48.006457] }, "properties": { "altitude": "257.8", "sensor": "06", "gpstime":"2018-06-19T20:15:02.000Z", "temperature": 0.27, "relhumidity": -2.05, "vappress": 0.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336420,48.006072] }, "properties": { "altitude": "260.4", "sensor": "06", "gpstime":"2018-06-19T20:15:28.000Z", "temperature": 0.31, "relhumidity": -2.16, "vappress": 0.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350700,48.007172] }, "properties": { "altitude": "256.1", "sensor": "06", "gpstime":"2018-06-19T20:15:53.000Z", "temperature": 0.33, "relhumidity": -1.94, "vappress": 0.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8367050,48.008870] }, "properties": { "altitude": "256.8", "sensor": "06", "gpstime":"2018-06-19T20:16:36.000Z", "temperature": 0.30, "relhumidity": -1.90, "vappress": 0.369, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380970,48.009980] }, "properties": { "altitude": "252.8", "sensor": "06", "gpstime":"2018-06-19T20:16:58.000Z", "temperature": 0.30, "relhumidity": -0.50, "vappress": 0.769, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394700,48.010970] }, "properties": { "altitude": "250.2", "sensor": "06", "gpstime":"2018-06-19T20:17:22.000Z", "temperature": 0.75, "relhumidity": 0.41, "vappress": 0.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410100,48.011843] }, "properties": { "altitude": "247.4", "sensor": "06", "gpstime":"2018-06-19T20:17:46.000Z", "temperature": 0.03, "relhumidity": 1.30, "vappress": 0.861, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425300,48.012637] }, "properties": { "altitude": "244.5", "sensor": "06", "gpstime":"2018-06-19T20:18:08.000Z", "temperature": -0.07, "relhumidity": 1.74, "vappress": 1.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439250,48.012773] }, "properties": { "altitude": "245.2", "sensor": "06", "gpstime":"2018-06-19T20:18:23.000Z", "temperature": -0.04, "relhumidity": 1.53, "vappress": 0.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453120,48.011953] }, "properties": { "altitude": "247.3", "sensor": "06", "gpstime":"2018-06-19T20:18:46.000Z", "temperature": -0.17, "relhumidity": 0.94, "vappress": 0.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465250,48.011075] }, "properties": { "altitude": "247.7", "sensor": "06", "gpstime":"2018-06-19T20:19:08.000Z", "temperature": 0.13, "relhumidity": -0.12, "vappress": 0.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477720,48.011963] }, "properties": { "altitude": "253.7", "sensor": "06", "gpstime":"2018-06-19T20:19:43.000Z", "temperature": 0.36, "relhumidity": -1.41, "vappress": 0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482500,48.013925] }, "properties": { "altitude": "252.3", "sensor": "06", "gpstime":"2018-06-19T20:20:16.000Z", "temperature": 0.51, "relhumidity": -1.41, "vappress": 0.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497920,48.015285] }, "properties": { "altitude": "264.7", "sensor": "06", "gpstime":"2018-06-19T20:20:58.000Z", "temperature": 0.59, "relhumidity": -1.98, "vappress": 0.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513620,48.015307] }, "properties": { "altitude": "256.3", "sensor": "06", "gpstime":"2018-06-19T20:21:21.000Z", "temperature": 0.64, "relhumidity": -1.97, "vappress": 0.726, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526200,48.014092] }, "properties": { "altitude": "249.3", "sensor": "06", "gpstime":"2018-06-19T20:21:48.000Z", "temperature": 0.57, "relhumidity": -1.65, "vappress": 0.706, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8535170,48.012580] }, "properties": { "altitude": "253.2", "sensor": "06", "gpstime":"2018-06-19T20:22:42.000Z", "temperature": 0.44, "relhumidity": -0.37, "vappress": 0.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529130,48.010717] }, "properties": { "altitude": "261.6", "sensor": "06", "gpstime":"2018-06-19T20:23:39.000Z", "temperature": 0.28, "relhumidity": 0.74, "vappress": 0.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515500,48.009773] }, "properties": { "altitude": "262.1", "sensor": "06", "gpstime":"2018-06-19T20:24:11.000Z", "temperature": -0.05, "relhumidity": 1.60, "vappress": 0.864, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499650,48.009882] }, "properties": { "altitude": "251.8", "sensor": "06", "gpstime":"2018-06-19T20:24:47.000Z", "temperature": -0.14, "relhumidity": 2.18, "vappress": 1.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486100,48.008927] }, "properties": { "altitude": "252.0", "sensor": "06", "gpstime":"2018-06-19T20:25:23.000Z", "temperature": -0.11, "relhumidity": 1.42, "vappress": 0.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476580,48.007213] }, "properties": { "altitude": "250.4", "sensor": "06", "gpstime":"2018-06-19T20:26:28.000Z", "temperature": 0.03, "relhumidity": 0.29, "vappress": 0.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465520,48.005862] }, "properties": { "altitude": "269.0", "sensor": "06", "gpstime":"2018-06-19T20:27:17.000Z", "temperature": 0.31, "relhumidity": -1.48, "vappress": 0.552, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450930,48.005493] }, "properties": { "altitude": "269.0", "sensor": "06", "gpstime":"2018-06-19T20:27:37.000Z", "temperature": 0.46, "relhumidity": -0.89, "vappress": 0.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437080,48.005168] }, "properties": { "altitude": "259.3", "sensor": "06", "gpstime":"2018-06-19T20:28:16.000Z", "temperature": 0.46, "relhumidity": -1.17, "vappress": 0.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424350,48.004417] }, "properties": { "altitude": "258.1", "sensor": "06", "gpstime":"2018-06-19T20:28:38.000Z", "temperature": 0.39, "relhumidity": -1.00, "vappress": 0.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437570,48.005005] }, "properties": { "altitude": "258.9", "sensor": "06", "gpstime":"2018-06-19T20:29:36.000Z", "temperature": 0.43, "relhumidity": -0.74, "vappress": 0.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448270,48.003523] }, "properties": { "altitude": "257.8", "sensor": "06", "gpstime":"2018-06-19T20:30:36.000Z", "temperature": 0.36, "relhumidity": -0.41, "vappress": 0.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457170,48.001932] }, "properties": { "altitude": "253.7", "sensor": "06", "gpstime":"2018-06-19T20:31:30.000Z", "temperature": 0.18, "relhumidity": 0.20, "vappress": 0.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469800,48.000367] }, "properties": { "altitude": "286.1", "sensor": "06", "gpstime":"2018-06-19T20:33:10.000Z", "temperature": 0.24, "relhumidity": -1.30, "vappress": 0.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485530,48.000048] }, "properties": { "altitude": "275.1", "sensor": "06", "gpstime":"2018-06-19T20:33:32.000Z", "temperature": 0.43, "relhumidity": -1.87, "vappress": 0.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505430,47.999925] }, "properties": { "altitude": "267.6", "sensor": "06", "gpstime":"2018-06-19T20:33:59.000Z", "temperature": 0.51, "relhumidity": -1.99, "vappress": 0.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521430,47.999477] }, "properties": { "altitude": "273.5", "sensor": "06", "gpstime":"2018-06-19T20:34:23.000Z", "temperature": 0.54, "relhumidity": -2.14, "vappress": 0.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526550,47.997557] }, "properties": { "altitude": "281.8", "sensor": "06", "gpstime":"2018-06-19T20:35:36.000Z", "temperature": 0.45, "relhumidity": -2.00, "vappress": 0.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513980,47.996287] }, "properties": { "altitude": "298.1", "sensor": "06", "gpstime":"2018-06-19T20:36:13.000Z", "temperature": 0.66, "relhumidity": -1.93, "vappress": 0.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500730,47.995220] }, "properties": { "altitude": "306.2", "sensor": "06", "gpstime":"2018-06-19T20:36:52.000Z", "temperature": 0.78, "relhumidity": -2.11, "vappress": 0.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489730,47.993838] }, "properties": { "altitude": "302.3", "sensor": "06", "gpstime":"2018-06-19T20:37:38.000Z", "temperature": 0.82, "relhumidity": -2.25, "vappress": 0.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475550,47.992803] }, "properties": { "altitude": "278.7", "sensor": "06", "gpstime":"2018-06-19T20:38:22.000Z", "temperature": 0.45, "relhumidity": -1.76, "vappress": 0.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461070,47.993273] }, "properties": { "altitude": "271.1", "sensor": "06", "gpstime":"2018-06-19T20:38:41.000Z", "temperature": 0.59, "relhumidity": -1.46, "vappress": 0.777, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454370,47.993663] }, "properties": { "altitude": "265.4", "sensor": "06", "gpstime":"2018-06-19T20:38:52.000Z", "temperature": 0.56, "relhumidity": -1.07, "vappress": 0.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455200,47.992153] }, "properties": { "altitude": "274.9", "sensor": "07", "gpstime":"2018-06-19T19:24:22.000Z", "temperature": 1.23, "relhumidity": 9.50, "vappress": 5.123, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469080,47.992065] }, "properties": { "altitude": "272.2", "sensor": "07", "gpstime":"2018-06-19T19:24:43.000Z", "temperature": 0.99, "relhumidity": 10.33, "vappress": 4.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482700,47.992437] }, "properties": { "altitude": "268.7", "sensor": "07", "gpstime":"2018-06-19T19:25:19.000Z", "temperature": 0.76, "relhumidity": 10.98, "vappress": 4.944, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503450,47.992067] }, "properties": { "altitude": "280.1", "sensor": "07", "gpstime":"2018-06-19T19:25:59.000Z", "temperature": 0.70, "relhumidity": 12.20, "vappress": 5.194, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517280,47.992108] }, "properties": { "altitude": "280.8", "sensor": "07", "gpstime":"2018-06-19T19:26:21.000Z", "temperature": 0.64, "relhumidity": 11.38, "vappress": 4.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532130,47.992042] }, "properties": { "altitude": "284.4", "sensor": "07", "gpstime":"2018-06-19T19:26:45.000Z", "temperature": 0.59, "relhumidity": 12.08, "vappress": 5.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537980,47.993853] }, "properties": { "altitude": "283.5", "sensor": "07", "gpstime":"2018-06-19T19:28:35.000Z", "temperature": 0.69, "relhumidity": 12.43, "vappress": 5.266, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541520,47.995948] }, "properties": { "altitude": "285.5", "sensor": "07", "gpstime":"2018-06-19T19:30:31.000Z", "temperature": 0.53, "relhumidity": 13.37, "vappress": 5.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554250,47.996720] }, "properties": { "altitude": "274.6", "sensor": "07", "gpstime":"2018-06-19T19:31:14.000Z", "temperature": 0.56, "relhumidity": 13.15, "vappress": 5.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8567380,47.997800] }, "properties": { "altitude": "274.1", "sensor": "07", "gpstime":"2018-06-19T19:32:09.000Z", "temperature": 0.40, "relhumidity": 15.21, "vappress": 5.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578450,47.999060] }, "properties": { "altitude": "273.7", "sensor": "07", "gpstime":"2018-06-19T19:33:01.000Z", "temperature": -0.12, "relhumidity": 17.84, "vappress": 5.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588000,48.000467] }, "properties": { "altitude": "262.4", "sensor": "07", "gpstime":"2018-06-19T19:33:36.000Z", "temperature": -0.28, "relhumidity": 18.94, "vappress": 5.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594770,48.002290] }, "properties": { "altitude": "256.4", "sensor": "07", "gpstime":"2018-06-19T19:34:16.000Z", "temperature": -0.38, "relhumidity": 19.09, "vappress": 6.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579380,48.002503] }, "properties": { "altitude": "262.1", "sensor": "07", "gpstime":"2018-06-19T19:34:41.000Z", "temperature": -0.18, "relhumidity": 18.17, "vappress": 5.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564820,48.003372] }, "properties": { "altitude": "269.2", "sensor": "07", "gpstime":"2018-06-19T19:35:29.000Z", "temperature": -0.01, "relhumidity": 16.34, "vappress": 5.573, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549150,48.003467] }, "properties": { "altitude": "267.0", "sensor": "07", "gpstime":"2018-06-19T19:35:54.000Z", "temperature": 0.05, "relhumidity": 15.54, "vappress": 5.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530200,48.004017] }, "properties": { "altitude": "271.0", "sensor": "07", "gpstime":"2018-06-19T19:38:05.000Z", "temperature": 0.35, "relhumidity": 14.90, "vappress": 5.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512200,48.004553] }, "properties": { "altitude": "267.4", "sensor": "07", "gpstime":"2018-06-19T19:38:37.000Z", "temperature": 0.39, "relhumidity": 15.70, "vappress": 5.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497930,48.004903] }, "properties": { "altitude": "261.8", "sensor": "07", "gpstime":"2018-06-19T19:39:00.000Z", "temperature": 0.23, "relhumidity": 15.40, "vappress": 5.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481200,48.005477] }, "properties": { "altitude": "259.7", "sensor": "07", "gpstime":"2018-06-19T19:39:23.000Z", "temperature": 0.26, "relhumidity": 14.66, "vappress": 5.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467900,48.005862] }, "properties": { "altitude": "262.0", "sensor": "07", "gpstime":"2018-06-19T19:39:47.000Z", "temperature": 0.36, "relhumidity": 13.54, "vappress": 5.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453280,48.005607] }, "properties": { "altitude": "260.7", "sensor": "07", "gpstime":"2018-06-19T19:40:15.000Z", "temperature": 0.38, "relhumidity": 12.51, "vappress": 4.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438170,48.005232] }, "properties": { "altitude": "260.7", "sensor": "07", "gpstime":"2018-06-19T19:41:12.000Z", "temperature": 0.39, "relhumidity": 13.18, "vappress": 5.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424230,48.004382] }, "properties": { "altitude": "260.1", "sensor": "07", "gpstime":"2018-06-19T19:41:44.000Z", "temperature": 0.27, "relhumidity": 13.80, "vappress": 5.104, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411880,48.003572] }, "properties": { "altitude": "262.5", "sensor": "07", "gpstime":"2018-06-19T19:42:22.000Z", "temperature": 0.28, "relhumidity": 13.71, "vappress": 4.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396820,48.002955] }, "properties": { "altitude": "259.6", "sensor": "07", "gpstime":"2018-06-19T19:43:05.000Z", "temperature": 0.23, "relhumidity": 14.87, "vappress": 5.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383800,48.001572] }, "properties": { "altitude": "260.6", "sensor": "07", "gpstime":"2018-06-19T19:44:32.000Z", "temperature": 0.24, "relhumidity": 14.99, "vappress": 5.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368500,48.001542] }, "properties": { "altitude": "262.0", "sensor": "07", "gpstime":"2018-06-19T19:45:05.000Z", "temperature": 0.41, "relhumidity": 13.92, "vappress": 5.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354030,48.002157] }, "properties": { "altitude": "269.1", "sensor": "07", "gpstime":"2018-06-19T19:45:28.000Z", "temperature": 0.57, "relhumidity": 13.73, "vappress": 5.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340220,48.002542] }, "properties": { "altitude": "270.9", "sensor": "07", "gpstime":"2018-06-19T19:45:51.000Z", "temperature": 0.57, "relhumidity": 13.10, "vappress": 5.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327050,48.003053] }, "properties": { "altitude": "260.6", "sensor": "07", "gpstime":"2018-06-19T19:46:21.000Z", "temperature": 0.45, "relhumidity": 13.95, "vappress": 5.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311620,48.003567] }, "properties": { "altitude": "256.1", "sensor": "07", "gpstime":"2018-06-19T19:46:44.000Z", "temperature": 0.21, "relhumidity": 14.24, "vappress": 5.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296670,48.004180] }, "properties": { "altitude": "257.3", "sensor": "07", "gpstime":"2018-06-19T19:47:11.000Z", "temperature": 0.16, "relhumidity": 14.07, "vappress": 4.868, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283530,48.004638] }, "properties": { "altitude": "261.5", "sensor": "07", "gpstime":"2018-06-19T19:47:31.000Z", "temperature": 0.25, "relhumidity": 13.78, "vappress": 5.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264350,48.005342] }, "properties": { "altitude": "254.9", "sensor": "07", "gpstime":"2018-06-19T19:48:00.000Z", "temperature": 0.34, "relhumidity": 13.98, "vappress": 5.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8249920,48.005870] }, "properties": { "altitude": "257.2", "sensor": "07", "gpstime":"2018-06-19T19:49:16.000Z", "temperature": 0.30, "relhumidity": 14.60, "vappress": 5.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257820,48.007685] }, "properties": { "altitude": "251.7", "sensor": "07", "gpstime":"2018-06-19T19:50:04.000Z", "temperature": -0.08, "relhumidity": 16.25, "vappress": 5.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8245320,48.009002] }, "properties": { "altitude": "244.5", "sensor": "07", "gpstime":"2018-06-19T19:50:49.000Z", "temperature": -0.05, "relhumidity": 15.22, "vappress": 5.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232220,48.009422] }, "properties": { "altitude": "244.9", "sensor": "07", "gpstime":"2018-06-19T19:52:06.000Z", "temperature": 0.01, "relhumidity": 15.12, "vappress": 5.014, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216550,48.009353] }, "properties": { "altitude": "241.1", "sensor": "07", "gpstime":"2018-06-19T19:52:32.000Z", "temperature": -0.23, "relhumidity": 18.77, "vappress": 5.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203950,48.008177] }, "properties": { "altitude": "231.5", "sensor": "07", "gpstime":"2018-06-19T19:55:15.000Z", "temperature": -0.43, "relhumidity": 21.64, "vappress": 6.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220070,48.007720] }, "properties": { "altitude": "242.1", "sensor": "07", "gpstime":"2018-06-19T19:56:18.000Z", "temperature": -0.33, "relhumidity": 18.92, "vappress": 5.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234030,48.007185] }, "properties": { "altitude": "245.3", "sensor": "07", "gpstime":"2018-06-19T19:56:50.000Z", "temperature": -0.34, "relhumidity": 18.39, "vappress": 5.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8245120,48.005870] }, "properties": { "altitude": "256.2", "sensor": "07", "gpstime":"2018-06-19T19:57:49.000Z", "temperature": -0.38, "relhumidity": 18.74, "vappress": 5.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233150,48.004642] }, "properties": { "altitude": "233.9", "sensor": "07", "gpstime":"2018-06-19T19:58:47.000Z", "temperature": -0.22, "relhumidity": 18.11, "vappress": 5.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223520,48.003182] }, "properties": { "altitude": "237.7", "sensor": "07", "gpstime":"2018-06-19T20:00:15.000Z", "temperature": -0.43, "relhumidity": 18.95, "vappress": 5.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210120,48.002470] }, "properties": { "altitude": "245.9", "sensor": "07", "gpstime":"2018-06-19T20:00:46.000Z", "temperature": -0.41, "relhumidity": 17.95, "vappress": 5.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224070,48.001083] }, "properties": { "altitude": "256.0", "sensor": "07", "gpstime":"2018-06-19T20:01:48.000Z", "temperature": -0.16, "relhumidity": 15.61, "vappress": 5.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8237870,48.000508] }, "properties": { "altitude": "262.2", "sensor": "07", "gpstime":"2018-06-19T20:02:18.000Z", "temperature": 0.01, "relhumidity": 15.22, "vappress": 5.003, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226570,47.999023] }, "properties": { "altitude": "243.2", "sensor": "07", "gpstime":"2018-06-19T20:03:52.000Z", "temperature": -0.08, "relhumidity": 17.80, "vappress": 5.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211830,47.997888] }, "properties": { "altitude": "245.1", "sensor": "07", "gpstime":"2018-06-19T20:04:25.000Z", "temperature": -0.27, "relhumidity": 17.47, "vappress": 5.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201280,47.996610] }, "properties": { "altitude": "247.8", "sensor": "07", "gpstime":"2018-06-19T20:07:24.000Z", "temperature": -0.09, "relhumidity": 16.16, "vappress": 5.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188820,47.995838] }, "properties": { "altitude": "251.5", "sensor": "07", "gpstime":"2018-06-19T20:07:54.000Z", "temperature": 0.08, "relhumidity": 15.35, "vappress": 5.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201850,47.994615] }, "properties": { "altitude": "256.0", "sensor": "07", "gpstime":"2018-06-19T20:09:40.000Z", "temperature": 0.06, "relhumidity": 15.34, "vappress": 5.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215700,47.994060] }, "properties": { "altitude": "260.1", "sensor": "07", "gpstime":"2018-06-19T20:10:07.000Z", "temperature": 0.31, "relhumidity": 14.49, "vappress": 5.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213570,47.992012] }, "properties": { "altitude": "243.2", "sensor": "07", "gpstime":"2018-06-19T20:11:07.000Z", "temperature": 0.35, "relhumidity": 13.76, "vappress": 4.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225350,47.991013] }, "properties": { "altitude": "244.9", "sensor": "07", "gpstime":"2018-06-19T20:13:09.000Z", "temperature": 0.15, "relhumidity": 16.56, "vappress": 5.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242630,47.990297] }, "properties": { "altitude": "251.5", "sensor": "07", "gpstime":"2018-06-19T20:13:49.000Z", "temperature": -0.26, "relhumidity": 18.18, "vappress": 5.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257530,47.989928] }, "properties": { "altitude": "256.1", "sensor": "07", "gpstime":"2018-06-19T20:14:20.000Z", "temperature": -0.79, "relhumidity": 24.84, "vappress": 6.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272800,47.989563] }, "properties": { "altitude": "254.4", "sensor": "07", "gpstime":"2018-06-19T20:14:57.000Z", "temperature": -1.16, "relhumidity": 23.01, "vappress": 5.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289080,47.989303] }, "properties": { "altitude": "259.4", "sensor": "07", "gpstime":"2018-06-19T20:15:36.000Z", "temperature": -1.14, "relhumidity": 24.42, "vappress": 5.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284330,47.987247] }, "properties": { "altitude": "257.0", "sensor": "07", "gpstime":"2018-06-19T20:16:46.000Z", "temperature": -0.65, "relhumidity": 18.94, "vappress": 5.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293170,47.985463] }, "properties": { "altitude": "263.2", "sensor": "07", "gpstime":"2018-06-19T20:18:32.000Z", "temperature": 0.35, "relhumidity": 16.18, "vappress": 5.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309130,47.985408] }, "properties": { "altitude": "257.4", "sensor": "07", "gpstime":"2018-06-19T20:18:55.000Z", "temperature": 0.27, "relhumidity": 18.61, "vappress": 5.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324880,47.985292] }, "properties": { "altitude": "254.6", "sensor": "07", "gpstime":"2018-06-19T20:19:15.000Z", "temperature": -0.06, "relhumidity": 19.23, "vappress": 5.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341870,47.985472] }, "properties": { "altitude": "262.7", "sensor": "07", "gpstime":"2018-06-19T20:19:40.000Z", "temperature": -0.09, "relhumidity": 19.44, "vappress": 5.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355120,47.985785] }, "properties": { "altitude": "264.4", "sensor": "07", "gpstime":"2018-06-19T20:20:04.000Z", "temperature": -0.08, "relhumidity": 18.74, "vappress": 5.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361930,47.987980] }, "properties": { "altitude": "266.7", "sensor": "07", "gpstime":"2018-06-19T20:22:33.000Z", "temperature": -0.15, "relhumidity": 21.01, "vappress": 5.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372320,47.989382] }, "properties": { "altitude": "266.5", "sensor": "07", "gpstime":"2018-06-19T20:23:04.000Z", "temperature": -0.54, "relhumidity": 22.03, "vappress": 5.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380430,47.991218] }, "properties": { "altitude": "271.5", "sensor": "07", "gpstime":"2018-06-19T20:24:09.000Z", "temperature": -0.47, "relhumidity": 21.01, "vappress": 5.814, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389870,47.993007] }, "properties": { "altitude": "267.7", "sensor": "07", "gpstime":"2018-06-19T20:24:55.000Z", "temperature": -0.30, "relhumidity": 21.31, "vappress": 6.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399820,47.994493] }, "properties": { "altitude": "285.3", "sensor": "07", "gpstime":"2018-06-19T20:25:39.000Z", "temperature": -0.15, "relhumidity": 19.09, "vappress": 5.914, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413470,47.995077] }, "properties": { "altitude": "286.3", "sensor": "07", "gpstime":"2018-06-19T20:26:04.000Z", "temperature": 0.19, "relhumidity": 18.45, "vappress": 6.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427100,47.995048] }, "properties": { "altitude": "286.9", "sensor": "07", "gpstime":"2018-06-19T20:26:26.000Z", "temperature": 0.33, "relhumidity": 17.32, "vappress": 5.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441880,47.995703] }, "properties": { "altitude": "292.2", "sensor": "07", "gpstime":"2018-06-19T20:27:31.000Z", "temperature": 0.67, "relhumidity": 14.84, "vappress": 5.782, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455500,47.995407] }, "properties": { "altitude": "290.2", "sensor": "07", "gpstime":"2018-06-19T20:28:45.000Z", "temperature": 0.67, "relhumidity": 15.74, "vappress": 5.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451080,47.993472] }, "properties": { "altitude": "274.2", "sensor": "07", "gpstime":"2018-06-19T20:29:51.000Z", "temperature": 0.48, "relhumidity": 17.11, "vappress": 5.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453070,47.992162] }, "properties": { "altitude": "277.6", "sensor": "08", "gpstime":"2018-06-19T19:23:48.000Z", "temperature": 0.91, "relhumidity": -3.86, "vappress": 0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439400,47.991870] }, "properties": { "altitude": "264.0", "sensor": "08", "gpstime":"2018-06-19T19:24:37.000Z", "temperature": 0.69, "relhumidity": -3.27, "vappress": 0.183, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423270,47.993522] }, "properties": { "altitude": "245.9", "sensor": "08", "gpstime":"2018-06-19T19:25:15.000Z", "temperature": 0.56, "relhumidity": -3.20, "vappress": 0.124, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410350,47.994107] }, "properties": { "altitude": "253.9", "sensor": "08", "gpstime":"2018-06-19T19:25:37.000Z", "temperature": 0.45, "relhumidity": -2.85, "vappress": 0.234, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396750,47.993750] }, "properties": { "altitude": "238.2", "sensor": "08", "gpstime":"2018-06-19T19:26:06.000Z", "temperature": 0.57, "relhumidity": -3.65, "vappress": 0.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386520,47.992217] }, "properties": { "altitude": "245.6", "sensor": "08", "gpstime":"2018-06-19T19:26:38.000Z", "temperature": 0.60, "relhumidity": -3.49, "vappress": 0.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375480,47.990608] }, "properties": { "altitude": "263.0", "sensor": "08", "gpstime":"2018-06-19T19:28:00.000Z", "temperature": 0.63, "relhumidity": -4.09, "vappress": 0.027, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364780,47.988610] }, "properties": { "altitude": "267.8", "sensor": "08", "gpstime":"2018-06-19T19:28:51.000Z", "temperature": 0.59, "relhumidity": -3.78, "vappress": 0.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358030,47.986828] }, "properties": { "altitude": "270.6", "sensor": "08", "gpstime":"2018-06-19T19:29:40.000Z", "temperature": 0.77, "relhumidity": -4.64, "vappress": 0.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374120,47.986290] }, "properties": { "altitude": "265.9", "sensor": "08", "gpstime":"2018-06-19T19:31:07.000Z", "temperature": 0.99, "relhumidity": -5.25, "vappress": -0.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366870,47.984585] }, "properties": { "altitude": "272.9", "sensor": "08", "gpstime":"2018-06-19T19:33:07.000Z", "temperature": 0.82, "relhumidity": -5.09, "vappress": -0.043, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350330,47.982815] }, "properties": { "altitude": "268.4", "sensor": "08", "gpstime":"2018-06-19T19:34:07.000Z", "temperature": 0.78, "relhumidity": -3.77, "vappress": 0.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336870,47.981715] }, "properties": { "altitude": "267.6", "sensor": "08", "gpstime":"2018-06-19T19:34:28.000Z", "temperature": 0.56, "relhumidity": -3.35, "vappress": 0.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322550,47.980220] }, "properties": { "altitude": "262.6", "sensor": "08", "gpstime":"2018-06-19T19:34:54.000Z", "temperature": 0.35, "relhumidity": -1.23, "vappress": 0.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311270,47.978948] }, "properties": { "altitude": "259.1", "sensor": "08", "gpstime":"2018-06-19T19:35:17.000Z", "temperature": 0.24, "relhumidity": -2.22, "vappress": 0.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298570,47.977907] }, "properties": { "altitude": "257.7", "sensor": "08", "gpstime":"2018-06-19T19:35:38.000Z", "temperature": 0.38, "relhumidity": -2.74, "vappress": 0.203, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286850,47.976340] }, "properties": { "altitude": "265.3", "sensor": "08", "gpstime":"2018-06-19T19:36:48.000Z", "temperature": 0.40, "relhumidity": -2.04, "vappress": 0.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285200,47.973983] }, "properties": { "altitude": "267.5", "sensor": "08", "gpstime":"2018-06-19T19:37:29.000Z", "temperature": 0.15, "relhumidity": -1.30, "vappress": 0.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295720,47.972537] }, "properties": { "altitude": "269.2", "sensor": "08", "gpstime":"2018-06-19T19:38:12.000Z", "temperature": 0.13, "relhumidity": -1.23, "vappress": 0.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309500,47.972682] }, "properties": { "altitude": "266.8", "sensor": "08", "gpstime":"2018-06-19T19:38:36.000Z", "temperature": -0.20, "relhumidity": 0.87, "vappress": 0.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324470,47.972595] }, "properties": { "altitude": "266.3", "sensor": "08", "gpstime":"2018-06-19T19:38:55.000Z", "temperature": -0.69, "relhumidity": 2.77, "vappress": 0.573, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337420,47.973900] }, "properties": { "altitude": "279.0", "sensor": "08", "gpstime":"2018-06-19T19:39:46.000Z", "temperature": -1.48, "relhumidity": 4.81, "vappress": 0.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355520,47.974263] }, "properties": { "altitude": "291.0", "sensor": "08", "gpstime":"2018-06-19T19:40:48.000Z", "temperature": -1.53, "relhumidity": 4.08, "vappress": 0.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343980,47.973250] }, "properties": { "altitude": "284.2", "sensor": "08", "gpstime":"2018-06-19T19:42:12.000Z", "temperature": -1.83, "relhumidity": 8.83, "vappress": 0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329230,47.972627] }, "properties": { "altitude": "268.0", "sensor": "08", "gpstime":"2018-06-19T19:42:52.000Z", "temperature": -2.53, "relhumidity": 10.52, "vappress": 0.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309300,47.972668] }, "properties": { "altitude": "256.7", "sensor": "08", "gpstime":"2018-06-19T19:43:19.000Z", "temperature": -2.60, "relhumidity": 11.54, "vappress": 1.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312780,47.974907] }, "properties": { "altitude": "252.6", "sensor": "08", "gpstime":"2018-06-19T19:44:21.000Z", "temperature": -1.92, "relhumidity": 11.18, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324770,47.976543] }, "properties": { "altitude": "261.4", "sensor": "08", "gpstime":"2018-06-19T19:45:02.000Z", "temperature": -2.03, "relhumidity": 9.87, "vappress": 0.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333630,47.978107] }, "properties": { "altitude": "274.3", "sensor": "08", "gpstime":"2018-06-19T19:45:40.000Z", "temperature": -2.39, "relhumidity": 10.37, "vappress": 0.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347020,47.978748] }, "properties": { "altitude": "284.1", "sensor": "08", "gpstime":"2018-06-19T19:46:26.000Z", "temperature": -2.21, "relhumidity": 9.92, "vappress": 0.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8359500,47.977732] }, "properties": { "altitude": "301.9", "sensor": "08", "gpstime":"2018-06-19T19:47:15.000Z", "temperature": -2.24, "relhumidity": 8.47, "vappress": 0.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370050,47.976257] }, "properties": { "altitude": "318.3", "sensor": "08", "gpstime":"2018-06-19T19:48:08.000Z", "temperature": -2.28, "relhumidity": 9.15, "vappress": 0.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368550,47.974050] }, "properties": { "altitude": "313.1", "sensor": "08", "gpstime":"2018-06-19T19:48:55.000Z", "temperature": -1.70, "relhumidity": 6.90, "vappress": 0.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374650,47.972240] }, "properties": { "altitude": "317.9", "sensor": "08", "gpstime":"2018-06-19T19:50:03.000Z", "temperature": -2.00, "relhumidity": 8.10, "vappress": 0.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363320,47.970470] }, "properties": { "altitude": "316.0", "sensor": "08", "gpstime":"2018-06-19T19:50:55.000Z", "temperature": -2.29, "relhumidity": 10.20, "vappress": 0.637, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345780,47.969315] }, "properties": { "altitude": "315.6", "sensor": "08", "gpstime":"2018-06-19T19:51:22.000Z", "temperature": -2.41, "relhumidity": 9.96, "vappress": 0.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327520,47.968428] }, "properties": { "altitude": "309.3", "sensor": "08", "gpstime":"2018-06-19T19:51:49.000Z", "temperature": -2.07, "relhumidity": 7.95, "vappress": 0.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313300,47.967900] }, "properties": { "altitude": "299.2", "sensor": "08", "gpstime":"2018-06-19T19:52:08.000Z", "temperature": -1.64, "relhumidity": 7.86, "vappress": 0.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320900,47.969917] }, "properties": { "altitude": "286.9", "sensor": "08", "gpstime":"2018-06-19T19:53:07.000Z", "temperature": -1.55, "relhumidity": 7.01, "vappress": 1.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305600,47.969765] }, "properties": { "altitude": "279.9", "sensor": "08", "gpstime":"2018-06-19T19:53:58.000Z", "temperature": -1.33, "relhumidity": 6.06, "vappress": 0.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295720,47.968350] }, "properties": { "altitude": "276.1", "sensor": "08", "gpstime":"2018-06-19T19:54:30.000Z", "temperature": -1.21, "relhumidity": 5.75, "vappress": 0.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8299970,47.966453] }, "properties": { "altitude": "275.7", "sensor": "08", "gpstime":"2018-06-19T19:55:13.000Z", "temperature": -1.33, "relhumidity": 5.38, "vappress": 0.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309470,47.964563] }, "properties": { "altitude": "273.3", "sensor": "08", "gpstime":"2018-06-19T19:56:02.000Z", "temperature": -1.59, "relhumidity": 7.47, "vappress": 0.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319930,47.963298] }, "properties": { "altitude": "277.0", "sensor": "08", "gpstime":"2018-06-19T19:56:34.000Z", "temperature": -2.10, "relhumidity": 9.33, "vappress": 0.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327500,47.961278] }, "properties": { "altitude": "277.9", "sensor": "08", "gpstime":"2018-06-19T19:57:16.000Z", "temperature": -2.88, "relhumidity": 13.35, "vappress": 0.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321130,47.959260] }, "properties": { "altitude": "277.0", "sensor": "08", "gpstime":"2018-06-19T19:57:57.000Z", "temperature": -3.45, "relhumidity": 15.89, "vappress": 0.787, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308020,47.958350] }, "properties": { "altitude": "278.2", "sensor": "08", "gpstime":"2018-06-19T19:58:24.000Z", "temperature": -3.40, "relhumidity": 15.73, "vappress": 0.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8297600,47.956922] }, "properties": { "altitude": "282.0", "sensor": "08", "gpstime":"2018-06-19T19:58:56.000Z", "temperature": -3.14, "relhumidity": 13.30, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287330,47.955410] }, "properties": { "altitude": "286.9", "sensor": "08", "gpstime":"2018-06-19T19:59:31.000Z", "temperature": -2.96, "relhumidity": 12.72, "vappress": 0.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279550,47.957155] }, "properties": { "altitude": "312.3", "sensor": "08", "gpstime":"2018-06-19T20:01:00.000Z", "temperature": -3.34, "relhumidity": 13.44, "vappress": 0.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281400,47.959272] }, "properties": { "altitude": "320.8", "sensor": "08", "gpstime":"2018-06-19T20:03:05.000Z", "temperature": -3.43, "relhumidity": 12.72, "vappress": 0.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289930,47.961063] }, "properties": { "altitude": "292.7", "sensor": "08", "gpstime":"2018-06-19T20:03:44.000Z", "temperature": -3.35, "relhumidity": 14.22, "vappress": 0.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282350,47.963092] }, "properties": { "altitude": "268.4", "sensor": "08", "gpstime":"2018-06-19T20:04:41.000Z", "temperature": -3.45, "relhumidity": 14.82, "vappress": 0.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271220,47.964263] }, "properties": { "altitude": "259.3", "sensor": "08", "gpstime":"2018-06-19T20:05:15.000Z", "temperature": -3.17, "relhumidity": 14.30, "vappress": 0.913, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262020,47.966137] }, "properties": { "altitude": "262.5", "sensor": "08", "gpstime":"2018-06-19T20:05:56.000Z", "temperature": -2.71, "relhumidity": 11.82, "vappress": 0.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257820,47.968062] }, "properties": { "altitude": "259.6", "sensor": "08", "gpstime":"2018-06-19T20:06:37.000Z", "temperature": -2.28, "relhumidity": 10.46, "vappress": 0.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262420,47.970330] }, "properties": { "altitude": "258.8", "sensor": "08", "gpstime":"2018-06-19T20:07:26.000Z", "temperature": -1.97, "relhumidity": 8.44, "vappress": 0.961, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272550,47.971660] }, "properties": { "altitude": "267.8", "sensor": "08", "gpstime":"2018-06-19T20:08:01.000Z", "temperature": -1.60, "relhumidity": 7.31, "vappress": 0.947, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286120,47.972562] }, "properties": { "altitude": "271.7", "sensor": "08", "gpstime":"2018-06-19T20:08:45.000Z", "temperature": -1.28, "relhumidity": 5.65, "vappress": 0.977, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280030,47.974417] }, "properties": { "altitude": "273.6", "sensor": "08", "gpstime":"2018-06-19T20:09:47.000Z", "temperature": -0.81, "relhumidity": 3.05, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264620,47.974568] }, "properties": { "altitude": "268.3", "sensor": "08", "gpstime":"2018-06-19T20:10:06.000Z", "temperature": -0.52, "relhumidity": 3.06, "vappress": 0.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8247950,47.974887] }, "properties": { "altitude": "257.9", "sensor": "08", "gpstime":"2018-06-19T20:10:28.000Z", "temperature": -0.68, "relhumidity": 4.19, "vappress": 0.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232350,47.975272] }, "properties": { "altitude": "254.7", "sensor": "08", "gpstime":"2018-06-19T20:10:50.000Z", "temperature": -0.92, "relhumidity": 4.08, "vappress": 0.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221800,47.976658] }, "properties": { "altitude": "250.2", "sensor": "08", "gpstime":"2018-06-19T20:11:33.000Z", "temperature": -0.99, "relhumidity": 5.05, "vappress": 0.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231480,47.978082] }, "properties": { "altitude": "260.1", "sensor": "08", "gpstime":"2018-06-19T20:12:11.000Z", "temperature": -1.05, "relhumidity": 4.56, "vappress": 0.775, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217200,47.979382] }, "properties": { "altitude": "250.2", "sensor": "08", "gpstime":"2018-06-19T20:13:11.000Z", "temperature": -0.73, "relhumidity": 2.73, "vappress": 0.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205870,47.980523] }, "properties": { "altitude": "247.9", "sensor": "08", "gpstime":"2018-06-19T20:14:16.000Z", "temperature": -0.32, "relhumidity": 1.69, "vappress": 0.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198130,47.982233] }, "properties": { "altitude": "252.8", "sensor": "08", "gpstime":"2018-06-19T20:14:52.000Z", "temperature": -0.09, "relhumidity": 0.30, "vappress": 0.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8178050,47.982337] }, "properties": { "altitude": "250.9", "sensor": "08", "gpstime":"2018-06-19T20:15:21.000Z", "temperature": -0.01, "relhumidity": -1.22, "vappress": 0.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8163000,47.982427] }, "properties": { "altitude": "251.4", "sensor": "08", "gpstime":"2018-06-19T20:15:40.000Z", "temperature": -0.24, "relhumidity": 0.51, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151250,47.983878] }, "properties": { "altitude": "248.8", "sensor": "08", "gpstime":"2018-06-19T20:16:39.000Z", "temperature": -0.59, "relhumidity": 1.09, "vappress": 0.369, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167050,47.984630] }, "properties": { "altitude": "243.1", "sensor": "08", "gpstime":"2018-06-19T20:17:23.000Z", "temperature": -0.54, "relhumidity": 0.73, "vappress": 0.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180780,47.984733] }, "properties": { "altitude": "244.1", "sensor": "08", "gpstime":"2018-06-19T20:17:42.000Z", "temperature": -0.28, "relhumidity": 0.17, "vappress": 0.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183220,47.987410] }, "properties": { "altitude": "251.0", "sensor": "08", "gpstime":"2018-06-19T20:18:49.000Z", "temperature": 0.02, "relhumidity": -1.34, "vappress": 0.327, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194280,47.988877] }, "properties": { "altitude": "258.2", "sensor": "08", "gpstime":"2018-06-19T20:19:24.000Z", "temperature": 0.12, "relhumidity": -1.85, "vappress": 0.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210070,47.988528] }, "properties": { "altitude": "257.5", "sensor": "08", "gpstime":"2018-06-19T20:19:51.000Z", "temperature": 0.09, "relhumidity": -1.31, "vappress": 0.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8222050,47.989745] }, "properties": { "altitude": "252.9", "sensor": "08", "gpstime":"2018-06-19T20:20:40.000Z", "temperature": 0.02, "relhumidity": -1.65, "vappress": 0.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8237180,47.989193] }, "properties": { "altitude": "252.1", "sensor": "08", "gpstime":"2018-06-19T20:21:07.000Z", "temperature": 0.12, "relhumidity": -1.61, "vappress": 0.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253230,47.988548] }, "properties": { "altitude": "249.5", "sensor": "08", "gpstime":"2018-06-19T20:21:37.000Z", "temperature": 0.03, "relhumidity": -1.21, "vappress": 0.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268420,47.987987] }, "properties": { "altitude": "250.7", "sensor": "08", "gpstime":"2018-06-19T20:22:01.000Z", "temperature": 0.10, "relhumidity": -1.27, "vappress": 0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282750,47.987325] }, "properties": { "altitude": "252.9", "sensor": "08", "gpstime":"2018-06-19T20:22:26.000Z", "temperature": 0.25, "relhumidity": -1.38, "vappress": 0.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295130,47.989523] }, "properties": { "altitude": "251.1", "sensor": "08", "gpstime":"2018-06-19T20:24:33.000Z", "temperature": 0.27, "relhumidity": 0.82, "vappress": 0.594, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307420,47.991107] }, "properties": { "altitude": "254.7", "sensor": "08", "gpstime":"2018-06-19T20:25:06.000Z", "temperature": -0.20, "relhumidity": 1.15, "vappress": 0.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318680,47.992463] }, "properties": { "altitude": "254.2", "sensor": "08", "gpstime":"2018-06-19T20:25:36.000Z", "temperature": -0.18, "relhumidity": 0.76, "vappress": 0.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329570,47.993945] }, "properties": { "altitude": "258.8", "sensor": "08", "gpstime":"2018-06-19T20:26:57.000Z", "temperature": 0.02, "relhumidity": 0.09, "vappress": 0.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340250,47.995555] }, "properties": { "altitude": "266.6", "sensor": "08", "gpstime":"2018-06-19T20:27:26.000Z", "temperature": 0.23, "relhumidity": -0.71, "vappress": 0.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8352300,47.996897] }, "properties": { "altitude": "278.3", "sensor": "08", "gpstime":"2018-06-19T20:27:59.000Z", "temperature": 0.29, "relhumidity": -1.73, "vappress": 0.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368850,47.996543] }, "properties": { "altitude": "281.2", "sensor": "08", "gpstime":"2018-06-19T20:28:26.000Z", "temperature": 0.65, "relhumidity": -3.27, "vappress": 0.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381880,47.996032] }, "properties": { "altitude": "283.4", "sensor": "08", "gpstime":"2018-06-19T20:28:48.000Z", "temperature": 0.58, "relhumidity": -2.63, "vappress": 0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396200,47.996182] }, "properties": { "altitude": "273.2", "sensor": "08", "gpstime":"2018-06-19T20:29:23.000Z", "temperature": 0.50, "relhumidity": -2.23, "vappress": 0.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409370,47.995478] }, "properties": { "altitude": "267.9", "sensor": "08", "gpstime":"2018-06-19T20:29:55.000Z", "temperature": 0.45, "relhumidity": -2.05, "vappress": 0.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426620,47.995097] }, "properties": { "altitude": "268.8", "sensor": "08", "gpstime":"2018-06-19T20:30:31.000Z", "temperature": 0.58, "relhumidity": -2.45, "vappress": 0.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440100,47.994967] }, "properties": { "altitude": "271.6", "sensor": "08", "gpstime":"2018-06-19T20:30:50.000Z", "temperature": 0.72, "relhumidity": -2.80, "vappress": 0.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454680,47.994745] }, "properties": { "altitude": "278.6", "sensor": "08", "gpstime":"2018-06-19T20:31:11.000Z", "temperature": 0.76, "relhumidity": -3.08, "vappress": 0.523, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453050,47.993613] }, "properties": { "altitude": "272.2", "sensor": "08", "gpstime":"2018-06-19T20:31:33.000Z", "temperature": 0.49, "relhumidity": -2.39, "vappress": 0.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453870,47.992623] }, "properties": { "altitude": "271.9", "sensor": "09", "gpstime":"2018-06-19T19:24:05.000Z", "temperature": 0.47, "relhumidity": 2.67, "vappress": 1.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456500,47.994673] }, "properties": { "altitude": "275.3", "sensor": "09", "gpstime":"2018-06-19T19:24:57.000Z", "temperature": 0.38, "relhumidity": 2.35, "vappress": 1.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443120,47.995660] }, "properties": { "altitude": "266.9", "sensor": "09", "gpstime":"2018-06-19T19:26:12.000Z", "temperature": 0.40, "relhumidity": 1.90, "vappress": 1.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429330,47.995953] }, "properties": { "altitude": "259.2", "sensor": "09", "gpstime":"2018-06-19T19:26:32.000Z", "temperature": 0.38, "relhumidity": 1.98, "vappress": 1.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412670,47.996350] }, "properties": { "altitude": "275.7", "sensor": "09", "gpstime":"2018-06-19T19:26:58.000Z", "temperature": 0.26, "relhumidity": 2.08, "vappress": 1.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393450,47.996745] }, "properties": { "altitude": "272.7", "sensor": "09", "gpstime":"2018-06-19T19:27:30.000Z", "temperature": 0.33, "relhumidity": 1.82, "vappress": 1.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378780,47.997325] }, "properties": { "altitude": "266.6", "sensor": "09", "gpstime":"2018-06-19T19:27:55.000Z", "temperature": 0.21, "relhumidity": 2.05, "vappress": 1.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358770,47.998207] }, "properties": { "altitude": "259.7", "sensor": "09", "gpstime":"2018-06-19T19:28:25.000Z", "temperature": 0.23, "relhumidity": 2.49, "vappress": 1.616, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340780,47.999078] }, "properties": { "altitude": "248.9", "sensor": "09", "gpstime":"2018-06-19T19:28:46.000Z", "temperature": 0.00, "relhumidity": 3.21, "vappress": 1.486, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322120,47.999718] }, "properties": { "altitude": "247.5", "sensor": "09", "gpstime":"2018-06-19T19:29:08.000Z", "temperature": -0.12, "relhumidity": 3.15, "vappress": 1.511, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307130,48.000190] }, "properties": { "altitude": "255.7", "sensor": "09", "gpstime":"2018-06-19T19:29:29.000Z", "temperature": -0.06, "relhumidity": 3.25, "vappress": 1.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293970,47.999300] }, "properties": { "altitude": "255.7", "sensor": "09", "gpstime":"2018-06-19T19:29:57.000Z", "temperature": -0.43, "relhumidity": 4.70, "vappress": 1.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273800,47.999267] }, "properties": { "altitude": "252.4", "sensor": "09", "gpstime":"2018-06-19T19:30:28.000Z", "temperature": -0.51, "relhumidity": 5.52, "vappress": 1.779, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260470,47.999697] }, "properties": { "altitude": "255.3", "sensor": "09", "gpstime":"2018-06-19T19:30:45.000Z", "temperature": -0.44, "relhumidity": 5.76, "vappress": 1.849, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246250,48.000235] }, "properties": { "altitude": "260.6", "sensor": "09", "gpstime":"2018-06-19T19:31:07.000Z", "temperature": -0.43, "relhumidity": 5.75, "vappress": 1.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228930,48.000840] }, "properties": { "altitude": "251.2", "sensor": "09", "gpstime":"2018-06-19T19:31:31.000Z", "temperature": -0.42, "relhumidity": 5.31, "vappress": 1.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214230,48.001785] }, "properties": { "altitude": "241.2", "sensor": "09", "gpstime":"2018-06-19T19:31:50.000Z", "temperature": -0.32, "relhumidity": 5.14, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200550,48.003093] }, "properties": { "altitude": "241.3", "sensor": "09", "gpstime":"2018-06-19T19:33:43.000Z", "temperature": -0.21, "relhumidity": 3.97, "vappress": 1.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8182800,48.003155] }, "properties": { "altitude": "241.2", "sensor": "09", "gpstime":"2018-06-19T19:34:10.000Z", "temperature": -0.11, "relhumidity": 4.44, "vappress": 1.810, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171700,48.004298] }, "properties": { "altitude": "236.4", "sensor": "09", "gpstime":"2018-06-19T19:34:43.000Z", "temperature": -0.18, "relhumidity": 5.22, "vappress": 1.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183820,48.005667] }, "properties": { "altitude": "230.1", "sensor": "09", "gpstime":"2018-06-19T19:35:18.000Z", "temperature": -0.21, "relhumidity": 5.06, "vappress": 1.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8168670,48.005555] }, "properties": { "altitude": "237.4", "sensor": "09", "gpstime":"2018-06-19T19:35:48.000Z", "temperature": -0.16, "relhumidity": 5.06, "vappress": 2.023, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8154580,48.004638] }, "properties": { "altitude": "241.7", "sensor": "09", "gpstime":"2018-06-19T19:36:17.000Z", "temperature": -0.13, "relhumidity": 5.03, "vappress": 2.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139550,48.005503] }, "properties": { "altitude": "239.8", "sensor": "09", "gpstime":"2018-06-19T19:36:43.000Z", "temperature": -0.13, "relhumidity": 4.99, "vappress": 1.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126350,48.006237] }, "properties": { "altitude": "239.4", "sensor": "09", "gpstime":"2018-06-19T19:37:07.000Z", "temperature": -0.03, "relhumidity": 4.68, "vappress": 2.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8111020,48.007065] }, "properties": { "altitude": "235.8", "sensor": "09", "gpstime":"2018-06-19T19:37:42.000Z", "temperature": -0.11, "relhumidity": 4.75, "vappress": 1.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8125470,48.008092] }, "properties": { "altitude": "238.2", "sensor": "09", "gpstime":"2018-06-19T19:38:12.000Z", "temperature": 0.01, "relhumidity": 4.11, "vappress": 1.933, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134430,48.010352] }, "properties": { "altitude": "234.9", "sensor": "09", "gpstime":"2018-06-19T19:40:02.000Z", "temperature": 0.05, "relhumidity": 3.00, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119530,48.011122] }, "properties": { "altitude": "231.9", "sensor": "09", "gpstime":"2018-06-19T19:40:30.000Z", "temperature": 0.03, "relhumidity": 3.54, "vappress": 1.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8133900,48.012563] }, "properties": { "altitude": "235.9", "sensor": "09", "gpstime":"2018-06-19T19:41:07.000Z", "temperature": -0.27, "relhumidity": 5.57, "vappress": 1.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8148080,48.012852] }, "properties": { "altitude": "235.6", "sensor": "09", "gpstime":"2018-06-19T19:41:28.000Z", "temperature": -0.26, "relhumidity": 5.37, "vappress": 1.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167430,48.012945] }, "properties": { "altitude": "234.4", "sensor": "09", "gpstime":"2018-06-19T19:41:58.000Z", "temperature": -0.57, "relhumidity": 7.99, "vappress": 1.934, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181250,48.013387] }, "properties": { "altitude": "236.0", "sensor": "09", "gpstime":"2018-06-19T19:42:25.000Z", "temperature": -0.95, "relhumidity": 8.61, "vappress": 2.012, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199250,48.013322] }, "properties": { "altitude": "237.4", "sensor": "09", "gpstime":"2018-06-19T19:42:57.000Z", "temperature": -0.78, "relhumidity": 7.54, "vappress": 2.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186000,48.014050] }, "properties": { "altitude": "231.3", "sensor": "09", "gpstime":"2018-06-19T19:43:19.000Z", "temperature": -0.53, "relhumidity": 7.16, "vappress": 2.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8173070,48.014768] }, "properties": { "altitude": "222.6", "sensor": "09", "gpstime":"2018-06-19T19:43:40.000Z", "temperature": -0.33, "relhumidity": 6.12, "vappress": 2.032, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8179750,48.016622] }, "properties": { "altitude": "233.0", "sensor": "09", "gpstime":"2018-06-19T19:44:27.000Z", "temperature": -0.29, "relhumidity": 5.93, "vappress": 1.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172880,48.018670] }, "properties": { "altitude": "230.9", "sensor": "09", "gpstime":"2018-06-19T19:45:27.000Z", "temperature": -0.33, "relhumidity": 6.48, "vappress": 2.164, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157070,48.018522] }, "properties": { "altitude": "234.8", "sensor": "09", "gpstime":"2018-06-19T19:45:55.000Z", "temperature": -0.48, "relhumidity": 9.06, "vappress": 2.294, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144700,48.017743] }, "properties": { "altitude": "228.8", "sensor": "09", "gpstime":"2018-06-19T19:46:14.000Z", "temperature": -1.25, "relhumidity": 11.71, "vappress": 2.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130180,48.017262] }, "properties": { "altitude": "221.8", "sensor": "09", "gpstime":"2018-06-19T19:46:35.000Z", "temperature": -1.67, "relhumidity": 15.33, "vappress": 2.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116000,48.018087] }, "properties": { "altitude": "225.3", "sensor": "09", "gpstime":"2018-06-19T19:47:03.000Z", "temperature": -1.86, "relhumidity": 14.63, "vappress": 2.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8105470,48.019762] }, "properties": { "altitude": "214.1", "sensor": "09", "gpstime":"2018-06-19T19:47:49.000Z", "temperature": -1.91, "relhumidity": 18.78, "vappress": 3.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8091350,48.019965] }, "properties": { "altitude": "216.3", "sensor": "09", "gpstime":"2018-06-19T19:48:13.000Z", "temperature": -1.86, "relhumidity": 15.16, "vappress": 2.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102980,48.021513] }, "properties": { "altitude": "214.6", "sensor": "09", "gpstime":"2018-06-19T19:48:53.000Z", "temperature": -1.38, "relhumidity": 12.25, "vappress": 2.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104500,48.023935] }, "properties": { "altitude": "220.5", "sensor": "09", "gpstime":"2018-06-19T19:49:38.000Z", "temperature": -0.87, "relhumidity": 9.99, "vappress": 2.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089270,48.024083] }, "properties": { "altitude": "224.4", "sensor": "09", "gpstime":"2018-06-19T19:50:05.000Z", "temperature": -0.68, "relhumidity": 8.49, "vappress": 2.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8079850,48.025802] }, "properties": { "altitude": "221.7", "sensor": "09", "gpstime":"2018-06-19T19:51:02.000Z", "temperature": -0.80, "relhumidity": 11.16, "vappress": 2.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8065870,48.025268] }, "properties": { "altitude": "221.6", "sensor": "09", "gpstime":"2018-06-19T19:52:07.000Z", "temperature": -1.03, "relhumidity": 9.95, "vappress": 2.444, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8051400,48.026022] }, "properties": { "altitude": "224.7", "sensor": "09", "gpstime":"2018-06-19T19:52:59.000Z", "temperature": -0.84, "relhumidity": 10.19, "vappress": 2.634, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063350,48.027697] }, "properties": { "altitude": "218.0", "sensor": "09", "gpstime":"2018-06-19T19:53:58.000Z", "temperature": -0.77, "relhumidity": 11.34, "vappress": 2.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078470,48.027715] }, "properties": { "altitude": "220.3", "sensor": "09", "gpstime":"2018-06-19T19:54:20.000Z", "temperature": -0.92, "relhumidity": 11.09, "vappress": 2.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8098100,48.028152] }, "properties": { "altitude": "219.2", "sensor": "09", "gpstime":"2018-06-19T19:54:52.000Z", "temperature": -0.88, "relhumidity": 11.60, "vappress": 2.951, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8111530,48.028047] }, "properties": { "altitude": "214.6", "sensor": "09", "gpstime":"2018-06-19T19:55:14.000Z", "temperature": -1.14, "relhumidity": 13.39, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8127320,48.027933] }, "properties": { "altitude": "205.3", "sensor": "09", "gpstime":"2018-06-19T19:55:46.000Z", "temperature": -1.90, "relhumidity": 20.43, "vappress": 3.493, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142550,48.028808] }, "properties": { "altitude": "191.9", "sensor": "09", "gpstime":"2018-06-19T19:56:14.000Z", "temperature": -2.45, "relhumidity": 20.80, "vappress": 3.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158120,48.029377] }, "properties": { "altitude": "183.9", "sensor": "09", "gpstime":"2018-06-19T19:56:40.000Z", "temperature": -2.76, "relhumidity": 23.99, "vappress": 3.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172370,48.030035] }, "properties": { "altitude": "180.7", "sensor": "09", "gpstime":"2018-06-19T19:57:03.000Z", "temperature": -2.83, "relhumidity": 22.23, "vappress": 3.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185980,48.029763] }, "properties": { "altitude": "177.7", "sensor": "09", "gpstime":"2018-06-19T19:57:34.000Z", "temperature": -3.07, "relhumidity": 24.64, "vappress": 3.397, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192920,48.028032] }, "properties": { "altitude": "183.6", "sensor": "09", "gpstime":"2018-06-19T19:58:04.000Z", "temperature": -3.47, "relhumidity": 25.04, "vappress": 2.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8204730,48.026490] }, "properties": { "altitude": "177.7", "sensor": "09", "gpstime":"2018-06-19T19:58:39.000Z", "temperature": -3.86, "relhumidity": 26.07, "vappress": 2.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214250,48.025028] }, "properties": { "altitude": "179.0", "sensor": "09", "gpstime":"2018-06-19T19:59:20.000Z", "temperature": -3.60, "relhumidity": 25.56, "vappress": 3.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234170,48.026380] }, "properties": { "altitude": "197.4", "sensor": "09", "gpstime":"2018-06-19T20:00:27.000Z", "temperature": -3.20, "relhumidity": 25.24, "vappress": 3.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248280,48.026883] }, "properties": { "altitude": "208.2", "sensor": "09", "gpstime":"2018-06-19T20:00:45.000Z", "temperature": -3.11, "relhumidity": 25.69, "vappress": 3.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8263130,48.027698] }, "properties": { "altitude": "220.3", "sensor": "09", "gpstime":"2018-06-19T20:01:10.000Z", "temperature": -3.03, "relhumidity": 26.01, "vappress": 3.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277030,48.028192] }, "properties": { "altitude": "229.8", "sensor": "09", "gpstime":"2018-06-19T20:01:32.000Z", "temperature": -2.58, "relhumidity": 21.77, "vappress": 3.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291130,48.028613] }, "properties": { "altitude": "228.7", "sensor": "09", "gpstime":"2018-06-19T20:01:49.000Z", "temperature": -2.46, "relhumidity": 20.51, "vappress": 3.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305980,48.028445] }, "properties": { "altitude": "228.6", "sensor": "09", "gpstime":"2018-06-19T20:02:17.000Z", "temperature": -2.54, "relhumidity": 18.12, "vappress": 2.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319030,48.027620] }, "properties": { "altitude": "223.6", "sensor": "09", "gpstime":"2018-06-19T20:02:48.000Z", "temperature": -2.69, "relhumidity": 18.26, "vappress": 2.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333570,48.026598] }, "properties": { "altitude": "220.9", "sensor": "09", "gpstime":"2018-06-19T20:03:28.000Z", "temperature": -2.18, "relhumidity": 14.80, "vappress": 2.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348520,48.026910] }, "properties": { "altitude": "226.4", "sensor": "09", "gpstime":"2018-06-19T20:03:49.000Z", "temperature": -1.39, "relhumidity": 13.82, "vappress": 2.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362300,48.026893] }, "properties": { "altitude": "227.2", "sensor": "09", "gpstime":"2018-06-19T20:04:13.000Z", "temperature": -1.19, "relhumidity": 12.32, "vappress": 2.632, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376830,48.025913] }, "properties": { "altitude": "229.7", "sensor": "09", "gpstime":"2018-06-19T20:04:40.000Z", "temperature": -1.08, "relhumidity": 11.02, "vappress": 2.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388420,48.024642] }, "properties": { "altitude": "229.1", "sensor": "09", "gpstime":"2018-06-19T20:05:08.000Z", "temperature": -1.13, "relhumidity": 10.77, "vappress": 2.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396370,48.022500] }, "properties": { "altitude": "232.4", "sensor": "09", "gpstime":"2018-06-19T20:05:49.000Z", "temperature": -1.01, "relhumidity": 9.26, "vappress": 2.343, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401800,48.020578] }, "properties": { "altitude": "235.1", "sensor": "09", "gpstime":"2018-06-19T20:06:24.000Z", "temperature": -0.39, "relhumidity": 7.36, "vappress": 2.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410170,48.018903] }, "properties": { "altitude": "239.7", "sensor": "09", "gpstime":"2018-06-19T20:07:24.000Z", "temperature": -0.38, "relhumidity": 6.98, "vappress": 2.181, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427930,48.019303] }, "properties": { "altitude": "245.0", "sensor": "09", "gpstime":"2018-06-19T20:07:59.000Z", "temperature": -0.02, "relhumidity": 6.53, "vappress": 2.801, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443200,48.019815] }, "properties": { "altitude": "244.8", "sensor": "09", "gpstime":"2018-06-19T20:08:18.000Z", "temperature": 0.34, "relhumidity": 4.52, "vappress": 2.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461000,48.020440] }, "properties": { "altitude": "240.8", "sensor": "09", "gpstime":"2018-06-19T20:08:40.000Z", "temperature": 0.34, "relhumidity": 4.21, "vappress": 2.187, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478430,48.021042] }, "properties": { "altitude": "236.3", "sensor": "09", "gpstime":"2018-06-19T20:09:01.000Z", "temperature": 0.56, "relhumidity": 4.05, "vappress": 2.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494180,48.021603] }, "properties": { "altitude": "238.5", "sensor": "09", "gpstime":"2018-06-19T20:09:20.000Z", "temperature": 0.65, "relhumidity": 4.31, "vappress": 2.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509170,48.021995] }, "properties": { "altitude": "238.7", "sensor": "09", "gpstime":"2018-06-19T20:09:38.000Z", "temperature": 0.48, "relhumidity": 4.60, "vappress": 2.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496480,48.023103] }, "properties": { "altitude": "231.1", "sensor": "09", "gpstime":"2018-06-19T20:10:04.000Z", "temperature": 0.29, "relhumidity": 5.62, "vappress": 2.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485470,48.024515] }, "properties": { "altitude": "230.9", "sensor": "09", "gpstime":"2018-06-19T20:10:29.000Z", "temperature": 0.30, "relhumidity": 6.04, "vappress": 2.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474900,48.025933] }, "properties": { "altitude": "233.4", "sensor": "09", "gpstime":"2018-06-19T20:10:53.000Z", "temperature": 0.26, "relhumidity": 4.83, "vappress": 2.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462030,48.027467] }, "properties": { "altitude": "232.6", "sensor": "09", "gpstime":"2018-06-19T20:11:20.000Z", "temperature": 0.21, "relhumidity": 4.49, "vappress": 1.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449120,48.028762] }, "properties": { "altitude": "228.2", "sensor": "09", "gpstime":"2018-06-19T20:11:44.000Z", "temperature": -0.05, "relhumidity": 5.06, "vappress": 1.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436930,48.029792] }, "properties": { "altitude": "224.5", "sensor": "09", "gpstime":"2018-06-19T20:12:03.000Z", "temperature": -0.16, "relhumidity": 5.77, "vappress": 1.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424370,48.031097] }, "properties": { "altitude": "220.4", "sensor": "09", "gpstime":"2018-06-19T20:12:28.000Z", "temperature": -0.32, "relhumidity": 8.08, "vappress": 2.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436480,48.032405] }, "properties": { "altitude": "214.7", "sensor": "09", "gpstime":"2018-06-19T20:12:58.000Z", "temperature": -1.20, "relhumidity": 12.26, "vappress": 2.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453980,48.033040] }, "properties": { "altitude": "216.6", "sensor": "09", "gpstime":"2018-06-19T20:13:18.000Z", "temperature": -1.87, "relhumidity": 15.38, "vappress": 2.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467120,48.033510] }, "properties": { "altitude": "216.0", "sensor": "09", "gpstime":"2018-06-19T20:13:34.000Z", "temperature": -2.18, "relhumidity": 18.84, "vappress": 2.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482170,48.034045] }, "properties": { "altitude": "218.4", "sensor": "09", "gpstime":"2018-06-19T20:13:54.000Z", "temperature": -2.30, "relhumidity": 19.74, "vappress": 2.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494780,48.032528] }, "properties": { "altitude": "210.7", "sensor": "09", "gpstime":"2018-06-19T20:14:25.000Z", "temperature": -1.89, "relhumidity": 15.20, "vappress": 2.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505730,48.030822] }, "properties": { "altitude": "223.0", "sensor": "09", "gpstime":"2018-06-19T20:14:58.000Z", "temperature": -1.07, "relhumidity": 11.88, "vappress": 2.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517280,48.028993] }, "properties": { "altitude": "221.9", "sensor": "09", "gpstime":"2018-06-19T20:15:32.000Z", "temperature": -0.53, "relhumidity": 10.43, "vappress": 3.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512550,48.026668] }, "properties": { "altitude": "225.4", "sensor": "09", "gpstime":"2018-06-19T20:16:16.000Z", "temperature": -0.23, "relhumidity": 8.57, "vappress": 2.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497780,48.025668] }, "properties": { "altitude": "229.1", "sensor": "09", "gpstime":"2018-06-19T20:16:44.000Z", "temperature": 0.06, "relhumidity": 8.23, "vappress": 2.999, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484280,48.024775] }, "properties": { "altitude": "232.4", "sensor": "09", "gpstime":"2018-06-19T20:17:09.000Z", "temperature": 0.11, "relhumidity": 7.52, "vappress": 2.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493580,48.023290] }, "properties": { "altitude": "233.8", "sensor": "09", "gpstime":"2018-06-19T20:17:44.000Z", "temperature": 0.23, "relhumidity": 6.62, "vappress": 2.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8506400,48.022163] }, "properties": { "altitude": "233.9", "sensor": "09", "gpstime":"2018-06-19T20:18:10.000Z", "temperature": 0.29, "relhumidity": 6.08, "vappress": 2.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519930,48.021290] }, "properties": { "altitude": "238.8", "sensor": "09", "gpstime":"2018-06-19T20:18:35.000Z", "temperature": 0.40, "relhumidity": 5.77, "vappress": 2.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532550,48.020595] }, "properties": { "altitude": "241.9", "sensor": "09", "gpstime":"2018-06-19T20:18:57.000Z", "temperature": 0.37, "relhumidity": 5.24, "vappress": 2.477, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545500,48.019790] }, "properties": { "altitude": "245.7", "sensor": "09", "gpstime":"2018-06-19T20:19:20.000Z", "temperature": 0.34, "relhumidity": 4.96, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559530,48.019245] }, "properties": { "altitude": "238.8", "sensor": "09", "gpstime":"2018-06-19T20:19:43.000Z", "temperature": 0.27, "relhumidity": 5.17, "vappress": 2.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558380,48.017123] }, "properties": { "altitude": "237.1", "sensor": "09", "gpstime":"2018-06-19T20:21:04.000Z", "temperature": 0.02, "relhumidity": 7.57, "vappress": 2.456, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572450,48.017303] }, "properties": { "altitude": "244.6", "sensor": "09", "gpstime":"2018-06-19T20:22:50.000Z", "temperature": -0.23, "relhumidity": 10.27, "vappress": 2.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587000,48.016898] }, "properties": { "altitude": "237.7", "sensor": "09", "gpstime":"2018-06-19T20:23:12.000Z", "temperature": -0.59, "relhumidity": 10.96, "vappress": 2.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578750,48.015067] }, "properties": { "altitude": "228.9", "sensor": "09", "gpstime":"2018-06-19T20:24:00.000Z", "temperature": -1.11, "relhumidity": 13.33, "vappress": 2.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565470,48.013643] }, "properties": { "altitude": "230.9", "sensor": "09", "gpstime":"2018-06-19T20:24:33.000Z", "temperature": -1.17, "relhumidity": 12.73, "vappress": 2.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554170,48.012438] }, "properties": { "altitude": "233.7", "sensor": "09", "gpstime":"2018-06-19T20:25:03.000Z", "temperature": -1.14, "relhumidity": 11.81, "vappress": 2.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568870,48.010980] }, "properties": { "altitude": "255.1", "sensor": "09", "gpstime":"2018-06-19T20:25:56.000Z", "temperature": -0.77, "relhumidity": 10.26, "vappress": 2.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583800,48.010460] }, "properties": { "altitude": "259.3", "sensor": "09", "gpstime":"2018-06-19T20:26:23.000Z", "temperature": -0.61, "relhumidity": 10.45, "vappress": 2.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596720,48.009825] }, "properties": { "altitude": "253.6", "sensor": "09", "gpstime":"2018-06-19T20:26:45.000Z", "temperature": -0.95, "relhumidity": 12.12, "vappress": 2.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597370,48.007612] }, "properties": { "altitude": "248.9", "sensor": "09", "gpstime":"2018-06-19T20:27:35.000Z", "temperature": -0.99, "relhumidity": 11.76, "vappress": 2.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593550,48.005637] }, "properties": { "altitude": "246.9", "sensor": "09", "gpstime":"2018-06-19T20:28:16.000Z", "temperature": -1.04, "relhumidity": 12.23, "vappress": 2.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597500,48.003682] }, "properties": { "altitude": "248.2", "sensor": "09", "gpstime":"2018-06-19T20:29:09.000Z", "temperature": -1.23, "relhumidity": 12.76, "vappress": 2.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607100,48.002273] }, "properties": { "altitude": "254.0", "sensor": "09", "gpstime":"2018-06-19T20:29:47.000Z", "temperature": -1.22, "relhumidity": 12.45, "vappress": 2.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624230,48.001373] }, "properties": { "altitude": "266.6", "sensor": "09", "gpstime":"2018-06-19T20:30:24.000Z", "temperature": -1.18, "relhumidity": 12.71, "vappress": 2.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609430,48.000667] }, "properties": { "altitude": "258.2", "sensor": "09", "gpstime":"2018-06-19T20:31:02.000Z", "temperature": -1.10, "relhumidity": 11.92, "vappress": 2.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8591100,48.001083] }, "properties": { "altitude": "253.2", "sensor": "09", "gpstime":"2018-06-19T20:31:24.000Z", "temperature": -1.17, "relhumidity": 12.17, "vappress": 2.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8581520,47.999607] }, "properties": { "altitude": "252.8", "sensor": "09", "gpstime":"2018-06-19T20:32:05.000Z", "temperature": -1.20, "relhumidity": 11.73, "vappress": 2.343, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585070,47.997557] }, "properties": { "altitude": "269.3", "sensor": "09", "gpstime":"2018-06-19T20:33:04.000Z", "temperature": -0.96, "relhumidity": 11.54, "vappress": 2.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8575830,47.996017] }, "properties": { "altitude": "267.6", "sensor": "09", "gpstime":"2018-06-19T20:33:43.000Z", "temperature": -0.87, "relhumidity": 11.47, "vappress": 2.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8561830,47.994617] }, "properties": { "altitude": "274.8", "sensor": "09", "gpstime":"2018-06-19T20:34:18.000Z", "temperature": -0.66, "relhumidity": 9.52, "vappress": 2.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549500,47.993480] }, "properties": { "altitude": "275.4", "sensor": "09", "gpstime":"2018-06-19T20:34:48.000Z", "temperature": -0.42, "relhumidity": 8.64, "vappress": 2.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534630,47.993860] }, "properties": { "altitude": "277.1", "sensor": "09", "gpstime":"2018-06-19T20:35:30.000Z", "temperature": -0.42, "relhumidity": 8.54, "vappress": 2.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519330,47.994278] }, "properties": { "altitude": "273.6", "sensor": "09", "gpstime":"2018-06-19T20:35:53.000Z", "temperature": -0.48, "relhumidity": 8.54, "vappress": 2.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504720,47.994555] }, "properties": { "altitude": "274.2", "sensor": "09", "gpstime":"2018-06-19T20:36:15.000Z", "temperature": -0.36, "relhumidity": 8.55, "vappress": 2.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491780,47.995137] }, "properties": { "altitude": "276.4", "sensor": "09", "gpstime":"2018-06-19T20:36:37.000Z", "temperature": -0.18, "relhumidity": 7.80, "vappress": 2.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475820,47.995257] }, "properties": { "altitude": "276.6", "sensor": "09", "gpstime":"2018-06-19T20:36:59.000Z", "temperature": -0.10, "relhumidity": 7.19, "vappress": 2.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461870,47.995373] }, "properties": { "altitude": "277.3", "sensor": "09", "gpstime":"2018-06-19T20:37:18.000Z", "temperature": -0.01, "relhumidity": 6.54, "vappress": 2.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452900,47.993807] }, "properties": { "altitude": "269.5", "sensor": "09", "gpstime":"2018-06-19T20:37:53.000Z", "temperature": -0.01, "relhumidity": 7.16, "vappress": 2.372, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439950,47.992683] }, "properties": { "altitude": "301.6", "sensor": "09", "gpstime":"2018-06-19T20:40:14.000Z", "temperature": -0.01, "relhumidity": 10.81, "vappress": 3.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426530,47.992277] }, "properties": { "altitude": "348.5", "sensor": "09", "gpstime":"2018-06-19T20:41:16.000Z", "temperature": 0.07, "relhumidity": 13.62, "vappress": 4.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440450,47.992605] }, "properties": { "altitude": "384.3", "sensor": "09", "gpstime":"2018-06-19T20:42:04.000Z", "temperature": 0.28, "relhumidity": 13.33, "vappress": 4.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452820,47.993520] }, "properties": { "altitude": "279.2", "sensor": "10", "gpstime":"2018-06-19T19:24:03.000Z", "temperature": 0.93, "relhumidity": 10.20, "vappress": 4.953, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460530,47.995248] }, "properties": { "altitude": "274.4", "sensor": "10", "gpstime":"2018-06-19T19:24:52.000Z", "temperature": 0.80, "relhumidity": 10.33, "vappress": 4.723, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450550,47.997057] }, "properties": { "altitude": "254.5", "sensor": "10", "gpstime":"2018-06-19T19:26:32.000Z", "temperature": 0.61, "relhumidity": 11.58, "vappress": 4.771, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462930,47.997870] }, "properties": { "altitude": "254.2", "sensor": "10", "gpstime":"2018-06-19T19:27:29.000Z", "temperature": 0.53, "relhumidity": 10.11, "vappress": 4.487, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477020,47.997753] }, "properties": { "altitude": "265.5", "sensor": "10", "gpstime":"2018-06-19T19:27:53.000Z", "temperature": 0.66, "relhumidity": 11.04, "vappress": 4.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490420,47.997347] }, "properties": { "altitude": "283.6", "sensor": "10", "gpstime":"2018-06-19T19:28:24.000Z", "temperature": 0.72, "relhumidity": 10.46, "vappress": 4.656, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503580,47.997745] }, "properties": { "altitude": "284.4", "sensor": "10", "gpstime":"2018-06-19T19:28:58.000Z", "temperature": 0.67, "relhumidity": 10.68, "vappress": 4.726, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517650,47.997560] }, "properties": { "altitude": "282.1", "sensor": "10", "gpstime":"2018-06-19T19:29:28.000Z", "temperature": 0.71, "relhumidity": 10.28, "vappress": 4.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531670,47.997935] }, "properties": { "altitude": "282.1", "sensor": "10", "gpstime":"2018-06-19T19:30:02.000Z", "temperature": 0.72, "relhumidity": 11.67, "vappress": 5.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546330,47.997622] }, "properties": { "altitude": "274.5", "sensor": "10", "gpstime":"2018-06-19T19:30:28.000Z", "temperature": 0.67, "relhumidity": 12.01, "vappress": 4.949, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562550,47.997553] }, "properties": { "altitude": "279.5", "sensor": "10", "gpstime":"2018-06-19T19:31:02.000Z", "temperature": 0.51, "relhumidity": 14.11, "vappress": 5.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8573880,47.998837] }, "properties": { "altitude": "270.8", "sensor": "10", "gpstime":"2018-06-19T19:31:34.000Z", "temperature": 0.19, "relhumidity": 15.27, "vappress": 5.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587780,47.998712] }, "properties": { "altitude": "268.2", "sensor": "10", "gpstime":"2018-06-19T19:31:59.000Z", "temperature": 0.08, "relhumidity": 15.77, "vappress": 5.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602800,47.999540] }, "properties": { "altitude": "266.8", "sensor": "10", "gpstime":"2018-06-19T19:32:47.000Z", "temperature": -0.05, "relhumidity": 18.00, "vappress": 5.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8621830,48.000825] }, "properties": { "altitude": "270.9", "sensor": "10", "gpstime":"2018-06-19T19:33:52.000Z", "temperature": -0.38, "relhumidity": 18.04, "vappress": 5.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633570,48.002208] }, "properties": { "altitude": "277.1", "sensor": "10", "gpstime":"2018-06-19T19:34:24.000Z", "temperature": -0.16, "relhumidity": 17.75, "vappress": 5.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643200,48.003628] }, "properties": { "altitude": "273.3", "sensor": "10", "gpstime":"2018-06-19T19:35:02.000Z", "temperature": -0.27, "relhumidity": 18.82, "vappress": 5.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660380,48.003400] }, "properties": { "altitude": "276.9", "sensor": "10", "gpstime":"2018-06-19T19:36:09.000Z", "temperature": -0.39, "relhumidity": 22.69, "vappress": 6.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674830,48.002885] }, "properties": { "altitude": "278.8", "sensor": "10", "gpstime":"2018-06-19T19:36:42.000Z", "temperature": -0.90, "relhumidity": 24.61, "vappress": 6.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690170,48.002523] }, "properties": { "altitude": "286.2", "sensor": "10", "gpstime":"2018-06-19T19:37:28.000Z", "temperature": -1.33, "relhumidity": 25.73, "vappress": 5.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8702130,48.001578] }, "properties": { "altitude": "292.8", "sensor": "10", "gpstime":"2018-06-19T19:38:28.000Z", "temperature": -1.88, "relhumidity": 27.64, "vappress": 5.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690050,48.002777] }, "properties": { "altitude": "297.9", "sensor": "10", "gpstime":"2018-06-19T19:39:38.000Z", "temperature": -2.58, "relhumidity": 28.32, "vappress": 5.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676320,48.003563] }, "properties": { "altitude": "303.5", "sensor": "10", "gpstime":"2018-06-19T19:40:10.000Z", "temperature": -2.37, "relhumidity": 25.90, "vappress": 5.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8684850,48.005320] }, "properties": { "altitude": "308.8", "sensor": "10", "gpstime":"2018-06-19T19:41:50.000Z", "temperature": -1.80, "relhumidity": 25.95, "vappress": 5.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8699680,48.005585] }, "properties": { "altitude": "302.9", "sensor": "10", "gpstime":"2018-06-19T19:43:26.000Z", "temperature": -1.95, "relhumidity": 27.41, "vappress": 5.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8713430,48.005617] }, "properties": { "altitude": "305.2", "sensor": "10", "gpstime":"2018-06-19T19:43:51.000Z", "temperature": -2.30, "relhumidity": 28.22, "vappress": 5.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8727620,48.005448] }, "properties": { "altitude": "305.5", "sensor": "10", "gpstime":"2018-06-19T19:44:19.000Z", "temperature": -2.48, "relhumidity": 29.82, "vappress": 5.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709620,48.006402] }, "properties": { "altitude": "295.6", "sensor": "10", "gpstime":"2018-06-19T19:45:53.000Z", "temperature": -3.12, "relhumidity": 30.96, "vappress": 4.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696920,48.007157] }, "properties": { "altitude": "286.6", "sensor": "10", "gpstime":"2018-06-19T19:46:12.000Z", "temperature": -3.60, "relhumidity": 31.04, "vappress": 4.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676470,48.006820] }, "properties": { "altitude": "271.7", "sensor": "10", "gpstime":"2018-06-19T19:46:38.000Z", "temperature": -3.53, "relhumidity": 31.14, "vappress": 4.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660220,48.006540] }, "properties": { "altitude": "275.0", "sensor": "10", "gpstime":"2018-06-19T19:46:52.000Z", "temperature": -3.01, "relhumidity": 30.06, "vappress": 5.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645150,48.006753] }, "properties": { "altitude": "265.9", "sensor": "10", "gpstime":"2018-06-19T19:47:25.000Z", "temperature": -2.35, "relhumidity": 28.02, "vappress": 5.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657950,48.007512] }, "properties": { "altitude": "274.5", "sensor": "10", "gpstime":"2018-06-19T19:49:17.000Z", "temperature": -1.57, "relhumidity": 26.79, "vappress": 6.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668170,48.009138] }, "properties": { "altitude": "297.1", "sensor": "10", "gpstime":"2018-06-19T19:51:48.000Z", "temperature": -1.30, "relhumidity": 20.36, "vappress": 6.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8680100,48.010208] }, "properties": { "altitude": "298.5", "sensor": "10", "gpstime":"2018-06-19T19:52:30.000Z", "temperature": -0.43, "relhumidity": 23.75, "vappress": 6.184, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8646330,48.009430] }, "properties": { "altitude": "268.2", "sensor": "10", "gpstime":"2018-06-19T19:53:47.000Z", "temperature": -1.48, "relhumidity": 23.74, "vappress": 6.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630970,48.008792] }, "properties": { "altitude": "262.1", "sensor": "10", "gpstime":"2018-06-19T19:54:17.000Z", "temperature": -0.74, "relhumidity": 22.06, "vappress": 6.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630770,48.011190] }, "properties": { "altitude": "258.1", "sensor": "10", "gpstime":"2018-06-19T19:55:14.000Z", "temperature": -0.44, "relhumidity": 22.22, "vappress": 6.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627170,48.009073] }, "properties": { "altitude": "261.0", "sensor": "10", "gpstime":"2018-06-19T19:56:47.000Z", "temperature": -0.51, "relhumidity": 21.06, "vappress": 6.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611130,48.008153] }, "properties": { "altitude": "259.2", "sensor": "10", "gpstime":"2018-06-19T19:57:30.000Z", "temperature": -0.39, "relhumidity": 22.36, "vappress": 6.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596870,48.008217] }, "properties": { "altitude": "258.1", "sensor": "10", "gpstime":"2018-06-19T19:57:57.000Z", "temperature": -0.34, "relhumidity": 22.01, "vappress": 6.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594400,48.006128] }, "properties": { "altitude": "261.5", "sensor": "10", "gpstime":"2018-06-19T19:58:46.000Z", "temperature": -0.42, "relhumidity": 23.03, "vappress": 6.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580980,48.006110] }, "properties": { "altitude": "259.6", "sensor": "10", "gpstime":"2018-06-19T19:59:07.000Z", "temperature": -0.68, "relhumidity": 23.43, "vappress": 6.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565050,48.006170] }, "properties": { "altitude": "255.8", "sensor": "10", "gpstime":"2018-06-19T19:59:32.000Z", "temperature": -0.67, "relhumidity": 22.82, "vappress": 6.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549430,48.006185] }, "properties": { "altitude": "258.7", "sensor": "10", "gpstime":"2018-06-19T20:00:59.000Z", "temperature": -0.39, "relhumidity": 21.70, "vappress": 6.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533420,48.006203] }, "properties": { "altitude": "268.5", "sensor": "10", "gpstime":"2018-06-19T20:01:25.000Z", "temperature": -0.21, "relhumidity": 22.07, "vappress": 6.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8524000,48.007820] }, "properties": { "altitude": "260.5", "sensor": "10", "gpstime":"2018-06-19T20:02:38.000Z", "temperature": 0.21, "relhumidity": 19.33, "vappress": 6.793, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505380,48.007878] }, "properties": { "altitude": "255.6", "sensor": "10", "gpstime":"2018-06-19T20:03:02.000Z", "temperature": 0.45, "relhumidity": 18.56, "vappress": 6.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488450,48.008867] }, "properties": { "altitude": "251.1", "sensor": "10", "gpstime":"2018-06-19T20:03:28.000Z", "temperature": 0.59, "relhumidity": 17.42, "vappress": 6.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475100,48.009058] }, "properties": { "altitude": "249.5", "sensor": "10", "gpstime":"2018-06-19T20:03:58.000Z", "temperature": 0.65, "relhumidity": 16.45, "vappress": 6.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459800,48.009958] }, "properties": { "altitude": "248.9", "sensor": "10", "gpstime":"2018-06-19T20:04:25.000Z", "temperature": 0.70, "relhumidity": 17.08, "vappress": 6.372, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445580,48.010993] }, "properties": { "altitude": "250.0", "sensor": "10", "gpstime":"2018-06-19T20:04:46.000Z", "temperature": 0.59, "relhumidity": 17.92, "vappress": 6.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431030,48.012082] }, "properties": { "altitude": "250.5", "sensor": "10", "gpstime":"2018-06-19T20:05:11.000Z", "temperature": 0.28, "relhumidity": 18.05, "vappress": 6.103, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417700,48.013017] }, "properties": { "altitude": "251.2", "sensor": "10", "gpstime":"2018-06-19T20:05:40.000Z", "temperature": 0.30, "relhumidity": 17.38, "vappress": 6.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402870,48.012560] }, "properties": { "altitude": "246.3", "sensor": "10", "gpstime":"2018-06-19T20:06:13.000Z", "temperature": 0.39, "relhumidity": 16.60, "vappress": 6.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390000,48.011705] }, "properties": { "altitude": "244.9", "sensor": "10", "gpstime":"2018-06-19T20:06:41.000Z", "temperature": 0.43, "relhumidity": 16.74, "vappress": 5.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383670,48.013892] }, "properties": { "altitude": "244.5", "sensor": "10", "gpstime":"2018-06-19T20:07:46.000Z", "temperature": -0.40, "relhumidity": 20.21, "vappress": 5.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370300,48.014465] }, "properties": { "altitude": "242.6", "sensor": "10", "gpstime":"2018-06-19T20:08:24.000Z", "temperature": -0.85, "relhumidity": 19.94, "vappress": 5.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356450,48.014823] }, "properties": { "altitude": "243.1", "sensor": "10", "gpstime":"2018-06-19T20:09:01.000Z", "temperature": -0.82, "relhumidity": 20.25, "vappress": 5.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8339270,48.015333] }, "properties": { "altitude": "242.5", "sensor": "10", "gpstime":"2018-06-19T20:09:26.000Z", "temperature": -1.08, "relhumidity": 20.68, "vappress": 4.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347800,48.013528] }, "properties": { "altitude": "242.9", "sensor": "10", "gpstime":"2018-06-19T20:10:12.000Z", "temperature": -0.94, "relhumidity": 20.01, "vappress": 5.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343120,48.011648] }, "properties": { "altitude": "244.7", "sensor": "10", "gpstime":"2018-06-19T20:11:06.000Z", "temperature": -0.34, "relhumidity": 19.15, "vappress": 5.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330220,48.012367] }, "properties": { "altitude": "242.3", "sensor": "10", "gpstime":"2018-06-19T20:12:02.000Z", "temperature": -0.31, "relhumidity": 19.71, "vappress": 5.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315050,48.012207] }, "properties": { "altitude": "242.5", "sensor": "10", "gpstime":"2018-06-19T20:12:33.000Z", "temperature": -0.63, "relhumidity": 20.29, "vappress": 5.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302630,48.011428] }, "properties": { "altitude": "243.7", "sensor": "10", "gpstime":"2018-06-19T20:12:57.000Z", "temperature": -0.45, "relhumidity": 20.06, "vappress": 5.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313420,48.010220] }, "properties": { "altitude": "243.4", "sensor": "10", "gpstime":"2018-06-19T20:13:41.000Z", "temperature": -0.25, "relhumidity": 18.50, "vappress": 5.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301470,48.008953] }, "properties": { "altitude": "243.7", "sensor": "10", "gpstime":"2018-06-19T20:14:16.000Z", "temperature": -0.02, "relhumidity": 18.18, "vappress": 5.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282200,48.008182] }, "properties": { "altitude": "245.7", "sensor": "10", "gpstime":"2018-06-19T20:14:54.000Z", "temperature": 0.24, "relhumidity": 16.87, "vappress": 5.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268150,48.009157] }, "properties": { "altitude": "244.6", "sensor": "10", "gpstime":"2018-06-19T20:15:18.000Z", "temperature": 0.33, "relhumidity": 16.62, "vappress": 5.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257370,48.007648] }, "properties": { "altitude": "245.7", "sensor": "10", "gpstime":"2018-06-19T20:16:12.000Z", "temperature": 0.39, "relhumidity": 15.95, "vappress": 5.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8247450,48.006082] }, "properties": { "altitude": "246.1", "sensor": "10", "gpstime":"2018-06-19T20:16:53.000Z", "temperature": 0.31, "relhumidity": 17.41, "vappress": 5.659, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8263080,48.005328] }, "properties": { "altitude": "251.5", "sensor": "10", "gpstime":"2018-06-19T20:17:52.000Z", "temperature": 0.17, "relhumidity": 18.16, "vappress": 5.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277180,48.004858] }, "properties": { "altitude": "256.8", "sensor": "10", "gpstime":"2018-06-19T20:18:17.000Z", "temperature": 0.23, "relhumidity": 16.45, "vappress": 5.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290670,48.004343] }, "properties": { "altitude": "259.6", "sensor": "10", "gpstime":"2018-06-19T20:18:41.000Z", "temperature": 0.38, "relhumidity": 16.09, "vappress": 5.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306830,48.003733] }, "properties": { "altitude": "256.4", "sensor": "10", "gpstime":"2018-06-19T20:19:14.000Z", "temperature": 0.36, "relhumidity": 18.02, "vappress": 5.922, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292380,48.003592] }, "properties": { "altitude": "250.5", "sensor": "10", "gpstime":"2018-06-19T20:19:54.000Z", "temperature": -0.06, "relhumidity": 18.73, "vappress": 5.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276170,48.002408] }, "properties": { "altitude": "246.8", "sensor": "10", "gpstime":"2018-06-19T20:20:26.000Z", "temperature": -0.94, "relhumidity": 20.69, "vappress": 4.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264050,48.001540] }, "properties": { "altitude": "246.7", "sensor": "10", "gpstime":"2018-06-19T20:20:53.000Z", "temperature": -1.14, "relhumidity": 20.49, "vappress": 4.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278130,48.001238] }, "properties": { "altitude": "251.6", "sensor": "10", "gpstime":"2018-06-19T20:21:29.000Z", "temperature": -0.89, "relhumidity": 20.43, "vappress": 5.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291600,48.000897] }, "properties": { "altitude": "252.6", "sensor": "10", "gpstime":"2018-06-19T20:21:48.000Z", "temperature": -0.92, "relhumidity": 20.71, "vappress": 4.976, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307980,48.000308] }, "properties": { "altitude": "250.5", "sensor": "10", "gpstime":"2018-06-19T20:22:15.000Z", "temperature": -1.11, "relhumidity": 20.65, "vappress": 4.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324280,47.999715] }, "properties": { "altitude": "253.1", "sensor": "10", "gpstime":"2018-06-19T20:22:42.000Z", "temperature": -0.95, "relhumidity": 20.29, "vappress": 5.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340620,47.999120] }, "properties": { "altitude": "258.3", "sensor": "10", "gpstime":"2018-06-19T20:23:11.000Z", "temperature": -0.41, "relhumidity": 19.87, "vappress": 5.777, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353770,47.998510] }, "properties": { "altitude": "259.3", "sensor": "10", "gpstime":"2018-06-19T20:23:39.000Z", "temperature": -0.19, "relhumidity": 19.63, "vappress": 5.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347830,47.996638] }, "properties": { "altitude": "259.0", "sensor": "10", "gpstime":"2018-06-19T20:24:28.000Z", "temperature": 0.37, "relhumidity": 17.66, "vappress": 6.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336250,47.995112] }, "properties": { "altitude": "253.7", "sensor": "10", "gpstime":"2018-06-19T20:25:02.000Z", "temperature": 0.74, "relhumidity": 17.20, "vappress": 6.424, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341280,47.993023] }, "properties": { "altitude": "255.2", "sensor": "10", "gpstime":"2018-06-19T20:25:59.000Z", "temperature": 0.62, "relhumidity": 18.65, "vappress": 6.244, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8359020,47.992297] }, "properties": { "altitude": "258.7", "sensor": "10", "gpstime":"2018-06-19T20:26:27.000Z", "temperature": 0.13, "relhumidity": 19.81, "vappress": 5.860, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376780,47.991937] }, "properties": { "altitude": "257.9", "sensor": "10", "gpstime":"2018-06-19T20:26:51.000Z", "temperature": -0.46, "relhumidity": 20.72, "vappress": 5.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391450,47.992933] }, "properties": { "altitude": "266.5", "sensor": "10", "gpstime":"2018-06-19T20:28:56.000Z", "temperature": -0.42, "relhumidity": 19.62, "vappress": 5.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407680,47.992425] }, "properties": { "altitude": "255.9", "sensor": "10", "gpstime":"2018-06-19T20:29:18.000Z", "temperature": -0.06, "relhumidity": 19.61, "vappress": 5.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425000,47.991817] }, "properties": { "altitude": "246.4", "sensor": "10", "gpstime":"2018-06-19T20:29:43.000Z", "temperature": -0.14, "relhumidity": 19.49, "vappress": 5.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441520,47.991355] }, "properties": { "altitude": "239.0", "sensor": "10", "gpstime":"2018-06-19T20:30:07.000Z", "temperature": -0.20, "relhumidity": 19.39, "vappress": 5.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454120,47.991893] }, "properties": { "altitude": "263.4", "sensor": "10", "gpstime":"2018-06-19T20:30:53.000Z", "temperature": 0.02, "relhumidity": 18.87, "vappress": 5.872, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450500,47.992163] }, "properties": { "altitude": "276.0", "sensor": "11", "gpstime":"2018-06-19T19:23:51.000Z", "temperature": 0.39, "relhumidity": -1.22, "vappress": 0.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443000,47.990363] }, "properties": { "altitude": "275.6", "sensor": "11", "gpstime":"2018-06-19T19:26:16.000Z", "temperature": 0.43, "relhumidity": -2.28, "vappress": 0.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430680,47.989473] }, "properties": { "altitude": "273.0", "sensor": "11", "gpstime":"2018-06-19T19:26:48.000Z", "temperature": 0.40, "relhumidity": -2.29, "vappress": 0.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422930,47.987620] }, "properties": { "altitude": "273.2", "sensor": "11", "gpstime":"2018-06-19T19:27:45.000Z", "temperature": 0.43, "relhumidity": -2.37, "vappress": 0.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433930,47.986323] }, "properties": { "altitude": "274.6", "sensor": "11", "gpstime":"2018-06-19T19:28:37.000Z", "temperature": 0.35, "relhumidity": -1.73, "vappress": 0.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448170,47.986217] }, "properties": { "altitude": "275.8", "sensor": "11", "gpstime":"2018-06-19T19:29:01.000Z", "temperature": 0.28, "relhumidity": -2.02, "vappress": 0.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464920,47.986103] }, "properties": { "altitude": "277.0", "sensor": "11", "gpstime":"2018-06-19T19:29:31.000Z", "temperature": 0.38, "relhumidity": -2.22, "vappress": 0.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474480,47.984388] }, "properties": { "altitude": "276.2", "sensor": "11", "gpstime":"2018-06-19T19:30:28.000Z", "temperature": 0.49, "relhumidity": -1.62, "vappress": 0.609, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477220,47.982328] }, "properties": { "altitude": "275.5", "sensor": "11", "gpstime":"2018-06-19T19:31:22.000Z", "temperature": -0.29, "relhumidity": 2.30, "vappress": 0.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479000,47.980258] }, "properties": { "altitude": "284.8", "sensor": "11", "gpstime":"2018-06-19T19:32:47.000Z", "temperature": -1.27, "relhumidity": 7.06, "vappress": 0.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471770,47.978548] }, "properties": { "altitude": "286.9", "sensor": "11", "gpstime":"2018-06-19T19:33:41.000Z", "temperature": -1.99, "relhumidity": 10.39, "vappress": 0.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462030,47.977060] }, "properties": { "altitude": "288.2", "sensor": "11", "gpstime":"2018-06-19T19:34:28.000Z", "temperature": -2.94, "relhumidity": 14.55, "vappress": 1.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460620,47.974960] }, "properties": { "altitude": "294.0", "sensor": "11", "gpstime":"2018-06-19T19:35:46.000Z", "temperature": -3.51, "relhumidity": 16.56, "vappress": 0.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445870,47.974700] }, "properties": { "altitude": "291.9", "sensor": "11", "gpstime":"2018-06-19T19:36:18.000Z", "temperature": -3.78, "relhumidity": 17.45, "vappress": 0.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436450,47.972912] }, "properties": { "altitude": "291.9", "sensor": "11", "gpstime":"2018-06-19T19:37:18.000Z", "temperature": -3.82, "relhumidity": 20.68, "vappress": 1.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447180,47.971385] }, "properties": { "altitude": "301.5", "sensor": "11", "gpstime":"2018-06-19T19:38:23.000Z", "temperature": -3.88, "relhumidity": 19.89, "vappress": 1.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460250,47.970563] }, "properties": { "altitude": "302.2", "sensor": "11", "gpstime":"2018-06-19T19:39:03.000Z", "temperature": -3.71, "relhumidity": 19.02, "vappress": 1.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473030,47.969808] }, "properties": { "altitude": "304.5", "sensor": "11", "gpstime":"2018-06-19T19:39:41.000Z", "temperature": -3.56, "relhumidity": 18.43, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486530,47.969200] }, "properties": { "altitude": "305.5", "sensor": "11", "gpstime":"2018-06-19T19:40:17.000Z", "temperature": -3.55, "relhumidity": 16.23, "vappress": 0.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499900,47.968282] }, "properties": { "altitude": "309.1", "sensor": "11", "gpstime":"2018-06-19T19:41:01.000Z", "temperature": -3.48, "relhumidity": 15.84, "vappress": 1.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512770,47.967285] }, "properties": { "altitude": "312.1", "sensor": "11", "gpstime":"2018-06-19T19:41:47.000Z", "temperature": -3.43, "relhumidity": 16.50, "vappress": 1.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527630,47.966695] }, "properties": { "altitude": "314.3", "sensor": "11", "gpstime":"2018-06-19T19:42:30.000Z", "temperature": -3.58, "relhumidity": 16.43, "vappress": 0.982, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541020,47.967707] }, "properties": { "altitude": "320.1", "sensor": "11", "gpstime":"2018-06-19T19:43:37.000Z", "temperature": -3.31, "relhumidity": 15.40, "vappress": 1.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554450,47.967677] }, "properties": { "altitude": "325.8", "sensor": "11", "gpstime":"2018-06-19T19:44:28.000Z", "temperature": -2.97, "relhumidity": 15.52, "vappress": 1.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568100,47.967078] }, "properties": { "altitude": "328.1", "sensor": "11", "gpstime":"2018-06-19T19:45:28.000Z", "temperature": -2.95, "relhumidity": 15.03, "vappress": 1.394, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580830,47.966342] }, "properties": { "altitude": "333.9", "sensor": "11", "gpstime":"2018-06-19T19:46:11.000Z", "temperature": -2.87, "relhumidity": 13.88, "vappress": 1.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593950,47.965552] }, "properties": { "altitude": "343.2", "sensor": "11", "gpstime":"2018-06-19T19:47:33.000Z", "temperature": -2.76, "relhumidity": 12.95, "vappress": 1.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607320,47.965123] }, "properties": { "altitude": "352.4", "sensor": "11", "gpstime":"2018-06-19T19:48:41.000Z", "temperature": -2.88, "relhumidity": 14.39, "vappress": 1.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614250,47.963265] }, "properties": { "altitude": "342.2", "sensor": "11", "gpstime":"2018-06-19T19:50:10.000Z", "temperature": -3.36, "relhumidity": 17.14, "vappress": 1.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622280,47.961602] }, "properties": { "altitude": "340.8", "sensor": "11", "gpstime":"2018-06-19T19:51:01.000Z", "temperature": -3.36, "relhumidity": 15.72, "vappress": 1.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633570,47.960272] }, "properties": { "altitude": "346.7", "sensor": "11", "gpstime":"2018-06-19T19:52:04.000Z", "temperature": -3.33, "relhumidity": 16.71, "vappress": 1.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636870,47.958325] }, "properties": { "altitude": "354.9", "sensor": "11", "gpstime":"2018-06-19T19:53:31.000Z", "temperature": -3.61, "relhumidity": 16.95, "vappress": 0.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637900,47.956303] }, "properties": { "altitude": "365.1", "sensor": "11", "gpstime":"2018-06-19T19:55:00.000Z", "temperature": -4.14, "relhumidity": 19.56, "vappress": 0.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645630,47.954483] }, "properties": { "altitude": "372.6", "sensor": "11", "gpstime":"2018-06-19T19:56:31.000Z", "temperature": -4.77, "relhumidity": 22.38, "vappress": 0.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647570,47.952378] }, "properties": { "altitude": "376.7", "sensor": "11", "gpstime":"2018-06-19T19:58:04.000Z", "temperature": -5.07, "relhumidity": 23.29, "vappress": 0.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654320,47.950640] }, "properties": { "altitude": "382.8", "sensor": "11", "gpstime":"2018-06-19T19:59:31.000Z", "temperature": -5.59, "relhumidity": 25.87, "vappress": 0.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647420,47.952698] }, "properties": { "altitude": "374.9", "sensor": "11", "gpstime":"2018-06-19T20:00:15.000Z", "temperature": -5.87, "relhumidity": 26.62, "vappress": 0.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8642870,47.954743] }, "properties": { "altitude": "367.5", "sensor": "11", "gpstime":"2018-06-19T20:00:44.000Z", "temperature": -5.69, "relhumidity": 26.60, "vappress": 0.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637220,47.956980] }, "properties": { "altitude": "355.6", "sensor": "11", "gpstime":"2018-06-19T20:01:20.000Z", "temperature": -5.60, "relhumidity": 26.42, "vappress": 1.141, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638070,47.958983] }, "properties": { "altitude": "349.8", "sensor": "11", "gpstime":"2018-06-19T20:01:52.000Z", "temperature": -4.95, "relhumidity": 24.90, "vappress": 1.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650250,47.959980] }, "properties": { "altitude": "360.1", "sensor": "11", "gpstime":"2018-06-19T20:03:17.000Z", "temperature": -4.60, "relhumidity": 22.90, "vappress": 1.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638470,47.961122] }, "properties": { "altitude": "350.9", "sensor": "11", "gpstime":"2018-06-19T20:03:56.000Z", "temperature": -4.30, "relhumidity": 21.47, "vappress": 1.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626880,47.962643] }, "properties": { "altitude": "347.4", "sensor": "11", "gpstime":"2018-06-19T20:04:23.000Z", "temperature": -3.76, "relhumidity": 18.77, "vappress": 1.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611380,47.962923] }, "properties": { "altitude": "339.9", "sensor": "11", "gpstime":"2018-06-19T20:04:50.000Z", "temperature": -3.49, "relhumidity": 18.29, "vappress": 1.442, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597120,47.963392] }, "properties": { "altitude": "331.0", "sensor": "11", "gpstime":"2018-06-19T20:05:07.000Z", "temperature": -3.35, "relhumidity": 16.91, "vappress": 1.273, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582550,47.964507] }, "properties": { "altitude": "326.8", "sensor": "11", "gpstime":"2018-06-19T20:05:38.000Z", "temperature": -3.48, "relhumidity": 16.64, "vappress": 0.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564830,47.965608] }, "properties": { "altitude": "321.3", "sensor": "11", "gpstime":"2018-06-19T20:06:08.000Z", "temperature": -3.29, "relhumidity": 15.57, "vappress": 1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551150,47.966078] }, "properties": { "altitude": "323.4", "sensor": "11", "gpstime":"2018-06-19T20:06:36.000Z", "temperature": -3.02, "relhumidity": 14.60, "vappress": 1.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536200,47.966665] }, "properties": { "altitude": "320.6", "sensor": "11", "gpstime":"2018-06-19T20:07:06.000Z", "temperature": -2.98, "relhumidity": 14.14, "vappress": 1.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520580,47.967032] }, "properties": { "altitude": "316.1", "sensor": "11", "gpstime":"2018-06-19T20:07:33.000Z", "temperature": -2.86, "relhumidity": 13.72, "vappress": 0.961, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503900,47.968157] }, "properties": { "altitude": "310.8", "sensor": "11", "gpstime":"2018-06-19T20:08:00.000Z", "temperature": -3.04, "relhumidity": 14.63, "vappress": 0.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491420,47.969728] }, "properties": { "altitude": "305.7", "sensor": "11", "gpstime":"2018-06-19T20:08:29.000Z", "temperature": -2.97, "relhumidity": 13.47, "vappress": 0.817, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480380,47.971405] }, "properties": { "altitude": "302.0", "sensor": "11", "gpstime":"2018-06-19T20:08:59.000Z", "temperature": -2.88, "relhumidity": 13.58, "vappress": 0.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473880,47.973295] }, "properties": { "altitude": "298.8", "sensor": "11", "gpstime":"2018-06-19T20:09:31.000Z", "temperature": -3.33, "relhumidity": 14.91, "vappress": 0.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474030,47.975428] }, "properties": { "altitude": "295.1", "sensor": "11", "gpstime":"2018-06-19T20:10:15.000Z", "temperature": -3.31, "relhumidity": 15.86, "vappress": 1.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477170,47.977547] }, "properties": { "altitude": "291.5", "sensor": "11", "gpstime":"2018-06-19T20:10:55.000Z", "temperature": -3.13, "relhumidity": 16.72, "vappress": 1.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475630,47.979535] }, "properties": { "altitude": "285.1", "sensor": "11", "gpstime":"2018-06-19T20:11:33.000Z", "temperature": -3.36, "relhumidity": 16.84, "vappress": 1.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459500,47.980622] }, "properties": { "altitude": "278.2", "sensor": "11", "gpstime":"2018-06-19T20:11:57.000Z", "temperature": -3.22, "relhumidity": 16.23, "vappress": 1.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443280,47.981440] }, "properties": { "altitude": "276.2", "sensor": "11", "gpstime":"2018-06-19T20:12:28.000Z", "temperature": -2.83, "relhumidity": 14.23, "vappress": 1.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429880,47.981657] }, "properties": { "altitude": "274.4", "sensor": "11", "gpstime":"2018-06-19T20:12:53.000Z", "temperature": -2.42, "relhumidity": 12.86, "vappress": 1.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413930,47.982263] }, "properties": { "altitude": "275.0", "sensor": "11", "gpstime":"2018-06-19T20:13:31.000Z", "temperature": -2.21, "relhumidity": 10.81, "vappress": 1.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408870,47.984460] }, "properties": { "altitude": "272.8", "sensor": "11", "gpstime":"2018-06-19T20:14:24.000Z", "temperature": -2.01, "relhumidity": 10.43, "vappress": 1.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423620,47.984747] }, "properties": { "altitude": "270.1", "sensor": "11", "gpstime":"2018-06-19T20:14:52.000Z", "temperature": -1.85, "relhumidity": 9.25, "vappress": 1.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438100,47.984750] }, "properties": { "altitude": "273.5", "sensor": "11", "gpstime":"2018-06-19T20:15:17.000Z", "temperature": -1.67, "relhumidity": 9.10, "vappress": 1.175, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442170,47.986727] }, "properties": { "altitude": "277.6", "sensor": "11", "gpstime":"2018-06-19T20:16:17.000Z", "temperature": -1.61, "relhumidity": 8.18, "vappress": 1.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445070,47.988787] }, "properties": { "altitude": "278.3", "sensor": "11", "gpstime":"2018-06-19T20:17:29.000Z", "temperature": -1.28, "relhumidity": 6.64, "vappress": 1.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450050,47.990760] }, "properties": { "altitude": "272.7", "sensor": "11", "gpstime":"2018-06-19T20:19:17.000Z", "temperature": -1.02, "relhumidity": 5.13, "vappress": 1.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453330,47.992860] }, "properties": { "altitude": "274.1", "sensor": "11", "gpstime":"2018-06-19T20:20:46.000Z", "temperature": -0.70, "relhumidity": 3.15, "vappress": 1.040, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452180,47.993492] }, "properties": { "altitude": "272.9", "sensor": "11", "gpstime":"2018-06-19T20:21:10.000Z", "temperature": -0.35, "relhumidity": 2.58, "vappress": 0.906, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450800,47.991642] }, "properties": { "altitude": "222.3", "sensor": "12", "gpstime":"2018-06-19T20:47:14.000Z", "temperature": 0.65, "relhumidity": 7.92, "vappress": 3.488, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450800,47.991642] }, "properties": { "altitude": "222.3", "sensor": "12", "gpstime":"2018-06-19T20:47:14.000Z", "temperature": 0.58, "relhumidity": 8.77, "vappress": 3.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452820,47.991975] }, "properties": { "altitude": "274.2", "sensor": "13", "gpstime":"2018-06-19T19:24:11.000Z", "temperature": 0.91, "relhumidity": -3.64, "vappress": 0.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443770,47.990453] }, "properties": { "altitude": "267.6", "sensor": "13", "gpstime":"2018-06-19T19:24:54.000Z", "temperature": 0.72, "relhumidity": -2.65, "vappress": 0.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461300,47.989840] }, "properties": { "altitude": "265.1", "sensor": "13", "gpstime":"2018-06-19T19:25:45.000Z", "temperature": 0.52, "relhumidity": -2.81, "vappress": 0.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475220,47.989632] }, "properties": { "altitude": "262.8", "sensor": "13", "gpstime":"2018-06-19T19:26:09.000Z", "temperature": 0.41, "relhumidity": -3.03, "vappress": 0.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490130,47.989868] }, "properties": { "altitude": "267.2", "sensor": "13", "gpstime":"2018-06-19T19:26:50.000Z", "temperature": 0.34, "relhumidity": -2.74, "vappress": 0.161, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508550,47.989960] }, "properties": { "altitude": "266.3", "sensor": "13", "gpstime":"2018-06-19T19:27:26.000Z", "temperature": 0.38, "relhumidity": -2.86, "vappress": 0.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522380,47.990655] }, "properties": { "altitude": "271.4", "sensor": "13", "gpstime":"2018-06-19T19:28:12.000Z", "temperature": 0.31, "relhumidity": -1.90, "vappress": 0.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536180,47.991047] }, "properties": { "altitude": "273.5", "sensor": "13", "gpstime":"2018-06-19T19:28:47.000Z", "temperature": 0.50, "relhumidity": -2.37, "vappress": 0.486, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545270,47.992575] }, "properties": { "altitude": "290.9", "sensor": "13", "gpstime":"2018-06-19T19:30:23.000Z", "temperature": 0.59, "relhumidity": -2.55, "vappress": 0.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556930,47.993798] }, "properties": { "altitude": "280.5", "sensor": "13", "gpstime":"2018-06-19T19:30:53.000Z", "temperature": 0.57, "relhumidity": -2.17, "vappress": 0.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569520,47.995118] }, "properties": { "altitude": "269.6", "sensor": "13", "gpstime":"2018-06-19T19:31:17.000Z", "temperature": 0.35, "relhumidity": -1.62, "vappress": 0.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8581480,47.996292] }, "properties": { "altitude": "264.7", "sensor": "13", "gpstime":"2018-06-19T19:31:41.000Z", "temperature": -0.08, "relhumidity": 1.62, "vappress": 0.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8591780,47.998450] }, "properties": { "altitude": "258.5", "sensor": "13", "gpstime":"2018-06-19T19:32:23.000Z", "temperature": -0.47, "relhumidity": 1.17, "vappress": 0.574, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578620,47.999045] }, "properties": { "altitude": "266.6", "sensor": "13", "gpstime":"2018-06-19T19:32:43.000Z", "temperature": -0.37, "relhumidity": 0.96, "vappress": 0.514, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8561270,47.999322] }, "properties": { "altitude": "265.8", "sensor": "13", "gpstime":"2018-06-19T19:33:15.000Z", "temperature": -0.37, "relhumidity": 0.58, "vappress": 0.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545070,47.999890] }, "properties": { "altitude": "262.7", "sensor": "13", "gpstime":"2018-06-19T19:33:41.000Z", "temperature": -0.15, "relhumidity": -0.41, "vappress": 0.387, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8561650,48.000543] }, "properties": { "altitude": "264.5", "sensor": "13", "gpstime":"2018-06-19T19:34:41.000Z", "temperature": 0.06, "relhumidity": -0.86, "vappress": 0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547400,48.002123] }, "properties": { "altitude": "260.2", "sensor": "13", "gpstime":"2018-06-19T19:35:30.000Z", "temperature": -0.12, "relhumidity": -0.49, "vappress": 0.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562020,48.003247] }, "properties": { "altitude": "252.9", "sensor": "13", "gpstime":"2018-06-19T19:36:15.000Z", "temperature": 0.07, "relhumidity": -0.59, "vappress": 0.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572450,48.004865] }, "properties": { "altitude": "258.3", "sensor": "13", "gpstime":"2018-06-19T19:36:58.000Z", "temperature": 0.09, "relhumidity": -0.39, "vappress": 0.571, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585130,48.006038] }, "properties": { "altitude": "261.2", "sensor": "13", "gpstime":"2018-06-19T19:37:36.000Z", "temperature": -0.11, "relhumidity": 0.58, "vappress": 0.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596050,48.004477] }, "properties": { "altitude": "249.4", "sensor": "13", "gpstime":"2018-06-19T19:38:25.000Z", "temperature": -0.39, "relhumidity": 2.42, "vappress": 0.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611170,48.004780] }, "properties": { "altitude": "254.3", "sensor": "13", "gpstime":"2018-06-19T19:38:51.000Z", "temperature": -0.58, "relhumidity": 2.81, "vappress": 0.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636970,48.004257] }, "properties": { "altitude": "271.9", "sensor": "13", "gpstime":"2018-06-19T19:39:38.000Z", "temperature": -0.58, "relhumidity": 0.99, "vappress": 0.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645900,48.005962] }, "properties": { "altitude": "271.0", "sensor": "13", "gpstime":"2018-06-19T19:40:52.000Z", "temperature": -0.40, "relhumidity": 0.78, "vappress": 0.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660780,48.006535] }, "properties": { "altitude": "274.7", "sensor": "13", "gpstime":"2018-06-19T19:41:34.000Z", "temperature": -0.38, "relhumidity": 2.63, "vappress": 0.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650850,48.007878] }, "properties": { "altitude": "285.8", "sensor": "13", "gpstime":"2018-06-19T19:43:32.000Z", "temperature": -1.22, "relhumidity": 8.11, "vappress": 1.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662170,48.009008] }, "properties": { "altitude": "295.8", "sensor": "13", "gpstime":"2018-06-19T19:44:56.000Z", "temperature": -1.37, "relhumidity": 1.49, "vappress": 0.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675550,48.009515] }, "properties": { "altitude": "298.8", "sensor": "13", "gpstime":"2018-06-19T19:46:28.000Z", "temperature": -0.67, "relhumidity": -0.20, "vappress": 0.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663500,48.011170] }, "properties": { "altitude": "283.5", "sensor": "13", "gpstime":"2018-06-19T19:47:18.000Z", "temperature": -1.20, "relhumidity": 8.38, "vappress": 1.008, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647780,48.012182] }, "properties": { "altitude": "272.4", "sensor": "13", "gpstime":"2018-06-19T19:47:43.000Z", "temperature": -1.66, "relhumidity": 7.68, "vappress": 0.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654350,48.014385] }, "properties": { "altitude": "266.7", "sensor": "13", "gpstime":"2018-06-19T19:48:20.000Z", "temperature": -1.47, "relhumidity": 10.87, "vappress": 1.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650800,48.016387] }, "properties": { "altitude": "287.4", "sensor": "13", "gpstime":"2018-06-19T19:49:32.000Z", "temperature": -1.87, "relhumidity": 7.88, "vappress": 0.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639730,48.017558] }, "properties": { "altitude": "277.9", "sensor": "13", "gpstime":"2018-06-19T19:50:20.000Z", "temperature": -1.60, "relhumidity": 5.38, "vappress": 0.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8656100,48.017867] }, "properties": { "altitude": "277.4", "sensor": "13", "gpstime":"2018-06-19T19:51:03.000Z", "temperature": -1.17, "relhumidity": 4.66, "vappress": 0.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8665420,48.019367] }, "properties": { "altitude": "265.4", "sensor": "13", "gpstime":"2018-06-19T19:51:36.000Z", "temperature": -1.32, "relhumidity": 7.51, "vappress": 0.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668270,48.021907] }, "properties": { "altitude": "261.5", "sensor": "13", "gpstime":"2018-06-19T19:52:22.000Z", "temperature": -1.50, "relhumidity": 9.01, "vappress": 1.394, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8649530,48.022245] }, "properties": { "altitude": "247.4", "sensor": "13", "gpstime":"2018-06-19T19:52:41.000Z", "temperature": -1.66, "relhumidity": 10.33, "vappress": 1.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636070,48.022933] }, "properties": { "altitude": "239.7", "sensor": "13", "gpstime":"2018-06-19T19:53:03.000Z", "temperature": -1.55, "relhumidity": 8.48, "vappress": 1.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618520,48.022923] }, "properties": { "altitude": "238.0", "sensor": "13", "gpstime":"2018-06-19T19:53:29.000Z", "temperature": -1.32, "relhumidity": 6.98, "vappress": 1.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8625030,48.024798] }, "properties": { "altitude": "249.6", "sensor": "13", "gpstime":"2018-06-19T19:55:11.000Z", "temperature": -0.97, "relhumidity": 4.51, "vappress": 1.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638600,48.025655] }, "properties": { "altitude": "245.4", "sensor": "13", "gpstime":"2018-06-19T19:56:46.000Z", "temperature": -0.83, "relhumidity": 4.32, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624920,48.026342] }, "properties": { "altitude": "245.7", "sensor": "13", "gpstime":"2018-06-19T19:57:18.000Z", "temperature": -0.91, "relhumidity": 4.46, "vappress": 0.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611030,48.026497] }, "properties": { "altitude": "238.8", "sensor": "13", "gpstime":"2018-06-19T19:57:35.000Z", "temperature": -0.77, "relhumidity": 4.69, "vappress": 1.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602370,48.024852] }, "properties": { "altitude": "234.2", "sensor": "13", "gpstime":"2018-06-19T19:58:23.000Z", "temperature": -0.62, "relhumidity": 2.67, "vappress": 0.818, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590770,48.023445] }, "properties": { "altitude": "235.9", "sensor": "13", "gpstime":"2018-06-19T19:59:01.000Z", "temperature": -0.31, "relhumidity": 2.27, "vappress": 0.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580150,48.021745] }, "properties": { "altitude": "236.3", "sensor": "13", "gpstime":"2018-06-19T20:00:02.000Z", "temperature": -0.11, "relhumidity": 1.02, "vappress": 0.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8567150,48.021168] }, "properties": { "altitude": "238.2", "sensor": "13", "gpstime":"2018-06-19T20:00:45.000Z", "temperature": -0.03, "relhumidity": 1.32, "vappress": 1.041, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554920,48.020122] }, "properties": { "altitude": "232.5", "sensor": "13", "gpstime":"2018-06-19T20:01:28.000Z", "temperature": 0.03, "relhumidity": 1.59, "vappress": 1.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566170,48.019038] }, "properties": { "altitude": "241.6", "sensor": "13", "gpstime":"2018-06-19T20:02:13.000Z", "temperature": -0.11, "relhumidity": 0.52, "vappress": 0.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559150,48.017198] }, "properties": { "altitude": "239.4", "sensor": "13", "gpstime":"2018-06-19T20:02:56.000Z", "temperature": -0.11, "relhumidity": 0.45, "vappress": 0.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543780,48.017028] }, "properties": { "altitude": "244.1", "sensor": "13", "gpstime":"2018-06-19T20:03:33.000Z", "temperature": 0.01, "relhumidity": 0.25, "vappress": 0.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540330,48.014837] }, "properties": { "altitude": "242.4", "sensor": "13", "gpstime":"2018-06-19T20:04:41.000Z", "temperature": -0.13, "relhumidity": 0.02, "vappress": 0.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544750,48.012822] }, "properties": { "altitude": "255.3", "sensor": "13", "gpstime":"2018-06-19T20:06:51.000Z", "temperature": 0.20, "relhumidity": -1.58, "vappress": 0.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556030,48.011468] }, "properties": { "altitude": "251.6", "sensor": "13", "gpstime":"2018-06-19T20:09:13.000Z", "temperature": 0.46, "relhumidity": -3.13, "vappress": 0.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570830,48.010968] }, "properties": { "altitude": "251.6", "sensor": "13", "gpstime":"2018-06-19T20:09:36.000Z", "temperature": 0.36, "relhumidity": -2.26, "vappress": 0.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8585430,48.011560] }, "properties": { "altitude": "246.4", "sensor": "13", "gpstime":"2018-06-19T20:10:06.000Z", "temperature": -0.02, "relhumidity": -0.36, "vappress": 0.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598820,48.011667] }, "properties": { "altitude": "242.8", "sensor": "13", "gpstime":"2018-06-19T20:10:33.000Z", "temperature": -0.46, "relhumidity": 1.61, "vappress": 0.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613450,48.010690] }, "properties": { "altitude": "244.8", "sensor": "13", "gpstime":"2018-06-19T20:11:03.000Z", "temperature": -0.49, "relhumidity": 1.29, "vappress": 0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626370,48.011230] }, "properties": { "altitude": "245.1", "sensor": "13", "gpstime":"2018-06-19T20:11:28.000Z", "temperature": -0.58, "relhumidity": 1.59, "vappress": 0.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8626520,48.009098] }, "properties": { "altitude": "248.0", "sensor": "13", "gpstime":"2018-06-19T20:12:26.000Z", "temperature": -0.64, "relhumidity": 2.88, "vappress": 0.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611120,48.008793] }, "properties": { "altitude": "245.0", "sensor": "13", "gpstime":"2018-06-19T20:13:03.000Z", "temperature": -0.83, "relhumidity": 3.51, "vappress": 0.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597900,48.009113] }, "properties": { "altitude": "245.4", "sensor": "13", "gpstime":"2018-06-19T20:13:20.000Z", "temperature": -0.95, "relhumidity": 3.51, "vappress": 0.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587630,48.007568] }, "properties": { "altitude": "247.0", "sensor": "13", "gpstime":"2018-06-19T20:14:10.000Z", "temperature": -0.95, "relhumidity": 4.21, "vappress": 0.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572370,48.007402] }, "properties": { "altitude": "246.8", "sensor": "13", "gpstime":"2018-06-19T20:14:31.000Z", "temperature": -0.93, "relhumidity": 4.31, "vappress": 0.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553530,48.007402] }, "properties": { "altitude": "253.8", "sensor": "13", "gpstime":"2018-06-19T20:14:56.000Z", "temperature": -0.69, "relhumidity": 2.92, "vappress": 0.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540530,48.006235] }, "properties": { "altitude": "256.0", "sensor": "13", "gpstime":"2018-06-19T20:16:14.000Z", "temperature": -0.33, "relhumidity": 0.90, "vappress": 0.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8528130,48.005478] }, "properties": { "altitude": "258.8", "sensor": "13", "gpstime":"2018-06-19T20:16:47.000Z", "temperature": -0.29, "relhumidity": 0.50, "vappress": 0.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523100,48.003617] }, "properties": { "altitude": "256.2", "sensor": "13", "gpstime":"2018-06-19T20:17:35.000Z", "temperature": -0.01, "relhumidity": -1.63, "vappress": 0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515350,48.001773] }, "properties": { "altitude": "260.0", "sensor": "13", "gpstime":"2018-06-19T20:18:22.000Z", "temperature": 0.27, "relhumidity": -2.88, "vappress": 0.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501480,48.000802] }, "properties": { "altitude": "262.9", "sensor": "13", "gpstime":"2018-06-19T20:19:11.000Z", "temperature": 0.40, "relhumidity": -3.63, "vappress": 0.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487880,48.001053] }, "properties": { "altitude": "259.5", "sensor": "13", "gpstime":"2018-06-19T20:19:32.000Z", "temperature": 0.41, "relhumidity": -3.14, "vappress": 0.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472900,48.001318] }, "properties": { "altitude": "258.9", "sensor": "13", "gpstime":"2018-06-19T20:19:53.000Z", "temperature": 0.46, "relhumidity": -3.14, "vappress": 0.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458650,48.001718] }, "properties": { "altitude": "261.3", "sensor": "13", "gpstime":"2018-06-19T20:20:16.000Z", "temperature": 0.49, "relhumidity": -2.71, "vappress": 0.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446150,48.000278] }, "properties": { "altitude": "266.0", "sensor": "13", "gpstime":"2018-06-19T20:20:54.000Z", "temperature": 0.49, "relhumidity": -3.13, "vappress": 0.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436050,47.998655] }, "properties": { "altitude": "271.5", "sensor": "13", "gpstime":"2018-06-19T20:21:50.000Z", "temperature": 0.51, "relhumidity": -2.77, "vappress": 0.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451370,47.998218] }, "properties": { "altitude": "286.1", "sensor": "13", "gpstime":"2018-06-19T20:22:23.000Z", "temperature": 0.57, "relhumidity": -4.07, "vappress": 0.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438150,47.997323] }, "properties": { "altitude": "273.2", "sensor": "13", "gpstime":"2018-06-19T20:23:21.000Z", "temperature": 0.43, "relhumidity": -2.50, "vappress": 0.287, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424530,47.997485] }, "properties": { "altitude": "267.8", "sensor": "13", "gpstime":"2018-06-19T20:23:47.000Z", "temperature": 0.55, "relhumidity": -3.96, "vappress": 0.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411780,47.996302] }, "properties": { "altitude": "262.7", "sensor": "13", "gpstime":"2018-06-19T20:24:50.000Z", "temperature": 0.79, "relhumidity": -5.06, "vappress": 0.124, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400100,47.994788] }, "properties": { "altitude": "263.1", "sensor": "13", "gpstime":"2018-06-19T20:25:22.000Z", "temperature": 0.95, "relhumidity": -4.25, "vappress": 0.294, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388530,47.993178] }, "properties": { "altitude": "271.2", "sensor": "13", "gpstime":"2018-06-19T20:25:57.000Z", "temperature": 0.55, "relhumidity": -2.58, "vappress": 0.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402770,47.992570] }, "properties": { "altitude": "267.9", "sensor": "13", "gpstime":"2018-06-19T20:26:54.000Z", "temperature": 0.33, "relhumidity": -0.96, "vappress": 0.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416050,47.992130] }, "properties": { "altitude": "264.0", "sensor": "13", "gpstime":"2018-06-19T20:27:13.000Z", "temperature": 0.08, "relhumidity": -0.17, "vappress": 0.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432480,47.991558] }, "properties": { "altitude": "259.5", "sensor": "13", "gpstime":"2018-06-19T20:27:38.000Z", "temperature": -0.16, "relhumidity": 0.54, "vappress": 0.472, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446680,47.992140] }, "properties": { "altitude": "264.3", "sensor": "13", "gpstime":"2018-06-19T20:28:27.000Z", "temperature": -0.17, "relhumidity": 0.02, "vappress": 0.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450770,47.992190] }, "properties": { "altitude": "264.2", "sensor": "13", "gpstime":"2018-06-19T20:28:33.000Z", "temperature": -0.10, "relhumidity": 0.02, "vappress": 0.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449270,47.993435] }, "properties": { "altitude": "149.1", "sensor": "14", "gpstime":"2018-06-19T18:58:29.000Z", "temperature": 1.13, "relhumidity": -1.45, "vappress": 1.387, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458950,47.995248] }, "properties": { "altitude": "273.6", "sensor": "14", "gpstime":"2018-06-19T19:24:35.000Z", "temperature": 0.71, "relhumidity": -0.83, "vappress": 1.153, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470480,47.996897] }, "properties": { "altitude": "269.6", "sensor": "14", "gpstime":"2018-06-19T19:25:13.000Z", "temperature": 0.76, "relhumidity": -1.04, "vappress": 1.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483630,47.998060] }, "properties": { "altitude": "267.1", "sensor": "14", "gpstime":"2018-06-19T19:25:42.000Z", "temperature": 0.79, "relhumidity": -0.97, "vappress": 1.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469400,47.998942] }, "properties": { "altitude": "265.4", "sensor": "14", "gpstime":"2018-06-19T19:26:59.000Z", "temperature": 0.72, "relhumidity": -0.96, "vappress": 1.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448830,47.999300] }, "properties": { "altitude": "268.8", "sensor": "14", "gpstime":"2018-06-19T19:27:25.000Z", "temperature": 0.84, "relhumidity": -1.17, "vappress": 1.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432420,48.001155] }, "properties": { "altitude": "255.7", "sensor": "14", "gpstime":"2018-06-19T19:28:33.000Z", "temperature": 0.76, "relhumidity": 0.13, "vappress": 1.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417470,48.000908] }, "properties": { "altitude": "255.7", "sensor": "14", "gpstime":"2018-06-19T19:28:57.000Z", "temperature": 0.45, "relhumidity": 0.21, "vappress": 1.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402800,48.001467] }, "properties": { "altitude": "254.9", "sensor": "14", "gpstime":"2018-06-19T19:29:17.000Z", "temperature": 0.49, "relhumidity": -0.19, "vappress": 1.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388050,48.000772] }, "properties": { "altitude": "244.0", "sensor": "14", "gpstime":"2018-06-19T19:29:46.000Z", "temperature": 0.41, "relhumidity": -0.11, "vappress": 1.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374130,48.001337] }, "properties": { "altitude": "232.7", "sensor": "14", "gpstime":"2018-06-19T19:30:11.000Z", "temperature": 0.48, "relhumidity": 0.03, "vappress": 1.209, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358100,48.000942] }, "properties": { "altitude": "244.0", "sensor": "14", "gpstime":"2018-06-19T19:30:40.000Z", "temperature": 0.53, "relhumidity": -0.17, "vappress": 1.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344200,48.000387] }, "properties": { "altitude": "247.8", "sensor": "14", "gpstime":"2018-06-19T19:31:07.000Z", "temperature": 0.43, "relhumidity": -0.21, "vappress": 1.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8328170,47.999713] }, "properties": { "altitude": "252.8", "sensor": "14", "gpstime":"2018-06-19T19:31:40.000Z", "temperature": 0.34, "relhumidity": 0.45, "vappress": 1.135, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313530,47.998410] }, "properties": { "altitude": "257.0", "sensor": "14", "gpstime":"2018-06-19T19:32:09.000Z", "temperature": 0.45, "relhumidity": -0.55, "vappress": 1.074, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298850,47.996577] }, "properties": { "altitude": "255.1", "sensor": "14", "gpstime":"2018-06-19T19:32:44.000Z", "temperature": 0.27, "relhumidity": -0.09, "vappress": 0.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279680,47.997333] }, "properties": { "altitude": "249.1", "sensor": "14", "gpstime":"2018-06-19T19:33:08.000Z", "temperature": 0.23, "relhumidity": 0.66, "vappress": 1.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262930,47.997760] }, "properties": { "altitude": "242.2", "sensor": "14", "gpstime":"2018-06-19T19:33:27.000Z", "temperature": 0.24, "relhumidity": 0.68, "vappress": 1.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248120,47.998087] }, "properties": { "altitude": "243.1", "sensor": "14", "gpstime":"2018-06-19T19:33:44.000Z", "temperature": 0.24, "relhumidity": 0.37, "vappress": 0.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231280,47.998727] }, "properties": { "altitude": "233.3", "sensor": "14", "gpstime":"2018-06-19T19:34:08.000Z", "temperature": 0.14, "relhumidity": 1.96, "vappress": 1.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8216000,47.998258] }, "properties": { "altitude": "247.0", "sensor": "14", "gpstime":"2018-06-19T19:35:02.000Z", "temperature": -0.04, "relhumidity": 1.65, "vappress": 1.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199180,47.998398] }, "properties": { "altitude": "244.2", "sensor": "14", "gpstime":"2018-06-19T19:35:29.000Z", "temperature": -0.06, "relhumidity": 1.65, "vappress": 1.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185820,47.998952] }, "properties": { "altitude": "244.2", "sensor": "14", "gpstime":"2018-06-19T19:35:45.000Z", "temperature": -0.16, "relhumidity": 2.21, "vappress": 1.103, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172000,47.999467] }, "properties": { "altitude": "244.3", "sensor": "14", "gpstime":"2018-06-19T19:36:02.000Z", "temperature": -0.15, "relhumidity": 2.78, "vappress": 1.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158150,47.999990] }, "properties": { "altitude": "239.9", "sensor": "14", "gpstime":"2018-06-19T19:36:19.000Z", "temperature": -0.18, "relhumidity": 2.97, "vappress": 1.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8145150,48.000492] }, "properties": { "altitude": "240.2", "sensor": "14", "gpstime":"2018-06-19T19:36:35.000Z", "temperature": -0.25, "relhumidity": 3.08, "vappress": 1.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129180,48.001092] }, "properties": { "altitude": "240.2", "sensor": "14", "gpstime":"2018-06-19T19:36:59.000Z", "temperature": -0.19, "relhumidity": 3.29, "vappress": 1.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114430,48.001698] }, "properties": { "altitude": "238.3", "sensor": "14", "gpstime":"2018-06-19T19:37:18.000Z", "temperature": -0.22, "relhumidity": 2.90, "vappress": 1.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8097670,48.002337] }, "properties": { "altitude": "237.4", "sensor": "14", "gpstime":"2018-06-19T19:37:40.000Z", "temperature": -0.22, "relhumidity": 3.00, "vappress": 1.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081870,48.002968] }, "properties": { "altitude": "236.4", "sensor": "14", "gpstime":"2018-06-19T19:38:00.000Z", "temperature": -0.22, "relhumidity": 2.79, "vappress": 1.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8068870,48.003832] }, "properties": { "altitude": "236.9", "sensor": "14", "gpstime":"2018-06-19T19:38:20.000Z", "temperature": -0.19, "relhumidity": 3.24, "vappress": 1.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8057830,48.005172] }, "properties": { "altitude": "227.5", "sensor": "14", "gpstime":"2018-06-19T19:38:44.000Z", "temperature": -0.40, "relhumidity": 3.94, "vappress": 1.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8047920,48.006643] }, "properties": { "altitude": "227.3", "sensor": "14", "gpstime":"2018-06-19T19:39:08.000Z", "temperature": -0.53, "relhumidity": 5.60, "vappress": 1.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032750,48.005792] }, "properties": { "altitude": "234.9", "sensor": "14", "gpstime":"2018-06-19T19:40:21.000Z", "temperature": -0.58, "relhumidity": 3.65, "vappress": 1.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8015520,48.005968] }, "properties": { "altitude": "230.7", "sensor": "14", "gpstime":"2018-06-19T19:40:37.000Z", "temperature": -0.30, "relhumidity": 2.97, "vappress": 1.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8000530,48.005562] }, "properties": { "altitude": "227.6", "sensor": "14", "gpstime":"2018-06-19T19:40:53.000Z", "temperature": -0.50, "relhumidity": 4.81, "vappress": 1.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7997330,48.008045] }, "properties": { "altitude": "226.6", "sensor": "14", "gpstime":"2018-06-19T19:41:37.000Z", "temperature": -0.93, "relhumidity": 11.09, "vappress": 2.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7994250,48.010355] }, "properties": { "altitude": "225.0", "sensor": "14", "gpstime":"2018-06-19T19:42:17.000Z", "temperature": -1.25, "relhumidity": 10.40, "vappress": 2.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7981500,48.011608] }, "properties": { "altitude": "227.4", "sensor": "14", "gpstime":"2018-06-19T19:42:39.000Z", "temperature": -1.44, "relhumidity": 10.80, "vappress": 2.162, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7968320,48.012997] }, "properties": { "altitude": "225.1", "sensor": "14", "gpstime":"2018-06-19T19:43:04.000Z", "temperature": -1.34, "relhumidity": 12.64, "vappress": 2.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7954820,48.014392] }, "properties": { "altitude": "223.9", "sensor": "14", "gpstime":"2018-06-19T19:43:30.000Z", "temperature": -1.43, "relhumidity": 11.71, "vappress": 2.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7939120,48.014782] }, "properties": { "altitude": "213.7", "sensor": "14", "gpstime":"2018-06-19T19:43:53.000Z", "temperature": -1.47, "relhumidity": 12.41, "vappress": 2.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7926030,48.013917] }, "properties": { "altitude": "215.2", "sensor": "14", "gpstime":"2018-06-19T19:44:14.000Z", "temperature": -1.79, "relhumidity": 13.48, "vappress": 2.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7913250,48.012708] }, "properties": { "altitude": "220.3", "sensor": "14", "gpstime":"2018-06-19T19:44:41.000Z", "temperature": -1.60, "relhumidity": 11.12, "vappress": 2.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7900350,48.011752] }, "properties": { "altitude": "220.3", "sensor": "14", "gpstime":"2018-06-19T19:45:04.000Z", "temperature": -1.73, "relhumidity": 13.10, "vappress": 2.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7884430,48.011233] }, "properties": { "altitude": "219.7", "sensor": "14", "gpstime":"2018-06-19T19:45:23.000Z", "temperature": -2.30, "relhumidity": 15.97, "vappress": 2.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7862830,48.009857] }, "properties": { "altitude": "219.4", "sensor": "14", "gpstime":"2018-06-19T19:45:58.000Z", "temperature": -2.73, "relhumidity": 19.47, "vappress": 2.584, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7838900,48.009227] }, "properties": { "altitude": "219.5", "sensor": "14", "gpstime":"2018-06-19T19:46:28.000Z", "temperature": -2.58, "relhumidity": 15.07, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7823270,48.009758] }, "properties": { "altitude": "219.3", "sensor": "14", "gpstime":"2018-06-19T19:46:49.000Z", "temperature": -2.22, "relhumidity": 14.49, "vappress": 2.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7813580,48.008063] }, "properties": { "altitude": "220.6", "sensor": "14", "gpstime":"2018-06-19T19:47:22.000Z", "temperature": -1.75, "relhumidity": 10.93, "vappress": 1.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7797380,48.008172] }, "properties": { "altitude": "219.8", "sensor": "14", "gpstime":"2018-06-19T19:47:45.000Z", "temperature": -1.47, "relhumidity": 11.34, "vappress": 2.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7783630,48.008747] }, "properties": { "altitude": "219.0", "sensor": "14", "gpstime":"2018-06-19T19:48:02.000Z", "temperature": -1.46, "relhumidity": 11.70, "vappress": 2.252, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7769980,48.009373] }, "properties": { "altitude": "218.4", "sensor": "14", "gpstime":"2018-06-19T19:48:20.000Z", "temperature": -1.76, "relhumidity": 11.75, "vappress": 1.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7755770,48.009705] }, "properties": { "altitude": "217.0", "sensor": "14", "gpstime":"2018-06-19T19:48:36.000Z", "temperature": -1.66, "relhumidity": 11.56, "vappress": 1.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7740680,48.009948] }, "properties": { "altitude": "218.0", "sensor": "14", "gpstime":"2018-06-19T19:48:54.000Z", "temperature": -1.83, "relhumidity": 11.44, "vappress": 1.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7724000,48.010240] }, "properties": { "altitude": "216.2", "sensor": "14", "gpstime":"2018-06-19T19:49:13.000Z", "temperature": -1.95, "relhumidity": 12.17, "vappress": 1.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7709250,48.010360] }, "properties": { "altitude": "214.6", "sensor": "14", "gpstime":"2018-06-19T19:49:29.000Z", "temperature": -2.05, "relhumidity": 13.33, "vappress": 1.975, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7691570,48.010470] }, "properties": { "altitude": "214.9", "sensor": "14", "gpstime":"2018-06-19T19:49:48.000Z", "temperature": -2.12, "relhumidity": 12.63, "vappress": 1.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7671730,48.009942] }, "properties": { "altitude": "212.1", "sensor": "14", "gpstime":"2018-06-19T19:50:14.000Z", "temperature": -2.00, "relhumidity": 12.83, "vappress": 1.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7656420,48.010078] }, "properties": { "altitude": "207.6", "sensor": "14", "gpstime":"2018-06-19T19:50:30.000Z", "temperature": -2.34, "relhumidity": 15.34, "vappress": 1.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7640770,48.010032] }, "properties": { "altitude": "200.1", "sensor": "14", "gpstime":"2018-06-19T19:50:57.000Z", "temperature": -2.54, "relhumidity": 17.42, "vappress": 2.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7631080,48.008585] }, "properties": { "altitude": "186.3", "sensor": "14", "gpstime":"2018-06-19T19:51:30.000Z", "temperature": -2.25, "relhumidity": 14.62, "vappress": 2.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7616650,48.006687] }, "properties": { "altitude": "193.2", "sensor": "14", "gpstime":"2018-06-19T19:52:15.000Z", "temperature": -1.70, "relhumidity": 12.22, "vappress": 2.354, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7603000,48.005967] }, "properties": { "altitude": "204.2", "sensor": "14", "gpstime":"2018-06-19T19:52:43.000Z", "temperature": -1.46, "relhumidity": 11.73, "vappress": 2.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7589920,48.004653] }, "properties": { "altitude": "209.4", "sensor": "14", "gpstime":"2018-06-19T19:53:20.000Z", "temperature": -1.47, "relhumidity": 11.86, "vappress": 2.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7578580,48.003408] }, "properties": { "altitude": "211.0", "sensor": "14", "gpstime":"2018-06-19T19:54:02.000Z", "temperature": -1.48, "relhumidity": 13.63, "vappress": 2.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7570770,48.001690] }, "properties": { "altitude": "206.9", "sensor": "14", "gpstime":"2018-06-19T19:54:40.000Z", "temperature": -1.66, "relhumidity": 14.71, "vappress": 2.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7557120,48.000400] }, "properties": { "altitude": "208.1", "sensor": "14", "gpstime":"2018-06-19T19:55:33.000Z", "temperature": -1.82, "relhumidity": 16.24, "vappress": 2.713, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7545150,47.999172] }, "properties": { "altitude": "205.3", "sensor": "14", "gpstime":"2018-06-19T19:56:02.000Z", "temperature": -2.13, "relhumidity": 20.75, "vappress": 3.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7528220,47.998428] }, "properties": { "altitude": "194.1", "sensor": "14", "gpstime":"2018-06-19T19:56:38.000Z", "temperature": -2.61, "relhumidity": 21.87, "vappress": 3.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7514080,47.998070] }, "properties": { "altitude": "176.5", "sensor": "14", "gpstime":"2018-06-19T19:57:08.000Z", "temperature": -2.96, "relhumidity": 23.45, "vappress": 3.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7528730,47.997902] }, "properties": { "altitude": "201.1", "sensor": "14", "gpstime":"2018-06-19T19:57:59.000Z", "temperature": -3.15, "relhumidity": 24.04, "vappress": 3.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7545900,47.997972] }, "properties": { "altitude": "210.3", "sensor": "14", "gpstime":"2018-06-19T19:58:27.000Z", "temperature": -3.07, "relhumidity": 23.12, "vappress": 3.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7562350,47.998117] }, "properties": { "altitude": "213.0", "sensor": "14", "gpstime":"2018-06-19T19:58:52.000Z", "temperature": -2.86, "relhumidity": 21.55, "vappress": 2.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7580420,47.998585] }, "properties": { "altitude": "208.1", "sensor": "14", "gpstime":"2018-06-19T19:59:13.000Z", "temperature": -3.08, "relhumidity": 23.71, "vappress": 3.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7595320,47.999132] }, "properties": { "altitude": "204.0", "sensor": "14", "gpstime":"2018-06-19T19:59:29.000Z", "temperature": -3.23, "relhumidity": 23.59, "vappress": 2.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7614470,47.999470] }, "properties": { "altitude": "209.3", "sensor": "14", "gpstime":"2018-06-19T19:59:50.000Z", "temperature": -3.18, "relhumidity": 24.01, "vappress": 3.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7633200,47.999338] }, "properties": { "altitude": "210.8", "sensor": "14", "gpstime":"2018-06-19T20:00:12.000Z", "temperature": -3.01, "relhumidity": 23.66, "vappress": 3.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7649020,47.998640] }, "properties": { "altitude": "209.8", "sensor": "14", "gpstime":"2018-06-19T20:00:34.000Z", "temperature": -3.02, "relhumidity": 23.45, "vappress": 3.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7663130,47.997642] }, "properties": { "altitude": "206.6", "sensor": "14", "gpstime":"2018-06-19T20:00:58.000Z", "temperature": -3.05, "relhumidity": 22.07, "vappress": 2.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7678200,47.997168] }, "properties": { "altitude": "212.3", "sensor": "14", "gpstime":"2018-06-19T20:01:17.000Z", "temperature": -3.09, "relhumidity": 22.02, "vappress": 2.731, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7695770,47.996635] }, "properties": { "altitude": "215.4", "sensor": "14", "gpstime":"2018-06-19T20:01:40.000Z", "temperature": -3.44, "relhumidity": 23.54, "vappress": 2.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7710250,47.996065] }, "properties": { "altitude": "215.8", "sensor": "14", "gpstime":"2018-06-19T20:02:00.000Z", "temperature": -3.75, "relhumidity": 24.31, "vappress": 2.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7723550,47.995543] }, "properties": { "altitude": "212.8", "sensor": "14", "gpstime":"2018-06-19T20:02:18.000Z", "temperature": -3.62, "relhumidity": 23.19, "vappress": 2.493, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7738080,47.995010] }, "properties": { "altitude": "213.6", "sensor": "14", "gpstime":"2018-06-19T20:02:37.000Z", "temperature": -3.57, "relhumidity": 23.65, "vappress": 2.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7756720,47.994767] }, "properties": { "altitude": "215.9", "sensor": "14", "gpstime":"2018-06-19T20:02:58.000Z", "temperature": -3.72, "relhumidity": 23.95, "vappress": 2.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7773370,47.994985] }, "properties": { "altitude": "219.0", "sensor": "14", "gpstime":"2018-06-19T20:03:17.000Z", "temperature": -3.68, "relhumidity": 23.38, "vappress": 2.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7792880,47.995177] }, "properties": { "altitude": "220.4", "sensor": "14", "gpstime":"2018-06-19T20:03:38.000Z", "temperature": -3.81, "relhumidity": 23.65, "vappress": 2.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7806650,47.995025] }, "properties": { "altitude": "222.2", "sensor": "14", "gpstime":"2018-06-19T20:03:55.000Z", "temperature": -3.88, "relhumidity": 23.56, "vappress": 2.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7822830,47.994953] }, "properties": { "altitude": "223.1", "sensor": "14", "gpstime":"2018-06-19T20:04:14.000Z", "temperature": -3.91, "relhumidity": 23.11, "vappress": 1.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7841080,47.994983] }, "properties": { "altitude": "225.1", "sensor": "14", "gpstime":"2018-06-19T20:04:36.000Z", "temperature": -3.98, "relhumidity": 23.74, "vappress": 1.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7855500,47.995003] }, "properties": { "altitude": "225.7", "sensor": "14", "gpstime":"2018-06-19T20:04:52.000Z", "temperature": -3.84, "relhumidity": 23.42, "vappress": 2.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7870570,47.995017] }, "properties": { "altitude": "227.0", "sensor": "14", "gpstime":"2018-06-19T20:05:09.000Z", "temperature": -3.41, "relhumidity": 23.42, "vappress": 2.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7885430,47.994967] }, "properties": { "altitude": "230.7", "sensor": "14", "gpstime":"2018-06-19T20:05:27.000Z", "temperature": -3.02, "relhumidity": 21.47, "vappress": 2.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896330,47.996692] }, "properties": { "altitude": "237.9", "sensor": "14", "gpstime":"2018-06-19T20:06:09.000Z", "temperature": -1.60, "relhumidity": 10.32, "vappress": 2.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7900380,47.998607] }, "properties": { "altitude": "259.1", "sensor": "14", "gpstime":"2018-06-19T20:06:49.000Z", "temperature": -0.30, "relhumidity": 4.98, "vappress": 1.970, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914530,47.998155] }, "properties": { "altitude": "252.0", "sensor": "14", "gpstime":"2018-06-19T20:07:08.000Z", "temperature": 0.07, "relhumidity": 3.46, "vappress": 1.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7931030,47.998427] }, "properties": { "altitude": "260.7", "sensor": "14", "gpstime":"2018-06-19T20:07:37.000Z", "temperature": 0.27, "relhumidity": 2.00, "vappress": 1.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7945580,47.997682] }, "properties": { "altitude": "256.3", "sensor": "14", "gpstime":"2018-06-19T20:07:59.000Z", "temperature": 0.33, "relhumidity": 1.73, "vappress": 1.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7962350,47.996862] }, "properties": { "altitude": "255.8", "sensor": "14", "gpstime":"2018-06-19T20:08:24.000Z", "temperature": 0.38, "relhumidity": 1.17, "vappress": 1.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7978730,47.996025] }, "properties": { "altitude": "255.9", "sensor": "14", "gpstime":"2018-06-19T20:08:48.000Z", "temperature": 0.31, "relhumidity": 1.27, "vappress": 1.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7994170,47.995448] }, "properties": { "altitude": "248.3", "sensor": "14", "gpstime":"2018-06-19T20:10:20.000Z", "temperature": 0.14, "relhumidity": 3.08, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008720,47.995617] }, "properties": { "altitude": "243.4", "sensor": "14", "gpstime":"2018-06-19T20:10:44.000Z", "temperature": -0.19, "relhumidity": 3.42, "vappress": 1.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026700,47.996037] }, "properties": { "altitude": "233.4", "sensor": "14", "gpstime":"2018-06-19T20:11:19.000Z", "temperature": -0.26, "relhumidity": 3.82, "vappress": 1.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040500,47.995718] }, "properties": { "altitude": "235.3", "sensor": "14", "gpstime":"2018-06-19T20:11:38.000Z", "temperature": -0.07, "relhumidity": 2.87, "vappress": 1.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8056870,47.996410] }, "properties": { "altitude": "240.0", "sensor": "14", "gpstime":"2018-06-19T20:12:08.000Z", "temperature": 0.14, "relhumidity": 2.51, "vappress": 1.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8071230,47.997675] }, "properties": { "altitude": "242.0", "sensor": "14", "gpstime":"2018-06-19T20:12:35.000Z", "temperature": 0.20, "relhumidity": 1.32, "vappress": 1.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086600,47.998662] }, "properties": { "altitude": "245.0", "sensor": "14", "gpstime":"2018-06-19T20:13:00.000Z", "temperature": 0.05, "relhumidity": 1.29, "vappress": 1.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099730,47.999448] }, "properties": { "altitude": "244.1", "sensor": "14", "gpstime":"2018-06-19T20:13:19.000Z", "temperature": 0.18, "relhumidity": 1.04, "vappress": 1.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8113480,48.000110] }, "properties": { "altitude": "245.4", "sensor": "14", "gpstime":"2018-06-19T20:13:40.000Z", "temperature": 0.12, "relhumidity": 1.63, "vappress": 1.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126030,48.000870] }, "properties": { "altitude": "248.5", "sensor": "14", "gpstime":"2018-06-19T20:14:26.000Z", "temperature": 0.24, "relhumidity": 0.89, "vappress": 1.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143230,48.001178] }, "properties": { "altitude": "251.6", "sensor": "14", "gpstime":"2018-06-19T20:14:51.000Z", "temperature": 0.51, "relhumidity": -0.28, "vappress": 1.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161520,48.001492] }, "properties": { "altitude": "255.0", "sensor": "14", "gpstime":"2018-06-19T20:15:13.000Z", "temperature": 0.58, "relhumidity": 0.17, "vappress": 1.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8178650,48.001782] }, "properties": { "altitude": "252.5", "sensor": "14", "gpstime":"2018-06-19T20:15:32.000Z", "temperature": 0.44, "relhumidity": 0.55, "vappress": 1.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197650,48.002235] }, "properties": { "altitude": "246.8", "sensor": "14", "gpstime":"2018-06-19T20:15:53.000Z", "temperature": 0.31, "relhumidity": 1.34, "vappress": 1.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211180,48.002095] }, "properties": { "altitude": "246.0", "sensor": "14", "gpstime":"2018-06-19T20:16:12.000Z", "temperature": 0.42, "relhumidity": 0.14, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228400,48.000917] }, "properties": { "altitude": "249.3", "sensor": "14", "gpstime":"2018-06-19T20:16:42.000Z", "temperature": 0.48, "relhumidity": -0.45, "vappress": 0.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241830,48.000395] }, "properties": { "altitude": "252.5", "sensor": "14", "gpstime":"2018-06-19T20:17:04.000Z", "temperature": 0.44, "relhumidity": -0.35, "vappress": 1.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257200,47.999785] }, "properties": { "altitude": "252.0", "sensor": "14", "gpstime":"2018-06-19T20:17:27.000Z", "temperature": 0.33, "relhumidity": 0.21, "vappress": 0.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271450,47.999290] }, "properties": { "altitude": "253.7", "sensor": "14", "gpstime":"2018-06-19T20:17:44.000Z", "temperature": 0.21, "relhumidity": 1.79, "vappress": 1.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285280,47.998888] }, "properties": { "altitude": "254.6", "sensor": "14", "gpstime":"2018-06-19T20:18:03.000Z", "temperature": 0.07, "relhumidity": 1.72, "vappress": 1.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301480,47.998417] }, "properties": { "altitude": "251.9", "sensor": "14", "gpstime":"2018-06-19T20:18:25.000Z", "temperature": -0.05, "relhumidity": 2.20, "vappress": 1.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316480,47.997920] }, "properties": { "altitude": "255.3", "sensor": "14", "gpstime":"2018-06-19T20:18:45.000Z", "temperature": -0.22, "relhumidity": 2.88, "vappress": 1.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329980,47.997555] }, "properties": { "altitude": "258.5", "sensor": "14", "gpstime":"2018-06-19T20:19:03.000Z", "temperature": -0.01, "relhumidity": 2.25, "vappress": 1.322, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343980,47.997157] }, "properties": { "altitude": "261.7", "sensor": "14", "gpstime":"2018-06-19T20:19:21.000Z", "temperature": 0.34, "relhumidity": 1.32, "vappress": 1.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357880,47.996748] }, "properties": { "altitude": "265.1", "sensor": "14", "gpstime":"2018-06-19T20:20:36.000Z", "temperature": 0.58, "relhumidity": 0.74, "vappress": 1.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375650,47.996172] }, "properties": { "altitude": "266.5", "sensor": "14", "gpstime":"2018-06-19T20:21:04.000Z", "temperature": 0.76, "relhumidity": -0.39, "vappress": 1.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391220,47.996322] }, "properties": { "altitude": "264.6", "sensor": "14", "gpstime":"2018-06-19T20:21:33.000Z", "temperature": 0.78, "relhumidity": -0.39, "vappress": 1.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404620,47.995852] }, "properties": { "altitude": "264.9", "sensor": "14", "gpstime":"2018-06-19T20:21:55.000Z", "temperature": 0.88, "relhumidity": -1.06, "vappress": 1.256, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423220,47.995065] }, "properties": { "altitude": "270.4", "sensor": "14", "gpstime":"2018-06-19T20:22:32.000Z", "temperature": 1.01, "relhumidity": -0.65, "vappress": 1.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437970,47.993812] }, "properties": { "altitude": "278.2", "sensor": "14", "gpstime":"2018-06-19T20:23:13.000Z", "temperature": 0.93, "relhumidity": -0.08, "vappress": 1.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452920,47.993555] }, "properties": { "altitude": "276.0", "sensor": "14", "gpstime":"2018-06-19T20:23:34.000Z", "temperature": 0.72, "relhumidity": 0.08, "vappress": 1.367, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457300,47.993328] }, "properties": { "altitude": "102.0", "sensor": "15", "gpstime":"2018-06-19T18:19:29.000Z", "temperature": 1.81, "relhumidity": -8.27, "vappress": -0.436, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471580,47.992810] }, "properties": { "altitude": "275.1", "sensor": "15", "gpstime":"2018-06-19T19:24:26.000Z", "temperature": 0.75, "relhumidity": -6.01, "vappress": -0.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485180,47.992447] }, "properties": { "altitude": "273.5", "sensor": "15", "gpstime":"2018-06-19T19:24:49.000Z", "temperature": 0.45, "relhumidity": -5.82, "vappress": -0.697, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498580,47.993385] }, "properties": { "altitude": "280.6", "sensor": "15", "gpstime":"2018-06-19T19:25:32.000Z", "temperature": 0.58, "relhumidity": -6.25, "vappress": -0.706, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512130,47.993447] }, "properties": { "altitude": "277.1", "sensor": "15", "gpstime":"2018-06-19T19:25:53.000Z", "temperature": 0.67, "relhumidity": -6.01, "vappress": -0.526, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526820,47.993365] }, "properties": { "altitude": "266.7", "sensor": "15", "gpstime":"2018-06-19T19:26:19.000Z", "temperature": 0.64, "relhumidity": -5.93, "vappress": -0.569, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540850,47.992525] }, "properties": { "altitude": "260.0", "sensor": "15", "gpstime":"2018-06-19T19:27:00.000Z", "temperature": 0.63, "relhumidity": -5.83, "vappress": -0.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555550,47.991785] }, "properties": { "altitude": "264.9", "sensor": "15", "gpstime":"2018-06-19T19:28:23.000Z", "temperature": 0.62, "relhumidity": -5.50, "vappress": -0.434, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569830,47.991808] }, "properties": { "altitude": "264.0", "sensor": "15", "gpstime":"2018-06-19T19:28:41.000Z", "temperature": 0.33, "relhumidity": -2.67, "vappress": -0.194, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583750,47.991658] }, "properties": { "altitude": "259.7", "sensor": "15", "gpstime":"2018-06-19T19:28:59.000Z", "temperature": -0.35, "relhumidity": -0.14, "vappress": 0.026, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599380,47.991617] }, "properties": { "altitude": "254.4", "sensor": "15", "gpstime":"2018-06-19T19:29:19.000Z", "temperature": -0.52, "relhumidity": -1.67, "vappress": -0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613170,47.991532] }, "properties": { "altitude": "248.5", "sensor": "15", "gpstime":"2018-06-19T19:29:37.000Z", "temperature": -0.71, "relhumidity": 2.40, "vappress": 0.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627700,47.991483] }, "properties": { "altitude": "245.2", "sensor": "15", "gpstime":"2018-06-19T19:29:56.000Z", "temperature": -0.93, "relhumidity": 3.96, "vappress": 0.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643830,47.991457] }, "properties": { "altitude": "240.0", "sensor": "15", "gpstime":"2018-06-19T19:30:18.000Z", "temperature": -1.18, "relhumidity": 6.16, "vappress": 0.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8659750,47.991433] }, "properties": { "altitude": "242.2", "sensor": "15", "gpstime":"2018-06-19T19:30:36.000Z", "temperature": -1.52, "relhumidity": 7.79, "vappress": 1.109, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675050,47.991713] }, "properties": { "altitude": "241.4", "sensor": "15", "gpstime":"2018-06-19T19:30:58.000Z", "temperature": -1.53, "relhumidity": 8.93, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689800,47.992225] }, "properties": { "altitude": "235.1", "sensor": "15", "gpstime":"2018-06-19T19:31:22.000Z", "temperature": -1.87, "relhumidity": 10.50, "vappress": 1.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703430,47.992357] }, "properties": { "altitude": "232.6", "sensor": "15", "gpstime":"2018-06-19T19:31:40.000Z", "temperature": -2.48, "relhumidity": 14.30, "vappress": 1.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8720350,47.992320] }, "properties": { "altitude": "251.4", "sensor": "15", "gpstime":"2018-06-19T19:32:01.000Z", "temperature": -3.00, "relhumidity": 14.87, "vappress": 1.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8734770,47.992052] }, "properties": { "altitude": "253.9", "sensor": "15", "gpstime":"2018-06-19T19:32:22.000Z", "temperature": -3.06, "relhumidity": 15.32, "vappress": 1.434, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749300,47.991645] }, "properties": { "altitude": "250.8", "sensor": "15", "gpstime":"2018-06-19T19:32:42.000Z", "temperature": -2.96, "relhumidity": 15.68, "vappress": 1.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8762770,47.991595] }, "properties": { "altitude": "252.2", "sensor": "15", "gpstime":"2018-06-19T19:32:59.000Z", "temperature": -2.57, "relhumidity": 14.36, "vappress": 1.794, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8777420,47.991810] }, "properties": { "altitude": "258.7", "sensor": "15", "gpstime":"2018-06-19T19:33:19.000Z", "temperature": -2.49, "relhumidity": 10.50, "vappress": 0.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8791030,47.991925] }, "properties": { "altitude": "260.6", "sensor": "15", "gpstime":"2018-06-19T19:33:38.000Z", "temperature": -2.55, "relhumidity": 13.81, "vappress": 1.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8804870,47.992788] }, "properties": { "altitude": "257.3", "sensor": "15", "gpstime":"2018-06-19T19:34:07.000Z", "temperature": -2.56, "relhumidity": 15.38, "vappress": 1.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8818430,47.993190] }, "properties": { "altitude": "272.1", "sensor": "15", "gpstime":"2018-06-19T19:34:28.000Z", "temperature": -2.70, "relhumidity": 15.91, "vappress": 1.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8839820,47.992997] }, "properties": { "altitude": "291.7", "sensor": "15", "gpstime":"2018-06-19T19:34:55.000Z", "temperature": -2.97, "relhumidity": 18.70, "vappress": 2.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8854770,47.992387] }, "properties": { "altitude": "294.6", "sensor": "15", "gpstime":"2018-06-19T19:35:17.000Z", "temperature": -3.04, "relhumidity": 17.65, "vappress": 1.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8869300,47.992337] }, "properties": { "altitude": "290.5", "sensor": "15", "gpstime":"2018-06-19T19:35:38.000Z", "temperature": -3.59, "relhumidity": 19.98, "vappress": 1.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8884480,47.992437] }, "properties": { "altitude": "298.1", "sensor": "15", "gpstime":"2018-06-19T19:35:59.000Z", "temperature": -3.43, "relhumidity": 19.52, "vappress": 2.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8901350,47.992013] }, "properties": { "altitude": "301.4", "sensor": "15", "gpstime":"2018-06-19T19:36:23.000Z", "temperature": -3.41, "relhumidity": 20.97, "vappress": 2.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8915030,47.991678] }, "properties": { "altitude": "302.2", "sensor": "15", "gpstime":"2018-06-19T19:36:42.000Z", "temperature": -3.59, "relhumidity": 21.37, "vappress": 2.181, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8929020,47.991147] }, "properties": { "altitude": "303.1", "sensor": "15", "gpstime":"2018-06-19T19:37:02.000Z", "temperature": -3.55, "relhumidity": 22.64, "vappress": 2.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8949920,47.990063] }, "properties": { "altitude": "299.3", "sensor": "15", "gpstime":"2018-06-19T19:37:39.000Z", "temperature": -3.59, "relhumidity": 21.94, "vappress": 2.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8963400,47.989543] }, "properties": { "altitude": "291.1", "sensor": "15", "gpstime":"2018-06-19T19:38:01.000Z", "temperature": -3.45, "relhumidity": 21.35, "vappress": 2.343, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8977380,47.988938] }, "properties": { "altitude": "302.1", "sensor": "15", "gpstime":"2018-06-19T19:38:25.000Z", "temperature": -3.48, "relhumidity": 20.95, "vappress": 2.373, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8990250,47.987972] }, "properties": { "altitude": "301.2", "sensor": "15", "gpstime":"2018-06-19T19:38:52.000Z", "temperature": -2.99, "relhumidity": 18.76, "vappress": 2.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9003680,47.987643] }, "properties": { "altitude": "308.5", "sensor": "15", "gpstime":"2018-06-19T19:39:18.000Z", "temperature": -2.67, "relhumidity": 13.02, "vappress": 1.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9018100,47.987628] }, "properties": { "altitude": "309.3", "sensor": "15", "gpstime":"2018-06-19T19:39:37.000Z", "temperature": -2.14, "relhumidity": 14.94, "vappress": 2.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9032330,47.987522] }, "properties": { "altitude": "308.3", "sensor": "15", "gpstime":"2018-06-19T19:40:02.000Z", "temperature": -2.22, "relhumidity": 15.42, "vappress": 2.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9048550,47.987763] }, "properties": { "altitude": "311.1", "sensor": "15", "gpstime":"2018-06-19T19:40:29.000Z", "temperature": -2.36, "relhumidity": 15.42, "vappress": 2.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9061530,47.988377] }, "properties": { "altitude": "317.5", "sensor": "15", "gpstime":"2018-06-19T19:41:01.000Z", "temperature": -2.34, "relhumidity": 14.97, "vappress": 2.184, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9076030,47.988725] }, "properties": { "altitude": "318.7", "sensor": "15", "gpstime":"2018-06-19T19:41:25.000Z", "temperature": -2.25, "relhumidity": 15.28, "vappress": 2.264, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9090480,47.988962] }, "properties": { "altitude": "318.7", "sensor": "15", "gpstime":"2018-06-19T19:41:47.000Z", "temperature": -2.46, "relhumidity": 15.64, "vappress": 1.984, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9104170,47.989267] }, "properties": { "altitude": "321.4", "sensor": "15", "gpstime":"2018-06-19T19:42:08.000Z", "temperature": -2.31, "relhumidity": 14.35, "vappress": 2.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9120950,47.989440] }, "properties": { "altitude": "321.9", "sensor": "15", "gpstime":"2018-06-19T19:42:32.000Z", "temperature": -2.18, "relhumidity": 14.42, "vappress": 2.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9138430,47.989445] }, "properties": { "altitude": "324.2", "sensor": "15", "gpstime":"2018-06-19T19:42:56.000Z", "temperature": -2.12, "relhumidity": 13.96, "vappress": 2.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9152300,47.989755] }, "properties": { "altitude": "322.5", "sensor": "15", "gpstime":"2018-06-19T19:43:18.000Z", "temperature": -2.34, "relhumidity": 15.26, "vappress": 1.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9167070,47.990035] }, "properties": { "altitude": "327.1", "sensor": "15", "gpstime":"2018-06-19T19:43:42.000Z", "temperature": -2.60, "relhumidity": 16.10, "vappress": 2.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9182780,47.990380] }, "properties": { "altitude": "325.5", "sensor": "15", "gpstime":"2018-06-19T19:44:09.000Z", "temperature": -2.54, "relhumidity": 16.19, "vappress": 2.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9196930,47.990768] }, "properties": { "altitude": "331.8", "sensor": "15", "gpstime":"2018-06-19T19:44:35.000Z", "temperature": -2.89, "relhumidity": 18.62, "vappress": 1.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9194330,47.992738] }, "properties": { "altitude": "338.9", "sensor": "15", "gpstime":"2018-06-19T19:45:27.000Z", "temperature": -4.16, "relhumidity": 24.58, "vappress": 1.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9187920,47.994725] }, "properties": { "altitude": "325.3", "sensor": "15", "gpstime":"2018-06-19T19:46:23.000Z", "temperature": -5.10, "relhumidity": 28.92, "vappress": 1.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9181320,47.996607] }, "properties": { "altitude": "339.3", "sensor": "15", "gpstime":"2018-06-19T19:49:27.000Z", "temperature": -5.32, "relhumidity": 29.62, "vappress": 1.895, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9188370,47.994772] }, "properties": { "altitude": "323.4", "sensor": "15", "gpstime":"2018-06-19T19:51:03.000Z", "temperature": -5.47, "relhumidity": 29.64, "vappress": 1.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9193800,47.992898] }, "properties": { "altitude": "317.4", "sensor": "15", "gpstime":"2018-06-19T19:51:33.000Z", "temperature": -5.57, "relhumidity": 29.50, "vappress": 1.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9197330,47.990823] }, "properties": { "altitude": "324.7", "sensor": "15", "gpstime":"2018-06-19T19:52:08.000Z", "temperature": -5.47, "relhumidity": 29.46, "vappress": 1.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9212500,47.991112] }, "properties": { "altitude": "332.7", "sensor": "15", "gpstime":"2018-06-19T19:52:32.000Z", "temperature": -5.43, "relhumidity": 29.34, "vappress": 1.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9219880,47.989393] }, "properties": { "altitude": "331.4", "sensor": "15", "gpstime":"2018-06-19T19:53:22.000Z", "temperature": -4.89, "relhumidity": 28.13, "vappress": 2.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9205750,47.988028] }, "properties": { "altitude": "328.9", "sensor": "15", "gpstime":"2018-06-19T19:54:08.000Z", "temperature": -4.84, "relhumidity": 27.54, "vappress": 1.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9190220,47.987255] }, "properties": { "altitude": "326.6", "sensor": "15", "gpstime":"2018-06-19T19:54:34.000Z", "temperature": -4.66, "relhumidity": 27.40, "vappress": 2.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9175680,47.986608] }, "properties": { "altitude": "330.2", "sensor": "15", "gpstime":"2018-06-19T19:54:59.000Z", "temperature": -4.72, "relhumidity": 27.07, "vappress": 1.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9164480,47.985368] }, "properties": { "altitude": "328.4", "sensor": "15", "gpstime":"2018-06-19T19:55:29.000Z", "temperature": -5.14, "relhumidity": 28.38, "vappress": 1.573, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9151370,47.984857] }, "properties": { "altitude": "328.0", "sensor": "15", "gpstime":"2018-06-19T19:56:01.000Z", "temperature": -5.16, "relhumidity": 28.11, "vappress": 1.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9137500,47.984835] }, "properties": { "altitude": "327.4", "sensor": "15", "gpstime":"2018-06-19T19:56:19.000Z", "temperature": -4.72, "relhumidity": 27.05, "vappress": 1.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9123520,47.984587] }, "properties": { "altitude": "326.7", "sensor": "15", "gpstime":"2018-06-19T19:56:39.000Z", "temperature": -4.51, "relhumidity": 27.43, "vappress": 2.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9108900,47.985047] }, "properties": { "altitude": "324.0", "sensor": "15", "gpstime":"2018-06-19T19:57:02.000Z", "temperature": -4.26, "relhumidity": 27.25, "vappress": 2.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9095520,47.985537] }, "properties": { "altitude": "322.3", "sensor": "15", "gpstime":"2018-06-19T19:57:26.000Z", "temperature": -4.23, "relhumidity": 27.07, "vappress": 2.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9082270,47.985928] }, "properties": { "altitude": "320.1", "sensor": "15", "gpstime":"2018-06-19T19:57:49.000Z", "temperature": -4.15, "relhumidity": 26.36, "vappress": 2.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9065870,47.986190] }, "properties": { "altitude": "318.7", "sensor": "15", "gpstime":"2018-06-19T19:58:14.000Z", "temperature": -3.83, "relhumidity": 25.19, "vappress": 3.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9050570,47.986472] }, "properties": { "altitude": "318.3", "sensor": "15", "gpstime":"2018-06-19T19:58:34.000Z", "temperature": -3.26, "relhumidity": 23.07, "vappress": 2.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9036830,47.986910] }, "properties": { "altitude": "317.8", "sensor": "15", "gpstime":"2018-06-19T19:58:52.000Z", "temperature": -2.91, "relhumidity": 21.74, "vappress": 3.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9020930,47.987460] }, "properties": { "altitude": "318.7", "sensor": "15", "gpstime":"2018-06-19T19:59:14.000Z", "temperature": -2.64, "relhumidity": 20.56, "vappress": 3.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9007100,47.987645] }, "properties": { "altitude": "321.2", "sensor": "15", "gpstime":"2018-06-19T19:59:33.000Z", "temperature": -2.57, "relhumidity": 19.95, "vappress": 3.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8989980,47.987698] }, "properties": { "altitude": "328.7", "sensor": "15", "gpstime":"2018-06-19T19:59:57.000Z", "temperature": -2.43, "relhumidity": 20.27, "vappress": 3.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8976370,47.987178] }, "properties": { "altitude": "320.6", "sensor": "15", "gpstime":"2018-06-19T20:00:21.000Z", "temperature": -2.49, "relhumidity": 19.01, "vappress": 2.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8961500,47.987177] }, "properties": { "altitude": "315.9", "sensor": "15", "gpstime":"2018-06-19T20:00:43.000Z", "temperature": -2.30, "relhumidity": 19.18, "vappress": 3.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8946530,47.987505] }, "properties": { "altitude": "315.9", "sensor": "15", "gpstime":"2018-06-19T20:01:04.000Z", "temperature": -2.05, "relhumidity": 17.76, "vappress": 3.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8929280,47.988027] }, "properties": { "altitude": "318.9", "sensor": "15", "gpstime":"2018-06-19T20:01:28.000Z", "temperature": -2.00, "relhumidity": 17.69, "vappress": 3.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8914670,47.988333] }, "properties": { "altitude": "314.4", "sensor": "15", "gpstime":"2018-06-19T20:01:46.000Z", "temperature": -1.78, "relhumidity": 17.07, "vappress": 3.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8899070,47.988623] }, "properties": { "altitude": "309.9", "sensor": "15", "gpstime":"2018-06-19T20:02:06.000Z", "temperature": -1.73, "relhumidity": 16.24, "vappress": 2.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8879900,47.988550] }, "properties": { "altitude": "305.2", "sensor": "15", "gpstime":"2018-06-19T20:02:29.000Z", "temperature": -1.96, "relhumidity": 17.24, "vappress": 2.773, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8865080,47.988508] }, "properties": { "altitude": "302.2", "sensor": "15", "gpstime":"2018-06-19T20:02:45.000Z", "temperature": -2.26, "relhumidity": 18.23, "vappress": 2.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8844100,47.988687] }, "properties": { "altitude": "300.4", "sensor": "15", "gpstime":"2018-06-19T20:03:14.000Z", "temperature": -2.27, "relhumidity": 18.33, "vappress": 2.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8839400,47.986812] }, "properties": { "altitude": "297.6", "sensor": "15", "gpstime":"2018-06-19T20:04:09.000Z", "temperature": -2.00, "relhumidity": 17.50, "vappress": 3.302, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8825720,47.986893] }, "properties": { "altitude": "301.1", "sensor": "15", "gpstime":"2018-06-19T20:06:01.000Z", "temperature": -1.61, "relhumidity": 13.81, "vappress": 2.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8812020,47.987023] }, "properties": { "altitude": "296.9", "sensor": "15", "gpstime":"2018-06-19T20:06:16.000Z", "temperature": -1.13, "relhumidity": 13.33, "vappress": 2.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8789470,47.987167] }, "properties": { "altitude": "288.2", "sensor": "15", "gpstime":"2018-06-19T20:06:42.000Z", "temperature": -1.05, "relhumidity": 13.14, "vappress": 2.890, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8776020,47.987080] }, "properties": { "altitude": "287.6", "sensor": "15", "gpstime":"2018-06-19T20:06:58.000Z", "temperature": -1.16, "relhumidity": 13.24, "vappress": 2.790, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8755400,47.987543] }, "properties": { "altitude": "282.7", "sensor": "15", "gpstime":"2018-06-19T20:07:24.000Z", "temperature": -1.12, "relhumidity": 13.15, "vappress": 2.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8740930,47.988022] }, "properties": { "altitude": "286.1", "sensor": "15", "gpstime":"2018-06-19T20:08:05.000Z", "temperature": -0.97, "relhumidity": 12.10, "vappress": 2.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746820,47.990090] }, "properties": { "altitude": "285.2", "sensor": "15", "gpstime":"2018-06-19T20:10:23.000Z", "temperature": -0.80, "relhumidity": 14.29, "vappress": 2.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726680,47.990738] }, "properties": { "altitude": "275.9", "sensor": "15", "gpstime":"2018-06-19T20:11:04.000Z", "temperature": -1.96, "relhumidity": 17.31, "vappress": 2.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712070,47.990797] }, "properties": { "altitude": "270.4", "sensor": "15", "gpstime":"2018-06-19T20:11:24.000Z", "temperature": -2.53, "relhumidity": 18.43, "vappress": 2.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690820,47.990838] }, "properties": { "altitude": "270.8", "sensor": "15", "gpstime":"2018-06-19T20:11:55.000Z", "temperature": -2.61, "relhumidity": 17.73, "vappress": 2.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670530,47.990957] }, "properties": { "altitude": "269.4", "sensor": "15", "gpstime":"2018-06-19T20:12:22.000Z", "temperature": -2.45, "relhumidity": 17.64, "vappress": 2.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654900,47.990882] }, "properties": { "altitude": "267.5", "sensor": "15", "gpstime":"2018-06-19T20:12:43.000Z", "temperature": -2.42, "relhumidity": 17.41, "vappress": 2.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8641200,47.990782] }, "properties": { "altitude": "264.3", "sensor": "15", "gpstime":"2018-06-19T20:13:02.000Z", "temperature": -2.44, "relhumidity": 16.98, "vappress": 2.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627770,47.990605] }, "properties": { "altitude": "264.6", "sensor": "15", "gpstime":"2018-06-19T20:13:21.000Z", "temperature": -2.29, "relhumidity": 16.66, "vappress": 2.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612570,47.990557] }, "properties": { "altitude": "265.0", "sensor": "15", "gpstime":"2018-06-19T20:13:42.000Z", "temperature": -2.18, "relhumidity": 17.04, "vappress": 2.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595770,47.990500] }, "properties": { "altitude": "261.2", "sensor": "15", "gpstime":"2018-06-19T20:14:03.000Z", "temperature": -2.31, "relhumidity": 17.25, "vappress": 2.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8581670,47.990717] }, "properties": { "altitude": "260.2", "sensor": "15", "gpstime":"2018-06-19T20:14:22.000Z", "temperature": -2.45, "relhumidity": 17.48, "vappress": 2.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562930,47.990863] }, "properties": { "altitude": "252.0", "sensor": "15", "gpstime":"2018-06-19T20:14:43.000Z", "temperature": -2.35, "relhumidity": 17.95, "vappress": 2.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548920,47.990912] }, "properties": { "altitude": "251.6", "sensor": "15", "gpstime":"2018-06-19T20:14:59.000Z", "temperature": -2.32, "relhumidity": 17.43, "vappress": 2.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534720,47.990463] }, "properties": { "altitude": "249.2", "sensor": "15", "gpstime":"2018-06-19T20:15:20.000Z", "temperature": -1.91, "relhumidity": 15.37, "vappress": 2.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8514080,47.990050] }, "properties": { "altitude": "255.8", "sensor": "15", "gpstime":"2018-06-19T20:15:50.000Z", "temperature": -1.39, "relhumidity": 13.11, "vappress": 2.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499800,47.990058] }, "properties": { "altitude": "257.6", "sensor": "15", "gpstime":"2018-06-19T20:16:06.000Z", "temperature": -1.19, "relhumidity": 13.35, "vappress": 2.809, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484250,47.989937] }, "properties": { "altitude": "260.9", "sensor": "15", "gpstime":"2018-06-19T20:16:30.000Z", "temperature": -1.26, "relhumidity": 13.96, "vappress": 2.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485670,47.991948] }, "properties": { "altitude": "291.2", "sensor": "15", "gpstime":"2018-06-19T20:18:09.000Z", "temperature": -0.90, "relhumidity": 10.73, "vappress": 3.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469630,47.992927] }, "properties": { "altitude": "293.3", "sensor": "15", "gpstime":"2018-06-19T20:18:51.000Z", "temperature": -0.15, "relhumidity": 8.39, "vappress": 2.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454430,47.993553] }, "properties": { "altitude": "289.3", "sensor": "15", "gpstime":"2018-06-19T20:19:18.000Z", "temperature": 0.11, "relhumidity": 8.17, "vappress": 3.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452520,47.993462] }, "properties": { "altitude": "287.0", "sensor": "15", "gpstime":"2018-06-19T20:19:26.000Z", "temperature": 0.15, "relhumidity": 7.42, "vappress": 2.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453470,47.993543] }, "properties": { "altitude": "275.7", "sensor": "17", "gpstime":"2018-06-19T19:24:05.000Z", "temperature": 0.92, "relhumidity": -5.06, "vappress": 0.013, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461770,47.995760] }, "properties": { "altitude": "259.2", "sensor": "17", "gpstime":"2018-06-19T19:25:05.000Z", "temperature": 0.77, "relhumidity": -4.68, "vappress": -0.156, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475320,47.997277] }, "properties": { "altitude": "262.6", "sensor": "17", "gpstime":"2018-06-19T19:25:43.000Z", "temperature": 0.72, "relhumidity": -4.78, "vappress": -0.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487620,47.998385] }, "properties": { "altitude": "254.5", "sensor": "17", "gpstime":"2018-06-19T19:26:41.000Z", "temperature": 0.59, "relhumidity": -4.73, "vappress": -0.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8502800,47.998225] }, "properties": { "altitude": "253.9", "sensor": "17", "gpstime":"2018-06-19T19:27:03.000Z", "temperature": 0.57, "relhumidity": -4.75, "vappress": -0.203, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516820,47.998067] }, "properties": { "altitude": "257.0", "sensor": "17", "gpstime":"2018-06-19T19:27:22.000Z", "temperature": 0.56, "relhumidity": -4.67, "vappress": -0.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530670,47.998430] }, "properties": { "altitude": "263.0", "sensor": "17", "gpstime":"2018-06-19T19:28:30.000Z", "temperature": 0.72, "relhumidity": -4.48, "vappress": 0.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537980,48.000262] }, "properties": { "altitude": "256.8", "sensor": "17", "gpstime":"2018-06-19T19:29:13.000Z", "temperature": 0.88, "relhumidity": -5.05, "vappress": 0.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545920,48.002433] }, "properties": { "altitude": "253.7", "sensor": "17", "gpstime":"2018-06-19T19:29:50.000Z", "temperature": 0.80, "relhumidity": -4.22, "vappress": 0.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550500,48.004447] }, "properties": { "altitude": "246.5", "sensor": "17", "gpstime":"2018-06-19T19:30:25.000Z", "temperature": 0.64, "relhumidity": -2.96, "vappress": 0.389, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552870,48.006563] }, "properties": { "altitude": "255.0", "sensor": "17", "gpstime":"2018-06-19T19:31:07.000Z", "temperature": 0.53, "relhumidity": -3.19, "vappress": 0.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552270,48.008828] }, "properties": { "altitude": "256.5", "sensor": "17", "gpstime":"2018-06-19T19:32:01.000Z", "temperature": 0.57, "relhumidity": -2.33, "vappress": 0.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565320,48.009928] }, "properties": { "altitude": "237.0", "sensor": "17", "gpstime":"2018-06-19T19:32:26.000Z", "temperature": 0.51, "relhumidity": -2.39, "vappress": 0.504, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582270,48.010553] }, "properties": { "altitude": "233.5", "sensor": "17", "gpstime":"2018-06-19T19:33:01.000Z", "temperature": 0.47, "relhumidity": -1.76, "vappress": 0.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598200,48.010408] }, "properties": { "altitude": "234.6", "sensor": "17", "gpstime":"2018-06-19T19:33:33.000Z", "temperature": 0.26, "relhumidity": -1.03, "vappress": 0.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612380,48.011460] }, "properties": { "altitude": "239.3", "sensor": "17", "gpstime":"2018-06-19T19:34:08.000Z", "temperature": 0.16, "relhumidity": -0.04, "vappress": 0.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606830,48.013442] }, "properties": { "altitude": "250.6", "sensor": "17", "gpstime":"2018-06-19T19:36:01.000Z", "temperature": 0.02, "relhumidity": 2.26, "vappress": 1.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620920,48.014205] }, "properties": { "altitude": "246.0", "sensor": "17", "gpstime":"2018-06-19T19:36:33.000Z", "temperature": -0.42, "relhumidity": 5.46, "vappress": 1.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8635250,48.014425] }, "properties": { "altitude": "257.3", "sensor": "17", "gpstime":"2018-06-19T19:37:03.000Z", "temperature": -0.79, "relhumidity": 8.12, "vappress": 2.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8649220,48.014400] }, "properties": { "altitude": "264.8", "sensor": "17", "gpstime":"2018-06-19T19:37:38.000Z", "temperature": -0.99, "relhumidity": 10.67, "vappress": 2.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636600,48.015567] }, "properties": { "altitude": "271.1", "sensor": "17", "gpstime":"2018-06-19T19:38:35.000Z", "temperature": -1.41, "relhumidity": 12.32, "vappress": 2.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620850,48.015233] }, "properties": { "altitude": "272.5", "sensor": "17", "gpstime":"2018-06-19T19:39:02.000Z", "temperature": -1.44, "relhumidity": 10.66, "vappress": 2.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620670,48.017600] }, "properties": { "altitude": "255.5", "sensor": "17", "gpstime":"2018-06-19T19:40:01.000Z", "temperature": -1.09, "relhumidity": 7.63, "vappress": 1.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620350,48.019627] }, "properties": { "altitude": "244.5", "sensor": "17", "gpstime":"2018-06-19T19:40:38.000Z", "temperature": -0.60, "relhumidity": 6.33, "vappress": 1.975, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8634120,48.020113] }, "properties": { "altitude": "261.3", "sensor": "17", "gpstime":"2018-06-19T19:41:23.000Z", "temperature": -0.43, "relhumidity": 6.29, "vappress": 1.984, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629120,48.022278] }, "properties": { "altitude": "236.7", "sensor": "17", "gpstime":"2018-06-19T19:42:42.000Z", "temperature": -0.61, "relhumidity": 8.85, "vappress": 2.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632950,48.024577] }, "properties": { "altitude": "237.9", "sensor": "17", "gpstime":"2018-06-19T19:43:44.000Z", "temperature": -0.73, "relhumidity": 7.96, "vappress": 2.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8641580,48.026210] }, "properties": { "altitude": "238.3", "sensor": "17", "gpstime":"2018-06-19T19:44:19.000Z", "temperature": -0.93, "relhumidity": 9.49, "vappress": 2.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651070,48.028300] }, "properties": { "altitude": "242.9", "sensor": "17", "gpstime":"2018-06-19T19:45:00.000Z", "temperature": -1.24, "relhumidity": 11.75, "vappress": 2.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662700,48.029723] }, "properties": { "altitude": "238.3", "sensor": "17", "gpstime":"2018-06-19T19:45:29.000Z", "temperature": -1.33, "relhumidity": 12.78, "vappress": 2.514, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675770,48.030353] }, "properties": { "altitude": "242.2", "sensor": "17", "gpstime":"2018-06-19T19:45:57.000Z", "temperature": -1.59, "relhumidity": 13.33, "vappress": 2.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8692520,48.030872] }, "properties": { "altitude": "240.7", "sensor": "17", "gpstime":"2018-06-19T19:46:22.000Z", "temperature": -1.81, "relhumidity": 13.52, "vappress": 2.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706720,48.031125] }, "properties": { "altitude": "237.4", "sensor": "17", "gpstime":"2018-06-19T19:46:38.000Z", "temperature": -1.83, "relhumidity": 13.66, "vappress": 2.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8720650,48.031820] }, "properties": { "altitude": "234.3", "sensor": "17", "gpstime":"2018-06-19T19:47:02.000Z", "temperature": -1.52, "relhumidity": 13.03, "vappress": 2.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739220,48.033067] }, "properties": { "altitude": "235.5", "sensor": "17", "gpstime":"2018-06-19T19:47:38.000Z", "temperature": -1.63, "relhumidity": 13.43, "vappress": 1.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8754450,48.033398] }, "properties": { "altitude": "239.8", "sensor": "17", "gpstime":"2018-06-19T19:48:01.000Z", "temperature": -2.13, "relhumidity": 15.03, "vappress": 2.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8769970,48.033583] }, "properties": { "altitude": "241.3", "sensor": "17", "gpstime":"2018-06-19T19:48:26.000Z", "temperature": -2.08, "relhumidity": 15.59, "vappress": 2.442, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8783220,48.033890] }, "properties": { "altitude": "239.2", "sensor": "17", "gpstime":"2018-06-19T19:48:50.000Z", "temperature": -2.18, "relhumidity": 15.48, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8800330,48.034380] }, "properties": { "altitude": "240.7", "sensor": "17", "gpstime":"2018-06-19T19:49:18.000Z", "temperature": -2.39, "relhumidity": 17.02, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8812930,48.035150] }, "properties": { "altitude": "238.7", "sensor": "17", "gpstime":"2018-06-19T19:49:45.000Z", "temperature": -2.82, "relhumidity": 19.28, "vappress": 2.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8795530,48.035893] }, "properties": { "altitude": "246.3", "sensor": "17", "gpstime":"2018-06-19T19:50:36.000Z", "temperature": -2.93, "relhumidity": 20.02, "vappress": 2.337, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8779420,48.036033] }, "properties": { "altitude": "243.4", "sensor": "17", "gpstime":"2018-06-19T19:50:58.000Z", "temperature": -3.18, "relhumidity": 20.18, "vappress": 2.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8763130,48.036388] }, "properties": { "altitude": "244.4", "sensor": "17", "gpstime":"2018-06-19T19:51:20.000Z", "temperature": -3.10, "relhumidity": 19.89, "vappress": 2.458, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748120,48.037125] }, "properties": { "altitude": "249.3", "sensor": "17", "gpstime":"2018-06-19T19:51:47.000Z", "temperature": -2.92, "relhumidity": 18.85, "vappress": 2.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8731020,48.037560] }, "properties": { "altitude": "247.7", "sensor": "17", "gpstime":"2018-06-19T19:52:07.000Z", "temperature": -2.78, "relhumidity": 18.12, "vappress": 2.294, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8716900,48.038505] }, "properties": { "altitude": "245.9", "sensor": "17", "gpstime":"2018-06-19T19:52:44.000Z", "temperature": -2.65, "relhumidity": 16.53, "vappress": 2.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8701770,48.039653] }, "properties": { "altitude": "236.3", "sensor": "17", "gpstime":"2018-06-19T19:53:14.000Z", "temperature": -2.10, "relhumidity": 15.23, "vappress": 2.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690320,48.041163] }, "properties": { "altitude": "221.4", "sensor": "17", "gpstime":"2018-06-19T19:53:47.000Z", "temperature": -1.56, "relhumidity": 13.45, "vappress": 2.731, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676980,48.040312] }, "properties": { "altitude": "232.1", "sensor": "17", "gpstime":"2018-06-19T19:54:19.000Z", "temperature": -1.24, "relhumidity": 11.19, "vappress": 2.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8667000,48.038213] }, "properties": { "altitude": "222.5", "sensor": "17", "gpstime":"2018-06-19T19:55:10.000Z", "temperature": -0.90, "relhumidity": 9.09, "vappress": 2.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8651700,48.037168] }, "properties": { "altitude": "221.0", "sensor": "17", "gpstime":"2018-06-19T19:55:48.000Z", "temperature": -0.87, "relhumidity": 9.17, "vappress": 2.113, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8640330,48.035912] }, "properties": { "altitude": "228.6", "sensor": "17", "gpstime":"2018-06-19T19:56:36.000Z", "temperature": -0.90, "relhumidity": 10.43, "vappress": 2.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632270,48.034125] }, "properties": { "altitude": "227.9", "sensor": "17", "gpstime":"2018-06-19T19:57:30.000Z", "temperature": -1.09, "relhumidity": 10.92, "vappress": 2.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628900,48.032093] }, "properties": { "altitude": "232.4", "sensor": "17", "gpstime":"2018-06-19T19:58:16.000Z", "temperature": -1.44, "relhumidity": 12.66, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620770,48.030077] }, "properties": { "altitude": "230.7", "sensor": "17", "gpstime":"2018-06-19T19:59:58.000Z", "temperature": -1.40, "relhumidity": 12.69, "vappress": 2.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8608680,48.028653] }, "properties": { "altitude": "229.3", "sensor": "17", "gpstime":"2018-06-19T20:00:32.000Z", "temperature": -1.42, "relhumidity": 12.67, "vappress": 2.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599000,48.027035] }, "properties": { "altitude": "221.7", "sensor": "17", "gpstime":"2018-06-19T20:01:26.000Z", "temperature": -1.25, "relhumidity": 11.18, "vappress": 2.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587820,48.028235] }, "properties": { "altitude": "229.8", "sensor": "17", "gpstime":"2018-06-19T20:02:07.000Z", "temperature": -0.94, "relhumidity": 8.90, "vappress": 2.183, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594230,48.026453] }, "properties": { "altitude": "231.1", "sensor": "17", "gpstime":"2018-06-19T20:03:10.000Z", "temperature": -0.54, "relhumidity": 7.53, "vappress": 2.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579430,48.025308] }, "properties": { "altitude": "234.2", "sensor": "17", "gpstime":"2018-06-19T20:03:51.000Z", "temperature": -0.62, "relhumidity": 8.27, "vappress": 2.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566200,48.024180] }, "properties": { "altitude": "229.9", "sensor": "17", "gpstime":"2018-06-19T20:04:28.000Z", "temperature": -0.93, "relhumidity": 9.05, "vappress": 2.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550700,48.024120] }, "properties": { "altitude": "226.6", "sensor": "17", "gpstime":"2018-06-19T20:05:08.000Z", "temperature": -0.84, "relhumidity": 8.43, "vappress": 2.173, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537470,48.023337] }, "properties": { "altitude": "229.5", "sensor": "17", "gpstime":"2018-06-19T20:05:33.000Z", "temperature": -0.34, "relhumidity": 6.55, "vappress": 2.263, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522180,48.022367] }, "properties": { "altitude": "230.6", "sensor": "17", "gpstime":"2018-06-19T20:06:00.000Z", "temperature": -0.10, "relhumidity": 4.96, "vappress": 2.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505700,48.022247] }, "properties": { "altitude": "230.4", "sensor": "17", "gpstime":"2018-06-19T20:06:30.000Z", "temperature": 0.16, "relhumidity": 4.08, "vappress": 1.970, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522680,48.021107] }, "properties": { "altitude": "232.3", "sensor": "17", "gpstime":"2018-06-19T20:07:16.000Z", "temperature": 0.29, "relhumidity": 2.89, "vappress": 1.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517620,48.019147] }, "properties": { "altitude": "238.1", "sensor": "17", "gpstime":"2018-06-19T20:08:02.000Z", "temperature": 0.36, "relhumidity": 2.95, "vappress": 1.637, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504470,48.017957] }, "properties": { "altitude": "238.5", "sensor": "17", "gpstime":"2018-06-19T20:08:43.000Z", "temperature": -0.06, "relhumidity": 4.25, "vappress": 1.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8495550,48.016117] }, "properties": { "altitude": "238.6", "sensor": "17", "gpstime":"2018-06-19T20:09:26.000Z", "temperature": 0.07, "relhumidity": 3.40, "vappress": 1.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500430,48.014110] }, "properties": { "altitude": "238.5", "sensor": "17", "gpstime":"2018-06-19T20:10:20.000Z", "temperature": 0.49, "relhumidity": 1.63, "vappress": 1.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8495170,48.011880] }, "properties": { "altitude": "235.6", "sensor": "17", "gpstime":"2018-06-19T20:11:06.000Z", "temperature": 0.72, "relhumidity": 0.78, "vappress": 1.680, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483780,48.010235] }, "properties": { "altitude": "239.3", "sensor": "17", "gpstime":"2018-06-19T20:11:47.000Z", "temperature": 0.67, "relhumidity": 0.61, "vappress": 1.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472250,48.008838] }, "properties": { "altitude": "247.6", "sensor": "17", "gpstime":"2018-06-19T20:12:22.000Z", "temperature": 0.70, "relhumidity": 0.69, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459150,48.007803] }, "properties": { "altitude": "248.9", "sensor": "17", "gpstime":"2018-06-19T20:12:51.000Z", "temperature": 0.54, "relhumidity": 1.70, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444870,48.006600] }, "properties": { "altitude": "248.3", "sensor": "17", "gpstime":"2018-06-19T20:13:26.000Z", "temperature": 0.25, "relhumidity": 2.57, "vappress": 1.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432100,48.004903] }, "properties": { "altitude": "239.7", "sensor": "17", "gpstime":"2018-06-19T20:14:10.000Z", "temperature": -0.15, "relhumidity": 3.64, "vappress": 1.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417600,48.003965] }, "properties": { "altitude": "239.7", "sensor": "17", "gpstime":"2018-06-19T20:14:37.000Z", "temperature": 0.04, "relhumidity": 3.13, "vappress": 1.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403520,48.003152] }, "properties": { "altitude": "240.9", "sensor": "17", "gpstime":"2018-06-19T20:15:06.000Z", "temperature": 0.24, "relhumidity": 2.48, "vappress": 1.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390500,48.002575] }, "properties": { "altitude": "244.7", "sensor": "17", "gpstime":"2018-06-19T20:15:36.000Z", "temperature": 0.28, "relhumidity": 1.50, "vappress": 1.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407600,48.002023] }, "properties": { "altitude": "250.8", "sensor": "17", "gpstime":"2018-06-19T20:16:30.000Z", "temperature": 0.44, "relhumidity": 0.82, "vappress": 1.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421950,48.001390] }, "properties": { "altitude": "252.2", "sensor": "17", "gpstime":"2018-06-19T20:16:52.000Z", "temperature": 0.44, "relhumidity": 0.99, "vappress": 1.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438200,48.000735] }, "properties": { "altitude": "249.0", "sensor": "17", "gpstime":"2018-06-19T20:17:19.000Z", "temperature": 0.30, "relhumidity": 1.29, "vappress": 1.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431080,47.998733] }, "properties": { "altitude": "258.5", "sensor": "17", "gpstime":"2018-06-19T20:18:20.000Z", "temperature": 0.54, "relhumidity": 0.33, "vappress": 1.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418900,47.997133] }, "properties": { "altitude": "257.6", "sensor": "17", "gpstime":"2018-06-19T20:18:57.000Z", "temperature": 0.80, "relhumidity": -0.50, "vappress": 1.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408050,47.995807] }, "properties": { "altitude": "255.4", "sensor": "17", "gpstime":"2018-06-19T20:19:30.000Z", "temperature": 1.12, "relhumidity": -1.97, "vappress": 1.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418800,47.994165] }, "properties": { "altitude": "250.8", "sensor": "17", "gpstime":"2018-06-19T20:20:22.000Z", "temperature": 1.21, "relhumidity": -1.41, "vappress": 1.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429230,47.992888] }, "properties": { "altitude": "251.6", "sensor": "17", "gpstime":"2018-06-19T20:20:53.000Z", "temperature": 0.66, "relhumidity": 0.22, "vappress": 1.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440320,47.991610] }, "properties": { "altitude": "247.2", "sensor": "17", "gpstime":"2018-06-19T20:21:26.000Z", "temperature": 0.35, "relhumidity": 1.82, "vappress": 1.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453850,47.991063] }, "properties": { "altitude": "245.1", "sensor": "17", "gpstime":"2018-06-19T20:22:01.000Z", "temperature": 0.14, "relhumidity": 2.98, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452180,47.992203] }, "properties": { "altitude": "254.0", "sensor": "17", "gpstime":"2018-06-19T20:22:30.000Z", "temperature": 0.07, "relhumidity": 2.98, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453280,47.992797] }, "properties": { "altitude": "279.9", "sensor": "18", "gpstime":"2018-06-19T19:25:55.000Z", "temperature": -0.28, "relhumidity": 2.19, "vappress": 0.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443370,47.991375] }, "properties": { "altitude": "269.2", "sensor": "18", "gpstime":"2018-06-19T19:26:47.000Z", "temperature": -0.27, "relhumidity": 1.39, "vappress": 0.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425980,47.991868] }, "properties": { "altitude": "261.1", "sensor": "18", "gpstime":"2018-06-19T19:27:10.000Z", "temperature": -0.40, "relhumidity": 1.55, "vappress": 0.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408980,47.992413] }, "properties": { "altitude": "263.3", "sensor": "18", "gpstime":"2018-06-19T19:27:33.000Z", "temperature": -0.42, "relhumidity": 1.38, "vappress": 0.597, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391770,47.992950] }, "properties": { "altitude": "269.4", "sensor": "18", "gpstime":"2018-06-19T19:27:56.000Z", "temperature": -0.46, "relhumidity": 1.79, "vappress": 0.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381580,47.991473] }, "properties": { "altitude": "267.7", "sensor": "18", "gpstime":"2018-06-19T19:29:04.000Z", "temperature": -0.33, "relhumidity": -0.02, "vappress": 0.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392520,47.989807] }, "properties": { "altitude": "281.9", "sensor": "18", "gpstime":"2018-06-19T19:30:09.000Z", "temperature": -0.12, "relhumidity": -0.11, "vappress": 0.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405820,47.989110] }, "properties": { "altitude": "288.4", "sensor": "18", "gpstime":"2018-06-19T19:30:30.000Z", "temperature": -0.11, "relhumidity": 0.42, "vappress": 0.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392400,47.987443] }, "properties": { "altitude": "283.3", "sensor": "18", "gpstime":"2018-06-19T19:31:09.000Z", "temperature": -0.20, "relhumidity": 0.38, "vappress": 0.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374480,47.986630] }, "properties": { "altitude": "271.1", "sensor": "18", "gpstime":"2018-06-19T19:31:32.000Z", "temperature": -0.23, "relhumidity": 0.41, "vappress": 0.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360300,47.986273] }, "properties": { "altitude": "270.6", "sensor": "18", "gpstime":"2018-06-19T19:31:47.000Z", "temperature": -0.17, "relhumidity": 0.04, "vappress": 0.465, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346900,47.985790] }, "properties": { "altitude": "268.2", "sensor": "18", "gpstime":"2018-06-19T19:32:02.000Z", "temperature": -0.15, "relhumidity": 0.52, "vappress": 0.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324070,47.985310] }, "properties": { "altitude": "265.2", "sensor": "18", "gpstime":"2018-06-19T19:32:23.000Z", "temperature": -0.15, "relhumidity": 0.45, "vappress": 0.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307370,47.985478] }, "properties": { "altitude": "258.1", "sensor": "18", "gpstime":"2018-06-19T19:32:39.000Z", "temperature": -0.15, "relhumidity": 0.02, "vappress": 0.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292030,47.986740] }, "properties": { "altitude": "254.0", "sensor": "18", "gpstime":"2018-06-19T19:33:09.000Z", "temperature": -0.24, "relhumidity": 0.72, "vappress": 0.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279750,47.987655] }, "properties": { "altitude": "257.1", "sensor": "18", "gpstime":"2018-06-19T19:34:39.000Z", "temperature": -0.36, "relhumidity": 0.62, "vappress": 0.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8261070,47.988358] }, "properties": { "altitude": "255.8", "sensor": "18", "gpstime":"2018-06-19T19:35:03.000Z", "temperature": -0.51, "relhumidity": 1.05, "vappress": 0.333, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8247000,47.987400] }, "properties": { "altitude": "257.6", "sensor": "18", "gpstime":"2018-06-19T19:35:36.000Z", "temperature": -0.56, "relhumidity": 1.57, "vappress": 0.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8245950,47.985302] }, "properties": { "altitude": "257.5", "sensor": "18", "gpstime":"2018-06-19T19:36:14.000Z", "temperature": -0.59, "relhumidity": 2.29, "vappress": 0.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232380,47.985157] }, "properties": { "altitude": "258.2", "sensor": "18", "gpstime":"2018-06-19T19:36:32.000Z", "temperature": -0.64, "relhumidity": 2.22, "vappress": 0.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233320,47.983063] }, "properties": { "altitude": "253.9", "sensor": "18", "gpstime":"2018-06-19T19:37:11.000Z", "temperature": -0.53, "relhumidity": 1.38, "vappress": 0.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217250,47.982495] }, "properties": { "altitude": "255.9", "sensor": "18", "gpstime":"2018-06-19T19:37:36.000Z", "temperature": -0.46, "relhumidity": 2.18, "vappress": 0.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203800,47.982437] }, "properties": { "altitude": "255.1", "sensor": "18", "gpstime":"2018-06-19T19:37:52.000Z", "temperature": -0.76, "relhumidity": 2.36, "vappress": 0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184470,47.982280] }, "properties": { "altitude": "255.2", "sensor": "18", "gpstime":"2018-06-19T19:38:19.000Z", "temperature": -0.75, "relhumidity": 2.54, "vappress": 0.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8164200,47.982487] }, "properties": { "altitude": "252.9", "sensor": "18", "gpstime":"2018-06-19T19:38:41.000Z", "temperature": -0.76, "relhumidity": 3.35, "vappress": 0.733, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151100,47.981645] }, "properties": { "altitude": "252.5", "sensor": "18", "gpstime":"2018-06-19T19:39:05.000Z", "temperature": -0.96, "relhumidity": 4.83, "vappress": 0.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136080,47.980652] }, "properties": { "altitude": "251.7", "sensor": "18", "gpstime":"2018-06-19T19:39:33.000Z", "temperature": -0.89, "relhumidity": 3.14, "vappress": 0.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117470,47.980668] }, "properties": { "altitude": "252.0", "sensor": "18", "gpstime":"2018-06-19T19:39:54.000Z", "temperature": -0.56, "relhumidity": 2.88, "vappress": 0.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8098420,47.980728] }, "properties": { "altitude": "250.5", "sensor": "18", "gpstime":"2018-06-19T19:40:15.000Z", "temperature": -0.48, "relhumidity": 1.34, "vappress": 0.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078000,47.981052] }, "properties": { "altitude": "246.3", "sensor": "18", "gpstime":"2018-06-19T19:40:36.000Z", "temperature": -0.19, "relhumidity": 0.64, "vappress": 0.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8068500,47.979400] }, "properties": { "altitude": "242.3", "sensor": "18", "gpstime":"2018-06-19T19:41:23.000Z", "temperature": -0.16, "relhumidity": -0.19, "vappress": 0.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8054630,47.979272] }, "properties": { "altitude": "239.5", "sensor": "18", "gpstime":"2018-06-19T19:41:39.000Z", "temperature": 0.00, "relhumidity": -0.49, "vappress": 0.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8038980,47.978473] }, "properties": { "altitude": "241.0", "sensor": "18", "gpstime":"2018-06-19T19:41:59.000Z", "temperature": 0.00, "relhumidity": -0.49, "vappress": 0.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021900,47.978172] }, "properties": { "altitude": "242.8", "sensor": "18", "gpstime":"2018-06-19T19:42:17.000Z", "temperature": -0.03, "relhumidity": 0.95, "vappress": 0.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008280,47.978085] }, "properties": { "altitude": "245.8", "sensor": "18", "gpstime":"2018-06-19T19:42:31.000Z", "temperature": -0.18, "relhumidity": 0.38, "vappress": 0.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7993470,47.977655] }, "properties": { "altitude": "244.5", "sensor": "18", "gpstime":"2018-06-19T19:42:47.000Z", "temperature": -0.28, "relhumidity": 2.14, "vappress": 0.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977780,47.977285] }, "properties": { "altitude": "242.0", "sensor": "18", "gpstime":"2018-06-19T19:43:04.000Z", "temperature": -0.49, "relhumidity": 4.80, "vappress": 1.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7956500,47.977235] }, "properties": { "altitude": "242.1", "sensor": "18", "gpstime":"2018-06-19T19:43:25.000Z", "temperature": -1.20, "relhumidity": 5.97, "vappress": 1.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7936020,47.976663] }, "properties": { "altitude": "236.2", "sensor": "18", "gpstime":"2018-06-19T19:43:59.000Z", "temperature": -1.28, "relhumidity": 4.27, "vappress": -0.008, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7922620,47.975830] }, "properties": { "altitude": "235.8", "sensor": "18", "gpstime":"2018-06-19T19:44:38.000Z", "temperature": -0.71, "relhumidity": 3.38, "vappress": 0.970, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7907720,47.974942] }, "properties": { "altitude": "229.2", "sensor": "18", "gpstime":"2018-06-19T19:44:59.000Z", "temperature": -0.64, "relhumidity": 6.03, "vappress": 1.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7892430,47.974652] }, "properties": { "altitude": "227.1", "sensor": "18", "gpstime":"2018-06-19T19:45:16.000Z", "temperature": -1.53, "relhumidity": 9.59, "vappress": 1.314, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7876370,47.974058] }, "properties": { "altitude": "226.0", "sensor": "18", "gpstime":"2018-06-19T19:45:38.000Z", "temperature": -1.58, "relhumidity": 13.20, "vappress": 1.664, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7862430,47.973783] }, "properties": { "altitude": "222.6", "sensor": "18", "gpstime":"2018-06-19T19:45:59.000Z", "temperature": -2.41, "relhumidity": 13.35, "vappress": 1.584, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7845130,47.973853] }, "properties": { "altitude": "224.2", "sensor": "18", "gpstime":"2018-06-19T19:46:18.000Z", "temperature": -2.39, "relhumidity": 14.78, "vappress": 1.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7831380,47.974662] }, "properties": { "altitude": "227.0", "sensor": "18", "gpstime":"2018-06-19T19:46:42.000Z", "temperature": -2.36, "relhumidity": 12.59, "vappress": 1.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7816720,47.975117] }, "properties": { "altitude": "225.3", "sensor": "18", "gpstime":"2018-06-19T19:46:58.000Z", "temperature": -2.29, "relhumidity": 13.68, "vappress": 1.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7798050,47.975558] }, "properties": { "altitude": "227.2", "sensor": "18", "gpstime":"2018-06-19T19:47:17.000Z", "temperature": -2.43, "relhumidity": 12.14, "vappress": 1.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7778600,47.976097] }, "properties": { "altitude": "226.2", "sensor": "18", "gpstime":"2018-06-19T19:47:38.000Z", "temperature": -2.64, "relhumidity": 13.03, "vappress": 1.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7767780,47.974857] }, "properties": { "altitude": "224.7", "sensor": "18", "gpstime":"2018-06-19T19:48:03.000Z", "temperature": -2.87, "relhumidity": 15.30, "vappress": 1.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7758180,47.972735] }, "properties": { "altitude": "222.6", "sensor": "18", "gpstime":"2018-06-19T19:48:37.000Z", "temperature": -3.17, "relhumidity": 19.25, "vappress": 1.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7743170,47.971642] }, "properties": { "altitude": "221.5", "sensor": "18", "gpstime":"2018-06-19T19:49:10.000Z", "temperature": -3.85, "relhumidity": 23.80, "vappress": 2.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7727420,47.971948] }, "properties": { "altitude": "220.9", "sensor": "18", "gpstime":"2018-06-19T19:49:25.000Z", "temperature": -4.23, "relhumidity": 24.58, "vappress": 2.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7710530,47.972268] }, "properties": { "altitude": "225.2", "sensor": "18", "gpstime":"2018-06-19T19:49:43.000Z", "temperature": -4.14, "relhumidity": 21.38, "vappress": 1.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7690580,47.972218] }, "properties": { "altitude": "217.8", "sensor": "18", "gpstime":"2018-06-19T19:50:06.000Z", "temperature": -3.45, "relhumidity": 18.16, "vappress": 1.897, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7671770,47.972140] }, "properties": { "altitude": "221.6", "sensor": "18", "gpstime":"2018-06-19T19:50:20.000Z", "temperature": -4.00, "relhumidity": 18.34, "vappress": 1.697, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7673420,47.974307] }, "properties": { "altitude": "214.2", "sensor": "18", "gpstime":"2018-06-19T19:51:06.000Z", "temperature": -3.72, "relhumidity": 20.54, "vappress": 1.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7684470,47.975998] }, "properties": { "altitude": "217.1", "sensor": "18", "gpstime":"2018-06-19T19:51:39.000Z", "temperature": -4.15, "relhumidity": 23.64, "vappress": 1.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7698750,47.976313] }, "properties": { "altitude": "218.4", "sensor": "18", "gpstime":"2018-06-19T19:51:57.000Z", "temperature": -4.38, "relhumidity": 24.01, "vappress": 1.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7714880,47.977070] }, "properties": { "altitude": "220.3", "sensor": "18", "gpstime":"2018-06-19T19:52:22.000Z", "temperature": -4.21, "relhumidity": 20.74, "vappress": 1.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7725570,47.979022] }, "properties": { "altitude": "222.9", "sensor": "18", "gpstime":"2018-06-19T19:52:59.000Z", "temperature": -3.44, "relhumidity": 17.75, "vappress": 1.844, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7741630,47.979597] }, "properties": { "altitude": "221.4", "sensor": "18", "gpstime":"2018-06-19T19:53:21.000Z", "temperature": -2.88, "relhumidity": 16.79, "vappress": 1.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7758600,47.980085] }, "properties": { "altitude": "221.1", "sensor": "18", "gpstime":"2018-06-19T19:53:43.000Z", "temperature": -3.02, "relhumidity": 18.24, "vappress": 1.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7773230,47.980543] }, "properties": { "altitude": "223.8", "sensor": "18", "gpstime":"2018-06-19T19:54:07.000Z", "temperature": -3.11, "relhumidity": 17.15, "vappress": 1.611, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7780180,47.982387] }, "properties": { "altitude": "222.1", "sensor": "18", "gpstime":"2018-06-19T19:55:01.000Z", "temperature": -3.05, "relhumidity": 16.98, "vappress": 1.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7794930,47.983157] }, "properties": { "altitude": "227.2", "sensor": "18", "gpstime":"2018-06-19T19:55:24.000Z", "temperature": -2.74, "relhumidity": 14.56, "vappress": 1.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7804200,47.984773] }, "properties": { "altitude": "230.0", "sensor": "18", "gpstime":"2018-06-19T19:55:54.000Z", "temperature": -2.13, "relhumidity": 11.21, "vappress": 1.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7814600,47.986087] }, "properties": { "altitude": "227.4", "sensor": "18", "gpstime":"2018-06-19T19:56:24.000Z", "temperature": -1.77, "relhumidity": 10.56, "vappress": 1.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7833030,47.985672] }, "properties": { "altitude": "226.0", "sensor": "18", "gpstime":"2018-06-19T19:56:48.000Z", "temperature": -1.37, "relhumidity": 7.36, "vappress": 1.295, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7844830,47.987320] }, "properties": { "altitude": "231.4", "sensor": "18", "gpstime":"2018-06-19T19:57:23.000Z", "temperature": -0.99, "relhumidity": 6.18, "vappress": 1.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7860470,47.987865] }, "properties": { "altitude": "233.8", "sensor": "18", "gpstime":"2018-06-19T19:57:48.000Z", "temperature": -1.19, "relhumidity": 8.76, "vappress": 1.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7875980,47.987513] }, "properties": { "altitude": "229.9", "sensor": "18", "gpstime":"2018-06-19T19:58:09.000Z", "temperature": -1.41, "relhumidity": 8.00, "vappress": 1.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7891100,47.986853] }, "properties": { "altitude": "230.7", "sensor": "18", "gpstime":"2018-06-19T19:58:34.000Z", "temperature": -1.37, "relhumidity": 6.59, "vappress": 1.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7904900,47.986655] }, "properties": { "altitude": "234.2", "sensor": "18", "gpstime":"2018-06-19T19:58:59.000Z", "temperature": -0.97, "relhumidity": 4.61, "vappress": 1.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7912650,47.988758] }, "properties": { "altitude": "239.3", "sensor": "18", "gpstime":"2018-06-19T19:59:37.000Z", "temperature": -0.46, "relhumidity": 2.70, "vappress": 0.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7899170,47.989395] }, "properties": { "altitude": "233.9", "sensor": "18", "gpstime":"2018-06-19T20:00:10.000Z", "temperature": -0.27, "relhumidity": 1.66, "vappress": 0.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7886670,47.990190] }, "properties": { "altitude": "233.6", "sensor": "18", "gpstime":"2018-06-19T20:00:37.000Z", "temperature": -0.13, "relhumidity": 1.83, "vappress": 0.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7885620,47.992313] }, "properties": { "altitude": "229.8", "sensor": "18", "gpstime":"2018-06-19T20:01:14.000Z", "temperature": -0.22, "relhumidity": 2.63, "vappress": 1.121, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7903500,47.992662] }, "properties": { "altitude": "230.1", "sensor": "18", "gpstime":"2018-06-19T20:01:42.000Z", "temperature": -0.21, "relhumidity": 1.68, "vappress": 0.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7919380,47.992528] }, "properties": { "altitude": "229.7", "sensor": "18", "gpstime":"2018-06-19T20:02:01.000Z", "temperature": -0.19, "relhumidity": 1.01, "vappress": 0.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7931920,47.993655] }, "properties": { "altitude": "233.3", "sensor": "18", "gpstime":"2018-06-19T20:02:36.000Z", "temperature": -0.14, "relhumidity": 0.65, "vappress": 0.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7940830,47.995677] }, "properties": { "altitude": "238.9", "sensor": "18", "gpstime":"2018-06-19T20:03:13.000Z", "temperature": 0.00, "relhumidity": 0.56, "vappress": 0.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7930220,47.997350] }, "properties": { "altitude": "234.5", "sensor": "18", "gpstime":"2018-06-19T20:03:55.000Z", "temperature": -0.15, "relhumidity": 1.14, "vappress": 0.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7916030,47.996712] }, "properties": { "altitude": "232.6", "sensor": "18", "gpstime":"2018-06-19T20:04:19.000Z", "temperature": -0.20, "relhumidity": 1.05, "vappress": 0.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7894280,47.997238] }, "properties": { "altitude": "228.7", "sensor": "18", "gpstime":"2018-06-19T20:04:45.000Z", "temperature": -0.20, "relhumidity": 1.33, "vappress": 0.762, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7902930,47.999050] }, "properties": { "altitude": "249.1", "sensor": "18", "gpstime":"2018-06-19T20:05:21.000Z", "temperature": -0.25, "relhumidity": 1.44, "vappress": 0.713, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7911200,48.000933] }, "properties": { "altitude": "251.2", "sensor": "18", "gpstime":"2018-06-19T20:05:53.000Z", "temperature": -0.29, "relhumidity": 2.10, "vappress": 0.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7926920,48.000497] }, "properties": { "altitude": "232.9", "sensor": "18", "gpstime":"2018-06-19T20:06:23.000Z", "temperature": -0.62, "relhumidity": 3.71, "vappress": 0.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7940170,47.999903] }, "properties": { "altitude": "232.1", "sensor": "18", "gpstime":"2018-06-19T20:06:44.000Z", "temperature": -0.80, "relhumidity": 4.43, "vappress": 0.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7953330,47.999272] }, "properties": { "altitude": "231.3", "sensor": "18", "gpstime":"2018-06-19T20:07:06.000Z", "temperature": -0.91, "relhumidity": 4.74, "vappress": 0.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7969380,47.998827] }, "properties": { "altitude": "232.0", "sensor": "18", "gpstime":"2018-06-19T20:07:34.000Z", "temperature": -0.99, "relhumidity": 5.21, "vappress": 0.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7979320,48.000325] }, "properties": { "altitude": "241.4", "sensor": "18", "gpstime":"2018-06-19T20:08:53.000Z", "temperature": -1.14, "relhumidity": 8.12, "vappress": 0.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7994250,48.000332] }, "properties": { "altitude": "237.4", "sensor": "18", "gpstime":"2018-06-19T20:09:14.000Z", "temperature": -1.97, "relhumidity": 7.20, "vappress": -0.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8014620,47.999805] }, "properties": { "altitude": "229.7", "sensor": "18", "gpstime":"2018-06-19T20:09:36.000Z", "temperature": -1.58, "relhumidity": 7.44, "vappress": 0.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031720,47.999687] }, "properties": { "altitude": "229.3", "sensor": "18", "gpstime":"2018-06-19T20:09:58.000Z", "temperature": -1.78, "relhumidity": 9.78, "vappress": 1.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8045780,47.999673] }, "properties": { "altitude": "232.7", "sensor": "18", "gpstime":"2018-06-19T20:10:14.000Z", "temperature": -1.71, "relhumidity": 8.76, "vappress": 1.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062770,47.999612] }, "properties": { "altitude": "231.0", "sensor": "18", "gpstime":"2018-06-19T20:10:36.000Z", "temperature": -1.64, "relhumidity": 8.88, "vappress": 1.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8079280,47.998250] }, "properties": { "altitude": "239.2", "sensor": "18", "gpstime":"2018-06-19T20:11:07.000Z", "temperature": -1.26, "relhumidity": 8.67, "vappress": 0.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089330,47.996888] }, "properties": { "altitude": "235.9", "sensor": "18", "gpstime":"2018-06-19T20:11:57.000Z", "temperature": -1.41, "relhumidity": 5.80, "vappress": 0.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081230,47.995232] }, "properties": { "altitude": "234.7", "sensor": "18", "gpstime":"2018-06-19T20:12:28.000Z", "temperature": -0.94, "relhumidity": 3.83, "vappress": 0.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8097880,47.994137] }, "properties": { "altitude": "237.9", "sensor": "18", "gpstime":"2018-06-19T20:12:58.000Z", "temperature": -0.65, "relhumidity": 2.33, "vappress": 0.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114850,47.994030] }, "properties": { "altitude": "239.7", "sensor": "18", "gpstime":"2018-06-19T20:13:17.000Z", "temperature": -0.39, "relhumidity": 0.95, "vappress": 0.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8138420,47.994173] }, "properties": { "altitude": "239.3", "sensor": "18", "gpstime":"2018-06-19T20:13:44.000Z", "temperature": -0.25, "relhumidity": 0.38, "vappress": 0.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8155770,47.994475] }, "properties": { "altitude": "243.7", "sensor": "18", "gpstime":"2018-06-19T20:14:06.000Z", "temperature": -0.28, "relhumidity": 1.94, "vappress": 0.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172280,47.995465] }, "properties": { "altitude": "246.3", "sensor": "18", "gpstime":"2018-06-19T20:14:33.000Z", "temperature": -0.09, "relhumidity": 3.88, "vappress": 3.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184650,47.996498] }, "properties": { "altitude": "249.5", "sensor": "18", "gpstime":"2018-06-19T20:14:57.000Z", "temperature": -0.81, "relhumidity": 3.26, "vappress": 0.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8175500,47.998415] }, "properties": { "altitude": "250.4", "sensor": "18", "gpstime":"2018-06-19T20:15:32.000Z", "temperature": -0.73, "relhumidity": 2.98, "vappress": 0.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8160500,47.999052] }, "properties": { "altitude": "240.9", "sensor": "18", "gpstime":"2018-06-19T20:15:51.000Z", "temperature": -0.57, "relhumidity": 2.92, "vappress": 0.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136330,47.999857] }, "properties": { "altitude": "236.1", "sensor": "18", "gpstime":"2018-06-19T20:16:18.000Z", "temperature": -0.41, "relhumidity": 1.81, "vappress": 0.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8120750,48.000387] }, "properties": { "altitude": "233.4", "sensor": "18", "gpstime":"2018-06-19T20:16:37.000Z", "temperature": -0.99, "relhumidity": 1.12, "vappress": 0.599, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136130,48.000867] }, "properties": { "altitude": "248.5", "sensor": "18", "gpstime":"2018-06-19T20:17:18.000Z", "temperature": -0.25, "relhumidity": 0.62, "vappress": 0.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151330,48.000312] }, "properties": { "altitude": "242.2", "sensor": "18", "gpstime":"2018-06-19T20:18:39.000Z", "temperature": -0.32, "relhumidity": 2.12, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176770,47.999287] }, "properties": { "altitude": "236.7", "sensor": "18", "gpstime":"2018-06-19T20:19:11.000Z", "temperature": -0.91, "relhumidity": 5.00, "vappress": 0.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8193630,47.998633] }, "properties": { "altitude": "238.4", "sensor": "18", "gpstime":"2018-06-19T20:19:33.000Z", "temperature": -1.11, "relhumidity": 4.31, "vappress": 0.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8212420,47.998002] }, "properties": { "altitude": "240.4", "sensor": "18", "gpstime":"2018-06-19T20:19:57.000Z", "temperature": -1.04, "relhumidity": 5.70, "vappress": 0.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225300,47.997422] }, "properties": { "altitude": "241.5", "sensor": "18", "gpstime":"2018-06-19T20:20:16.000Z", "temperature": -1.18, "relhumidity": 5.74, "vappress": 0.810, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242980,47.996768] }, "properties": { "altitude": "237.0", "sensor": "18", "gpstime":"2018-06-19T20:20:41.000Z", "temperature": -1.62, "relhumidity": 5.41, "vappress": 0.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259620,47.996160] }, "properties": { "altitude": "235.4", "sensor": "18", "gpstime":"2018-06-19T20:21:04.000Z", "temperature": -1.24, "relhumidity": 5.43, "vappress": 0.636, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276980,47.995512] }, "properties": { "altitude": "243.4", "sensor": "18", "gpstime":"2018-06-19T20:21:27.000Z", "temperature": -1.19, "relhumidity": 5.16, "vappress": 0.566, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290250,47.995022] }, "properties": { "altitude": "244.8", "sensor": "18", "gpstime":"2018-06-19T20:21:44.000Z", "temperature": -1.16, "relhumidity": 6.34, "vappress": 0.986, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305020,47.994537] }, "properties": { "altitude": "248.0", "sensor": "18", "gpstime":"2018-06-19T20:22:02.000Z", "temperature": -1.06, "relhumidity": 5.62, "vappress": 1.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322050,47.993853] }, "properties": { "altitude": "250.6", "sensor": "18", "gpstime":"2018-06-19T20:22:26.000Z", "temperature": -0.85, "relhumidity": 6.43, "vappress": 1.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334050,47.994922] }, "properties": { "altitude": "259.6", "sensor": "18", "gpstime":"2018-06-19T20:23:52.000Z", "temperature": -0.78, "relhumidity": 3.75, "vappress": 1.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345270,47.996268] }, "properties": { "altitude": "260.4", "sensor": "18", "gpstime":"2018-06-19T20:24:47.000Z", "temperature": -0.30, "relhumidity": 2.12, "vappress": 1.064, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361020,47.996660] }, "properties": { "altitude": "262.3", "sensor": "18", "gpstime":"2018-06-19T20:25:22.000Z", "temperature": 0.03, "relhumidity": 0.33, "vappress": 0.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377550,47.996075] }, "properties": { "altitude": "266.6", "sensor": "18", "gpstime":"2018-06-19T20:25:44.000Z", "temperature": 0.44, "relhumidity": 0.64, "vappress": 0.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394750,47.996180] }, "properties": { "altitude": "279.5", "sensor": "18", "gpstime":"2018-06-19T20:26:19.000Z", "temperature": -0.03, "relhumidity": 1.58, "vappress": 0.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410150,47.995517] }, "properties": { "altitude": "265.6", "sensor": "18", "gpstime":"2018-06-19T20:26:48.000Z", "temperature": -0.19, "relhumidity": 2.11, "vappress": 0.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420230,47.994120] }, "properties": { "altitude": "250.3", "sensor": "18", "gpstime":"2018-06-19T20:27:26.000Z", "temperature": -0.21, "relhumidity": 2.38, "vappress": 0.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441730,47.993915] }, "properties": { "altitude": "253.4", "sensor": "18", "gpstime":"2018-06-19T20:27:52.000Z", "temperature": -0.21, "relhumidity": 2.38, "vappress": 0.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454030,47.993123] }, "properties": { "altitude": "269.7", "sensor": "18", "gpstime":"2018-06-19T20:30:34.000Z", "temperature": -0.27, "relhumidity": 13.58, "vappress": 3.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454050,47.993087] }, "properties": { "altitude": "269.3", "sensor": "18", "gpstime":"2018-06-19T20:30:40.000Z", "temperature": -0.31, "relhumidity": 14.16, "vappress": 4.032, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453000,47.991980] }, "properties": { "altitude": "280.4", "sensor": "19", "gpstime":"2018-06-19T19:23:58.000Z", "temperature": 1.28, "relhumidity": -2.06, "vappress": 1.372, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466620,47.991327] }, "properties": { "altitude": "275.6", "sensor": "19", "gpstime":"2018-06-19T19:24:35.000Z", "temperature": 1.11, "relhumidity": -1.85, "vappress": 1.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480170,47.992217] }, "properties": { "altitude": "269.8", "sensor": "19", "gpstime":"2018-06-19T19:25:02.000Z", "temperature": 0.92, "relhumidity": -1.55, "vappress": 1.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481750,47.990172] }, "properties": { "altitude": "283.2", "sensor": "19", "gpstime":"2018-06-19T19:26:53.000Z", "temperature": 1.09, "relhumidity": -2.15, "vappress": 1.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477870,47.988047] }, "properties": { "altitude": "276.6", "sensor": "19", "gpstime":"2018-06-19T19:27:26.000Z", "temperature": 1.11, "relhumidity": -2.54, "vappress": 0.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475770,47.986048] }, "properties": { "altitude": "274.2", "sensor": "19", "gpstime":"2018-06-19T19:28:19.000Z", "temperature": 1.11, "relhumidity": -1.95, "vappress": 1.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461970,47.984557] }, "properties": { "altitude": "278.4", "sensor": "19", "gpstime":"2018-06-19T19:28:57.000Z", "temperature": 1.11, "relhumidity": -3.19, "vappress": 0.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446880,47.984797] }, "properties": { "altitude": "275.6", "sensor": "19", "gpstime":"2018-06-19T19:29:14.000Z", "temperature": 1.09, "relhumidity": -2.07, "vappress": 1.181, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431630,47.985580] }, "properties": { "altitude": "269.6", "sensor": "19", "gpstime":"2018-06-19T19:29:46.000Z", "temperature": 0.54, "relhumidity": 1.91, "vappress": 1.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417770,47.985755] }, "properties": { "altitude": "270.9", "sensor": "19", "gpstime":"2018-06-19T19:30:21.000Z", "temperature": -0.04, "relhumidity": 3.46, "vappress": 1.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403550,47.984713] }, "properties": { "altitude": "274.0", "sensor": "19", "gpstime":"2018-06-19T19:30:56.000Z", "temperature": 0.16, "relhumidity": 2.82, "vappress": 1.609, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389350,47.985235] }, "properties": { "altitude": "269.6", "sensor": "19", "gpstime":"2018-06-19T19:31:17.000Z", "temperature": 0.10, "relhumidity": 2.90, "vappress": 1.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373420,47.985920] }, "properties": { "altitude": "255.4", "sensor": "19", "gpstime":"2018-06-19T19:31:42.000Z", "temperature": 0.27, "relhumidity": 1.26, "vappress": 1.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361750,47.983773] }, "properties": { "altitude": "262.3", "sensor": "19", "gpstime":"2018-06-19T19:33:18.000Z", "temperature": 0.57, "relhumidity": -0.01, "vappress": 1.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341080,47.983360] }, "properties": { "altitude": "257.9", "sensor": "19", "gpstime":"2018-06-19T19:33:47.000Z", "temperature": 0.54, "relhumidity": 0.16, "vappress": 1.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326580,47.982975] }, "properties": { "altitude": "255.6", "sensor": "19", "gpstime":"2018-06-19T19:34:12.000Z", "temperature": 0.62, "relhumidity": -0.51, "vappress": 1.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8313850,47.981577] }, "properties": { "altitude": "258.1", "sensor": "19", "gpstime":"2018-06-19T19:34:44.000Z", "temperature": 0.51, "relhumidity": 0.34, "vappress": 1.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296330,47.981383] }, "properties": { "altitude": "257.6", "sensor": "19", "gpstime":"2018-06-19T19:35:15.000Z", "temperature": 0.31, "relhumidity": 0.71, "vappress": 1.233, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282230,47.980777] }, "properties": { "altitude": "254.2", "sensor": "19", "gpstime":"2018-06-19T19:35:44.000Z", "temperature": 0.36, "relhumidity": 1.00, "vappress": 1.323, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265830,47.981207] }, "properties": { "altitude": "257.6", "sensor": "19", "gpstime":"2018-06-19T19:36:07.000Z", "temperature": -0.07, "relhumidity": 2.75, "vappress": 1.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252230,47.981200] }, "properties": { "altitude": "258.5", "sensor": "19", "gpstime":"2018-06-19T19:36:48.000Z", "temperature": 0.11, "relhumidity": 1.80, "vappress": 1.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236080,47.981410] }, "properties": { "altitude": "256.0", "sensor": "19", "gpstime":"2018-06-19T19:37:13.000Z", "temperature": 0.40, "relhumidity": 1.12, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219380,47.981637] }, "properties": { "altitude": "253.2", "sensor": "19", "gpstime":"2018-06-19T19:37:37.000Z", "temperature": 0.58, "relhumidity": 0.36, "vappress": 1.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203480,47.981428] }, "properties": { "altitude": "253.3", "sensor": "19", "gpstime":"2018-06-19T19:37:59.000Z", "temperature": 0.61, "relhumidity": -0.36, "vappress": 1.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191730,47.979115] }, "properties": { "altitude": "252.5", "sensor": "19", "gpstime":"2018-06-19T19:39:49.000Z", "temperature": 0.69, "relhumidity": -1.03, "vappress": 1.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176800,47.978613] }, "properties": { "altitude": "249.0", "sensor": "19", "gpstime":"2018-06-19T19:40:05.000Z", "temperature": 0.77, "relhumidity": -1.90, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8162480,47.978362] }, "properties": { "altitude": "246.3", "sensor": "19", "gpstime":"2018-06-19T19:40:19.000Z", "temperature": 0.58, "relhumidity": -1.48, "vappress": 0.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8147000,47.978273] }, "properties": { "altitude": "244.6", "sensor": "19", "gpstime":"2018-06-19T19:40:33.000Z", "temperature": 0.74, "relhumidity": -1.23, "vappress": 1.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132180,47.978322] }, "properties": { "altitude": "245.7", "sensor": "19", "gpstime":"2018-06-19T19:40:48.000Z", "temperature": 0.58, "relhumidity": -1.19, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117870,47.978503] }, "properties": { "altitude": "244.7", "sensor": "19", "gpstime":"2018-06-19T19:41:02.000Z", "temperature": 0.81, "relhumidity": -0.83, "vappress": 1.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103430,47.978100] }, "properties": { "altitude": "245.5", "sensor": "19", "gpstime":"2018-06-19T19:41:27.000Z", "temperature": 0.81, "relhumidity": -1.34, "vappress": 1.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085970,47.977482] }, "properties": { "altitude": "243.9", "sensor": "19", "gpstime":"2018-06-19T19:41:59.000Z", "temperature": 0.67, "relhumidity": -0.56, "vappress": 1.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8068830,47.977407] }, "properties": { "altitude": "243.5", "sensor": "19", "gpstime":"2018-06-19T19:42:20.000Z", "temperature": 0.73, "relhumidity": -0.35, "vappress": 1.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8054050,47.977498] }, "properties": { "altitude": "243.8", "sensor": "19", "gpstime":"2018-06-19T19:42:41.000Z", "temperature": 0.50, "relhumidity": 0.37, "vappress": 0.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8038480,47.977067] }, "properties": { "altitude": "241.0", "sensor": "19", "gpstime":"2018-06-19T19:43:01.000Z", "temperature": -0.21, "relhumidity": 3.94, "vappress": 1.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021270,47.976933] }, "properties": { "altitude": "233.4", "sensor": "19", "gpstime":"2018-06-19T19:43:55.000Z", "temperature": -0.42, "relhumidity": 7.00, "vappress": 1.762, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8004950,47.975498] }, "properties": { "altitude": "236.7", "sensor": "19", "gpstime":"2018-06-19T19:44:50.000Z", "temperature": -1.48, "relhumidity": 13.18, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7993670,47.976595] }, "properties": { "altitude": "232.4", "sensor": "19", "gpstime":"2018-06-19T19:45:35.000Z", "temperature": -2.00, "relhumidity": 15.30, "vappress": 2.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7978030,47.977323] }, "properties": { "altitude": "235.8", "sensor": "19", "gpstime":"2018-06-19T19:45:58.000Z", "temperature": -2.13, "relhumidity": 15.50, "vappress": 2.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7978200,47.979382] }, "properties": { "altitude": "233.9", "sensor": "19", "gpstime":"2018-06-19T19:46:54.000Z", "temperature": -1.25, "relhumidity": 9.41, "vappress": 2.728, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7964480,47.979893] }, "properties": { "altitude": "237.3", "sensor": "19", "gpstime":"2018-06-19T19:47:18.000Z", "temperature": -0.08, "relhumidity": 5.96, "vappress": 2.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7947670,47.980552] }, "properties": { "altitude": "238.9", "sensor": "19", "gpstime":"2018-06-19T19:47:43.000Z", "temperature": 0.24, "relhumidity": 3.75, "vappress": 2.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7954800,47.983130] }, "properties": { "altitude": "238.7", "sensor": "19", "gpstime":"2018-06-19T19:48:58.000Z", "temperature": 0.59, "relhumidity": 0.66, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7962330,47.985088] }, "properties": { "altitude": "238.6", "sensor": "19", "gpstime":"2018-06-19T19:49:35.000Z", "temperature": 0.70, "relhumidity": 0.65, "vappress": 1.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7968400,47.987713] }, "properties": { "altitude": "235.8", "sensor": "19", "gpstime":"2018-06-19T19:50:36.000Z", "temperature": 0.67, "relhumidity": -0.21, "vappress": 1.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7973080,47.989670] }, "properties": { "altitude": "233.7", "sensor": "19", "gpstime":"2018-06-19T19:51:09.000Z", "temperature": 0.78, "relhumidity": -0.20, "vappress": 1.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7979830,47.991798] }, "properties": { "altitude": "236.0", "sensor": "19", "gpstime":"2018-06-19T19:51:49.000Z", "temperature": 0.68, "relhumidity": 0.15, "vappress": 1.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7991470,47.993452] }, "properties": { "altitude": "230.2", "sensor": "19", "gpstime":"2018-06-19T19:52:27.000Z", "temperature": 0.33, "relhumidity": 1.98, "vappress": 1.304, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8002080,47.994750] }, "properties": { "altitude": "233.7", "sensor": "19", "gpstime":"2018-06-19T19:53:04.000Z", "temperature": -0.09, "relhumidity": 3.60, "vappress": 1.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8012500,47.996510] }, "properties": { "altitude": "234.1", "sensor": "19", "gpstime":"2018-06-19T19:54:07.000Z", "temperature": -0.15, "relhumidity": 4.38, "vappress": 1.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8012050,47.998553] }, "properties": { "altitude": "235.6", "sensor": "19", "gpstime":"2018-06-19T19:54:53.000Z", "temperature": -0.53, "relhumidity": 5.56, "vappress": 1.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8016600,48.000667] }, "properties": { "altitude": "230.6", "sensor": "19", "gpstime":"2018-06-19T19:55:34.000Z", "temperature": -0.65, "relhumidity": 6.85, "vappress": 1.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8007070,48.002340] }, "properties": { "altitude": "226.2", "sensor": "19", "gpstime":"2018-06-19T19:56:11.000Z", "temperature": -1.04, "relhumidity": 8.07, "vappress": 1.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8019520,48.003810] }, "properties": { "altitude": "231.0", "sensor": "19", "gpstime":"2018-06-19T19:56:52.000Z", "temperature": -0.92, "relhumidity": 7.08, "vappress": 1.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026570,48.005653] }, "properties": { "altitude": "236.0", "sensor": "19", "gpstime":"2018-06-19T19:57:38.000Z", "temperature": -0.99, "relhumidity": 11.68, "vappress": 2.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040330,48.005908] }, "properties": { "altitude": "240.1", "sensor": "19", "gpstime":"2018-06-19T19:58:11.000Z", "temperature": -0.98, "relhumidity": 8.06, "vappress": 2.008, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049870,48.008272] }, "properties": { "altitude": "230.9", "sensor": "19", "gpstime":"2018-06-19T19:59:09.000Z", "temperature": -0.67, "relhumidity": 6.08, "vappress": 1.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8067620,48.009013] }, "properties": { "altitude": "227.9", "sensor": "19", "gpstime":"2018-06-19T19:59:35.000Z", "temperature": -0.28, "relhumidity": 5.27, "vappress": 1.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8079230,48.010283] }, "properties": { "altitude": "227.7", "sensor": "19", "gpstime":"2018-06-19T20:00:11.000Z", "temperature": 0.13, "relhumidity": 3.54, "vappress": 1.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093850,48.011628] }, "properties": { "altitude": "231.2", "sensor": "19", "gpstime":"2018-06-19T20:00:44.000Z", "temperature": 0.36, "relhumidity": 1.91, "vappress": 1.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8105680,48.012670] }, "properties": { "altitude": "232.2", "sensor": "19", "gpstime":"2018-06-19T20:01:05.000Z", "temperature": 0.49, "relhumidity": 1.38, "vappress": 1.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118630,48.013498] }, "properties": { "altitude": "232.3", "sensor": "19", "gpstime":"2018-06-19T20:01:28.000Z", "temperature": 0.51, "relhumidity": 1.28, "vappress": 1.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134070,48.014018] }, "properties": { "altitude": "229.2", "sensor": "19", "gpstime":"2018-06-19T20:01:59.000Z", "temperature": 0.38, "relhumidity": 1.55, "vappress": 1.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8150170,48.013648] }, "properties": { "altitude": "232.7", "sensor": "19", "gpstime":"2018-06-19T20:02:27.000Z", "temperature": 0.28, "relhumidity": 1.81, "vappress": 1.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8165620,48.013773] }, "properties": { "altitude": "232.3", "sensor": "19", "gpstime":"2018-06-19T20:02:49.000Z", "temperature": 0.06, "relhumidity": 2.78, "vappress": 1.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180780,48.013473] }, "properties": { "altitude": "233.9", "sensor": "19", "gpstime":"2018-06-19T20:03:14.000Z", "temperature": -0.04, "relhumidity": 2.46, "vappress": 1.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197380,48.013205] }, "properties": { "altitude": "235.4", "sensor": "19", "gpstime":"2018-06-19T20:03:41.000Z", "temperature": -0.03, "relhumidity": 2.46, "vappress": 1.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211480,48.014135] }, "properties": { "altitude": "236.6", "sensor": "19", "gpstime":"2018-06-19T20:04:09.000Z", "temperature": 0.07, "relhumidity": 2.17, "vappress": 1.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223530,48.015112] }, "properties": { "altitude": "235.4", "sensor": "19", "gpstime":"2018-06-19T20:04:34.000Z", "temperature": 0.12, "relhumidity": 1.96, "vappress": 1.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239420,48.014900] }, "properties": { "altitude": "231.4", "sensor": "19", "gpstime":"2018-06-19T20:05:18.000Z", "temperature": 0.36, "relhumidity": 0.87, "vappress": 1.353, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254630,48.013922] }, "properties": { "altitude": "230.9", "sensor": "19", "gpstime":"2018-06-19T20:05:48.000Z", "temperature": 0.45, "relhumidity": 0.57, "vappress": 1.263, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8243620,48.012705] }, "properties": { "altitude": "234.4", "sensor": "19", "gpstime":"2018-06-19T20:06:23.000Z", "temperature": 0.33, "relhumidity": 0.76, "vappress": 1.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230370,48.012093] }, "properties": { "altitude": "236.8", "sensor": "19", "gpstime":"2018-06-19T20:06:42.000Z", "temperature": 0.30, "relhumidity": 0.76, "vappress": 1.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8247470,48.011923] }, "properties": { "altitude": "237.5", "sensor": "19", "gpstime":"2018-06-19T20:07:34.000Z", "temperature": 0.37, "relhumidity": -0.00, "vappress": 1.201, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8263900,48.011870] }, "properties": { "altitude": "242.5", "sensor": "19", "gpstime":"2018-06-19T20:08:04.000Z", "temperature": 0.54, "relhumidity": -0.72, "vappress": 0.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254330,48.010033] }, "properties": { "altitude": "240.9", "sensor": "19", "gpstime":"2018-06-19T20:08:52.000Z", "temperature": 0.52, "relhumidity": -0.66, "vappress": 1.067, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268930,48.009018] }, "properties": { "altitude": "242.5", "sensor": "19", "gpstime":"2018-06-19T20:09:19.000Z", "temperature": 0.63, "relhumidity": -0.92, "vappress": 1.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282370,48.008025] }, "properties": { "altitude": "246.2", "sensor": "19", "gpstime":"2018-06-19T20:09:42.000Z", "temperature": 0.53, "relhumidity": -0.67, "vappress": 0.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298580,48.007232] }, "properties": { "altitude": "249.0", "sensor": "19", "gpstime":"2018-06-19T20:10:07.000Z", "temperature": 0.57, "relhumidity": -0.68, "vappress": 1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315820,48.006773] }, "properties": { "altitude": "250.9", "sensor": "19", "gpstime":"2018-06-19T20:10:28.000Z", "temperature": 0.63, "relhumidity": -0.68, "vappress": 1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329300,48.006213] }, "properties": { "altitude": "251.7", "sensor": "19", "gpstime":"2018-06-19T20:10:48.000Z", "temperature": 0.66, "relhumidity": -0.68, "vappress": 1.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344330,48.005327] }, "properties": { "altitude": "251.2", "sensor": "19", "gpstime":"2018-06-19T20:11:12.000Z", "temperature": 0.62, "relhumidity": -0.74, "vappress": 1.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358350,48.004487] }, "properties": { "altitude": "252.5", "sensor": "19", "gpstime":"2018-06-19T20:11:36.000Z", "temperature": 0.71, "relhumidity": -0.06, "vappress": 1.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371180,48.003748] }, "properties": { "altitude": "256.1", "sensor": "19", "gpstime":"2018-06-19T20:12:12.000Z", "temperature": 0.78, "relhumidity": -0.04, "vappress": 1.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386470,48.002955] }, "properties": { "altitude": "257.2", "sensor": "19", "gpstime":"2018-06-19T20:12:42.000Z", "temperature": 0.84, "relhumidity": -0.35, "vappress": 1.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403970,48.002947] }, "properties": { "altitude": "255.3", "sensor": "19", "gpstime":"2018-06-19T20:13:58.000Z", "temperature": 0.80, "relhumidity": -0.29, "vappress": 1.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420250,48.003203] }, "properties": { "altitude": "259.7", "sensor": "19", "gpstime":"2018-06-19T20:14:17.000Z", "temperature": 0.90, "relhumidity": -0.20, "vappress": 1.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433750,48.002690] }, "properties": { "altitude": "261.7", "sensor": "19", "gpstime":"2018-06-19T20:14:36.000Z", "temperature": 0.78, "relhumidity": -0.05, "vappress": 1.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448070,48.002378] }, "properties": { "altitude": "259.9", "sensor": "19", "gpstime":"2018-06-19T20:14:57.000Z", "temperature": 0.60, "relhumidity": -0.46, "vappress": 0.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457750,48.003872] }, "properties": { "altitude": "255.2", "sensor": "19", "gpstime":"2018-06-19T20:15:27.000Z", "temperature": 0.20, "relhumidity": 2.34, "vappress": 1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471870,48.005405] }, "properties": { "altitude": "251.7", "sensor": "19", "gpstime":"2018-06-19T20:15:59.000Z", "temperature": 0.38, "relhumidity": 1.74, "vappress": 1.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483100,48.007193] }, "properties": { "altitude": "254.2", "sensor": "19", "gpstime":"2018-06-19T20:16:39.000Z", "temperature": 0.74, "relhumidity": 0.82, "vappress": 1.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497300,48.008362] }, "properties": { "altitude": "260.1", "sensor": "19", "gpstime":"2018-06-19T20:17:14.000Z", "temperature": 0.90, "relhumidity": -0.27, "vappress": 1.511, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8510870,48.007710] }, "properties": { "altitude": "261.0", "sensor": "19", "gpstime":"2018-06-19T20:17:41.000Z", "temperature": 0.80, "relhumidity": 0.23, "vappress": 1.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8524550,48.007798] }, "properties": { "altitude": "257.5", "sensor": "19", "gpstime":"2018-06-19T20:18:42.000Z", "temperature": 0.72, "relhumidity": 1.53, "vappress": 1.837, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8528850,48.005710] }, "properties": { "altitude": "257.1", "sensor": "19", "gpstime":"2018-06-19T20:19:37.000Z", "temperature": 0.64, "relhumidity": 0.80, "vappress": 1.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543830,48.005097] }, "properties": { "altitude": "254.4", "sensor": "19", "gpstime":"2018-06-19T20:20:18.000Z", "temperature": 0.51, "relhumidity": 1.46, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558000,48.004983] }, "properties": { "altitude": "255.4", "sensor": "19", "gpstime":"2018-06-19T20:20:54.000Z", "temperature": 0.39, "relhumidity": 2.31, "vappress": 1.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8571970,48.004643] }, "properties": { "altitude": "256.2", "sensor": "19", "gpstime":"2018-06-19T20:21:22.000Z", "temperature": 0.16, "relhumidity": 3.15, "vappress": 1.556, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568920,48.002445] }, "properties": { "altitude": "261.6", "sensor": "19", "gpstime":"2018-06-19T20:22:08.000Z", "temperature": 0.00, "relhumidity": 4.09, "vappress": 1.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560570,48.000502] }, "properties": { "altitude": "260.0", "sensor": "19", "gpstime":"2018-06-19T20:23:00.000Z", "temperature": -0.23, "relhumidity": 5.67, "vappress": 1.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544080,48.000898] }, "properties": { "altitude": "259.2", "sensor": "19", "gpstime":"2018-06-19T20:23:27.000Z", "temperature": -0.40, "relhumidity": 5.24, "vappress": 1.677, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529630,48.000265] }, "properties": { "altitude": "264.4", "sensor": "19", "gpstime":"2018-06-19T20:24:47.000Z", "temperature": 0.11, "relhumidity": 2.73, "vappress": 1.714, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512730,48.000610] }, "properties": { "altitude": "261.2", "sensor": "19", "gpstime":"2018-06-19T20:25:12.000Z", "temperature": 0.46, "relhumidity": 1.57, "vappress": 1.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499150,48.000845] }, "properties": { "altitude": "261.0", "sensor": "19", "gpstime":"2018-06-19T20:25:30.000Z", "temperature": 0.57, "relhumidity": 1.14, "vappress": 1.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488750,47.999437] }, "properties": { "altitude": "260.3", "sensor": "19", "gpstime":"2018-06-19T20:26:08.000Z", "temperature": 0.77, "relhumidity": 0.15, "vappress": 1.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477830,47.997622] }, "properties": { "altitude": "270.2", "sensor": "19", "gpstime":"2018-06-19T20:27:04.000Z", "temperature": 0.94, "relhumidity": -0.56, "vappress": 1.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464870,47.996425] }, "properties": { "altitude": "272.6", "sensor": "19", "gpstime":"2018-06-19T20:27:38.000Z", "temperature": 1.05, "relhumidity": -0.45, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456230,47.994887] }, "properties": { "altitude": "266.9", "sensor": "19", "gpstime":"2018-06-19T20:28:13.000Z", "temperature": 1.02, "relhumidity": -0.50, "vappress": 1.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453020,47.993870] }, "properties": { "altitude": "265.8", "sensor": "19", "gpstime":"2018-06-19T20:28:34.000Z", "temperature": 0.85, "relhumidity": 0.20, "vappress": 1.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465670,47.993207] }, "properties": { "altitude": "105.6", "sensor": "20", "gpstime":"2018-06-19T18:09:34.000Z", "temperature": 3.89, "relhumidity": -8.99, "vappress": 1.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450400,47.993508] }, "properties": { "altitude": "283.5", "sensor": "20", "gpstime":"2018-06-19T18:28:27.000Z", "temperature": 3.38, "relhumidity": -2.97, "vappress": 0.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452250,47.991272] }, "properties": { "altitude": "270.4", "sensor": "20", "gpstime":"2018-06-19T19:24:16.000Z", "temperature": 0.68, "relhumidity": -0.45, "vappress": 1.153, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467820,47.989793] }, "properties": { "altitude": "270.6", "sensor": "20", "gpstime":"2018-06-19T19:25:42.000Z", "temperature": 0.48, "relhumidity": 0.38, "vappress": 1.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482080,47.989790] }, "properties": { "altitude": "271.6", "sensor": "20", "gpstime":"2018-06-19T19:26:01.000Z", "temperature": 0.36, "relhumidity": -0.01, "vappress": 1.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499070,47.989777] }, "properties": { "altitude": "267.8", "sensor": "20", "gpstime":"2018-06-19T19:26:31.000Z", "temperature": 0.42, "relhumidity": -0.01, "vappress": 1.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496530,47.987697] }, "properties": { "altitude": "271.6", "sensor": "20", "gpstime":"2018-06-19T19:27:22.000Z", "temperature": 0.38, "relhumidity": 0.07, "vappress": 1.077, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512320,47.986745] }, "properties": { "altitude": "274.5", "sensor": "20", "gpstime":"2018-06-19T19:28:26.000Z", "temperature": 0.41, "relhumidity": 0.23, "vappress": 1.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8538480,47.986512] }, "properties": { "altitude": "270.2", "sensor": "20", "gpstime":"2018-06-19T19:29:05.000Z", "temperature": 0.43, "relhumidity": 0.72, "vappress": 1.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553420,47.986473] }, "properties": { "altitude": "259.4", "sensor": "20", "gpstime":"2018-06-19T19:29:27.000Z", "temperature": 0.38, "relhumidity": 0.53, "vappress": 1.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570850,47.986412] }, "properties": { "altitude": "248.7", "sensor": "20", "gpstime":"2018-06-19T19:29:51.000Z", "temperature": 0.33, "relhumidity": 0.92, "vappress": 1.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583520,47.987338] }, "properties": { "altitude": "249.1", "sensor": "20", "gpstime":"2018-06-19T19:30:27.000Z", "temperature": 0.27, "relhumidity": 2.31, "vappress": 1.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597230,47.986912] }, "properties": { "altitude": "275.7", "sensor": "20", "gpstime":"2018-06-19T19:30:57.000Z", "temperature": 0.16, "relhumidity": 1.80, "vappress": 1.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611850,47.987015] }, "properties": { "altitude": "274.4", "sensor": "20", "gpstime":"2018-06-19T19:31:21.000Z", "temperature": 0.20, "relhumidity": 1.59, "vappress": 1.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8598030,47.986613] }, "properties": { "altitude": "283.6", "sensor": "20", "gpstime":"2018-06-19T19:32:16.000Z", "temperature": 0.27, "relhumidity": 1.15, "vappress": 1.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612600,47.985930] }, "properties": { "altitude": "278.2", "sensor": "20", "gpstime":"2018-06-19T19:32:49.000Z", "temperature": -0.07, "relhumidity": 4.96, "vappress": 1.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8625730,47.985358] }, "properties": { "altitude": "282.1", "sensor": "20", "gpstime":"2018-06-19T19:33:57.000Z", "temperature": -0.21, "relhumidity": 6.82, "vappress": 2.287, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638650,47.986230] }, "properties": { "altitude": "276.1", "sensor": "20", "gpstime":"2018-06-19T19:34:44.000Z", "temperature": -0.87, "relhumidity": 10.16, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654020,47.985348] }, "properties": { "altitude": "283.3", "sensor": "20", "gpstime":"2018-06-19T19:35:59.000Z", "temperature": -0.86, "relhumidity": 13.92, "vappress": 2.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674180,47.985478] }, "properties": { "altitude": "286.3", "sensor": "20", "gpstime":"2018-06-19T19:36:27.000Z", "temperature": -1.95, "relhumidity": 19.73, "vappress": 3.511, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8688020,47.985640] }, "properties": { "altitude": "286.5", "sensor": "20", "gpstime":"2018-06-19T19:36:47.000Z", "temperature": -2.18, "relhumidity": 18.96, "vappress": 3.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703830,47.985912] }, "properties": { "altitude": "282.7", "sensor": "20", "gpstime":"2018-06-19T19:37:10.000Z", "temperature": -1.87, "relhumidity": 17.80, "vappress": 3.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718820,47.986122] }, "properties": { "altitude": "285.4", "sensor": "20", "gpstime":"2018-06-19T19:37:36.000Z", "temperature": -1.87, "relhumidity": 17.08, "vappress": 3.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733900,47.985637] }, "properties": { "altitude": "286.7", "sensor": "20", "gpstime":"2018-06-19T19:38:02.000Z", "temperature": -1.87, "relhumidity": 17.27, "vappress": 3.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8744330,47.984112] }, "properties": { "altitude": "281.3", "sensor": "20", "gpstime":"2018-06-19T19:38:35.000Z", "temperature": -1.98, "relhumidity": 17.21, "vappress": 2.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8764150,47.983445] }, "properties": { "altitude": "284.4", "sensor": "20", "gpstime":"2018-06-19T19:39:10.000Z", "temperature": -2.23, "relhumidity": 20.86, "vappress": 3.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8779180,47.982987] }, "properties": { "altitude": "284.9", "sensor": "20", "gpstime":"2018-06-19T19:39:35.000Z", "temperature": -2.49, "relhumidity": 25.66, "vappress": 4.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8794350,47.982338] }, "properties": { "altitude": "292.6", "sensor": "20", "gpstime":"2018-06-19T19:40:02.000Z", "temperature": -2.57, "relhumidity": 21.61, "vappress": 3.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8810750,47.981237] }, "properties": { "altitude": "302.0", "sensor": "20", "gpstime":"2018-06-19T19:40:48.000Z", "temperature": -2.68, "relhumidity": 21.46, "vappress": 3.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8829100,47.981008] }, "properties": { "altitude": "307.8", "sensor": "20", "gpstime":"2018-06-19T19:41:20.000Z", "temperature": -3.05, "relhumidity": 24.11, "vappress": 3.394, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8843750,47.980988] }, "properties": { "altitude": "306.2", "sensor": "20", "gpstime":"2018-06-19T19:41:41.000Z", "temperature": -3.15, "relhumidity": 25.13, "vappress": 3.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8846630,47.982955] }, "properties": { "altitude": "303.7", "sensor": "20", "gpstime":"2018-06-19T19:42:32.000Z", "temperature": -2.99, "relhumidity": 23.61, "vappress": 3.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8835230,47.984460] }, "properties": { "altitude": "304.7", "sensor": "20", "gpstime":"2018-06-19T19:43:10.000Z", "temperature": -2.84, "relhumidity": 20.62, "vappress": 3.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8858400,47.984178] }, "properties": { "altitude": "300.2", "sensor": "20", "gpstime":"2018-06-19T19:43:42.000Z", "temperature": -2.49, "relhumidity": 20.54, "vappress": 3.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8874100,47.983910] }, "properties": { "altitude": "301.6", "sensor": "20", "gpstime":"2018-06-19T19:44:00.000Z", "temperature": -2.67, "relhumidity": 19.82, "vappress": 2.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8890400,47.983617] }, "properties": { "altitude": "305.6", "sensor": "20", "gpstime":"2018-06-19T19:44:22.000Z", "temperature": -2.87, "relhumidity": 20.30, "vappress": 2.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8904650,47.983077] }, "properties": { "altitude": "308.7", "sensor": "20", "gpstime":"2018-06-19T19:44:44.000Z", "temperature": -2.56, "relhumidity": 17.56, "vappress": 2.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8922150,47.982668] }, "properties": { "altitude": "310.0", "sensor": "20", "gpstime":"2018-06-19T19:45:04.000Z", "temperature": -2.10, "relhumidity": 15.13, "vappress": 2.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8940120,47.982248] }, "properties": { "altitude": "310.4", "sensor": "20", "gpstime":"2018-06-19T19:45:27.000Z", "temperature": -1.68, "relhumidity": 12.36, "vappress": 2.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8954900,47.981962] }, "properties": { "altitude": "311.2", "sensor": "20", "gpstime":"2018-06-19T19:45:47.000Z", "temperature": -1.54, "relhumidity": 12.99, "vappress": 2.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8970050,47.981535] }, "properties": { "altitude": "312.5", "sensor": "20", "gpstime":"2018-06-19T19:46:07.000Z", "temperature": -1.59, "relhumidity": 13.62, "vappress": 2.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8983820,47.981297] }, "properties": { "altitude": "313.2", "sensor": "20", "gpstime":"2018-06-19T19:46:24.000Z", "temperature": -1.65, "relhumidity": 12.80, "vappress": 2.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9002130,47.980888] }, "properties": { "altitude": "315.9", "sensor": "20", "gpstime":"2018-06-19T19:46:48.000Z", "temperature": -2.01, "relhumidity": 15.45, "vappress": 2.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9018880,47.980528] }, "properties": { "altitude": "317.0", "sensor": "20", "gpstime":"2018-06-19T19:47:10.000Z", "temperature": -2.20, "relhumidity": 16.05, "vappress": 2.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9033480,47.980185] }, "properties": { "altitude": "318.8", "sensor": "20", "gpstime":"2018-06-19T19:47:29.000Z", "temperature": -2.29, "relhumidity": 15.98, "vappress": 2.368, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9054780,47.979778] }, "properties": { "altitude": "322.9", "sensor": "20", "gpstime":"2018-06-19T19:47:57.000Z", "temperature": -2.40, "relhumidity": 17.35, "vappress": 2.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9069520,47.979522] }, "properties": { "altitude": "324.5", "sensor": "20", "gpstime":"2018-06-19T19:48:17.000Z", "temperature": -2.62, "relhumidity": 18.40, "vappress": 2.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9087970,47.978603] }, "properties": { "altitude": "325.3", "sensor": "20", "gpstime":"2018-06-19T19:48:46.000Z", "temperature": -2.72, "relhumidity": 18.99, "vappress": 2.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9100850,47.977603] }, "properties": { "altitude": "325.1", "sensor": "20", "gpstime":"2018-06-19T19:49:11.000Z", "temperature": -2.78, "relhumidity": 18.84, "vappress": 2.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9114700,47.977153] }, "properties": { "altitude": "331.3", "sensor": "20", "gpstime":"2018-06-19T19:49:30.000Z", "temperature": -2.53, "relhumidity": 16.17, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9136870,47.976442] }, "properties": { "altitude": "334.8", "sensor": "20", "gpstime":"2018-06-19T19:49:59.000Z", "temperature": -2.15, "relhumidity": 14.11, "vappress": 2.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9150170,47.975980] }, "properties": { "altitude": "335.3", "sensor": "20", "gpstime":"2018-06-19T19:50:16.000Z", "temperature": -2.13, "relhumidity": 13.72, "vappress": 1.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9164680,47.975382] }, "properties": { "altitude": "334.5", "sensor": "20", "gpstime":"2018-06-19T19:50:35.000Z", "temperature": -2.27, "relhumidity": 16.07, "vappress": 2.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9179800,47.974410] }, "properties": { "altitude": "332.3", "sensor": "20", "gpstime":"2018-06-19T19:50:59.000Z", "temperature": -2.78, "relhumidity": 18.11, "vappress": 2.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9193720,47.974092] }, "properties": { "altitude": "331.7", "sensor": "20", "gpstime":"2018-06-19T19:51:15.000Z", "temperature": -2.97, "relhumidity": 19.92, "vappress": 2.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9216220,47.973480] }, "properties": { "altitude": "337.5", "sensor": "20", "gpstime":"2018-06-19T19:51:42.000Z", "temperature": -3.09, "relhumidity": 21.41, "vappress": 2.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9232850,47.973393] }, "properties": { "altitude": "340.8", "sensor": "20", "gpstime":"2018-06-19T19:52:01.000Z", "temperature": -3.22, "relhumidity": 21.99, "vappress": 2.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9216920,47.974528] }, "properties": { "altitude": "334.3", "sensor": "20", "gpstime":"2018-06-19T19:52:35.000Z", "temperature": -3.36, "relhumidity": 24.15, "vappress": 2.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9199350,47.974907] }, "properties": { "altitude": "326.6", "sensor": "20", "gpstime":"2018-06-19T19:52:54.000Z", "temperature": -3.89, "relhumidity": 25.50, "vappress": 2.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9185500,47.976063] }, "properties": { "altitude": "321.7", "sensor": "20", "gpstime":"2018-06-19T19:53:22.000Z", "temperature": -3.84, "relhumidity": 24.66, "vappress": 2.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9163980,47.977175] }, "properties": { "altitude": "312.8", "sensor": "20", "gpstime":"2018-06-19T19:53:49.000Z", "temperature": -3.61, "relhumidity": 25.18, "vappress": 2.951, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9151630,47.978377] }, "properties": { "altitude": "306.4", "sensor": "20", "gpstime":"2018-06-19T19:54:08.000Z", "temperature": -3.60, "relhumidity": 25.31, "vappress": 2.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9135320,47.979583] }, "properties": { "altitude": "300.2", "sensor": "20", "gpstime":"2018-06-19T19:54:40.000Z", "temperature": -3.81, "relhumidity": 27.18, "vappress": 2.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9121080,47.979713] }, "properties": { "altitude": "303.2", "sensor": "20", "gpstime":"2018-06-19T19:54:53.000Z", "temperature": -4.25, "relhumidity": 26.21, "vappress": 2.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9104730,47.980278] }, "properties": { "altitude": "306.6", "sensor": "20", "gpstime":"2018-06-19T19:55:13.000Z", "temperature": -4.42, "relhumidity": 26.59, "vappress": 2.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9088680,47.980833] }, "properties": { "altitude": "307.3", "sensor": "20", "gpstime":"2018-06-19T19:55:27.000Z", "temperature": -4.59, "relhumidity": 27.05, "vappress": 1.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9070400,47.981495] }, "properties": { "altitude": "310.2", "sensor": "20", "gpstime":"2018-06-19T19:55:45.000Z", "temperature": -4.69, "relhumidity": 27.83, "vappress": 2.163, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9055370,47.980855] }, "properties": { "altitude": "315.4", "sensor": "20", "gpstime":"2018-06-19T19:56:09.000Z", "temperature": -4.65, "relhumidity": 27.37, "vappress": 2.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9068420,47.979752] }, "properties": { "altitude": "318.7", "sensor": "20", "gpstime":"2018-06-19T19:56:56.000Z", "temperature": -3.86, "relhumidity": 23.58, "vappress": 2.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9054880,47.980685] }, "properties": { "altitude": "318.8", "sensor": "20", "gpstime":"2018-06-19T19:57:29.000Z", "temperature": -3.12, "relhumidity": 21.79, "vappress": 2.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9037320,47.981108] }, "properties": { "altitude": "317.0", "sensor": "20", "gpstime":"2018-06-19T19:57:56.000Z", "temperature": -2.99, "relhumidity": 21.52, "vappress": 2.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9022950,47.981398] }, "properties": { "altitude": "318.4", "sensor": "20", "gpstime":"2018-06-19T19:58:15.000Z", "temperature": -2.75, "relhumidity": 20.19, "vappress": 2.868, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9008250,47.981657] }, "properties": { "altitude": "317.7", "sensor": "20", "gpstime":"2018-06-19T19:58:31.000Z", "temperature": -2.63, "relhumidity": 20.11, "vappress": 2.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8982450,47.982785] }, "properties": { "altitude": "309.7", "sensor": "20", "gpstime":"2018-06-19T19:59:03.000Z", "temperature": -2.39, "relhumidity": 17.23, "vappress": 2.790, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8968700,47.983917] }, "properties": { "altitude": "306.2", "sensor": "20", "gpstime":"2018-06-19T19:59:25.000Z", "temperature": -1.90, "relhumidity": 15.78, "vappress": 2.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8952770,47.984403] }, "properties": { "altitude": "307.6", "sensor": "20", "gpstime":"2018-06-19T19:59:44.000Z", "temperature": -1.72, "relhumidity": 14.31, "vappress": 2.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8957450,47.986527] }, "properties": { "altitude": "336.4", "sensor": "20", "gpstime":"2018-06-19T20:00:30.000Z", "temperature": -1.48, "relhumidity": 13.02, "vappress": 2.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8938230,47.987800] }, "properties": { "altitude": "318.1", "sensor": "20", "gpstime":"2018-06-19T20:01:20.000Z", "temperature": -1.62, "relhumidity": 16.00, "vappress": 2.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8919370,47.988240] }, "properties": { "altitude": "314.5", "sensor": "20", "gpstime":"2018-06-19T20:01:44.000Z", "temperature": -1.78, "relhumidity": 14.99, "vappress": 2.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8901030,47.988618] }, "properties": { "altitude": "313.6", "sensor": "20", "gpstime":"2018-06-19T20:02:06.000Z", "temperature": -1.72, "relhumidity": 14.90, "vappress": 2.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8881320,47.988570] }, "properties": { "altitude": "309.5", "sensor": "20", "gpstime":"2018-06-19T20:02:30.000Z", "temperature": -1.96, "relhumidity": 16.78, "vappress": 2.733, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8866170,47.988418] }, "properties": { "altitude": "301.7", "sensor": "20", "gpstime":"2018-06-19T20:02:57.000Z", "temperature": -2.34, "relhumidity": 19.03, "vappress": 2.913, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8857080,47.986572] }, "properties": { "altitude": "294.5", "sensor": "20", "gpstime":"2018-06-19T20:04:05.000Z", "temperature": -1.96, "relhumidity": 14.42, "vappress": 2.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8846120,47.985140] }, "properties": { "altitude": "292.8", "sensor": "20", "gpstime":"2018-06-19T20:04:44.000Z", "temperature": -1.46, "relhumidity": 13.13, "vappress": 2.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8831700,47.984630] }, "properties": { "altitude": "297.3", "sensor": "20", "gpstime":"2018-06-19T20:05:31.000Z", "temperature": -1.57, "relhumidity": 13.83, "vappress": 2.463, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8811920,47.984880] }, "properties": { "altitude": "297.8", "sensor": "20", "gpstime":"2018-06-19T20:06:01.000Z", "temperature": -1.91, "relhumidity": 16.65, "vappress": 2.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8793120,47.985322] }, "properties": { "altitude": "290.9", "sensor": "20", "gpstime":"2018-06-19T20:06:32.000Z", "temperature": -2.26, "relhumidity": 17.98, "vappress": 2.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8777800,47.985390] }, "properties": { "altitude": "286.4", "sensor": "20", "gpstime":"2018-06-19T20:06:55.000Z", "temperature": -2.54, "relhumidity": 19.98, "vappress": 2.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8762280,47.985868] }, "properties": { "altitude": "283.5", "sensor": "20", "gpstime":"2018-06-19T20:07:24.000Z", "temperature": -2.78, "relhumidity": 21.89, "vappress": 2.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748670,47.985783] }, "properties": { "altitude": "283.0", "sensor": "20", "gpstime":"2018-06-19T20:07:44.000Z", "temperature": -2.85, "relhumidity": 20.92, "vappress": 2.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726470,47.986060] }, "properties": { "altitude": "286.1", "sensor": "20", "gpstime":"2018-06-19T20:08:22.000Z", "temperature": -2.67, "relhumidity": 19.68, "vappress": 2.777, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8711650,47.986392] }, "properties": { "altitude": "286.8", "sensor": "20", "gpstime":"2018-06-19T20:08:43.000Z", "temperature": -2.42, "relhumidity": 18.17, "vappress": 2.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689270,47.986978] }, "properties": { "altitude": "285.4", "sensor": "20", "gpstime":"2018-06-19T20:09:12.000Z", "temperature": -1.99, "relhumidity": 14.59, "vappress": 2.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8671500,47.987415] }, "properties": { "altitude": "285.8", "sensor": "20", "gpstime":"2018-06-19T20:09:35.000Z", "temperature": -1.49, "relhumidity": 13.04, "vappress": 2.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686020,47.987863] }, "properties": { "altitude": "291.0", "sensor": "20", "gpstime":"2018-06-19T20:11:06.000Z", "temperature": -1.11, "relhumidity": 11.08, "vappress": 2.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668850,47.988602] }, "properties": { "altitude": "302.4", "sensor": "20", "gpstime":"2018-06-19T20:12:57.000Z", "temperature": -0.90, "relhumidity": 10.42, "vappress": 2.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654470,47.988477] }, "properties": { "altitude": "310.7", "sensor": "20", "gpstime":"2018-06-19T20:13:22.000Z", "temperature": -0.73, "relhumidity": 8.87, "vappress": 2.278, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8641050,47.989740] }, "properties": { "altitude": "291.5", "sensor": "20", "gpstime":"2018-06-19T20:14:01.000Z", "temperature": -0.80, "relhumidity": 9.96, "vappress": 2.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624820,47.989658] }, "properties": { "altitude": "281.6", "sensor": "20", "gpstime":"2018-06-19T20:14:20.000Z", "temperature": -1.04, "relhumidity": 11.11, "vappress": 2.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8608600,47.990943] }, "properties": { "altitude": "266.4", "sensor": "20", "gpstime":"2018-06-19T20:15:11.000Z", "temperature": -1.31, "relhumidity": 13.86, "vappress": 2.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593870,47.990932] }, "properties": { "altitude": "262.8", "sensor": "20", "gpstime":"2018-06-19T20:15:27.000Z", "temperature": -1.81, "relhumidity": 14.53, "vappress": 2.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577750,47.991078] }, "properties": { "altitude": "249.8", "sensor": "20", "gpstime":"2018-06-19T20:15:49.000Z", "temperature": -1.93, "relhumidity": 15.31, "vappress": 2.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563480,47.991947] }, "properties": { "altitude": "244.6", "sensor": "20", "gpstime":"2018-06-19T20:16:32.000Z", "temperature": -1.74, "relhumidity": 14.42, "vappress": 2.649, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549180,47.991902] }, "properties": { "altitude": "244.2", "sensor": "20", "gpstime":"2018-06-19T20:16:47.000Z", "temperature": -1.33, "relhumidity": 11.74, "vappress": 2.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532820,47.991962] }, "properties": { "altitude": "259.4", "sensor": "20", "gpstime":"2018-06-19T20:18:02.000Z", "temperature": -0.95, "relhumidity": 7.79, "vappress": 2.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522130,47.990692] }, "properties": { "altitude": "268.5", "sensor": "20", "gpstime":"2018-06-19T20:18:45.000Z", "temperature": -0.43, "relhumidity": 7.03, "vappress": 2.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503570,47.990450] }, "properties": { "altitude": "273.3", "sensor": "20", "gpstime":"2018-06-19T20:19:29.000Z", "temperature": -0.20, "relhumidity": 5.85, "vappress": 1.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493300,47.992247] }, "properties": { "altitude": "274.0", "sensor": "20", "gpstime":"2018-06-19T20:20:17.000Z", "temperature": -0.20, "relhumidity": 5.18, "vappress": 1.810, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477580,47.992697] }, "properties": { "altitude": "271.9", "sensor": "20", "gpstime":"2018-06-19T20:20:42.000Z", "temperature": -0.07, "relhumidity": 5.31, "vappress": 2.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462420,47.993242] }, "properties": { "altitude": "274.0", "sensor": "20", "gpstime":"2018-06-19T20:21:03.000Z", "temperature": 0.14, "relhumidity": 3.84, "vappress": 1.826, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452520,47.993567] }, "properties": { "altitude": "272.6", "sensor": "20", "gpstime":"2018-06-19T20:21:19.000Z", "temperature": 0.05, "relhumidity": 4.93, "vappress": 2.006, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452620,47.992103] }, "properties": { "altitude": "274.9", "sensor": "22", "gpstime":"2018-06-19T19:26:29.000Z", "temperature": 0.81, "relhumidity": -1.59, "vappress": 1.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442500,47.990327] }, "properties": { "altitude": "274.9", "sensor": "22", "gpstime":"2018-06-19T19:27:52.000Z", "temperature": 0.62, "relhumidity": -1.21, "vappress": 0.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426550,47.989255] }, "properties": { "altitude": "275.4", "sensor": "22", "gpstime":"2018-06-19T19:28:30.000Z", "temperature": 0.55, "relhumidity": -1.24, "vappress": 0.786, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422100,47.987023] }, "properties": { "altitude": "272.0", "sensor": "22", "gpstime":"2018-06-19T19:29:30.000Z", "temperature": 0.51, "relhumidity": -1.05, "vappress": 0.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405850,47.985537] }, "properties": { "altitude": "271.9", "sensor": "22", "gpstime":"2018-06-19T19:30:24.000Z", "temperature": 0.29, "relhumidity": 0.86, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392230,47.985893] }, "properties": { "altitude": "273.0", "sensor": "22", "gpstime":"2018-06-19T19:30:46.000Z", "temperature": 0.06, "relhumidity": 1.13, "vappress": 1.029, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385620,47.984008] }, "properties": { "altitude": "279.3", "sensor": "22", "gpstime":"2018-06-19T19:32:13.000Z", "temperature": -0.11, "relhumidity": 2.36, "vappress": 0.974, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372970,47.982812] }, "properties": { "altitude": "282.3", "sensor": "22", "gpstime":"2018-06-19T19:33:07.000Z", "temperature": -0.37, "relhumidity": 3.63, "vappress": 1.287, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8359720,47.981857] }, "properties": { "altitude": "292.5", "sensor": "22", "gpstime":"2018-06-19T19:33:56.000Z", "temperature": -0.45, "relhumidity": 3.91, "vappress": 1.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347750,47.980718] }, "properties": { "altitude": "289.8", "sensor": "22", "gpstime":"2018-06-19T19:34:27.000Z", "temperature": -0.90, "relhumidity": 6.74, "vappress": 1.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338530,47.978970] }, "properties": { "altitude": "285.4", "sensor": "22", "gpstime":"2018-06-19T19:35:08.000Z", "temperature": -1.02, "relhumidity": 7.55, "vappress": 1.513, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329600,47.977355] }, "properties": { "altitude": "280.2", "sensor": "22", "gpstime":"2018-06-19T19:35:38.000Z", "temperature": -1.41, "relhumidity": 9.94, "vappress": 1.693, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315770,47.975203] }, "properties": { "altitude": "271.8", "sensor": "22", "gpstime":"2018-06-19T19:36:15.000Z", "temperature": -2.34, "relhumidity": 16.87, "vappress": 2.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304020,47.973798] }, "properties": { "altitude": "272.4", "sensor": "22", "gpstime":"2018-06-19T19:36:42.000Z", "temperature": -2.40, "relhumidity": 16.00, "vappress": 2.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291450,47.972535] }, "properties": { "altitude": "270.1", "sensor": "22", "gpstime":"2018-06-19T19:37:24.000Z", "temperature": -1.70, "relhumidity": 11.51, "vappress": 2.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278870,47.971603] }, "properties": { "altitude": "267.5", "sensor": "22", "gpstime":"2018-06-19T19:38:04.000Z", "temperature": -0.81, "relhumidity": 5.41, "vappress": 1.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8262770,47.971840] }, "properties": { "altitude": "261.8", "sensor": "22", "gpstime":"2018-06-19T19:38:26.000Z", "temperature": -0.32, "relhumidity": 5.41, "vappress": 1.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248880,47.972075] }, "properties": { "altitude": "260.0", "sensor": "22", "gpstime":"2018-06-19T19:38:47.000Z", "temperature": -0.23, "relhumidity": 5.15, "vappress": 1.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236330,47.970803] }, "properties": { "altitude": "263.8", "sensor": "22", "gpstime":"2018-06-19T19:39:28.000Z", "temperature": -0.11, "relhumidity": 2.50, "vappress": 1.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244530,47.969220] }, "properties": { "altitude": "264.3", "sensor": "22", "gpstime":"2018-06-19T19:40:17.000Z", "temperature": -0.20, "relhumidity": 5.54, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230780,47.969792] }, "properties": { "altitude": "272.5", "sensor": "22", "gpstime":"2018-06-19T19:41:56.000Z", "temperature": -1.14, "relhumidity": 9.99, "vappress": 1.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218220,47.970528] }, "properties": { "altitude": "290.4", "sensor": "22", "gpstime":"2018-06-19T19:43:23.000Z", "temperature": -1.51, "relhumidity": 8.18, "vappress": 1.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202970,47.970785] }, "properties": { "altitude": "288.3", "sensor": "22", "gpstime":"2018-06-19T19:48:30.000Z", "temperature": -1.11, "relhumidity": 7.85, "vappress": 1.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8188020,47.971633] }, "properties": { "altitude": "273.7", "sensor": "22", "gpstime":"2018-06-19T19:48:57.000Z", "temperature": -1.12, "relhumidity": 6.87, "vappress": 1.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172100,47.972650] }, "properties": { "altitude": "259.5", "sensor": "22", "gpstime":"2018-06-19T19:49:17.000Z", "temperature": -1.69, "relhumidity": 13.19, "vappress": 1.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8168530,47.974595] }, "properties": { "altitude": "238.2", "sensor": "22", "gpstime":"2018-06-19T19:49:57.000Z", "temperature": -2.28, "relhumidity": 12.60, "vappress": 1.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157250,47.973500] }, "properties": { "altitude": "250.0", "sensor": "22", "gpstime":"2018-06-19T19:50:47.000Z", "temperature": -1.03, "relhumidity": 7.62, "vappress": 1.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8150330,47.971750] }, "properties": { "altitude": "269.3", "sensor": "22", "gpstime":"2018-06-19T19:53:15.000Z", "temperature": -1.31, "relhumidity": 13.22, "vappress": 1.831, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136480,47.972100] }, "properties": { "altitude": "268.6", "sensor": "22", "gpstime":"2018-06-19T19:53:51.000Z", "temperature": -2.49, "relhumidity": 13.93, "vappress": 1.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8120630,47.972435] }, "properties": { "altitude": "263.9", "sensor": "22", "gpstime":"2018-06-19T19:54:21.000Z", "temperature": -2.25, "relhumidity": 14.25, "vappress": 1.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116350,47.974452] }, "properties": { "altitude": "258.9", "sensor": "22", "gpstime":"2018-06-19T19:55:17.000Z", "temperature": -1.92, "relhumidity": 13.23, "vappress": 2.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116770,47.976493] }, "properties": { "altitude": "247.6", "sensor": "22", "gpstime":"2018-06-19T19:55:59.000Z", "temperature": -1.40, "relhumidity": 8.85, "vappress": 1.933, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103380,47.976023] }, "properties": { "altitude": "250.1", "sensor": "22", "gpstime":"2018-06-19T19:56:32.000Z", "temperature": -0.66, "relhumidity": 6.28, "vappress": 1.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8091800,47.974817] }, "properties": { "altitude": "256.7", "sensor": "22", "gpstime":"2018-06-19T19:57:24.000Z", "temperature": -0.62, "relhumidity": 8.70, "vappress": 2.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103880,47.975920] }, "properties": { "altitude": "256.3", "sensor": "22", "gpstime":"2018-06-19T20:01:33.000Z", "temperature": -1.32, "relhumidity": 11.87, "vappress": 2.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118900,47.975423] }, "properties": { "altitude": "258.9", "sensor": "22", "gpstime":"2018-06-19T20:02:09.000Z", "temperature": -1.19, "relhumidity": 9.79, "vappress": 1.963, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132850,47.975122] }, "properties": { "altitude": "257.1", "sensor": "22", "gpstime":"2018-06-19T20:02:44.000Z", "temperature": -1.03, "relhumidity": 8.00, "vappress": 1.843, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8149780,47.974835] }, "properties": { "altitude": "253.3", "sensor": "22", "gpstime":"2018-06-19T20:03:26.000Z", "temperature": -0.62, "relhumidity": 4.44, "vappress": 1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8162030,47.975922] }, "properties": { "altitude": "244.0", "sensor": "22", "gpstime":"2018-06-19T20:04:07.000Z", "temperature": -0.17, "relhumidity": 3.52, "vappress": 1.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8165920,47.978127] }, "properties": { "altitude": "239.8", "sensor": "22", "gpstime":"2018-06-19T20:04:56.000Z", "temperature": -0.16, "relhumidity": 2.64, "vappress": 1.272, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151150,47.978253] }, "properties": { "altitude": "243.7", "sensor": "22", "gpstime":"2018-06-19T20:05:23.000Z", "temperature": 0.09, "relhumidity": 1.63, "vappress": 1.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132030,47.978318] }, "properties": { "altitude": "243.6", "sensor": "22", "gpstime":"2018-06-19T20:05:53.000Z", "temperature": 0.17, "relhumidity": 1.73, "vappress": 1.283, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116320,47.978530] }, "properties": { "altitude": "240.9", "sensor": "22", "gpstime":"2018-06-19T20:06:17.000Z", "temperature": 0.28, "relhumidity": 1.60, "vappress": 1.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8100920,47.978885] }, "properties": { "altitude": "239.7", "sensor": "22", "gpstime":"2018-06-19T20:06:40.000Z", "temperature": 0.42, "relhumidity": 0.72, "vappress": 1.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085350,47.979210] }, "properties": { "altitude": "238.8", "sensor": "22", "gpstime":"2018-06-19T20:07:02.000Z", "temperature": 0.61, "relhumidity": -0.74, "vappress": 1.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8065300,47.979420] }, "properties": { "altitude": "239.0", "sensor": "22", "gpstime":"2018-06-19T20:07:30.000Z", "temperature": 0.66, "relhumidity": 0.27, "vappress": 1.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8049430,47.979030] }, "properties": { "altitude": "234.4", "sensor": "22", "gpstime":"2018-06-19T20:07:57.000Z", "temperature": 0.47, "relhumidity": 1.82, "vappress": 1.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8029770,47.978275] }, "properties": { "altitude": "232.8", "sensor": "22", "gpstime":"2018-06-19T20:08:34.000Z", "temperature": 0.17, "relhumidity": 3.38, "vappress": 1.437, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8013930,47.978357] }, "properties": { "altitude": "230.9", "sensor": "22", "gpstime":"2018-06-19T20:09:02.000Z", "temperature": -0.40, "relhumidity": 5.39, "vappress": 1.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8023980,47.980157] }, "properties": { "altitude": "235.9", "sensor": "22", "gpstime":"2018-06-19T20:10:04.000Z", "temperature": -0.32, "relhumidity": 2.65, "vappress": 1.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8039220,47.980725] }, "properties": { "altitude": "237.9", "sensor": "22", "gpstime":"2018-06-19T20:10:36.000Z", "temperature": 0.38, "relhumidity": 0.66, "vappress": 1.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032200,47.982468] }, "properties": { "altitude": "241.0", "sensor": "22", "gpstime":"2018-06-19T20:11:20.000Z", "temperature": 0.68, "relhumidity": -1.71, "vappress": 1.100, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033820,47.984483] }, "properties": { "altitude": "242.2", "sensor": "22", "gpstime":"2018-06-19T20:12:04.000Z", "temperature": 0.89, "relhumidity": -1.71, "vappress": 0.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046420,47.985427] }, "properties": { "altitude": "243.8", "sensor": "22", "gpstime":"2018-06-19T20:12:37.000Z", "temperature": 0.86, "relhumidity": -1.81, "vappress": 0.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8059630,47.985963] }, "properties": { "altitude": "243.5", "sensor": "22", "gpstime":"2018-06-19T20:13:09.000Z", "temperature": 0.90, "relhumidity": -2.37, "vappress": 0.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073400,47.986933] }, "properties": { "altitude": "242.3", "sensor": "22", "gpstime":"2018-06-19T20:13:46.000Z", "temperature": 0.92, "relhumidity": -2.08, "vappress": 0.918, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086670,47.987933] }, "properties": { "altitude": "242.7", "sensor": "22", "gpstime":"2018-06-19T20:14:28.000Z", "temperature": 0.83, "relhumidity": -1.75, "vappress": 0.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8100780,47.988957] }, "properties": { "altitude": "243.6", "sensor": "22", "gpstime":"2018-06-19T20:15:13.000Z", "temperature": 0.72, "relhumidity": -1.02, "vappress": 1.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8115150,47.990050] }, "properties": { "altitude": "243.7", "sensor": "22", "gpstime":"2018-06-19T20:15:58.000Z", "temperature": 0.61, "relhumidity": -0.72, "vappress": 0.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129100,47.990992] }, "properties": { "altitude": "246.4", "sensor": "22", "gpstime":"2018-06-19T20:16:47.000Z", "temperature": 0.56, "relhumidity": -0.03, "vappress": 1.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143530,47.990455] }, "properties": { "altitude": "245.9", "sensor": "22", "gpstime":"2018-06-19T20:17:25.000Z", "temperature": 0.63, "relhumidity": -0.41, "vappress": 1.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8156730,47.991242] }, "properties": { "altitude": "249.5", "sensor": "22", "gpstime":"2018-06-19T20:18:14.000Z", "temperature": 0.63, "relhumidity": -1.15, "vappress": 0.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8174330,47.990912] }, "properties": { "altitude": "248.6", "sensor": "22", "gpstime":"2018-06-19T20:18:57.000Z", "temperature": 0.65, "relhumidity": -1.05, "vappress": 0.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8187630,47.990680] }, "properties": { "altitude": "247.5", "sensor": "22", "gpstime":"2018-06-19T20:19:22.000Z", "temperature": 0.66, "relhumidity": -1.52, "vappress": 0.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202150,47.990408] }, "properties": { "altitude": "252.3", "sensor": "22", "gpstime":"2018-06-19T20:20:02.000Z", "temperature": 0.65, "relhumidity": -1.32, "vappress": 0.860, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8212850,47.991903] }, "properties": { "altitude": "247.1", "sensor": "22", "gpstime":"2018-06-19T20:21:47.000Z", "temperature": 0.55, "relhumidity": -0.58, "vappress": 1.096, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221000,47.993842] }, "properties": { "altitude": "246.1", "sensor": "22", "gpstime":"2018-06-19T20:22:33.000Z", "temperature": 0.59, "relhumidity": -0.28, "vappress": 1.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235400,47.994492] }, "properties": { "altitude": "250.5", "sensor": "22", "gpstime":"2018-06-19T20:23:01.000Z", "temperature": 0.62, "relhumidity": -0.59, "vappress": 1.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8249980,47.994863] }, "properties": { "altitude": "252.9", "sensor": "22", "gpstime":"2018-06-19T20:23:26.000Z", "temperature": 0.63, "relhumidity": -0.28, "vappress": 1.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266030,47.994735] }, "properties": { "altitude": "253.1", "sensor": "22", "gpstime":"2018-06-19T20:23:53.000Z", "temperature": 0.50, "relhumidity": 0.99, "vappress": 1.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280600,47.994270] }, "properties": { "altitude": "256.3", "sensor": "22", "gpstime":"2018-06-19T20:24:17.000Z", "temperature": 0.24, "relhumidity": 1.90, "vappress": 1.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8297400,47.993698] }, "properties": { "altitude": "254.7", "sensor": "22", "gpstime":"2018-06-19T20:24:47.000Z", "temperature": 0.17, "relhumidity": 2.50, "vappress": 1.424, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312620,47.993018] }, "properties": { "altitude": "256.9", "sensor": "22", "gpstime":"2018-06-19T20:25:17.000Z", "temperature": 0.24, "relhumidity": 2.60, "vappress": 1.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326580,47.993485] }, "properties": { "altitude": "256.5", "sensor": "22", "gpstime":"2018-06-19T20:26:29.000Z", "temperature": 0.28, "relhumidity": 3.94, "vappress": 1.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336880,47.994985] }, "properties": { "altitude": "259.1", "sensor": "22", "gpstime":"2018-06-19T20:27:04.000Z", "temperature": 0.23, "relhumidity": 2.77, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347520,47.996420] }, "properties": { "altitude": "256.6", "sensor": "22", "gpstime":"2018-06-19T20:27:41.000Z", "temperature": 0.25, "relhumidity": 2.48, "vappress": 1.512, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366020,47.996528] }, "properties": { "altitude": "260.5", "sensor": "22", "gpstime":"2018-06-19T20:28:21.000Z", "temperature": 0.51, "relhumidity": -0.13, "vappress": 1.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381550,47.995933] }, "properties": { "altitude": "263.2", "sensor": "22", "gpstime":"2018-06-19T20:28:48.000Z", "temperature": 0.60, "relhumidity": 0.67, "vappress": 1.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397900,47.996090] }, "properties": { "altitude": "265.4", "sensor": "22", "gpstime":"2018-06-19T20:29:28.000Z", "temperature": 0.47, "relhumidity": 1.55, "vappress": 1.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410630,47.995150] }, "properties": { "altitude": "262.5", "sensor": "22", "gpstime":"2018-06-19T20:30:09.000Z", "temperature": 0.42, "relhumidity": 1.84, "vappress": 1.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423100,47.993968] }, "properties": { "altitude": "256.6", "sensor": "22", "gpstime":"2018-06-19T20:30:44.000Z", "temperature": 0.43, "relhumidity": 1.95, "vappress": 1.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438600,47.993905] }, "properties": { "altitude": "254.7", "sensor": "22", "gpstime":"2018-06-19T20:31:14.000Z", "temperature": 0.49, "relhumidity": 1.67, "vappress": 1.663, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452020,47.993647] }, "properties": { "altitude": "262.3", "sensor": "22", "gpstime":"2018-06-19T20:31:44.000Z", "temperature": 0.35, "relhumidity": 2.17, "vappress": 1.443, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451780,47.993465] }, "properties": { "altitude": "262.3", "sensor": "22", "gpstime":"2018-06-19T20:31:49.000Z", "temperature": 0.25, "relhumidity": 2.35, "vappress": 1.493, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452870,47.992078] }, "properties": { "altitude": "271.9", "sensor": "23", "gpstime":"2018-06-19T19:24:19.000Z", "temperature": 0.46, "relhumidity": -4.45, "vappress": -0.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443350,47.990378] }, "properties": { "altitude": "270.7", "sensor": "23", "gpstime":"2018-06-19T19:26:18.000Z", "temperature": 0.33, "relhumidity": -4.51, "vappress": -0.429, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456530,47.989928] }, "properties": { "altitude": "269.2", "sensor": "23", "gpstime":"2018-06-19T19:26:48.000Z", "temperature": 0.17, "relhumidity": -4.42, "vappress": -0.609, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470480,47.989805] }, "properties": { "altitude": "267.3", "sensor": "23", "gpstime":"2018-06-19T19:27:05.000Z", "temperature": 0.14, "relhumidity": -4.53, "vappress": -0.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456470,47.988112] }, "properties": { "altitude": "273.1", "sensor": "23", "gpstime":"2018-06-19T19:29:00.000Z", "temperature": 0.18, "relhumidity": -4.45, "vappress": -0.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442930,47.987885] }, "properties": { "altitude": "275.3", "sensor": "23", "gpstime":"2018-06-19T19:29:20.000Z", "temperature": 0.34, "relhumidity": -4.75, "vappress": -0.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426430,47.987655] }, "properties": { "altitude": "277.6", "sensor": "23", "gpstime":"2018-06-19T19:29:42.000Z", "temperature": 0.06, "relhumidity": -3.75, "vappress": -0.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412550,47.987505] }, "properties": { "altitude": "275.2", "sensor": "23", "gpstime":"2018-06-19T19:29:59.000Z", "temperature": 0.10, "relhumidity": -4.55, "vappress": -0.609, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397730,47.987433] }, "properties": { "altitude": "270.3", "sensor": "23", "gpstime":"2018-06-19T19:30:21.000Z", "temperature": 0.17, "relhumidity": -3.96, "vappress": -0.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383500,47.986907] }, "properties": { "altitude": "266.5", "sensor": "23", "gpstime":"2018-06-19T19:30:59.000Z", "temperature": 0.08, "relhumidity": -4.16, "vappress": -0.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8395500,47.985957] }, "properties": { "altitude": "279.2", "sensor": "23", "gpstime":"2018-06-19T19:35:05.000Z", "temperature": 0.04, "relhumidity": -3.79, "vappress": -0.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411020,47.985520] }, "properties": { "altitude": "289.1", "sensor": "23", "gpstime":"2018-06-19T19:35:40.000Z", "temperature": -0.32, "relhumidity": -3.03, "vappress": -0.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396900,47.984850] }, "properties": { "altitude": "272.3", "sensor": "23", "gpstime":"2018-06-19T19:37:22.000Z", "temperature": -0.82, "relhumidity": -0.39, "vappress": -0.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409480,47.983795] }, "properties": { "altitude": "277.3", "sensor": "23", "gpstime":"2018-06-19T19:38:40.000Z", "temperature": -0.95, "relhumidity": 1.69, "vappress": -0.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404450,47.981662] }, "properties": { "altitude": "282.7", "sensor": "23", "gpstime":"2018-06-19T19:40:59.000Z", "temperature": -1.64, "relhumidity": 3.03, "vappress": -0.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398180,47.979717] }, "properties": { "altitude": "287.8", "sensor": "23", "gpstime":"2018-06-19T19:42:10.000Z", "temperature": -1.93, "relhumidity": 5.12, "vappress": -0.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388320,47.978233] }, "properties": { "altitude": "326.9", "sensor": "23", "gpstime":"2018-06-19T19:45:40.000Z", "temperature": -2.22, "relhumidity": 7.93, "vappress": -0.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373720,47.978315] }, "properties": { "altitude": "329.3", "sensor": "23", "gpstime":"2018-06-19T19:46:52.000Z", "temperature": -2.42, "relhumidity": 7.27, "vappress": 0.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370300,47.976323] }, "properties": { "altitude": "311.8", "sensor": "23", "gpstime":"2018-06-19T19:47:57.000Z", "temperature": -2.23, "relhumidity": 7.34, "vappress": 0.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368150,47.974097] }, "properties": { "altitude": "309.3", "sensor": "23", "gpstime":"2018-06-19T19:48:57.000Z", "temperature": -2.00, "relhumidity": 5.49, "vappress": 0.182, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374030,47.972242] }, "properties": { "altitude": "323.1", "sensor": "23", "gpstime":"2018-06-19T19:53:32.000Z", "temperature": -2.39, "relhumidity": 9.53, "vappress": 0.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362630,47.970443] }, "properties": { "altitude": "321.0", "sensor": "23", "gpstime":"2018-06-19T19:55:28.000Z", "temperature": -2.86, "relhumidity": 11.46, "vappress": 0.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346670,47.969430] }, "properties": { "altitude": "326.5", "sensor": "23", "gpstime":"2018-06-19T19:56:05.000Z", "temperature": -3.01, "relhumidity": 10.97, "vappress": 0.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331600,47.968625] }, "properties": { "altitude": "314.1", "sensor": "23", "gpstime":"2018-06-19T19:56:41.000Z", "temperature": -2.62, "relhumidity": 8.67, "vappress": 0.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312870,47.967910] }, "properties": { "altitude": "297.8", "sensor": "23", "gpstime":"2018-06-19T19:57:56.000Z", "temperature": -2.17, "relhumidity": 8.52, "vappress": 0.707, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319500,47.969757] }, "properties": { "altitude": "291.5", "sensor": "23", "gpstime":"2018-06-19T19:59:51.000Z", "temperature": -2.17, "relhumidity": 8.35, "vappress": 0.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331850,47.970580] }, "properties": { "altitude": "284.0", "sensor": "23", "gpstime":"2018-06-19T20:00:20.000Z", "temperature": -2.28, "relhumidity": 8.06, "vappress": 0.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345200,47.971215] }, "properties": { "altitude": "286.0", "sensor": "23", "gpstime":"2018-06-19T20:00:48.000Z", "temperature": -2.23, "relhumidity": 7.89, "vappress": 0.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330270,47.969335] }, "properties": { "altitude": "301.6", "sensor": "23", "gpstime":"2018-06-19T20:05:33.000Z", "temperature": -2.21, "relhumidity": 7.70, "vappress": 0.113, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344150,47.969242] }, "properties": { "altitude": "321.2", "sensor": "23", "gpstime":"2018-06-19T20:07:25.000Z", "temperature": -1.97, "relhumidity": 6.73, "vappress": 0.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357650,47.970057] }, "properties": { "altitude": "321.0", "sensor": "23", "gpstime":"2018-06-19T20:08:01.000Z", "temperature": -2.22, "relhumidity": 7.18, "vappress": -0.003, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370770,47.971012] }, "properties": { "altitude": "329.4", "sensor": "23", "gpstime":"2018-06-19T20:08:38.000Z", "temperature": -2.60, "relhumidity": 9.80, "vappress": 0.067, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385680,47.971952] }, "properties": { "altitude": "333.8", "sensor": "23", "gpstime":"2018-06-19T20:10:20.000Z", "temperature": -3.13, "relhumidity": 13.45, "vappress": 0.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401150,47.972947] }, "properties": { "altitude": "326.6", "sensor": "23", "gpstime":"2018-06-19T20:10:50.000Z", "temperature": -3.42, "relhumidity": 12.10, "vappress": 0.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415300,47.973878] }, "properties": { "altitude": "320.7", "sensor": "23", "gpstime":"2018-06-19T20:11:20.000Z", "temperature": -2.93, "relhumidity": 9.86, "vappress": 0.040, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413850,47.975982] }, "properties": { "altitude": "306.0", "sensor": "23", "gpstime":"2018-06-19T20:12:08.000Z", "temperature": -2.75, "relhumidity": 9.38, "vappress": 0.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400420,47.977705] }, "properties": { "altitude": "304.4", "sensor": "23", "gpstime":"2018-06-19T20:12:52.000Z", "temperature": -2.76, "relhumidity": 10.83, "vappress": 0.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398200,47.979805] }, "properties": { "altitude": "290.0", "sensor": "23", "gpstime":"2018-06-19T20:14:25.000Z", "temperature": -2.84, "relhumidity": 9.85, "vappress": 0.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404620,47.981925] }, "properties": { "altitude": "273.6", "sensor": "23", "gpstime":"2018-06-19T20:15:20.000Z", "temperature": -2.43, "relhumidity": 8.68, "vappress": 0.265, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421250,47.981722] }, "properties": { "altitude": "271.8", "sensor": "23", "gpstime":"2018-06-19T20:16:32.000Z", "temperature": -2.22, "relhumidity": 8.48, "vappress": 0.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430420,47.980193] }, "properties": { "altitude": "277.8", "sensor": "23", "gpstime":"2018-06-19T20:17:39.000Z", "temperature": -2.25, "relhumidity": 8.61, "vappress": 0.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437630,47.978378] }, "properties": { "altitude": "278.8", "sensor": "23", "gpstime":"2018-06-19T20:18:52.000Z", "temperature": -2.40, "relhumidity": 10.04, "vappress": 0.337, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443820,47.980357] }, "properties": { "altitude": "275.2", "sensor": "23", "gpstime":"2018-06-19T20:20:00.000Z", "temperature": -2.82, "relhumidity": 10.69, "vappress": 0.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447450,47.982313] }, "properties": { "altitude": "280.6", "sensor": "23", "gpstime":"2018-06-19T20:20:54.000Z", "temperature": -2.63, "relhumidity": 10.03, "vappress": 0.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463600,47.983427] }, "properties": { "altitude": "269.6", "sensor": "23", "gpstime":"2018-06-19T20:21:54.000Z", "temperature": -2.43, "relhumidity": 9.25, "vappress": 0.426, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481020,47.983415] }, "properties": { "altitude": "272.4", "sensor": "23", "gpstime":"2018-06-19T20:22:26.000Z", "temperature": -2.33, "relhumidity": 9.64, "vappress": 0.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494430,47.983125] }, "properties": { "altitude": "274.2", "sensor": "23", "gpstime":"2018-06-19T20:22:48.000Z", "temperature": -2.41, "relhumidity": 10.19, "vappress": 0.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511430,47.982660] }, "properties": { "altitude": "270.8", "sensor": "23", "gpstime":"2018-06-19T20:23:17.000Z", "temperature": -2.42, "relhumidity": 11.70, "vappress": 0.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8528130,47.982372] }, "properties": { "altitude": "275.1", "sensor": "23", "gpstime":"2018-06-19T20:23:50.000Z", "temperature": -2.58, "relhumidity": 11.07, "vappress": 0.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542530,47.982862] }, "properties": { "altitude": "273.9", "sensor": "23", "gpstime":"2018-06-19T20:24:20.000Z", "temperature": -2.56, "relhumidity": 10.03, "vappress": 0.434, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556280,47.983370] }, "properties": { "altitude": "275.6", "sensor": "23", "gpstime":"2018-06-19T20:24:44.000Z", "temperature": -2.37, "relhumidity": 9.22, "vappress": 0.354, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8573070,47.983987] }, "properties": { "altitude": "273.1", "sensor": "23", "gpstime":"2018-06-19T20:25:14.000Z", "temperature": -2.45, "relhumidity": 9.96, "vappress": 0.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8589320,47.984440] }, "properties": { "altitude": "274.9", "sensor": "23", "gpstime":"2018-06-19T20:25:57.000Z", "temperature": -2.51, "relhumidity": 11.61, "vappress": 0.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603700,47.984847] }, "properties": { "altitude": "274.9", "sensor": "23", "gpstime":"2018-06-19T20:26:24.000Z", "temperature": -2.65, "relhumidity": 11.87, "vappress": 0.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620550,47.985405] }, "properties": { "altitude": "280.1", "sensor": "23", "gpstime":"2018-06-19T20:27:13.000Z", "temperature": -3.04, "relhumidity": 14.11, "vappress": 0.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628420,47.983682] }, "properties": { "altitude": "284.7", "sensor": "23", "gpstime":"2018-06-19T20:28:48.000Z", "temperature": -3.37, "relhumidity": 16.18, "vappress": 0.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8642130,47.983220] }, "properties": { "altitude": "293.8", "sensor": "23", "gpstime":"2018-06-19T20:29:43.000Z", "temperature": -3.50, "relhumidity": 15.92, "vappress": 0.630, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657600,47.983565] }, "properties": { "altitude": "300.0", "sensor": "23", "gpstime":"2018-06-19T20:30:18.000Z", "temperature": -3.42, "relhumidity": 16.46, "vappress": 0.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674680,47.984590] }, "properties": { "altitude": "296.1", "sensor": "23", "gpstime":"2018-06-19T20:30:50.000Z", "temperature": -3.19, "relhumidity": 14.12, "vappress": 0.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8687880,47.985195] }, "properties": { "altitude": "300.6", "sensor": "23", "gpstime":"2018-06-19T20:31:28.000Z", "temperature": -2.89, "relhumidity": 13.03, "vappress": 0.613, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8671000,47.984873] }, "properties": { "altitude": "290.8", "sensor": "23", "gpstime":"2018-06-19T20:32:19.000Z", "temperature": -2.84, "relhumidity": 14.27, "vappress": 1.043, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8655880,47.984758] }, "properties": { "altitude": "286.4", "sensor": "23", "gpstime":"2018-06-19T20:32:48.000Z", "temperature": -2.70, "relhumidity": 12.80, "vappress": 0.943, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633400,47.984672] }, "properties": { "altitude": "283.0", "sensor": "23", "gpstime":"2018-06-19T20:33:31.000Z", "temperature": -3.26, "relhumidity": 15.87, "vappress": 0.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624570,47.986182] }, "properties": { "altitude": "279.8", "sensor": "23", "gpstime":"2018-06-19T20:35:48.000Z", "temperature": -3.68, "relhumidity": 14.83, "vappress": 0.597, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8610270,47.987053] }, "properties": { "altitude": "290.2", "sensor": "23", "gpstime":"2018-06-19T20:36:53.000Z", "temperature": -2.55, "relhumidity": 9.37, "vappress": 0.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595980,47.986840] }, "properties": { "altitude": "285.2", "sensor": "23", "gpstime":"2018-06-19T20:37:19.000Z", "temperature": -1.54, "relhumidity": 6.81, "vappress": 0.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580880,47.986672] }, "properties": { "altitude": "282.7", "sensor": "23", "gpstime":"2018-06-19T20:37:47.000Z", "temperature": -1.45, "relhumidity": 5.77, "vappress": 0.512, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8574050,47.984828] }, "properties": { "altitude": "276.6", "sensor": "23", "gpstime":"2018-06-19T20:38:50.000Z", "temperature": -1.23, "relhumidity": 5.33, "vappress": 0.447, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8557830,47.984968] }, "properties": { "altitude": "271.2", "sensor": "23", "gpstime":"2018-06-19T20:40:24.000Z", "temperature": -1.55, "relhumidity": 6.35, "vappress": 0.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541930,47.985028] }, "properties": { "altitude": "271.4", "sensor": "23", "gpstime":"2018-06-19T20:40:49.000Z", "temperature": -1.56, "relhumidity": 6.67, "vappress": 0.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527670,47.985070] }, "properties": { "altitude": "272.0", "sensor": "23", "gpstime":"2018-06-19T20:41:12.000Z", "temperature": -1.64, "relhumidity": 6.16, "vappress": 0.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512880,47.985082] }, "properties": { "altitude": "270.1", "sensor": "23", "gpstime":"2018-06-19T20:41:37.000Z", "temperature": -1.74, "relhumidity": 8.32, "vappress": 0.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496150,47.985008] }, "properties": { "altitude": "268.6", "sensor": "23", "gpstime":"2018-06-19T20:42:06.000Z", "temperature": -1.86, "relhumidity": 8.28, "vappress": 0.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481670,47.984740] }, "properties": { "altitude": "270.9", "sensor": "23", "gpstime":"2018-06-19T20:42:58.000Z", "temperature": -2.00, "relhumidity": 8.78, "vappress": 0.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476080,47.986755] }, "properties": { "altitude": "287.0", "sensor": "23", "gpstime":"2018-06-19T20:44:07.000Z", "temperature": -1.96, "relhumidity": 7.36, "vappress": 0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491950,47.987033] }, "properties": { "altitude": "284.4", "sensor": "23", "gpstime":"2018-06-19T20:45:00.000Z", "temperature": -1.47, "relhumidity": 4.43, "vappress": 0.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505120,47.988685] }, "properties": { "altitude": "293.2", "sensor": "23", "gpstime":"2018-06-19T20:46:15.000Z", "temperature": -0.85, "relhumidity": 2.15, "vappress": 0.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520430,47.988545] }, "properties": { "altitude": "296.4", "sensor": "23", "gpstime":"2018-06-19T20:46:43.000Z", "temperature": -0.52, "relhumidity": 1.46, "vappress": 0.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537370,47.988487] }, "properties": { "altitude": "297.2", "sensor": "23", "gpstime":"2018-06-19T20:47:13.000Z", "temperature": -0.52, "relhumidity": 1.28, "vappress": 0.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543670,47.990397] }, "properties": { "altitude": "287.3", "sensor": "23", "gpstime":"2018-06-19T20:48:25.000Z", "temperature": -0.54, "relhumidity": 0.96, "vappress": 0.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527570,47.990318] }, "properties": { "altitude": "275.6", "sensor": "23", "gpstime":"2018-06-19T20:50:09.000Z", "temperature": -0.47, "relhumidity": 1.84, "vappress": 0.234, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513480,47.992067] }, "properties": { "altitude": "290.7", "sensor": "23", "gpstime":"2018-06-19T20:51:57.000Z", "temperature": -0.83, "relhumidity": 2.42, "vappress": 0.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497330,47.992177] }, "properties": { "altitude": "279.6", "sensor": "23", "gpstime":"2018-06-19T20:52:23.000Z", "temperature": -0.67, "relhumidity": 1.82, "vappress": 0.274, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481120,47.992560] }, "properties": { "altitude": "280.1", "sensor": "23", "gpstime":"2018-06-19T20:54:09.000Z", "temperature": -0.62, "relhumidity": 1.24, "vappress": 0.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466220,47.993013] }, "properties": { "altitude": "276.9", "sensor": "23", "gpstime":"2018-06-19T20:54:36.000Z", "temperature": -0.51, "relhumidity": 1.04, "vappress": 0.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460220,47.993482] }, "properties": { "altitude": "74.3", "sensor": "23", "gpstime":"2018-06-19T21:15:13.000Z", "temperature": -0.41, "relhumidity": -0.45, "vappress": 0.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.992005] }, "properties": { "altitude": "280.4", "sensor": "25", "gpstime":"2018-06-19T19:26:57.000Z", "temperature": 1.22, "relhumidity": -4.61, "vappress": 0.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443350,47.990395] }, "properties": { "altitude": "279.6", "sensor": "25", "gpstime":"2018-06-19T19:27:56.000Z", "temperature": 1.05, "relhumidity": -3.56, "vappress": 0.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458530,47.989398] }, "properties": { "altitude": "274.4", "sensor": "25", "gpstime":"2018-06-19T19:28:58.000Z", "temperature": 0.84, "relhumidity": -2.93, "vappress": 0.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462730,47.987367] }, "properties": { "altitude": "276.2", "sensor": "25", "gpstime":"2018-06-19T19:30:12.000Z", "temperature": 0.63, "relhumidity": -2.51, "vappress": 0.569, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474850,47.986093] }, "properties": { "altitude": "276.2", "sensor": "25", "gpstime":"2018-06-19T19:31:10.000Z", "temperature": 0.59, "relhumidity": -2.79, "vappress": 0.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491080,47.986075] }, "properties": { "altitude": "269.9", "sensor": "25", "gpstime":"2018-06-19T19:31:43.000Z", "temperature": 0.58, "relhumidity": -1.76, "vappress": 0.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482500,47.984488] }, "properties": { "altitude": "270.7", "sensor": "25", "gpstime":"2018-06-19T19:32:50.000Z", "temperature": 0.23, "relhumidity": 1.25, "vappress": 0.974, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497120,47.983933] }, "properties": { "altitude": "277.1", "sensor": "25", "gpstime":"2018-06-19T19:33:21.000Z", "temperature": -0.15, "relhumidity": 2.17, "vappress": 0.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511520,47.983543] }, "properties": { "altitude": "280.5", "sensor": "25", "gpstime":"2018-06-19T19:33:45.000Z", "temperature": -0.34, "relhumidity": 3.62, "vappress": 1.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527680,47.983283] }, "properties": { "altitude": "286.0", "sensor": "25", "gpstime":"2018-06-19T19:34:10.000Z", "temperature": -0.59, "relhumidity": 4.87, "vappress": 1.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544050,47.982913] }, "properties": { "altitude": "275.4", "sensor": "25", "gpstime":"2018-06-19T19:34:48.000Z", "temperature": -0.74, "relhumidity": 6.16, "vappress": 1.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552670,47.984533] }, "properties": { "altitude": "280.6", "sensor": "25", "gpstime":"2018-06-19T19:36:05.000Z", "temperature": -0.85, "relhumidity": 3.71, "vappress": 0.901, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570870,47.984472] }, "properties": { "altitude": "278.0", "sensor": "25", "gpstime":"2018-06-19T19:36:32.000Z", "temperature": -0.60, "relhumidity": 2.63, "vappress": 0.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583820,47.984987] }, "properties": { "altitude": "281.2", "sensor": "25", "gpstime":"2018-06-19T19:37:01.000Z", "temperature": -0.52, "relhumidity": 4.47, "vappress": 1.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599420,47.985255] }, "properties": { "altitude": "278.0", "sensor": "25", "gpstime":"2018-06-19T19:37:29.000Z", "temperature": -0.55, "relhumidity": 4.84, "vappress": 1.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614750,47.985323] }, "properties": { "altitude": "275.5", "sensor": "25", "gpstime":"2018-06-19T19:38:04.000Z", "temperature": -0.72, "relhumidity": 6.59, "vappress": 1.653, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632770,47.984563] }, "properties": { "altitude": "277.0", "sensor": "25", "gpstime":"2018-06-19T19:39:21.000Z", "temperature": -1.23, "relhumidity": 11.83, "vappress": 2.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652100,47.984672] }, "properties": { "altitude": "274.0", "sensor": "25", "gpstime":"2018-06-19T19:39:44.000Z", "temperature": -1.84, "relhumidity": 12.13, "vappress": 1.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670080,47.984795] }, "properties": { "altitude": "274.9", "sensor": "25", "gpstime":"2018-06-19T19:40:14.000Z", "temperature": -2.08, "relhumidity": 14.08, "vappress": 2.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8686330,47.984977] }, "properties": { "altitude": "265.3", "sensor": "25", "gpstime":"2018-06-19T19:40:44.000Z", "temperature": -2.27, "relhumidity": 13.15, "vappress": 1.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703620,47.985333] }, "properties": { "altitude": "258.2", "sensor": "25", "gpstime":"2018-06-19T19:41:11.000Z", "temperature": -2.23, "relhumidity": 11.29, "vappress": 1.324, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8720370,47.985018] }, "properties": { "altitude": "254.8", "sensor": "25", "gpstime":"2018-06-19T19:41:35.000Z", "temperature": -2.10, "relhumidity": 10.63, "vappress": 1.274, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8734700,47.984925] }, "properties": { "altitude": "259.2", "sensor": "25", "gpstime":"2018-06-19T19:42:02.000Z", "temperature": -2.01, "relhumidity": 10.45, "vappress": 1.372, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748300,47.983685] }, "properties": { "altitude": "263.4", "sensor": "25", "gpstime":"2018-06-19T19:42:37.000Z", "temperature": -2.01, "relhumidity": 12.21, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8754250,47.981857] }, "properties": { "altitude": "294.5", "sensor": "25", "gpstime":"2018-06-19T19:43:50.000Z", "temperature": -2.08, "relhumidity": 17.23, "vappress": 2.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8771100,47.982345] }, "properties": { "altitude": "311.9", "sensor": "25", "gpstime":"2018-06-19T19:45:46.000Z", "temperature": -2.54, "relhumidity": 17.36, "vappress": 2.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8784800,47.982647] }, "properties": { "altitude": "303.9", "sensor": "25", "gpstime":"2018-06-19T19:46:21.000Z", "temperature": -2.80, "relhumidity": 19.20, "vappress": 2.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8768050,47.983340] }, "properties": { "altitude": "307.0", "sensor": "25", "gpstime":"2018-06-19T19:47:06.000Z", "temperature": -2.75, "relhumidity": 20.02, "vappress": 2.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8751650,47.983962] }, "properties": { "altitude": "297.1", "sensor": "25", "gpstime":"2018-06-19T19:47:42.000Z", "temperature": -2.72, "relhumidity": 18.29, "vappress": 2.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8741050,47.985310] }, "properties": { "altitude": "301.1", "sensor": "25", "gpstime":"2018-06-19T19:49:05.000Z", "temperature": -2.68, "relhumidity": 17.38, "vappress": 2.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8757030,47.985785] }, "properties": { "altitude": "294.6", "sensor": "25", "gpstime":"2018-06-19T19:50:02.000Z", "temperature": -2.62, "relhumidity": 14.78, "vappress": 1.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8768650,47.987052] }, "properties": { "altitude": "295.4", "sensor": "25", "gpstime":"2018-06-19T19:50:56.000Z", "temperature": -2.54, "relhumidity": 15.21, "vappress": 1.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8782920,47.987335] }, "properties": { "altitude": "299.3", "sensor": "25", "gpstime":"2018-06-19T19:51:41.000Z", "temperature": -2.30, "relhumidity": 13.66, "vappress": 1.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8772880,47.989270] }, "properties": { "altitude": "297.3", "sensor": "25", "gpstime":"2018-06-19T19:52:42.000Z", "temperature": -2.06, "relhumidity": 13.29, "vappress": 2.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8751180,47.990662] }, "properties": { "altitude": "297.5", "sensor": "25", "gpstime":"2018-06-19T19:53:46.000Z", "temperature": -2.03, "relhumidity": 14.67, "vappress": 2.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739700,47.991955] }, "properties": { "altitude": "291.3", "sensor": "25", "gpstime":"2018-06-19T19:55:23.000Z", "temperature": -2.47, "relhumidity": 15.92, "vappress": 1.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8724020,47.992232] }, "properties": { "altitude": "288.3", "sensor": "25", "gpstime":"2018-06-19T19:55:51.000Z", "temperature": -2.64, "relhumidity": 15.36, "vappress": 1.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8710480,47.992462] }, "properties": { "altitude": "286.0", "sensor": "25", "gpstime":"2018-06-19T19:56:10.000Z", "temperature": -2.77, "relhumidity": 15.52, "vappress": 1.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8694000,47.992385] }, "properties": { "altitude": "294.2", "sensor": "25", "gpstime":"2018-06-19T19:59:47.000Z", "temperature": -2.98, "relhumidity": 19.30, "vappress": 2.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8677380,47.991850] }, "properties": { "altitude": "280.4", "sensor": "25", "gpstime":"2018-06-19T20:00:17.000Z", "temperature": -3.11, "relhumidity": 19.01, "vappress": 2.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662380,47.991577] }, "properties": { "altitude": "288.5", "sensor": "25", "gpstime":"2018-06-19T20:00:41.000Z", "temperature": -3.07, "relhumidity": 18.62, "vappress": 2.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8677250,47.991340] }, "properties": { "altitude": "290.4", "sensor": "25", "gpstime":"2018-06-19T20:01:47.000Z", "temperature": -2.95, "relhumidity": 19.20, "vappress": 2.201, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8666750,47.989845] }, "properties": { "altitude": "302.1", "sensor": "25", "gpstime":"2018-06-19T20:03:21.000Z", "temperature": -2.94, "relhumidity": 14.88, "vappress": 1.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653150,47.989757] }, "properties": { "altitude": "298.9", "sensor": "25", "gpstime":"2018-06-19T20:04:04.000Z", "temperature": -2.48, "relhumidity": 13.66, "vappress": 1.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638280,47.989648] }, "properties": { "altitude": "302.2", "sensor": "25", "gpstime":"2018-06-19T20:04:33.000Z", "temperature": -2.17, "relhumidity": 12.44, "vappress": 1.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620800,47.988717] }, "properties": { "altitude": "296.1", "sensor": "25", "gpstime":"2018-06-19T20:05:26.000Z", "temperature": -1.89, "relhumidity": 10.34, "vappress": 1.583, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8605930,47.988927] }, "properties": { "altitude": "293.6", "sensor": "25", "gpstime":"2018-06-19T20:05:50.000Z", "temperature": -1.51, "relhumidity": 9.37, "vappress": 1.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8591700,47.989260] }, "properties": { "altitude": "300.3", "sensor": "25", "gpstime":"2018-06-19T20:06:12.000Z", "temperature": -1.34, "relhumidity": 8.39, "vappress": 1.480, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577580,47.990112] }, "properties": { "altitude": "286.4", "sensor": "25", "gpstime":"2018-06-19T20:06:39.000Z", "temperature": -1.15, "relhumidity": 8.20, "vappress": 1.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564320,47.990747] }, "properties": { "altitude": "279.9", "sensor": "25", "gpstime":"2018-06-19T20:07:25.000Z", "temperature": -1.02, "relhumidity": 8.91, "vappress": 1.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546330,47.990763] }, "properties": { "altitude": "278.3", "sensor": "25", "gpstime":"2018-06-19T20:08:07.000Z", "temperature": -1.07, "relhumidity": 7.49, "vappress": 1.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540830,47.988635] }, "properties": { "altitude": "308.3", "sensor": "25", "gpstime":"2018-06-19T20:10:20.000Z", "temperature": -0.83, "relhumidity": 4.87, "vappress": 1.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526800,47.988512] }, "properties": { "altitude": "302.4", "sensor": "25", "gpstime":"2018-06-19T20:10:42.000Z", "temperature": -0.50, "relhumidity": 5.27, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512970,47.988595] }, "properties": { "altitude": "286.5", "sensor": "25", "gpstime":"2018-06-19T20:12:14.000Z", "temperature": -0.35, "relhumidity": 4.86, "vappress": 1.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498470,47.988775] }, "properties": { "altitude": "277.2", "sensor": "25", "gpstime":"2018-06-19T20:13:10.000Z", "temperature": -0.34, "relhumidity": 4.60, "vappress": 1.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501470,47.990975] }, "properties": { "altitude": "276.8", "sensor": "25", "gpstime":"2018-06-19T20:14:44.000Z", "temperature": -0.37, "relhumidity": 4.55, "vappress": 1.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491200,47.992360] }, "properties": { "altitude": "274.3", "sensor": "25", "gpstime":"2018-06-19T20:15:35.000Z", "temperature": -0.40, "relhumidity": 4.19, "vappress": 1.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476480,47.992730] }, "properties": { "altitude": "278.5", "sensor": "25", "gpstime":"2018-06-19T20:16:05.000Z", "temperature": -0.39, "relhumidity": 3.58, "vappress": 1.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464230,47.993647] }, "properties": { "altitude": "281.5", "sensor": "25", "gpstime":"2018-06-19T20:17:02.000Z", "temperature": -0.23, "relhumidity": 3.60, "vappress": 1.441, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452700,47.993563] }, "properties": { "altitude": "282.3", "sensor": "25", "gpstime":"2018-06-19T20:17:34.000Z", "temperature": -0.13, "relhumidity": 3.99, "vappress": 1.551, } } ] }); <file_sep>#! /usr/bin/python # -*- coding: utf-8 -*- """ Program <meteobike.py> to read and record GPS data, air temperature and humidity using Adafruit's Ultimate GPS and Pimoroni's DHT22 temperature sensor while riding on a bike. University of Freiburg Environmental Meteology Version 1.2 Written by <NAME> 2018 Modified by <NAME> Apr 2018 Using the class GpsPoller written by <NAME> http://dan.mandle.me September 2012 License: GPL 2.0 Buttons: Record: Start recording in append mode to logfile, but only if gps has fix Stop: Stop recording (Pause) Exit: exit program """ import os,sys from gps import * import Adafruit_DHT import threading from Tkinter import * from time import gmtime, strftime import numpy import socket def get_ip(): s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) try: # doesn't even have to be reachable s.connect(('10.255.255.255', 1)) IP = s.getsockname()[0] except: IP = '127.0.0.1' finally: s.close() return IP raspberryid = "00" # enter your raspberry's number studentname = "Unclaimed" # enter your first name - no spaces and no special characters temperature_cal_a1 = 1.00100 # enter the calibration coefficient slope for temperature temperature_cal_a0 = 0.00000 # enter the calibration coefficient offset for temperature vappress_cal_a1 = 1.00000 # enter the calibration coefficient slope for vapour pressure vappress_cal_a0 = 0.00000 # enter the calibration coefficient offset for vapour pressure window_title = "Meteobike"+raspberryid logfile_path = "/home/pi/Desktop/" logfile = logfile_path+raspberryid+"-"+studentname+"-"+strftime("%Y-%m-%d-%H-%M-%S.csv") # construct file name font_size=24 gpsd = None # setting global variables recording = False sampling_rate = 5 # sampling rate - minimum number of seconds between samplings class GpsPoller(threading.Thread): def __init__(self): threading.Thread.__init__(self) global gpsd # bring it in scope gpsd = gps(mode=WATCH_ENABLE) #starting the stream of info self.current_value = None self.running = True # setting the thread running to true def run(self): global gpsd while gpsp.running: gpsd.next() # this will continue to loop and grab EACH set of gpsd info to clear the buffer # main program counter = 0 gpsp = GpsPoller() # create the thread gpsp.start() # start it up dht22_pin = 4 # pin for DHT22 Data dht22_sensor = Adafruit_DHT.DHT22 #callback functions def exit_program(): master.destroy() sys.exit() def record_data(): global recording recording=True b2.config(state=NORMAL) b1.config(state=DISABLED) if os.path.isfile(logfile):return else:#write header line f0=open(logfile,"w") f0.write("ID,Record,Raspberry_Time,GPS_Time,Altitude,Latitude,Longitude,Temperature,TemperatureRaw,RelHumidity,RelHumidityRaw,VapourPressure,VapourPressureRaw\n") f0.close() def stop_data(): global recording recording=False b1.config(state=NORMAL) b2.config(state=DISABLED) def start_counting(label): counter = 0 def count(): global counter counter += 1 computer_time = strftime("%Y-%m-%d %H:%M:%S") dht22_humidity, dht22_temperature = Adafruit_DHT.read_retry(dht22_sensor, dht22_pin) dht22_temperature_raw=round(dht22_temperature,5) dht22_temperature_calib=round(dht22_temperature * temperature_cal_a1 + temperature_cal_a0,3) dht22_temperature = dht22_temperature_calib saturation_vappress_ucalib = 0.6113 * numpy.exp((2501000.0/461.5)*((1.0/273.15)-(1.0/(dht22_temperature_raw+273.15)))) saturation_vappress_calib = 0.6113 * numpy.exp((2501000.0/461.5)*((1.0/273.15)-(1.0/(dht22_temperature_calib+273.15)))) dht22_vappress=(dht22_humidity/100.0)*saturation_vappress_ucalib dht22_vappress_raw=round(dht22_vappress,3) dht22_vappress_calib=round(dht22_vappress * vappress_cal_a1 + vappress_cal_a0,3) dht22_vappress = dht22_vappress_calib dht22_humidity_raw=round(dht22_humidity,5) dht22_humidity = round(100 * (dht22_vappress_calib / saturation_vappress_calib),5) if dht22_humidity >100:dht22_humidity=100 gps_time=gpsd.utc gps_altitude=gpsd.fix.altitude gps_latitude=gpsd.fix.latitude gps_longitude=gpsd.fix.longitude f_mode=int(gpsd.fix.mode)#store number of sats has_fix=False#assume no fix if f_mode ==2:value_counter.config(bg="orange") elif f_mode >2: has_fix=True value_counter.config(bg="#20ff20") # light green else:value_counter.config(bg="red") value_ctime.config(text=computer_time) value_altitude.config(text="{0:.3f} m".format(gps_altitude)) value_latitude.config(text="{0:.6f} N".format(gps_latitude)) value_longitude.config(text="{0:.6f} E".format(gps_longitude)) value_time.config(text=gps_time)#cut last 5 letters value_temperature.config(text="{0:.1f}ºC".format(dht22_temperature)) value_humidity.config(text="{0:.1f} %".format(dht22_humidity)) value_vappress.config(text="{0:.3f} kPa".format(dht22_vappress)) label.config(text=str(counter)) label.after(1000*sampling_rate, count) if recording and has_fix: f0=open(logfile,"a") f0.write(raspberryid+",") f0.write(str(counter)+",") f0.write(computer_time+",") if has_fix:f0.write(gps_time+",") else:f0.write("nan,") f0.write("{0:.3f}".format(gps_altitude)+",") f0.write("{0:.6f}".format(gps_latitude)+",") f0.write("{0:.6f}".format(gps_longitude)+",") f0.write(str(dht22_temperature)+",") f0.write(str(dht22_temperature_raw)+",") f0.write(str(dht22_humidity)+",") f0.write(str(dht22_humidity_raw)+",") f0.write(str(dht22_vappress)+",") f0.write(str(dht22_vappress_raw)+"\n") f0.close() count() #define widgets master = Tk() master.title(window_title) master.attributes('-fullscreen', True) name1=Label(master, text = " Name", fg="blue", font=('Helvetica', font_size)).grid(row=0,column=0,sticky=W) name2=Label(master, text = studentname+"'s Meteobike", fg="blue", font=('Helvetica', font_size)).grid(row=0,column=1,sticky=W,columnspan=2) ip1=Label(master, text = " IP", fg="blue", font=('Helvetica', font_size)).grid(row=1,column=0,sticky=W) ip2=Label(master, text = get_ip(), fg="blue", font=('Helvetica', font_size)).grid(row=1,column=1,sticky=W,columnspan=2) #define labels label_counter=Label(master, text=" Counter", font=('Helvetica', font_size)) label_counter.grid(row=2,column=0,sticky=W) label_ctime=Label(master, text=" Time", font=('Helvetica', font_size)) label_ctime.grid(row=3,column=0,sticky=W) label_altitude=Label(master, text=" Altitude", font=('Helvetica', font_size)) label_altitude.grid(row=4,column=0,sticky=W) label_latitude=Label(master, text=" Latitude", font=('Helvetica', font_size)) label_latitude.grid(row=5,column=0,sticky=W) label_longitude=Label(master, text=" Longitude", font=('Helvetica', font_size)) label_longitude.grid(row=6,column=0,sticky=W) label_time=Label(master, text=" GPS Time", font=('Helvetica', font_size)) label_time.grid(row=7,column=0,sticky=W) label_temperature=Label(master, text=" Temperature", font=('Helvetica', font_size)) label_temperature.grid(row=8,column=0,sticky=W) label_humidity=Label(master, text=" Rel. Humidity", font=('Helvetica', font_size)) label_humidity.grid(row=9,column=0,sticky=W) label_vappress=Label(master, text=" Vap. Pressure ", font=('Helvetica', font_size)) label_vappress.grid(row=10,column=0,sticky=W) #define values (constructed also as labels, text will be modified in count) value_counter=Label(master, text=" Counter",bg="red", font=('Helvetica', font_size)) value_counter.grid(row=2,column=1,sticky=W,columnspan=2) value_ctime=Label(master, text=" Time", font=('Helvetica', font_size)) value_ctime.grid(row=3,column=1,sticky=W,columnspan=2) value_altitude=Label(master, text=" Altitude", font=('Helvetica', font_size)) value_altitude.grid(row=4,column=1,sticky=W,columnspan=2) value_latitude=Label(master, text=" Latitude", font=('Helvetica', font_size)) value_latitude.grid(row=5,column=1,sticky=W,columnspan=2) value_longitude=Label(master, text=" Longitude", font=('Helvetica', font_size)) value_longitude.grid(row=6,column=1,sticky=W,columnspan=2) value_time=Label(master, text=" GPS Time ---------------", font=('Helvetica', font_size)) value_time.grid(row=7,column=1,sticky=W,columnspan=2) value_temperature=Label(master, text=" Temperature", font=('Helvetica', font_size)) value_temperature.grid(row=8,column=1,sticky=W,columnspan=2) value_humidity=Label(master, text=" Rel. Humidity", font=('Helvetica', font_size)) value_humidity.grid(row=9,column=1,sticky=W,columnspan=2) value_vappress=Label(master, text=" Vap. Pressure ", font=('Helvetica', font_size)) value_vappress.grid(row=10,column=1,sticky=W,columnspan=2) #initialize value_counter start_counting(value_counter) #define buttons b1=Button(master, text='Record', width=7, state=DISABLED, command=record_data) b1.grid(row=12,column=0,sticky=W) b2=Button(master, text='Stop', width=7, state=DISABLED, command=stop_data) b2.grid(row=12,column=1,sticky=W) b4=Button(master, text='Exit', width=7, state=NORMAL, command=exit_program) b4.grid(row=12,column=2,sticky=E) recording=True record_data() #wait in mainloop mainloop() <file_sep># Meteobike - Mapping urban heat islands with bikes "Meteobike" is our educational Raspberry Pi Zero Project at the University of Freiburg, [Chair of Environmental Meteorology](http://www.meteo.uni-freiburg.de/). In our course "Tools in Meteorology" (5th Term of our [Minor in "Meteorology and Climatology"](http://www.meteo.uni-freiburg.de/de/lehre/b-sc-nebenfach)), we develop a system to measure, analyze and visualize the urban heat island effect. Within a short period (~2 hours), we measure with many systems simultaneously temperature and humidity transcects inside and outside the city and tag measurement locations with GPS. The system is battery operated and light, so it can be mounted on bikes. Communication with the Raspberry Pi Zero to our smartphone is enabled via wireless network. ![Images/IMG_meteobike](Images/IMG_meteobike.jpg) ## Overview Students build their own mobile systems. Each system will be assembled using the following components: | Component | Model | Link to Vendor in Germany | Price | | ------------------ | ----------- | ----------- | ---------- | | Microcontroller | Raspberry Pi Zero W | [Pimoroni.de](https://shop.pimoroni.de/products/raspberry-pi-zero-w) | 10 EUR | | GPS | Adafruit Ultimate GPS Breakout | [Pimoroni.de](https://shop.pimoroni.com/products/adafruit-ultimate-gps-breakout) | 40 EUR | | Temperature / Humidity Sensor | DHT22 AM2302 | AZ-Delivery ([Amazon.de](https://www.amazon.de/dp/B06XF4TNT9/)) | 5 EUR | | Micro SD Card | NOOBS 16GB microSD | [Pimoroni.de](https://shop.pimoroni.de/products/noobs-microsd-card) | 5 EUR | | Battery | POWERADD Pilot 2GS Powerbank 10000mAh* | Poweradd ([Amazon.de](https://www.amazon.de/gp/product/B00J93R7XM/)) | 15 EUR | | Jumper Wires | Elegoo Jumper Wire* | GYE ([Amazon.de](https://www.amazon.de/dp/B01EV70C78/)) | 7 EUR | | Screen | 2.7inch e-Paper HAT | [Reichelt.de](https://www.reichelt.de/developer-boards-2-7-e-ink-display-black-white-debo-epa-2-7-p224220.html?trstct=pos_7&nbc=1&&r=1) | 20 EUR | * Can be replaced by any other product ![Images/IMG_components](Images/IMG_components.jpg) ## Workshop 1 - Setting up the Raspberry Pi Zero and connecting the sensors In this first workshop you will connect the Raspberry Pi Zero to a mouse, a keyboard and a screen to set it up properly. Then we will connect the temperature/relative humidiy sensor and a GPS. If they are working, we will install a user-interface to collect automatically your data and store it on the SD card. ### Connecting and starting the Raspberry Pi Zero The [Raspberry Pi Zero W](https://shop.pimoroni.de/collections/raspberry-pi/products/raspberry-pi-zero-w?src=raspberrypi) is a microcomputer running a full operating system and providing input and output connectivity through a number of interfaces: ![Images/IMG_raspberrypizerow](Images/IMG_raspberrypizerow.jpg) #### Setting-up the SD-card Your Raspberry Pi Zero W comes with a micro SD card that contains the operating sysetm (called [Raspbian](https://en.wikipedia.org/wiki/Raspbian)) preinstalled. In some cases, the micro SD card is housed inside the larger regular SD card "adapter". Pull the micro-SD card out and insert it carefully into the card slot. Make sure the logo is up and the hand-painted white number (or sticker) on the back. ![Images/IMG_sdcard](Images/IMG_sdcard.jpg) #### Setting-up temporary peripherals (mouse, keyboard, screen) The first time you set-up your Raspberry Pi Zero W, you will need a few additional components. The components you need are * Screen (with a HDMI, VGA or DVI connection) * USB keyboard * USB mouse * A USB hub and a micro-USB to USB-A convertor. * A power supply In our course, you are provided with a USB Hub, a micro-USB to USB-A. You provide the screen, a USB keyboard and a USB mouse, possibly also a regular HDMI cable. Later, once the system is assigned to your wireless networks, you can connect to it without keybord, without mouse and without Screen using RealVNC, so there is no need for a phsyical keyboard, a mouse or a screen in later exercises or during the bike traverses. All can be remotely controlled from your laptop, your smartphone or tablet. Here are all connection cables and supplies you need for the initial set-up (specific models may vary, screen is not shown): ![Images/IMG_setup_components](Images/IMG_setup_components.jpg) First, connect the USB mouse and keyboard. Your Raspberry Pi Zero W has two mini-USB ports, one (left) is for the USB devices (mouse, keyboard), one (right) is actually only for supplying power (see below). First connect to the USB devices (left). Because there is only one true USB port, but you need to connect two devices, you must also add initially a USB hub. Here is the set-up: ![Images/IMG_usbhub](Images/IMG_usbhub.jpg) To connect your screen to TV during the initial set-up, connect first a mini-HDMI to HDMI coverter. Then you can use a regular HDMI cable to connect it to you screen (In rare cases you need a mini-HDMI to VGA adapter if your screen does not support HDMI and only VGA, or a mini-HDMI to DVI adapter if your screen does not support HDMI and only DVI). ![Images/IMG_hdmi](Images/IMG_hdmi.jpg) #### Power-up the system Finally connect the power supply to the right mini USB connector. The Raspberry Pi Zero W now starts up, the green inicator light begins to flash, and instructions follow on your screen. #### Setting-up the wireless network In case this is a first-time installation, follow the instructions on-screen to set-up your Raspberry Pi Zero W. It will automatically reboot after resizing. In most cases this is not needed, as your OS is already fully installed and operational. Then connect to your home wireless network. Click in the menu-bar on the wireless network icon, select your home network and enter your password. Hover with the mouse over the network icon to read the IP number. Note the IP number on a sheet as you will need it later. ![Images/SCS_network](Images/SCS_network.jpg) Next, localize the Raspberry Pi Zero W to your language and region. Check if the hostname is "raspberryXX" where XX is the number of your system. This is needed to identify your system. ![Images/SCS_systemname](Images/SCS_systemname.png) At this point we recommend to reboot your Raspberry Pi. #### Remote connection via the wireless network Test the communication with another device (your laptop or smartphone). First activate VNC. Go to settings, and enable "VNC". You can also enable SSH und I2C. ![Images/SCS_connections.png](Images/SCS_connections.png) Next, on your laptop or smartphone install the "VNC Viewer" from "RealVNC": * On Mac, Windows, or Linux install the [desktop version of the VNC Viewer](https://www.realvnc.com/de/connect/download/viewer/). * On iOS devices use the [Apple App Store to download the VNC Viewer](https://itunes.apple.com/us/app/vnc-viewer/id352019548?mt=8 ). * On Android devices use [Google Play to download the VNC Viewer](https://play.google.com/store/apps/details?id=com.realvnc.viewer.android). Make sure your laptop or smartphone is connected to the same wireless as the Raspberry Pi Zero W. Then start your viewer, connect to the IP address you previously noted (likely `192.168.X.Y`) and enter the username "pi" with the password we have previously set. You should be able to control your Raspberry Pi Zero W and you can use a mouse and keybord remotely. ### Installing the Sensors #### Installing the DHT22 temperature / relative humidity probe The [DHT22](https://learn.adafruit.com/dht/overview) is a low-cost digital temperature and humidity sensor. It contains a capacitive humidity sensor and a thermistor (resistor that changes with temperature). It transfers data digitally to your Raspberry Pi Zero W. You need just three cables to connect the DHT22 to the Raspberry Pi Zero W - one for power (red), one for the signal (orange) and one for the ground (brown). ![Images/IMG_dht22](Images/IMG_dht22.jpg) To enable communication with the DHT22 for the first time, enter the following commands once into the `LXTerminal` (the command line) on the Raspberry Pi Zero to install the Adafruit DHT 22 library. Once the library is installed, you can access it from the programming language Python. If your system has been already in use before, then installing the libray can be skipped (someone else has already installed the library before). $ sudo apt-get update $ sudo apt-get install build-essential python-dev python-openssl git $ git clone https://github.com/adafruit/Adafruit_Python_DHT.git $ cd Adafruit_Python_DHT $ sudo python setup.py install Next, turn off the Raspberry Pi Zero. Disconnect the power cable from the Raspberry Pi Zero. Connect the DHT22 sensor physically using the pre-soldered wires, while power is off. Never connect any sensors on a live (powered) system as this might damage the board. Connect the following color coding on the pins of the Raspberry Pi Zero: | DHT22 T/RH Sensor | Cable Color | Raspberry Pi Zero | | ------------------ | ----------- | ----------------- | | PIN 1 | <span style="color: red">Red Cable</span> | PIN 1 (3V+) | PIN 2 | <span style="color: orange">Orange Cable</span> | PIN 7 (GPIO4) | PIN 3 | (no cable) | | PIN 4 | <span style="color: brown">Brown Cable</span> | PIN 9 (Ground) ![Images/IMG_dht22wiring](Images/IMG_dht22wiring.jpg) Double check if the connection is correct. A wrong connection could also damage the sensor and or the Raspberry Pi Zero. Then reconnect the power cable to the Raspberry Pi Zero. The Raspberry Pi Zero restarts, and its green light flashes. Once started, the DHT 22 Sensor can be polled with the following commands in Python Version 2 (not Version 3!). First start the Phython development environment for Python 2.7 in interactive mode. In Python, enter >>> import Adafruit_DHT >>> humidity, temperature = Adafruit_DHT.read_retry(Adafruit_DHT.DHT22,4) >>> print temperature, humidity This will display the currently measured values. The system measures temperature and humidity every two seconds. Next, as an exercise you can calculate the vapour pressure using the Clausius-Clapeyron equation. First calculate the saturation vapour pressure in kPa, then convert the relative humidity to vapour pressure. Note that temperature needs to be converted to Kelvins first. >>> import numpy >>> saturation_vappress = 0.6113 * numpy.exp((2501000.0/461.5)*((1.0/273.15)-(1.0/(temperature+273.15)))) >>> vappress=(humidity/100.0)*saturation_vappress >>> print vappress Can you also calculate the dewpoint temperature? #### Installing the GPS Module The Adafruit Ultimate GPS is a 66 channel Global Positioning System using satellites to accurately determine your location, speed and altitude. It digitally communicates with the Raspberry Pi Zero W over four cables: ![Images/IMG_gps](Images/IMG_gps.jpg) ##### Enabling serial communication with the GPS Module To enable communication with the Raspberry Pi Zero W for the very first time, you need to enable serial communication. Again, if the system has been used in years before, then the follwing changes might already be implemented and you can skip to section 'Connecting the GPS'. If the serial communication has not been installed, then start the Raspberry's `LXTerminal` and type: $ sudo apt-get install gpsd gpsd-clients python-gps $ sudo systemctl stop [email protected] $ sudo systemctl disable [email protected] $ sudo systemctl stop gpsd.socket $ sudo systemctl disable gpsd.socket For the Raspberry Pi Zero we need to enable the serial port on the GPIO pins. This requires us to change the configuration file of the Raspberry Pi Zero W. You can use a texteditor, for example the `nano` command in `LXTerminal` and edit the file `config.txt` $ sudo nano /boot/config.txt Scroll to the the very bottom of the file (not with a mouse, but with the arrow keys) and then type this on a new line: enable_uart=1 Save with `Ctrl`+`0` (German: `Strg`+`O`), and then press `Enter`. Next press `Ctrl`+`X` (`Strg`+`X`) to exit the `nano` editor. Finally, reboot the Raspberry Pi Zero. Once rebooted, disable the standard socket, and run this command in the `LXTerminal` to enable the serial port: $ sudo gpsd /dev/ttyS0 -F /var/run/gpsd.sock Next, edit the file /etc/rc.local, again using the `nano` editor: $ sudo nano /etc/rc.local An insert at the very end, but above the line `exit 0` the following line: gpsd /dev/ttyS0 -F /var/run/gpsd.sock Save with `Ctrl`+`0` (German: `Strg`+`O`), and then press `Enter`. Next press `Ctrl`+`X` (`Strg`+`X`) to exit the `nano` command line editor. Now, every time the Raspberry Pi Zero is booted, this command will be executed. ##### Connecting the GPS Turn off the Raspberry Pi Zero. Disconnect the power cable from the Raspberry Pi Zero. Connect the GPS physically using the pre-soldered four wires, with the following color coding on the pins of the Raspberry Pi Zero: | GPS | Cable Color | Raspberry Pi Zero | | ------------------ | ----------- | ----------------- | | PVIN | <span style="color: black">Black Cable</span> | PIN 4 (5V+) | GND | <span style="color: black">White Cable</span> | PIN 6 (Ground) | RX | <span style="color: grey">Grey Cable</span> | PIN 8 (TXD) | TX. | <span style="color: purple">Purple Cable</span> | PIN 10 (RXD) ![Images/IMG_gpswiring](Images/IMG_gpswiring.jpg) Double check if the connection is correct. Then reconnect the power cable to the Raspberry Pi Zero. The Raspberry Pi Zero restarts, and the green light flashes. ##### Testing the GPS Once the Raspberry PI has been restarted, you can test the GPS using the following command on the command line: $ cgps -s Note: If the GPS is searching for a signal it will flash red 5 times in 10 seconds and if it flashes red once in 15 seconds it has been connected to the satellites. The GPS needs to be outdoors (or at least on a balcony or window sill with partial view of the sky) to connect to satellites. It cannot connect to satellites indoors. ### Running the recording interface We want the data from the GPS and the DHT22 to be automatically collected and written into a file. We would also benefit from having the system data displayed in real time on screen. This is done with the python program `meteobike03.py`, which you can download on your Raspberry Pi Zero here - place it on your Raspberry PIs Desktop: * [Download meteobike03.py](/Code/meteobike03.py) You can start `meteobike03.py` using `LXTerminal` (assuming your file has been downloaded to the desktop) $ python ~/Desktop/meteobike03.py ![Images/SCS_userinterface](Images/SCS_userinterface.png) Next, make changes to personalize your copy of `meteobike03.py`. You can, for example, open the Python Development Environment (Version 2.7) and `File > Open`. * Replace "01" on line 41 `raspberryid =` to your system's two digit number. If your system has the number "7" enter "07". * Replace "Andreas" on line 42 `studentname =` to your first name in quotes with a Capital letter. That way you can idenitify your data when we upload it later. Then save the modified code `File > Save`. Close the Python Development Environment. Every time `meteobike03.py` is started, it will create a new data-file that contains the data sampled. Here is an example: ID | Record | Raspberry_Time | GPS_Time | Altitude | Latitude | Longitude | Temperature | TemperatureRaw | RelHumidity | RelHumidityRaw | VapourPressure | VapourPressureRaw | Velocity | --- | --- | --- | --- | --- | --- | --- | --- | --- | --- | --- | --- | --- | --- | 01 | 8 | 2018-05-06 08:29:03 | 2018-05-06T06:29:04.000Z | 281.700 | 47.991855 | 7.845193 | 23.0 | 23.1 | 41.9 | 42.0 | 1.196 | 1.192 | 5.14 01 | 9 | 2018-05-06 08:29:11 | 2018-05-06T06:29:12.000Z | 288.000 | 47.991375 | 7.845212 | 22.9 | 23.0 | 41.9 | 42.0 | 1.188 | 1.185 | 6.68 01 | 10 | 2018-05-06 08:29:24 | 2018-05-06T06:29:25.000Z | 290.000 | 47.991242 | 7.845800 | 23.0 | 23.1 | 41.9 | 42.0 | 1.196 | 1.192 | 3.56 You should also place a link - called bash script on your desktop (`meteobike.sh`) * [Download meteobike.sh](/Code/meteobike.sh) To ensure it works, you must change permissions of the file as follows (make it executable). This way, it can be started with a double-click: $ chmod +x ~/Desktop/meteobike.sh Now you can double-click `meteobike.sh` to start the user interface. Later, we will automate the start-up during the boot process. Now the system is ready to record data. Next week you will then in Workshop 2 put the system in a portable bik-bag and attach an E-paper. You are done for today with the first workshop - congratulations. ## Workshop 2 - Build the mobile unit and attach the E-Paper In the second practical workshop you will install the system in a protable bike-bag, insert the sensor in a radiation shield and power the system from a battery, so it is mobile. You will also attach an E-Paper to display the data while taking measurements. ### Assembly of the protable system Materials needed to complete the assembly of system in this second workshop include: * Reflective Tape * Scissors * Sensor Screen/Radiation Shield * Bag * GPS/T&RH Sensor * Velcro * Screw & Bolt * Foam ![Images/IMG_assembly](Images/IMG_assembly.jpg) #### Assembly of the screen (tube) To begin the assembly of the Meteobike system, carefully cut the reflective tape to the length of the plastic tube. Wrap the tube with the tape lengthwise, cut another piece of the same length and repeat this step with minimal overlap of the first piece of tape. The two pieces of tape should cover the entire tube. IN some cases the tape has already been glued on the plastic tube. Now that the tube is completely covered with the tape, use the scissors to puncture a hole in the tape where the holes on the tube are located. This is the sensor screen for the temperature and humitidy sensor. ![Images/IMG_sensorscreen](Images/IMG_sensorscreen.jpg) To connect the temperature and humidity sensor to the radiation shield, you must disconnect the temperature and humidity sensor from the Raspberry Pi, please ensure the sensor is not connected to any source of power. You will use the cirlce hook and loop velcro to attach the sheild and sensor. Place one piece on the inside of the radiaiton shield on the side that has 3 holes. It should be located close to the small hole that is farthest from the large hole. Place the second piece of velcro on the back side of the temperature and humidity sensor. ![Images/IMG_velcro](Images/IMG_velcro.jpg) Pass the wires from the sensor through the shield and through the largest hole, then press the sensor to the shield and ensure the velcro will hold the sensor and shield together. Place the shield close to the bag and put the temperature and humidity sensor wires through the large hole in the bag. Now you must connect the radiation shield and the sensor to the bag. To do this, you best use a wrench and screwdriver (if available) to insert the bolt and screw through the shields two holes and through the hole that is on the bag. Using the wrench to hold the bolt in place, use the screwdriver to insert the screw into the bolt to hold it secure. Place the thin plastic plate with the same holes on the inside of the bag apply the screw through it and the bolt on the inside. You can also tighten it by hand, though. ![Images/IMG_boltscrew](Images/IMG_boltscrew.jpg) You can now reconnect the the DHT22 sensor physically using the pre-soldered wires to the Raspberry Pi W. | DHT22 T/RH Sensor | Cable Color | Raspberry Pi Zero | | ------------------ | ----------- | ----------------- | | PIN 1 | <span style="color: red">Red Cable</span> | PIN 1 (3V+) | PIN 2 | <span style="color: orange">Orange Cable</span> | PIN 7 (GPIO4) | PIN 3 | (no cable) | | PIN 4 | <span style="color: brown">Brown Cable</span> | PIN 9 (Ground) ![Images/IMG_dht22wiring](Images/IMG_dht22wiring.jpg) Please double check to make sure the connection is correct. #### Foam arrangement To ensure the protection of the sensor, a special foam is used. As you can see it is structured into cubical formation that allows you to remove the specific size and pattern you need. You will be given a 20x28 cubical foam sheet, using this you will remove two 7x12 cube pieces, one will be for the base of your sensor and one will be altered to protect the Raspberry Pi system. You should be able to remove 6 different 7x12 sheets from the original 20x28 sheet. ![Images/IMG_fullfoam](Images/IMG_fullfoam.jpg) ![Images/IMG_cutfoam](Images/IMG_cutfoam.jpg) When sizing the foam for the Raspberry Pi, you will remove the foam cubes from the arrangement found below: ![Images/IMG_alteredfoam](Images/IMG_alteredfoam.jpg) There is one location in the foam where you must use the scissors to remove only half of the cube. This is where the power cable will be guided and should be faced down in the bag. You will now connect the battery and arrange the foam, battery and sensors to be comfortably situated within the bag. ![Images/IMG_connection](Images/IMG_connection.jpg) The arrangement within the bag will consist of the battery at the base, followed with the unaltered foam, the cable for the battery, the altered foam and the Raspberry Pi within. ![Images/IMG_arrangement](Images/IMG_arrangement.jpg) #### Placement of battery, Raspberry Pi and GPS You must place the Raspberry Pi on top of the altered foam then connect the battery cable to the Raspberry Pi under the altered foam where you cut out the half cubes. This way the Raspberry Pi is not touching the metal surface of the battery (which could lead to shortcuts and ultimately damage). The GPS should be placed into the front pocket. Please make sure the antenna is facing up, this is to ensure a full connection with the satellites and a accurate track recorded. ![Images/IMG_baggps](Images/IMG_baggps.jpg) When the system is complete, it should look similar to the image below. ![Images/IMG_system.complete](Images/IMG_system.complete.jpg) ### Connecting the Raspberry Pi with your Smartphone Once the system is set up similar to what is arranged above, you can optionally connect your mobile device to the VNC viewer in order to see the progress as you are collecting your data. If you do not have a mobile device, you can skip this step. In the next step, we will anyway install the e-Paper. You could place your mobile device in the front pocket behind the GPS. ![Images/IMG_phone](Images/IMG_phone.jpg) In a first step, enable your phone to host a Personal Hotspot. Although you do not need to access the Internet and you will not use any of your data plan capacity, this is required in order to build a network over WiFi to communicate between the Raspberry and your Phone. However, make sure you do not browse the web or download any files while connected to your Personal Hotspot (otherwise charges will apply to your data plan). Also make sure you use a personal, not the course password to protect your connection. ![Images/IMG_Hotspot_iPhone.jpg](Images/IMG_Hotspot_iPhone.jpg) <!-- .element height="50%" width="50%" --> Here is a description (in German) how to [enable a personal hotsopt on your iOS smartphone](https://support.apple.com/de-de/HT204023) Here is a description (in German) how to [enable a personal hotsopt on your Android smartphone](https://praxistipps.chip.de/android-handy-als-wlan-hotspot-einrichten-so-gehts_92113) In both cases, you will now have a WiFi network enabled, and you can connect to the network from the Raspberry Pi Zero. Boot the Raspberry Pi Zero, and then change the WiFi network to your Personal Hotspot WiFi name: ![Images/IMG_choose_smartphone.png](Images/IMG_choose_smartphone.png) Enter your password when promted: ![Images/IMG_choose_smartphone.png](Images/IMG_pre_shared_key.png) Then read the IP number (hover over the WiFi symbol in the menu bar to see it) e.g. 172.20.10.7 (without the "/", and what comes afterwards). Go back to your phone and start the VNC app. In the VNC app create a new connection and enter the local IP number you just read, e.g. 172.20.10.7 (without the "/", and what comes afterwards). When connecting enter the username "pi" and the previously set VNC password. You should now be able to control your Raspberry Pi Zero as long as the phone and the raspberry are close together. You can put the phone into the transparent lid of the bag. You can also use the second outlet of the power bank to keep your phone charged during measurements, but in this case, you must bring your own charger-cable. ### E-Paper Now we will be adding an E-Paper display with responsive buttons, so the instrument is independent of any computer or smartphone. An E-Paper uses an imaging display technology called "microencapsulated electrophoretic display" (MED). An E-paper displays patterns by reflecting the ambient light, so it has no background light. This is similar to an e-Reader, it requires little power is readable with full sunlight but also slow to update. #### Wiring the e-Paper We are using the [Wireframe 2.7inch e-Paper Hat](https://www.waveshare.com/wiki/7.5inch_e-Paper_HAT_(B)) hat that can display black and red color with a resolution of 176 x 264 pixels. Here is how your screen should look like from the back: ![Images/IMG_epaper2.7.jpg](Images/IMG_epaper2.7.jpg ) First, turn off your Raspberry Pi W Zero and disconnect the power cable. There are 8 different wires ready to be connected to your Raspberry Pi as follows: Plug the white plastic connection to the back | E-Paper | Cable Color | Raspberry Pi Zero | | ------------------ | ----------- | ----------------- | | VCC | Grey Cable | PIN 17 (3.3V) | | GND | Brown Cable | PIN 20 (Ground) | | DIN | Blue Cable | PIN 19 (GPIO10) | | CLK | Yellow Cable | PIN 23 (GPIO11) | | CS | Orange Cable | PIN 24 (GPIO8) | | DC | Green Cable | PIN 22 (GPIO25) | | RST | White Cable | PIN 11 (GPIO17) | | BUSY | Purple Cable | PIN 18 (GPIO24) | On the Raspberry Pi W Zero you connect the wires exactly according to this drawing: ![Images/IMG_epaper_wiring_part1.png](Images/IMG_epaper_wiring_part1.png) Please doble-check before re-powering and starting the Raspberry Pi W Zero. The connections should look like on this photo: ![Images/IMG_epaper_wiring_photo.png](Images/IMG_epaper_wiring_photo.png) #### Installing the e-Paper libraries (if needed) If you have double-checked the connection cable, boot up (i.e. re-power) the Raspberry Pi W Zero and connect to it via VNC (or alternatively through a screen / keyboard / mouse). If the E-Paper has alredy been installed on your system, you can skip the folloing installation and directly go to the section below "Test the e-Paper" Open the LXTerminal and enter the following commands - updating the Python 2 environment and downloading the required libraries. Make sure the Raspberry Pi Zero W has a connection to the internet to download the drivers. $ sudo apt-get update $ sudo apt-get install python-pip $ sudo apt-get install python-pil $ sudo apt-get install python-numpy $ sudo pip install RPi.GPIO $ sudo pip install spidev Next, download the python e-Paper library from waveshare and its examples: $ sudo git clone https://github.com/waveshare/e-Paper This will place the e-Paper software into `home/pi/e-Paper/` on your Raspberry Pi. #### Test the e-Paper Go to the directory to run a factory test: $ cd e-Paper/RaspberryPi\&JetsonNano/python/examples/ $ python epd_2in7b_test.py If you connected the e-Paper correctly, you should now see a number of fancy tests and visualisations on the e-Paper in black and red. For experts - Further details on the set-up and programming can be found on the [Wireframe webpage] (https://www.waveshare.com/wiki/2.7inch_e-Paper_HAT) under the "Hardware / Software setup" section. ### Update the Meteobike program to the e-Paper version From now on, you will use the e-Paper version of the Meteobike program called `meteobike_epaper.py` which can be found [here](https://github.com/achristen/Meteobike/blob/master/Code/meteobike_epaper.py). For students of the University of Freiburg, the python script is also available under Ilias [here](https://ilias.uni-freiburg.de/goto.php?target=fold_2149209&client_id=unifreiburg). Place the file `meteobike_epaper.py` on the Raspberry Pi's desktop. Open the file and change on lines 41 - 46 the system-specific information (your Meteobike No, your name, and if available your [calibration coefficients](https://github.com/achristen/Meteobike/tree/master/Sensor-Calibration/2020)). Students at tUni Freiburg will determine new calibration coefficients in the next workshop and can just leave them at `a1 = 1.00000` and `a0 = 0.0000`. raspberryid = "52" # enter your raspberry's number studentname = "Andreas" # enter your first name - no spaces and no special characters temperature_cal_a1 = 1.00000 # enter the calibration coefficient slope for temperature temperature_cal_a0 = 0.00000 # enter the calibration coefficient offset for temperature vappress_cal_a1 = 1.00000 # enter the calibration coefficient slope for vapour pressure vappress_cal_a0 = 0.00000 # enter the calibration coefficient offset for vapour pressure You can start the e-Paper version of Meteobike by typing the following command into LXTerminal: $ python ~/Desktop/meteobike_epaper.py In `meteobike_epaper.py` there is no on-screen window anymore, so you do not see anything on-screen happening, but the program instead displays all its output on the e-Paper: ![Images/IMG_epaper_display.png](Images/IMG_epaper_display.png) First, the ePaper will display a welcome screen ("Boot screen", left), with instructions on how to use the keys below the screen (we will install them next, they do not yet work). After about 10 seconds the e-Paper will refresh and display the latest data ("Measurement screen", right). It will refresh every 5 measurements (about every 40 seconds). The arrows next to the measurement values will indicate if a variable is increasing, is unchanged or decreasing. Any information displayed in red will show alerts (for example if the GPS has not found enough satellites yet or if there is no WiFi network). Next change the `meteobike.sh` script to point to `meteobike_epaper.py` instead of `meteobike03.py`, so at every start-up of the Raspberry Pi W Zero, the e-Paper version is started atomatically instead of the old version. ![Images/IMG_change_sh_epaper.png](Images/IMG_change_sh_epaper.png) Make sure the file `meteobike.sh` has the permissions set (likely done previously), so it can run: $ chmod +x ~/Desktop/meteobike.sh As an new feature, `meteobike_epaper.py` will only write one file per day. If a file already exists for a given date, data will be appended to it. The file will be written to the desktop. there is also a new column called "speed" where from the GPS and the time between measurements the actual speed of the system will be calculated. ### Enabling Keys Finally, we will add three feedback buttons as follows: - If you press `Key 1` then the program should pause - If you press `Key 2` then the program should resume - If you press `Key 4` then the program should exit Note `Key 3` is currently not assigned to any function. To connect the three keys, you need a 3-wire cable (1 x blue, 1 x green, 1 x yellow) as follows: ![Images/IMG_epaper_key_wire.png](Images/IMG_epaper_key_wire.png) Connect the wires as shown in the drawing below: ![Images/IMG_epaper_wiring_part2_2.png](Images/IMG_epaper_wiring_part2_2.png) The connections should look similar to the following photos: ![Images/IMG_epaper_wiring_photo_2.png](Images/IMG_epaper_wiring_photo_2.png) When you are using an e-Paper screen, you can put in in the top flap behind the transparent protection alongside the GPS. There is no need for using a mobile device anymore. ![Images/IMG_epaper_final.jpg](Images/IMG_epaper_final.jpg) Make sure the GPS does not move *under* the e-Paper. Also ensure the GPS and e-Paper do not touch their connectors (which could cause a short-cut). You can use tape to tie the cables and GPS in place. Well done - you are ready for measurements. Now you are ready to install the system on your bike. Let's go for a test drive. Please test the system as follows: - If you can press `Key 4` to exit the program and if you can then reboot - If it automatically reboots measurements if you take power off and put power on again - If it fits your bike - Can you see data and GPS while you measure? The recording will only start if you have a good GPS connection. - It it records proper data by riding around the block. Drive for a about 15 - 20 minutes, and come back to see if the data has been recorded. ### Display and analyze the recorded GPS track The GPS track is stored by the Raspberry on the desktop as a comma-separated file. If the Raspberry is on the same WLAN as the host computer, then you can easily establish an FTP connection and copy this file to the host (for example with the free [CyberDuck](https://cyberduck.io) or the free [FileZilla](https://filezilla-project.org)). You can also use the VNC software on your laptop or on a mobile device to tranfer files. A first graphical representation of the track can be done place on the website http://www.gpsvisualizer.com/map_input At top left choose "With: 1400", then at the top right under "Upload" choose your file and Click on `Draw the map`. Color-coded drawing by temperature: Under "Track options" click on "advanced options" and make the following settings below: ``` Colorize by: custom field Custom colorization field: temperature Spectrum direction: down Hue 1: 120 Hue 2: 0 ``` Then click on `Draw the map`. Here is an example ![Images/IMG_GPStrack](Images/IMG_GPStrack.jpg) There are also options to export it into Google Earth. You are now done with Workshop '2 ## Workshop 3 - Calibration This year this workshop will be handeled differently and we will enter the calibration coefficients for you. We will enter the calibration coefficients we derived from the intercomparison directly into the python code. For that we open the file `meteobike_epaper.py` in the Python 2 editor on the Raspberry Pi Zero W and change the follwing four lines: temperature_cal_a1 = 1.00000 temperature_cal_a0 = 0.00000 vappress_cal_a1 = 1.00000 vappress_cal_a0 = 0.00000 We replace the values `1.00000` and `0.00000` for temperature and vapour pressure based on the individual correction coefficients listed in [Sensor-Calibration/2020/readme.md](Tables 1 and 3 of the calibration diretory, respecively). One must take care to use a `.` and not a `,` as the delimiter. ## Workshop 4 - Detailed analysis in a geographic information system You can use the free and open-source Geographic Information System (GIS) [QGIS](https://qgis.org) to perform advanced geographical analysis, including statistics on specific areas of the track or rasterization of many Meteobike traces. Check out the separate page on [Visualizing Meteobike data wit QGIS](QGIS-Analysis/)... ![QGIS-Analysis/Images/QGIS_SampleGraduated.png](QGIS-Analysis/Images/QGIS_SampleGraduated.png) ![QGIS-Analysis/Images/QGIS_SampleHexagon.png](QGIS-Analysis/Images/QGIS_SampleHexagon.png) <file_sep>eqfeed_callback({ "type": "FeatureCollection", "features": [ { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462630,47.993340] }, "properties": { "altitude": "108.5", "sensor": "02", "gpstime":"2019-06-26T18:44:24.217Z", "temperature": 24.11, "relhumidity": 42.83, "vappress": 15.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458630,47.995293] }, "properties": { "altitude": "280.6", "sensor": "02", "gpstime":"2019-06-26T19:27:15.000Z", "temperature": 26.62, "relhumidity": 41.52, "vappress": 24.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444470,47.995768] }, "properties": { "altitude": "275.9", "sensor": "02", "gpstime":"2019-06-26T19:28:03.000Z", "temperature": 29.41, "relhumidity": 41.42, "vappress": 24.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429070,47.995945] }, "properties": { "altitude": "279.9", "sensor": "02", "gpstime":"2019-06-26T19:29:05.000Z", "temperature": 29.73, "relhumidity": 41.09, "vappress": 24.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413680,47.996338] }, "properties": { "altitude": "279.9", "sensor": "02", "gpstime":"2019-06-26T19:29:59.000Z", "temperature": 29.96, "relhumidity": 41.09, "vappress": 24.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397580,47.996637] }, "properties": { "altitude": "279.1", "sensor": "02", "gpstime":"2019-06-26T19:30:34.000Z", "temperature": 30.10, "relhumidity": 40.82, "vappress": 25.233, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376480,47.997465] }, "properties": { "altitude": "271.2", "sensor": "02", "gpstime":"2019-06-26T19:31:05.000Z", "temperature": 30.11, "relhumidity": 40.80, "vappress": 25.228, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360450,47.998125] }, "properties": { "altitude": "268.5", "sensor": "02", "gpstime":"2019-06-26T19:31:38.000Z", "temperature": 29.83, "relhumidity": 40.80, "vappress": 24.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348870,47.997070] }, "properties": { "altitude": "273.7", "sensor": "02", "gpstime":"2019-06-26T19:32:35.000Z", "temperature": 29.85, "relhumidity": 40.64, "vappress": 24.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331970,47.997478] }, "properties": { "altitude": "266.7", "sensor": "02", "gpstime":"2019-06-26T19:32:55.000Z", "temperature": 29.91, "relhumidity": 40.64, "vappress": 24.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317850,47.997897] }, "properties": { "altitude": "262.7", "sensor": "02", "gpstime":"2019-06-26T19:33:10.000Z", "temperature": 29.99, "relhumidity": 40.71, "vappress": 25.382, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300580,47.998447] }, "properties": { "altitude": "259.5", "sensor": "02", "gpstime":"2019-06-26T19:33:29.000Z", "temperature": 29.85, "relhumidity": 40.71, "vappress": 25.862, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286070,47.998890] }, "properties": { "altitude": "257.3", "sensor": "02", "gpstime":"2019-06-26T19:33:45.000Z", "temperature": 29.30, "relhumidity": 40.71, "vappress": 24.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8268980,47.999382] }, "properties": { "altitude": "256.2", "sensor": "02", "gpstime":"2019-06-26T19:34:04.000Z", "temperature": 29.07, "relhumidity": 40.67, "vappress": 24.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252420,47.999990] }, "properties": { "altitude": "256.1", "sensor": "02", "gpstime":"2019-06-26T19:34:23.000Z", "temperature": 29.08, "relhumidity": 40.67, "vappress": 25.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239050,48.000537] }, "properties": { "altitude": "256.3", "sensor": "02", "gpstime":"2019-06-26T19:34:39.000Z", "temperature": 29.11, "relhumidity": 40.67, "vappress": 25.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225130,48.001053] }, "properties": { "altitude": "249.0", "sensor": "02", "gpstime":"2019-06-26T19:34:55.000Z", "temperature": 29.18, "relhumidity": 40.67, "vappress": 25.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211650,48.002205] }, "properties": { "altitude": "248.7", "sensor": "02", "gpstime":"2019-06-26T19:35:17.000Z", "temperature": 29.26, "relhumidity": 40.53, "vappress": 25.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197550,48.003050] }, "properties": { "altitude": "250.9", "sensor": "02", "gpstime":"2019-06-26T19:36:45.000Z", "temperature": 29.34, "relhumidity": 40.64, "vappress": 25.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181580,48.003217] }, "properties": { "altitude": "255.6", "sensor": "02", "gpstime":"2019-06-26T19:37:10.000Z", "temperature": 29.43, "relhumidity": 40.41, "vappress": 25.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8168220,48.003918] }, "properties": { "altitude": "252.0", "sensor": "02", "gpstime":"2019-06-26T19:37:32.000Z", "temperature": 29.20, "relhumidity": 40.41, "vappress": 26.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8154080,48.004630] }, "properties": { "altitude": "248.3", "sensor": "02", "gpstime":"2019-06-26T19:37:59.000Z", "temperature": 28.69, "relhumidity": 40.41, "vappress": 24.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141120,48.005375] }, "properties": { "altitude": "246.5", "sensor": "02", "gpstime":"2019-06-26T19:38:24.000Z", "temperature": 28.66, "relhumidity": 40.25, "vappress": 24.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128630,48.006317] }, "properties": { "altitude": "245.5", "sensor": "02", "gpstime":"2019-06-26T19:38:53.000Z", "temperature": 28.84, "relhumidity": 40.25, "vappress": 25.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8145620,48.007617] }, "properties": { "altitude": "245.1", "sensor": "02", "gpstime":"2019-06-26T19:39:30.000Z", "temperature": 29.14, "relhumidity": 40.19, "vappress": 25.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158800,48.007982] }, "properties": { "altitude": "249.8", "sensor": "02", "gpstime":"2019-06-26T19:40:55.000Z", "temperature": 29.38, "relhumidity": 40.08, "vappress": 26.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144930,48.009090] }, "properties": { "altitude": "251.1", "sensor": "02", "gpstime":"2019-06-26T19:41:27.000Z", "temperature": 29.42, "relhumidity": 40.07, "vappress": 26.324, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8131470,48.010003] }, "properties": { "altitude": "245.0", "sensor": "02", "gpstime":"2019-06-26T19:41:54.000Z", "temperature": 29.49, "relhumidity": 40.07, "vappress": 25.774, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117030,48.010893] }, "properties": { "altitude": "241.9", "sensor": "02", "gpstime":"2019-06-26T19:42:39.000Z", "temperature": 29.80, "relhumidity": 39.90, "vappress": 26.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129670,48.012183] }, "properties": { "altitude": "242.7", "sensor": "02", "gpstime":"2019-06-26T19:43:14.000Z", "temperature": 29.45, "relhumidity": 39.62, "vappress": 24.756, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143830,48.013320] }, "properties": { "altitude": "241.4", "sensor": "02", "gpstime":"2019-06-26T19:43:44.000Z", "temperature": 28.44, "relhumidity": 39.62, "vappress": 23.446, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157930,48.014297] }, "properties": { "altitude": "243.5", "sensor": "02", "gpstime":"2019-06-26T19:44:18.000Z", "temperature": 28.05, "relhumidity": 39.49, "vappress": 22.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152680,48.016230] }, "properties": { "altitude": "242.0", "sensor": "02", "gpstime":"2019-06-26T19:45:18.000Z", "temperature": 27.82, "relhumidity": 39.09, "vappress": 22.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171350,48.017750] }, "properties": { "altitude": "237.9", "sensor": "02", "gpstime":"2019-06-26T19:45:58.000Z", "temperature": 28.25, "relhumidity": 39.09, "vappress": 23.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158830,48.018620] }, "properties": { "altitude": "239.7", "sensor": "02", "gpstime":"2019-06-26T19:47:12.000Z", "temperature": 28.28, "relhumidity": 38.76, "vappress": 21.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144780,48.017793] }, "properties": { "altitude": "244.1", "sensor": "02", "gpstime":"2019-06-26T19:47:38.000Z", "temperature": 27.66, "relhumidity": 38.76, "vappress": 20.739, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128970,48.017352] }, "properties": { "altitude": "244.7", "sensor": "02", "gpstime":"2019-06-26T19:48:11.000Z", "temperature": 27.65, "relhumidity": 38.72, "vappress": 20.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114670,48.018452] }, "properties": { "altitude": "240.5", "sensor": "02", "gpstime":"2019-06-26T19:48:50.000Z", "temperature": 27.48, "relhumidity": 38.72, "vappress": 20.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099670,48.019767] }, "properties": { "altitude": "237.7", "sensor": "02", "gpstime":"2019-06-26T19:49:32.000Z", "temperature": 26.97, "relhumidity": 38.71, "vappress": 18.338, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086500,48.020263] }, "properties": { "altitude": "235.9", "sensor": "02", "gpstime":"2019-06-26T19:50:04.000Z", "temperature": 27.13, "relhumidity": 38.52, "vappress": 19.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8074450,48.021567] }, "properties": { "altitude": "233.5", "sensor": "02", "gpstime":"2019-06-26T19:50:50.000Z", "temperature": 27.07, "relhumidity": 38.52, "vappress": 18.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8079850,48.023555] }, "properties": { "altitude": "227.7", "sensor": "02", "gpstime":"2019-06-26T19:51:58.000Z", "temperature": 26.67, "relhumidity": 38.29, "vappress": 16.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8096650,48.023263] }, "properties": { "altitude": "238.2", "sensor": "02", "gpstime":"2019-06-26T19:52:43.000Z", "temperature": 26.60, "relhumidity": 38.04, "vappress": 18.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103070,48.025255] }, "properties": { "altitude": "227.4", "sensor": "02", "gpstime":"2019-06-26T19:53:40.000Z", "temperature": 27.14, "relhumidity": 37.94, "vappress": 19.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093650,48.027092] }, "properties": { "altitude": "227.9", "sensor": "02", "gpstime":"2019-06-26T19:54:15.000Z", "temperature": 27.68, "relhumidity": 37.84, "vappress": 20.547, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8107400,48.028258] }, "properties": { "altitude": "232.8", "sensor": "02", "gpstime":"2019-06-26T19:55:05.000Z", "temperature": 27.59, "relhumidity": 37.65, "vappress": 18.961, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8121950,48.027650] }, "properties": { "altitude": "232.8", "sensor": "02", "gpstime":"2019-06-26T19:55:40.000Z", "temperature": 26.86, "relhumidity": 37.65, "vappress": 17.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8138620,48.028570] }, "properties": { "altitude": "238.8", "sensor": "02", "gpstime":"2019-06-26T19:56:20.000Z", "temperature": 26.46, "relhumidity": 37.36, "vappress": 15.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8153670,48.029248] }, "properties": { "altitude": "244.5", "sensor": "02", "gpstime":"2019-06-26T19:56:44.000Z", "temperature": 25.93, "relhumidity": 37.36, "vappress": 14.801, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8166520,48.029813] }, "properties": { "altitude": "243.1", "sensor": "02", "gpstime":"2019-06-26T19:57:05.000Z", "temperature": 25.61, "relhumidity": 37.36, "vappress": 13.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180900,48.030435] }, "properties": { "altitude": "238.8", "sensor": "02", "gpstime":"2019-06-26T19:57:28.000Z", "temperature": 25.29, "relhumidity": 37.36, "vappress": 13.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190820,48.029083] }, "properties": { "altitude": "229.7", "sensor": "02", "gpstime":"2019-06-26T19:58:03.000Z", "temperature": 24.91, "relhumidity": 37.31, "vappress": 11.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200880,48.027425] }, "properties": { "altitude": "227.0", "sensor": "02", "gpstime":"2019-06-26T19:58:44.000Z", "temperature": 24.15, "relhumidity": 37.31, "vappress": 10.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210500,48.025885] }, "properties": { "altitude": "238.0", "sensor": "02", "gpstime":"2019-06-26T19:59:27.000Z", "temperature": 24.58, "relhumidity": 37.23, "vappress": 11.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220050,48.024243] }, "properties": { "altitude": "241.5", "sensor": "02", "gpstime":"2019-06-26T20:00:08.000Z", "temperature": 25.29, "relhumidity": 37.07, "vappress": 13.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228970,48.026133] }, "properties": { "altitude": "239.3", "sensor": "02", "gpstime":"2019-06-26T20:01:18.000Z", "temperature": 25.32, "relhumidity": 36.96, "vappress": 12.606, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244200,48.026700] }, "properties": { "altitude": "240.2", "sensor": "02", "gpstime":"2019-06-26T20:01:39.000Z", "temperature": 25.21, "relhumidity": 36.96, "vappress": 12.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259180,48.027488] }, "properties": { "altitude": "239.5", "sensor": "02", "gpstime":"2019-06-26T20:02:04.000Z", "temperature": 25.15, "relhumidity": 36.86, "vappress": 12.596, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273970,48.028043] }, "properties": { "altitude": "245.5", "sensor": "02", "gpstime":"2019-06-26T20:02:34.000Z", "temperature": 25.27, "relhumidity": 36.86, "vappress": 13.136, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274100,48.030177] }, "properties": { "altitude": "228.6", "sensor": "02", "gpstime":"2019-06-26T20:03:28.000Z", "temperature": 25.17, "relhumidity": 36.80, "vappress": 10.999, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290350,48.031257] }, "properties": { "altitude": "213.5", "sensor": "02", "gpstime":"2019-06-26T20:04:03.000Z", "temperature": 24.15, "relhumidity": 36.71, "vappress": 9.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8308150,48.031790] }, "properties": { "altitude": "208.9", "sensor": "02", "gpstime":"2019-06-26T20:04:32.000Z", "temperature": 24.14, "relhumidity": 36.71, "vappress": 10.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317550,48.030155] }, "properties": { "altitude": "228.7", "sensor": "02", "gpstime":"2019-06-26T20:05:14.000Z", "temperature": 24.36, "relhumidity": 36.51, "vappress": 10.449, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332620,48.030047] }, "properties": { "altitude": "236.7", "sensor": "02", "gpstime":"2019-06-26T20:05:46.000Z", "temperature": 24.44, "relhumidity": 36.51, "vappress": 10.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343830,48.028535] }, "properties": { "altitude": "239.1", "sensor": "02", "gpstime":"2019-06-26T20:07:02.000Z", "temperature": 25.13, "relhumidity": 36.26, "vappress": 14.744, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357050,48.027377] }, "properties": { "altitude": "240.2", "sensor": "02", "gpstime":"2019-06-26T20:07:30.000Z", "temperature": 26.61, "relhumidity": 36.26, "vappress": 16.744, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371950,48.026297] }, "properties": { "altitude": "242.6", "sensor": "02", "gpstime":"2019-06-26T20:08:00.000Z", "temperature": 27.25, "relhumidity": 36.26, "vappress": 18.214, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385500,48.025063] }, "properties": { "altitude": "242.2", "sensor": "02", "gpstime":"2019-06-26T20:08:30.000Z", "temperature": 27.50, "relhumidity": 36.13, "vappress": 18.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393700,48.023447] }, "properties": { "altitude": "243.2", "sensor": "02", "gpstime":"2019-06-26T20:09:05.000Z", "temperature": 28.11, "relhumidity": 35.97, "vappress": 21.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400350,48.021415] }, "properties": { "altitude": "245.7", "sensor": "02", "gpstime":"2019-06-26T20:09:51.000Z", "temperature": 28.73, "relhumidity": 35.97, "vappress": 22.876, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405770,48.019382] }, "properties": { "altitude": "248.3", "sensor": "02", "gpstime":"2019-06-26T20:10:37.000Z", "temperature": 29.32, "relhumidity": 35.83, "vappress": 22.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421780,48.019038] }, "properties": { "altitude": "250.6", "sensor": "02", "gpstime":"2019-06-26T20:12:35.000Z", "temperature": 29.94, "relhumidity": 35.43, "vappress": 22.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436380,48.019573] }, "properties": { "altitude": "253.9", "sensor": "02", "gpstime":"2019-06-26T20:12:58.000Z", "temperature": 30.33, "relhumidity": 35.43, "vappress": 22.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453980,48.020198] }, "properties": { "altitude": "258.3", "sensor": "02", "gpstime":"2019-06-26T20:13:25.000Z", "temperature": 30.44, "relhumidity": 35.25, "vappress": 22.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470750,48.020737] }, "properties": { "altitude": "257.3", "sensor": "02", "gpstime":"2019-06-26T20:13:49.000Z", "temperature": 30.56, "relhumidity": 35.25, "vappress": 22.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484250,48.021223] }, "properties": { "altitude": "259.2", "sensor": "02", "gpstime":"2019-06-26T20:14:08.000Z", "temperature": 30.65, "relhumidity": 35.17, "vappress": 22.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498730,48.021788] }, "properties": { "altitude": "264.2", "sensor": "02", "gpstime":"2019-06-26T20:14:30.000Z", "temperature": 30.45, "relhumidity": 35.17, "vappress": 22.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491520,48.023753] }, "properties": { "altitude": "244.6", "sensor": "02", "gpstime":"2019-06-26T20:15:36.000Z", "temperature": 30.25, "relhumidity": 34.94, "vappress": 22.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481080,48.025178] }, "properties": { "altitude": "245.3", "sensor": "02", "gpstime":"2019-06-26T20:16:13.000Z", "temperature": 29.94, "relhumidity": 34.86, "vappress": 23.135, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469300,48.026690] }, "properties": { "altitude": "242.0", "sensor": "02", "gpstime":"2019-06-26T20:16:45.000Z", "temperature": 29.84, "relhumidity": 34.86, "vappress": 22.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458570,48.027900] }, "properties": { "altitude": "240.0", "sensor": "02", "gpstime":"2019-06-26T20:17:10.000Z", "temperature": 29.86, "relhumidity": 34.71, "vappress": 22.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8444980,48.029100] }, "properties": { "altitude": "245.3", "sensor": "02", "gpstime":"2019-06-26T20:17:36.000Z", "temperature": 29.56, "relhumidity": 34.71, "vappress": 22.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432500,48.030245] }, "properties": { "altitude": "239.5", "sensor": "02", "gpstime":"2019-06-26T20:18:12.000Z", "temperature": 29.24, "relhumidity": 34.52, "vappress": 21.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421230,48.031675] }, "properties": { "altitude": "237.2", "sensor": "02", "gpstime":"2019-06-26T20:18:53.000Z", "temperature": 28.34, "relhumidity": 34.52, "vappress": 18.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434680,48.032350] }, "properties": { "altitude": "235.8", "sensor": "02", "gpstime":"2019-06-26T20:19:20.000Z", "temperature": 27.73, "relhumidity": 34.43, "vappress": 17.191, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450020,48.032917] }, "properties": { "altitude": "235.3", "sensor": "02", "gpstime":"2019-06-26T20:19:42.000Z", "temperature": 27.25, "relhumidity": 34.43, "vappress": 16.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469600,48.033600] }, "properties": { "altitude": "235.1", "sensor": "02", "gpstime":"2019-06-26T20:20:11.000Z", "temperature": 26.95, "relhumidity": 34.25, "vappress": 15.136, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484550,48.034023] }, "properties": { "altitude": "236.4", "sensor": "02", "gpstime":"2019-06-26T20:20:35.000Z", "temperature": 26.69, "relhumidity": 34.25, "vappress": 14.856, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496830,48.032400] }, "properties": { "altitude": "236.8", "sensor": "02", "gpstime":"2019-06-26T20:21:20.000Z", "temperature": 26.85, "relhumidity": 33.97, "vappress": 16.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508120,48.030567] }, "properties": { "altitude": "238.5", "sensor": "02", "gpstime":"2019-06-26T20:22:02.000Z", "temperature": 27.81, "relhumidity": 33.89, "vappress": 19.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517970,48.028793] }, "properties": { "altitude": "243.1", "sensor": "02", "gpstime":"2019-06-26T20:22:40.000Z", "temperature": 28.65, "relhumidity": 33.89, "vappress": 21.038, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530530,48.027807] }, "properties": { "altitude": "243.7", "sensor": "02", "gpstime":"2019-06-26T20:24:04.000Z", "temperature": 29.05, "relhumidity": 33.56, "vappress": 20.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545620,48.028788] }, "properties": { "altitude": "244.0", "sensor": "02", "gpstime":"2019-06-26T20:24:33.000Z", "temperature": 28.91, "relhumidity": 33.56, "vappress": 20.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559880,48.029543] }, "properties": { "altitude": "246.0", "sensor": "02", "gpstime":"2019-06-26T20:25:00.000Z", "temperature": 28.97, "relhumidity": 33.56, "vappress": 20.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8574880,48.028742] }, "properties": { "altitude": "240.6", "sensor": "02", "gpstime":"2019-06-26T20:25:34.000Z", "temperature": 28.91, "relhumidity": 33.39, "vappress": 20.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570480,48.026817] }, "properties": { "altitude": "242.6", "sensor": "02", "gpstime":"2019-06-26T20:26:27.000Z", "temperature": 28.84, "relhumidity": 33.24, "vappress": 20.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560220,48.025325] }, "properties": { "altitude": "250.3", "sensor": "02", "gpstime":"2019-06-26T20:27:02.000Z", "temperature": 28.48, "relhumidity": 33.13, "vappress": 18.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548950,48.024197] }, "properties": { "altitude": "252.6", "sensor": "02", "gpstime":"2019-06-26T20:27:30.000Z", "temperature": 28.55, "relhumidity": 33.13, "vappress": 20.037, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534800,48.023177] }, "properties": { "altitude": "253.1", "sensor": "02", "gpstime":"2019-06-26T20:27:57.000Z", "temperature": 28.80, "relhumidity": 33.13, "vappress": 20.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519450,48.022270] }, "properties": { "altitude": "255.2", "sensor": "02", "gpstime":"2019-06-26T20:28:24.000Z", "temperature": 28.85, "relhumidity": 33.01, "vappress": 20.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531180,48.020665] }, "properties": { "altitude": "252.5", "sensor": "02", "gpstime":"2019-06-26T20:29:29.000Z", "temperature": 29.40, "relhumidity": 32.88, "vappress": 22.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543980,48.019918] }, "properties": { "altitude": "255.5", "sensor": "02", "gpstime":"2019-06-26T20:29:56.000Z", "temperature": 29.36, "relhumidity": 32.88, "vappress": 21.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8561700,48.019250] }, "properties": { "altitude": "255.2", "sensor": "02", "gpstime":"2019-06-26T20:30:31.000Z", "temperature": 29.29, "relhumidity": 32.76, "vappress": 21.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558680,48.017198] }, "properties": { "altitude": "254.3", "sensor": "02", "gpstime":"2019-06-26T20:32:02.000Z", "temperature": 28.79, "relhumidity": 32.49, "vappress": 18.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551130,48.015327] }, "properties": { "altitude": "257.2", "sensor": "02", "gpstime":"2019-06-26T20:32:47.000Z", "temperature": 28.35, "relhumidity": 32.49, "vappress": 18.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546800,48.013190] }, "properties": { "altitude": "266.4", "sensor": "02", "gpstime":"2019-06-26T20:33:42.000Z", "temperature": 28.94, "relhumidity": 32.36, "vappress": 20.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544850,48.011007] }, "properties": { "altitude": "266.1", "sensor": "02", "gpstime":"2019-06-26T20:35:25.000Z", "temperature": 29.35, "relhumidity": 32.06, "vappress": 21.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546780,48.008923] }, "properties": { "altitude": "272.9", "sensor": "02", "gpstime":"2019-06-26T20:36:11.000Z", "temperature": 29.62, "relhumidity": 31.92, "vappress": 22.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564550,48.007323] }, "properties": { "altitude": "285.6", "sensor": "02", "gpstime":"2019-06-26T20:37:35.000Z", "temperature": 30.06, "relhumidity": 31.73, "vappress": 22.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580550,48.007383] }, "properties": { "altitude": "283.8", "sensor": "02", "gpstime":"2019-06-26T20:38:01.000Z", "temperature": 30.00, "relhumidity": 31.69, "vappress": 21.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594020,48.007498] }, "properties": { "altitude": "280.4", "sensor": "02", "gpstime":"2019-06-26T20:38:23.000Z", "temperature": 29.69, "relhumidity": 31.69, "vappress": 21.104, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609520,48.007190] }, "properties": { "altitude": "274.7", "sensor": "02", "gpstime":"2019-06-26T20:38:52.000Z", "temperature": 29.41, "relhumidity": 31.69, "vappress": 20.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8623470,48.006820] }, "properties": { "altitude": "274.0", "sensor": "02", "gpstime":"2019-06-26T20:39:16.000Z", "temperature": 29.19, "relhumidity": 31.52, "vappress": 19.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629550,48.004860] }, "properties": { "altitude": "284.2", "sensor": "02", "gpstime":"2019-06-26T20:40:27.000Z", "temperature": 28.88, "relhumidity": 31.35, "vappress": 19.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620470,48.003268] }, "properties": { "altitude": "277.1", "sensor": "02", "gpstime":"2019-06-26T20:41:10.000Z", "temperature": 28.95, "relhumidity": 31.22, "vappress": 19.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8610820,48.001728] }, "properties": { "altitude": "277.5", "sensor": "02", "gpstime":"2019-06-26T20:41:48.000Z", "temperature": 29.18, "relhumidity": 31.22, "vappress": 20.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600930,48.000023] }, "properties": { "altitude": "285.9", "sensor": "02", "gpstime":"2019-06-26T20:42:28.000Z", "temperature": 29.73, "relhumidity": 31.24, "vappress": 22.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590550,47.998405] }, "properties": { "altitude": "297.6", "sensor": "02", "gpstime":"2019-06-26T20:43:17.000Z", "temperature": 29.81, "relhumidity": 31.08, "vappress": 22.453, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580450,47.996885] }, "properties": { "altitude": "289.0", "sensor": "02", "gpstime":"2019-06-26T20:43:58.000Z", "temperature": 29.91, "relhumidity": 31.08, "vappress": 21.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8567450,47.995345] }, "properties": { "altitude": "290.2", "sensor": "02", "gpstime":"2019-06-26T20:44:49.000Z", "temperature": 29.66, "relhumidity": 30.97, "vappress": 21.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8554550,47.994370] }, "properties": { "altitude": "299.6", "sensor": "02", "gpstime":"2019-06-26T20:45:30.000Z", "temperature": 29.45, "relhumidity": 30.86, "vappress": 20.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544650,47.992960] }, "properties": { "altitude": "304.0", "sensor": "02", "gpstime":"2019-06-26T20:46:05.000Z", "temperature": 29.34, "relhumidity": 30.96, "vappress": 20.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532070,47.994017] }, "properties": { "altitude": "290.1", "sensor": "02", "gpstime":"2019-06-26T20:47:37.000Z", "temperature": 29.23, "relhumidity": 30.91, "vappress": 19.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515330,47.994420] }, "properties": { "altitude": "286.2", "sensor": "02", "gpstime":"2019-06-26T20:48:04.000Z", "temperature": 29.23, "relhumidity": 30.72, "vappress": 19.933, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501120,47.994882] }, "properties": { "altitude": "286.3", "sensor": "02", "gpstime":"2019-06-26T20:48:34.000Z", "temperature": 29.33, "relhumidity": 30.72, "vappress": 20.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487580,47.995282] }, "properties": { "altitude": "299.4", "sensor": "02", "gpstime":"2019-06-26T20:49:04.000Z", "temperature": 29.44, "relhumidity": 30.64, "vappress": 20.876, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469250,47.995277] }, "properties": { "altitude": "293.0", "sensor": "02", "gpstime":"2019-06-26T20:49:35.000Z", "temperature": 29.59, "relhumidity": 30.64, "vappress": 20.876, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455270,47.994513] }, "properties": { "altitude": "282.6", "sensor": "02", "gpstime":"2019-06-26T20:50:19.000Z", "temperature": 29.66, "relhumidity": 30.59, "vappress": 21.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452600,47.993600] }, "properties": { "altitude": "293.5", "sensor": "02", "gpstime":"2019-06-26T20:50:43.000Z", "temperature": 29.60, "relhumidity": 30.59, "vappress": 20.876, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451250,47.993548] }, "properties": { "altitude": "268.0", "sensor": "03", "gpstime":"2019-06-26T19:26:50.000Z", "temperature": 29.22, "relhumidity": 9.00, "vappress": 5.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457700,47.995463] }, "properties": { "altitude": "269.5", "sensor": "03", "gpstime":"2019-06-26T19:27:30.000Z", "temperature": 29.35, "relhumidity": 7.43, "vappress": 5.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428970,47.996018] }, "properties": { "altitude": "277.8", "sensor": "03", "gpstime":"2019-06-26T19:28:21.000Z", "temperature": 29.64, "relhumidity": 5.93, "vappress": 5.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430470,47.998270] }, "properties": { "altitude": "279.1", "sensor": "03", "gpstime":"2019-06-26T19:29:18.000Z", "temperature": 30.09, "relhumidity": 3.19, "vappress": 4.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417000,47.999885] }, "properties": { "altitude": "272.4", "sensor": "03", "gpstime":"2019-06-26T19:31:23.000Z", "temperature": 30.24, "relhumidity": 4.32, "vappress": 4.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401750,48.000280] }, "properties": { "altitude": "269.1", "sensor": "03", "gpstime":"2019-06-26T19:31:44.000Z", "temperature": 30.10, "relhumidity": 4.18, "vappress": 4.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388230,48.000792] }, "properties": { "altitude": "263.6", "sensor": "03", "gpstime":"2019-06-26T19:32:05.000Z", "temperature": 30.18, "relhumidity": 4.29, "vappress": 4.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373920,48.001410] }, "properties": { "altitude": "262.3", "sensor": "03", "gpstime":"2019-06-26T19:33:14.000Z", "temperature": 30.33, "relhumidity": 3.81, "vappress": 5.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356270,48.002097] }, "properties": { "altitude": "261.8", "sensor": "03", "gpstime":"2019-06-26T19:33:38.000Z", "temperature": 30.34, "relhumidity": 4.57, "vappress": 5.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338270,48.002550] }, "properties": { "altitude": "261.6", "sensor": "03", "gpstime":"2019-06-26T19:34:00.000Z", "temperature": 30.19, "relhumidity": 5.40, "vappress": 5.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323230,48.003165] }, "properties": { "altitude": "263.5", "sensor": "03", "gpstime":"2019-06-26T19:34:19.000Z", "temperature": 29.97, "relhumidity": 6.99, "vappress": 5.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307380,48.003748] }, "properties": { "altitude": "260.2", "sensor": "03", "gpstime":"2019-06-26T19:34:38.000Z", "temperature": 29.53, "relhumidity": 10.78, "vappress": 6.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292050,48.004353] }, "properties": { "altitude": "257.4", "sensor": "03", "gpstime":"2019-06-26T19:34:59.000Z", "temperature": 29.09, "relhumidity": 10.85, "vappress": 5.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277520,48.004903] }, "properties": { "altitude": "256.5", "sensor": "03", "gpstime":"2019-06-26T19:35:18.000Z", "temperature": 29.31, "relhumidity": 10.16, "vappress": 5.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257630,48.005667] }, "properties": { "altitude": "253.9", "sensor": "03", "gpstime":"2019-06-26T19:35:50.000Z", "temperature": 29.33, "relhumidity": 9.85, "vappress": 5.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272500,48.006650] }, "properties": { "altitude": "263.9", "sensor": "03", "gpstime":"2019-06-26T19:36:23.000Z", "temperature": 29.43, "relhumidity": 10.10, "vappress": 6.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286350,48.007610] }, "properties": { "altitude": "258.7", "sensor": "03", "gpstime":"2019-06-26T19:36:50.000Z", "temperature": 29.67, "relhumidity": 8.01, "vappress": 5.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274880,48.008732] }, "properties": { "altitude": "250.0", "sensor": "03", "gpstime":"2019-06-26T19:38:05.000Z", "temperature": 29.94, "relhumidity": 6.21, "vappress": 5.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8259970,48.009783] }, "properties": { "altitude": "246.8", "sensor": "03", "gpstime":"2019-06-26T19:38:25.000Z", "temperature": 30.27, "relhumidity": 6.03, "vappress": 5.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8247030,48.010638] }, "properties": { "altitude": "245.2", "sensor": "03", "gpstime":"2019-06-26T19:38:44.000Z", "temperature": 30.22, "relhumidity": 6.89, "vappress": 5.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229520,48.011670] }, "properties": { "altitude": "242.6", "sensor": "03", "gpstime":"2019-06-26T19:39:13.000Z", "temperature": 30.08, "relhumidity": 6.43, "vappress": 5.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242400,48.012667] }, "properties": { "altitude": "243.5", "sensor": "03", "gpstime":"2019-06-26T19:39:48.000Z", "temperature": 29.94, "relhumidity": 8.91, "vappress": 6.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226030,48.013170] }, "properties": { "altitude": "244.1", "sensor": "03", "gpstime":"2019-06-26T19:40:40.000Z", "temperature": 29.59, "relhumidity": 9.80, "vappress": 5.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207770,48.013302] }, "properties": { "altitude": "243.9", "sensor": "03", "gpstime":"2019-06-26T19:41:13.000Z", "temperature": 29.27, "relhumidity": 11.39, "vappress": 5.944, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192380,48.013658] }, "properties": { "altitude": "240.4", "sensor": "03", "gpstime":"2019-06-26T19:41:37.000Z", "temperature": 29.08, "relhumidity": 14.67, "vappress": 7.144, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192800,48.015863] }, "properties": { "altitude": "238.4", "sensor": "03", "gpstime":"2019-06-26T19:42:38.000Z", "temperature": 29.18, "relhumidity": 12.46, "vappress": 6.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205170,48.016865] }, "properties": { "altitude": "233.9", "sensor": "03", "gpstime":"2019-06-26T19:43:04.000Z", "temperature": 29.29, "relhumidity": 11.25, "vappress": 6.316, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191100,48.017835] }, "properties": { "altitude": "234.2", "sensor": "03", "gpstime":"2019-06-26T19:43:40.000Z", "temperature": 29.56, "relhumidity": 12.73, "vappress": 7.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203850,48.018877] }, "properties": { "altitude": "231.5", "sensor": "03", "gpstime":"2019-06-26T19:44:06.000Z", "temperature": 29.18, "relhumidity": 13.81, "vappress": 7.077, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217920,48.019592] }, "properties": { "altitude": "233.8", "sensor": "03", "gpstime":"2019-06-26T19:44:29.000Z", "temperature": 29.05, "relhumidity": 14.05, "vappress": 6.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234250,48.020550] }, "properties": { "altitude": "233.6", "sensor": "03", "gpstime":"2019-06-26T19:45:01.000Z", "temperature": 28.32, "relhumidity": 15.55, "vappress": 5.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8231800,48.022568] }, "properties": { "altitude": "228.5", "sensor": "03", "gpstime":"2019-06-26T19:45:47.000Z", "temperature": 27.31, "relhumidity": 20.89, "vappress": 5.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8221730,48.024250] }, "properties": { "altitude": "234.6", "sensor": "03", "gpstime":"2019-06-26T19:46:23.000Z", "temperature": 26.60, "relhumidity": 25.03, "vappress": 6.434, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211830,48.025695] }, "properties": { "altitude": "232.9", "sensor": "03", "gpstime":"2019-06-26T19:47:00.000Z", "temperature": 26.42, "relhumidity": 23.69, "vappress": 5.954, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200720,48.027537] }, "properties": { "altitude": "223.9", "sensor": "03", "gpstime":"2019-06-26T19:47:28.000Z", "temperature": 26.14, "relhumidity": 26.52, "vappress": 5.669, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190420,48.029287] }, "properties": { "altitude": "216.5", "sensor": "03", "gpstime":"2019-06-26T19:48:03.000Z", "temperature": 25.11, "relhumidity": 28.29, "vappress": 3.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176650,48.030110] }, "properties": { "altitude": "219.0", "sensor": "03", "gpstime":"2019-06-26T19:48:40.000Z", "temperature": 24.56, "relhumidity": 29.46, "vappress": 4.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161330,48.029518] }, "properties": { "altitude": "234.0", "sensor": "03", "gpstime":"2019-06-26T19:49:13.000Z", "temperature": 24.65, "relhumidity": 30.23, "vappress": 4.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144720,48.028907] }, "properties": { "altitude": "238.6", "sensor": "03", "gpstime":"2019-06-26T19:49:42.000Z", "temperature": 24.73, "relhumidity": 30.87, "vappress": 5.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8133400,48.030203] }, "properties": { "altitude": "230.4", "sensor": "03", "gpstime":"2019-06-26T19:50:28.000Z", "temperature": 24.93, "relhumidity": 30.09, "vappress": 5.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8124070,48.031770] }, "properties": { "altitude": "214.9", "sensor": "03", "gpstime":"2019-06-26T19:51:15.000Z", "temperature": 24.82, "relhumidity": 30.14, "vappress": 5.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8109020,48.032685] }, "properties": { "altitude": "209.7", "sensor": "03", "gpstime":"2019-06-26T19:52:39.000Z", "temperature": 24.96, "relhumidity": 29.89, "vappress": 4.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8096470,48.031957] }, "properties": { "altitude": "220.3", "sensor": "03", "gpstime":"2019-06-26T19:53:49.000Z", "temperature": 24.89, "relhumidity": 28.54, "vappress": 4.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083750,48.030985] }, "properties": { "altitude": "226.1", "sensor": "03", "gpstime":"2019-06-26T19:54:22.000Z", "temperature": 24.90, "relhumidity": 28.23, "vappress": 4.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8067780,48.031897] }, "properties": { "altitude": "224.3", "sensor": "03", "gpstime":"2019-06-26T19:54:55.000Z", "temperature": 24.97, "relhumidity": 27.86, "vappress": 4.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052700,48.033003] }, "properties": { "altitude": "222.5", "sensor": "03", "gpstime":"2019-06-26T19:55:21.000Z", "temperature": 25.15, "relhumidity": 28.27, "vappress": 4.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040300,48.033858] }, "properties": { "altitude": "224.2", "sensor": "03", "gpstime":"2019-06-26T19:56:20.000Z", "temperature": 25.23, "relhumidity": 27.07, "vappress": 5.081, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026900,48.033848] }, "properties": { "altitude": "219.4", "sensor": "03", "gpstime":"2019-06-26T19:56:43.000Z", "temperature": 25.53, "relhumidity": 26.98, "vappress": 5.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037420,48.032515] }, "properties": { "altitude": "222.3", "sensor": "03", "gpstime":"2019-06-26T19:57:29.000Z", "temperature": 25.68, "relhumidity": 27.53, "vappress": 5.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8023750,48.031918] }, "properties": { "altitude": "223.5", "sensor": "03", "gpstime":"2019-06-26T19:58:05.000Z", "temperature": 25.91, "relhumidity": 27.97, "vappress": 6.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026600,48.029888] }, "properties": { "altitude": "230.5", "sensor": "03", "gpstime":"2019-06-26T19:59:15.000Z", "temperature": 26.00, "relhumidity": 25.19, "vappress": 5.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031820,48.027598] }, "properties": { "altitude": "225.6", "sensor": "03", "gpstime":"2019-06-26T20:00:12.000Z", "temperature": 25.80, "relhumidity": 26.88, "vappress": 5.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8036330,48.025338] }, "properties": { "altitude": "231.6", "sensor": "03", "gpstime":"2019-06-26T20:01:25.000Z", "temperature": 25.73, "relhumidity": 23.82, "vappress": 4.846, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8038680,48.023263] }, "properties": { "altitude": "233.7", "sensor": "03", "gpstime":"2019-06-26T20:02:23.000Z", "temperature": 25.87, "relhumidity": 24.11, "vappress": 4.786, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8041320,48.021138] }, "properties": { "altitude": "240.5", "sensor": "03", "gpstime":"2019-06-26T20:03:34.000Z", "temperature": 25.51, "relhumidity": 26.06, "vappress": 4.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8058030,48.020778] }, "properties": { "altitude": "232.9", "sensor": "03", "gpstime":"2019-06-26T20:04:28.000Z", "temperature": 25.36, "relhumidity": 26.10, "vappress": 4.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073320,48.021078] }, "properties": { "altitude": "237.5", "sensor": "03", "gpstime":"2019-06-26T20:04:56.000Z", "temperature": 25.70, "relhumidity": 26.16, "vappress": 5.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8067570,48.019093] }, "properties": { "altitude": "233.4", "sensor": "03", "gpstime":"2019-06-26T20:06:10.000Z", "temperature": 26.61, "relhumidity": 22.83, "vappress": 6.337, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052670,48.019027] }, "properties": { "altitude": "235.2", "sensor": "03", "gpstime":"2019-06-26T20:06:39.000Z", "temperature": 27.30, "relhumidity": 22.39, "vappress": 6.947, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8054970,48.016988] }, "properties": { "altitude": "234.8", "sensor": "03", "gpstime":"2019-06-26T20:08:55.000Z", "temperature": 27.46, "relhumidity": 23.13, "vappress": 6.322, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069120,48.016080] }, "properties": { "altitude": "235.2", "sensor": "03", "gpstime":"2019-06-26T20:09:44.000Z", "temperature": 26.94, "relhumidity": 22.10, "vappress": 6.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8058230,48.014825] }, "properties": { "altitude": "223.4", "sensor": "03", "gpstime":"2019-06-26T20:10:26.000Z", "temperature": 27.41, "relhumidity": 21.26, "vappress": 6.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8072830,48.013187] }, "properties": { "altitude": "247.6", "sensor": "03", "gpstime":"2019-06-26T20:11:39.000Z", "temperature": 28.30, "relhumidity": 15.74, "vappress": 6.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8086730,48.012282] }, "properties": { "altitude": "243.4", "sensor": "03", "gpstime":"2019-06-26T20:12:10.000Z", "temperature": 29.10, "relhumidity": 12.45, "vappress": 6.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102680,48.012427] }, "properties": { "altitude": "245.2", "sensor": "03", "gpstime":"2019-06-26T20:12:38.000Z", "temperature": 29.48, "relhumidity": 12.33, "vappress": 6.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116600,48.012960] }, "properties": { "altitude": "246.8", "sensor": "03", "gpstime":"2019-06-26T20:13:10.000Z", "temperature": 29.31, "relhumidity": 15.95, "vappress": 7.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132030,48.012455] }, "properties": { "altitude": "246.2", "sensor": "03", "gpstime":"2019-06-26T20:14:00.000Z", "temperature": 28.84, "relhumidity": 21.17, "vappress": 8.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8145630,48.013432] }, "properties": { "altitude": "239.2", "sensor": "03", "gpstime":"2019-06-26T20:14:29.000Z", "temperature": 28.29, "relhumidity": 19.97, "vappress": 7.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158870,48.013805] }, "properties": { "altitude": "241.8", "sensor": "03", "gpstime":"2019-06-26T20:14:54.000Z", "temperature": 27.85, "relhumidity": 19.63, "vappress": 6.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176720,48.013590] }, "properties": { "altitude": "242.3", "sensor": "03", "gpstime":"2019-06-26T20:15:37.000Z", "temperature": 27.61, "relhumidity": 20.33, "vappress": 6.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189830,48.013182] }, "properties": { "altitude": "242.3", "sensor": "03", "gpstime":"2019-06-26T20:16:04.000Z", "temperature": 27.46, "relhumidity": 20.13, "vappress": 5.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206200,48.012965] }, "properties": { "altitude": "243.6", "sensor": "03", "gpstime":"2019-06-26T20:16:39.000Z", "temperature": 27.46, "relhumidity": 19.09, "vappress": 5.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218850,48.012312] }, "properties": { "altitude": "248.7", "sensor": "03", "gpstime":"2019-06-26T20:17:09.000Z", "temperature": 27.59, "relhumidity": 18.65, "vappress": 5.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233220,48.011342] }, "properties": { "altitude": "253.4", "sensor": "03", "gpstime":"2019-06-26T20:19:02.000Z", "temperature": 28.10, "relhumidity": 14.85, "vappress": 6.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246070,48.010618] }, "properties": { "altitude": "254.5", "sensor": "03", "gpstime":"2019-06-26T20:19:29.000Z", "temperature": 28.85, "relhumidity": 13.12, "vappress": 5.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233820,48.009655] }, "properties": { "altitude": "250.8", "sensor": "03", "gpstime":"2019-06-26T20:20:09.000Z", "temperature": 28.82, "relhumidity": 12.72, "vappress": 5.426, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248700,48.008900] }, "properties": { "altitude": "250.8", "sensor": "03", "gpstime":"2019-06-26T20:20:40.000Z", "temperature": 29.07, "relhumidity": 12.98, "vappress": 6.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251220,48.006853] }, "properties": { "altitude": "254.2", "sensor": "03", "gpstime":"2019-06-26T20:21:45.000Z", "temperature": 29.48, "relhumidity": 10.16, "vappress": 6.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8232580,48.006402] }, "properties": { "altitude": "252.7", "sensor": "03", "gpstime":"2019-06-26T20:22:28.000Z", "temperature": 29.85, "relhumidity": 8.65, "vappress": 5.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219070,48.006717] }, "properties": { "altitude": "255.2", "sensor": "03", "gpstime":"2019-06-26T20:22:44.000Z", "temperature": 29.96, "relhumidity": 8.93, "vappress": 6.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8204950,48.006483] }, "properties": { "altitude": "253.6", "sensor": "03", "gpstime":"2019-06-26T20:23:04.000Z", "temperature": 29.80, "relhumidity": 8.94, "vappress": 5.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8217500,48.005430] }, "properties": { "altitude": "260.0", "sensor": "03", "gpstime":"2019-06-26T20:23:45.000Z", "temperature": 29.80, "relhumidity": 9.13, "vappress": 5.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225470,48.003570] }, "properties": { "altitude": "260.4", "sensor": "03", "gpstime":"2019-06-26T20:24:34.000Z", "temperature": 29.61, "relhumidity": 9.77, "vappress": 5.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239830,48.002645] }, "properties": { "altitude": "262.6", "sensor": "03", "gpstime":"2019-06-26T20:25:09.000Z", "temperature": 29.12, "relhumidity": 11.24, "vappress": 5.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255700,48.001898] }, "properties": { "altitude": "262.6", "sensor": "03", "gpstime":"2019-06-26T20:25:38.000Z", "temperature": 29.18, "relhumidity": 11.91, "vappress": 5.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273030,48.001438] }, "properties": { "altitude": "258.0", "sensor": "03", "gpstime":"2019-06-26T20:26:08.000Z", "temperature": 29.03, "relhumidity": 12.32, "vappress": 5.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288370,48.001052] }, "properties": { "altitude": "255.6", "sensor": "03", "gpstime":"2019-06-26T20:26:29.000Z", "temperature": 29.05, "relhumidity": 12.14, "vappress": 5.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302520,48.000600] }, "properties": { "altitude": "262.2", "sensor": "03", "gpstime":"2019-06-26T20:26:57.000Z", "temperature": 28.91, "relhumidity": 12.41, "vappress": 5.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318050,48.000018] }, "properties": { "altitude": "266.8", "sensor": "03", "gpstime":"2019-06-26T20:27:28.000Z", "temperature": 28.88, "relhumidity": 13.14, "vappress": 5.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311570,47.998192] }, "properties": { "altitude": "263.4", "sensor": "03", "gpstime":"2019-06-26T20:28:34.000Z", "temperature": 29.26, "relhumidity": 10.49, "vappress": 5.803, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326300,47.997710] }, "properties": { "altitude": "272.1", "sensor": "03", "gpstime":"2019-06-26T20:29:07.000Z", "temperature": 29.47, "relhumidity": 9.79, "vappress": 5.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8340950,47.997203] }, "properties": { "altitude": "280.4", "sensor": "03", "gpstime":"2019-06-26T20:29:36.000Z", "temperature": 29.59, "relhumidity": 9.33, "vappress": 5.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358050,47.996853] }, "properties": { "altitude": "284.2", "sensor": "03", "gpstime":"2019-06-26T20:30:59.000Z", "temperature": 29.61, "relhumidity": 9.11, "vappress": 5.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372350,47.996708] }, "properties": { "altitude": "279.0", "sensor": "03", "gpstime":"2019-06-26T20:31:35.000Z", "temperature": 29.70, "relhumidity": 9.13, "vappress": 5.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386120,47.996473] }, "properties": { "altitude": "273.5", "sensor": "03", "gpstime":"2019-06-26T20:32:07.000Z", "temperature": 29.53, "relhumidity": 9.76, "vappress": 5.506, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402950,47.995977] }, "properties": { "altitude": "273.6", "sensor": "03", "gpstime":"2019-06-26T20:33:23.000Z", "temperature": 29.60, "relhumidity": 8.90, "vappress": 5.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415580,47.994602] }, "properties": { "altitude": "266.4", "sensor": "03", "gpstime":"2019-06-26T20:34:12.000Z", "temperature": 29.81, "relhumidity": 8.31, "vappress": 5.574, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429980,47.993955] }, "properties": { "altitude": "268.6", "sensor": "03", "gpstime":"2019-06-26T20:34:42.000Z", "temperature": 29.74, "relhumidity": 8.11, "vappress": 5.304, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445250,47.993680] }, "properties": { "altitude": "270.7", "sensor": "03", "gpstime":"2019-06-26T20:35:09.000Z", "temperature": 29.75, "relhumidity": 8.19, "vappress": 5.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452180,47.993477] }, "properties": { "altitude": "278.3", "sensor": "03", "gpstime":"2019-06-26T20:35:36.000Z", "temperature": 29.63, "relhumidity": 8.95, "vappress": 5.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452480,47.993450] }, "properties": { "altitude": "274.4", "sensor": "04", "gpstime":"2019-06-26T19:26:23.000Z", "temperature": 28.69, "relhumidity": 11.36, "vappress": 5.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460380,47.995403] }, "properties": { "altitude": "269.5", "sensor": "04", "gpstime":"2019-06-26T19:27:09.000Z", "temperature": 28.89, "relhumidity": 9.03, "vappress": 5.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470370,47.996953] }, "properties": { "altitude": "275.9", "sensor": "04", "gpstime":"2019-06-26T19:27:45.000Z", "temperature": 29.38, "relhumidity": 6.92, "vappress": 4.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483670,47.998123] }, "properties": { "altitude": "273.3", "sensor": "04", "gpstime":"2019-06-26T19:28:14.000Z", "temperature": 29.91, "relhumidity": 4.74, "vappress": 4.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490870,47.999945] }, "properties": { "altitude": "264.7", "sensor": "04", "gpstime":"2019-06-26T19:29:48.000Z", "temperature": 30.00, "relhumidity": 6.15, "vappress": 5.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515350,48.000525] }, "properties": { "altitude": "275.9", "sensor": "04", "gpstime":"2019-06-26T19:30:36.000Z", "temperature": 29.53, "relhumidity": 6.32, "vappress": 4.273, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529550,48.000265] }, "properties": { "altitude": "275.0", "sensor": "04", "gpstime":"2019-06-26T19:30:58.000Z", "temperature": 29.32, "relhumidity": 7.32, "vappress": 4.533, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547420,47.999788] }, "properties": { "altitude": "284.3", "sensor": "04", "gpstime":"2019-06-26T19:31:49.000Z", "temperature": 29.22, "relhumidity": 8.22, "vappress": 4.448, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560170,48.000463] }, "properties": { "altitude": "279.9", "sensor": "04", "gpstime":"2019-06-26T19:32:24.000Z", "temperature": 28.48, "relhumidity": 11.99, "vappress": 4.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569030,48.002240] }, "properties": { "altitude": "273.3", "sensor": "04", "gpstime":"2019-06-26T19:32:59.000Z", "temperature": 27.84, "relhumidity": 13.61, "vappress": 4.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572300,48.004333] }, "properties": { "altitude": "261.4", "sensor": "04", "gpstime":"2019-06-26T19:33:39.000Z", "temperature": 27.79, "relhumidity": 14.16, "vappress": 5.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587350,48.004882] }, "properties": { "altitude": "267.2", "sensor": "04", "gpstime":"2019-06-26T19:34:09.000Z", "temperature": 28.01, "relhumidity": 13.04, "vappress": 4.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602170,48.004890] }, "properties": { "altitude": "271.4", "sensor": "04", "gpstime":"2019-06-26T19:34:30.000Z", "temperature": 27.84, "relhumidity": 14.04, "vappress": 4.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612480,48.006548] }, "properties": { "altitude": "257.9", "sensor": "04", "gpstime":"2019-06-26T19:35:11.000Z", "temperature": 27.88, "relhumidity": 12.41, "vappress": 4.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622850,48.008218] }, "properties": { "altitude": "251.2", "sensor": "04", "gpstime":"2019-06-26T19:35:49.000Z", "temperature": 27.83, "relhumidity": 11.32, "vappress": 3.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629280,48.010142] }, "properties": { "altitude": "254.6", "sensor": "04", "gpstime":"2019-06-26T19:36:32.000Z", "temperature": 27.58, "relhumidity": 14.26, "vappress": 4.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619120,48.012260] }, "properties": { "altitude": "261.5", "sensor": "04", "gpstime":"2019-06-26T19:37:18.000Z", "temperature": 27.55, "relhumidity": 15.73, "vappress": 4.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602620,48.013770] }, "properties": { "altitude": "257.7", "sensor": "04", "gpstime":"2019-06-26T19:37:53.000Z", "temperature": 27.17, "relhumidity": 16.14, "vappress": 4.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588250,48.014983] }, "properties": { "altitude": "251.3", "sensor": "04", "gpstime":"2019-06-26T19:38:22.000Z", "temperature": 26.94, "relhumidity": 15.98, "vappress": 3.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597950,48.016373] }, "properties": { "altitude": "258.7", "sensor": "04", "gpstime":"2019-06-26T19:39:13.000Z", "temperature": 26.82, "relhumidity": 16.95, "vappress": 3.923, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609520,48.017860] }, "properties": { "altitude": "259.8", "sensor": "04", "gpstime":"2019-06-26T19:40:00.000Z", "temperature": 26.78, "relhumidity": 17.27, "vappress": 4.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619850,48.019410] }, "properties": { "altitude": "272.2", "sensor": "04", "gpstime":"2019-06-26T19:40:48.000Z", "temperature": 26.88, "relhumidity": 16.91, "vappress": 4.651, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632550,48.020130] }, "properties": { "altitude": "274.3", "sensor": "04", "gpstime":"2019-06-26T19:41:25.000Z", "temperature": 27.17, "relhumidity": 15.15, "vappress": 4.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647120,48.021313] }, "properties": { "altitude": "257.5", "sensor": "04", "gpstime":"2019-06-26T19:42:06.000Z", "temperature": 27.40, "relhumidity": 15.62, "vappress": 4.383, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8642870,48.023237] }, "properties": { "altitude": "256.5", "sensor": "04", "gpstime":"2019-06-26T19:42:52.000Z", "temperature": 26.95, "relhumidity": 16.48, "vappress": 4.003, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645730,48.025290] }, "properties": { "altitude": "261.5", "sensor": "04", "gpstime":"2019-06-26T19:44:08.000Z", "temperature": 26.91, "relhumidity": 15.40, "vappress": 3.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657280,48.026738] }, "properties": { "altitude": "256.4", "sensor": "04", "gpstime":"2019-06-26T19:44:51.000Z", "temperature": 26.86, "relhumidity": 14.23, "vappress": 3.237, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8667170,48.028113] }, "properties": { "altitude": "253.0", "sensor": "04", "gpstime":"2019-06-26T19:45:34.000Z", "temperature": 27.08, "relhumidity": 14.07, "vappress": 3.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675620,48.030295] }, "properties": { "altitude": "237.2", "sensor": "04", "gpstime":"2019-06-26T19:46:09.000Z", "temperature": 26.53, "relhumidity": 16.26, "vappress": 2.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8685730,48.032092] }, "properties": { "altitude": "236.7", "sensor": "04", "gpstime":"2019-06-26T19:46:38.000Z", "temperature": 25.90, "relhumidity": 17.53, "vappress": 2.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8694680,48.034030] }, "properties": { "altitude": "233.0", "sensor": "04", "gpstime":"2019-06-26T19:47:09.000Z", "temperature": 25.16, "relhumidity": 19.57, "vappress": 2.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705530,48.035687] }, "properties": { "altitude": "229.5", "sensor": "04", "gpstime":"2019-06-26T19:47:44.000Z", "temperature": 25.59, "relhumidity": 18.22, "vappress": 2.879, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8713350,48.037382] }, "properties": { "altitude": "244.2", "sensor": "04", "gpstime":"2019-06-26T19:48:33.000Z", "temperature": 26.14, "relhumidity": 16.74, "vappress": 2.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729900,48.037610] }, "properties": { "altitude": "252.7", "sensor": "04", "gpstime":"2019-06-26T19:49:09.000Z", "temperature": 26.39, "relhumidity": 15.71, "vappress": 3.238, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8744920,48.037215] }, "properties": { "altitude": "257.0", "sensor": "04", "gpstime":"2019-06-26T19:49:39.000Z", "temperature": 26.86, "relhumidity": 14.71, "vappress": 3.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761500,48.036518] }, "properties": { "altitude": "260.4", "sensor": "04", "gpstime":"2019-06-26T19:50:19.000Z", "temperature": 26.96, "relhumidity": 14.85, "vappress": 3.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8777120,48.036073] }, "properties": { "altitude": "260.3", "sensor": "04", "gpstime":"2019-06-26T19:50:50.000Z", "temperature": 26.63, "relhumidity": 15.27, "vappress": 2.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8791820,48.035910] }, "properties": { "altitude": "260.3", "sensor": "04", "gpstime":"2019-06-26T19:51:18.000Z", "temperature": 26.34, "relhumidity": 15.72, "vappress": 2.570, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807300,48.035857] }, "properties": { "altitude": "263.0", "sensor": "04", "gpstime":"2019-06-26T19:51:44.000Z", "temperature": 26.06, "relhumidity": 16.74, "vappress": 2.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8822920,48.035685] }, "properties": { "altitude": "262.6", "sensor": "04", "gpstime":"2019-06-26T19:52:12.000Z", "temperature": 25.81, "relhumidity": 16.56, "vappress": 2.209, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8836670,48.036015] }, "properties": { "altitude": "263.3", "sensor": "04", "gpstime":"2019-06-26T19:52:40.000Z", "temperature": 25.86, "relhumidity": 16.74, "vappress": 2.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8849580,48.036578] }, "properties": { "altitude": "268.1", "sensor": "04", "gpstime":"2019-06-26T19:53:14.000Z", "temperature": 25.58, "relhumidity": 17.31, "vappress": 1.491, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8859000,48.035067] }, "properties": { "altitude": "266.3", "sensor": "04", "gpstime":"2019-06-26T19:54:08.000Z", "temperature": 24.78, "relhumidity": 19.33, "vappress": 1.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8872130,48.034625] }, "properties": { "altitude": "266.0", "sensor": "04", "gpstime":"2019-06-26T19:54:32.000Z", "temperature": 24.93, "relhumidity": 18.72, "vappress": 1.327, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8885080,48.034017] }, "properties": { "altitude": "270.5", "sensor": "04", "gpstime":"2019-06-26T19:55:12.000Z", "temperature": 24.78, "relhumidity": 19.56, "vappress": 1.121, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8897520,48.033197] }, "properties": { "altitude": "283.1", "sensor": "04", "gpstime":"2019-06-26T19:55:58.000Z", "temperature": 24.79, "relhumidity": 18.95, "vappress": 1.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8880750,48.033312] }, "properties": { "altitude": "274.7", "sensor": "04", "gpstime":"2019-06-26T19:56:29.000Z", "temperature": 24.98, "relhumidity": 17.83, "vappress": 1.221, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8866820,48.033270] }, "properties": { "altitude": "258.9", "sensor": "04", "gpstime":"2019-06-26T19:56:50.000Z", "temperature": 25.33, "relhumidity": 17.08, "vappress": 1.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8852520,48.033355] }, "properties": { "altitude": "245.0", "sensor": "04", "gpstime":"2019-06-26T19:57:13.000Z", "temperature": 25.68, "relhumidity": 15.88, "vappress": 1.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8838420,48.033405] }, "properties": { "altitude": "234.1", "sensor": "04", "gpstime":"2019-06-26T19:57:37.000Z", "temperature": 25.89, "relhumidity": 16.82, "vappress": 2.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8822030,48.033578] }, "properties": { "altitude": "229.2", "sensor": "04", "gpstime":"2019-06-26T19:58:04.000Z", "temperature": 25.38, "relhumidity": 17.78, "vappress": 1.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8804020,48.033482] }, "properties": { "altitude": "238.4", "sensor": "04", "gpstime":"2019-06-26T19:58:33.000Z", "temperature": 25.16, "relhumidity": 18.29, "vappress": 1.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8787300,48.033335] }, "properties": { "altitude": "251.1", "sensor": "04", "gpstime":"2019-06-26T19:58:57.000Z", "temperature": 25.16, "relhumidity": 18.01, "vappress": 1.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8773280,48.033468] }, "properties": { "altitude": "257.3", "sensor": "04", "gpstime":"2019-06-26T19:59:19.000Z", "temperature": 25.23, "relhumidity": 17.76, "vappress": 1.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8758750,48.032755] }, "properties": { "altitude": "270.6", "sensor": "04", "gpstime":"2019-06-26T20:00:02.000Z", "temperature": 25.37, "relhumidity": 17.63, "vappress": 1.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8754700,48.030835] }, "properties": { "altitude": "297.4", "sensor": "04", "gpstime":"2019-06-26T20:01:38.000Z", "temperature": 25.38, "relhumidity": 15.57, "vappress": 2.086, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8744320,48.029288] }, "properties": { "altitude": "315.7", "sensor": "04", "gpstime":"2019-06-26T20:02:34.000Z", "temperature": 26.73, "relhumidity": 12.84, "vappress": 3.356, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8738930,48.027258] }, "properties": { "altitude": "312.9", "sensor": "04", "gpstime":"2019-06-26T20:03:34.000Z", "temperature": 27.67, "relhumidity": 11.44, "vappress": 3.369, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721850,48.026997] }, "properties": { "altitude": "300.5", "sensor": "04", "gpstime":"2019-06-26T20:04:21.000Z", "temperature": 27.47, "relhumidity": 11.45, "vappress": 2.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8705920,48.025545] }, "properties": { "altitude": "301.1", "sensor": "04", "gpstime":"2019-06-26T20:05:10.000Z", "temperature": 27.26, "relhumidity": 13.43, "vappress": 2.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709630,48.023540] }, "properties": { "altitude": "273.0", "sensor": "04", "gpstime":"2019-06-26T20:05:58.000Z", "temperature": 26.73, "relhumidity": 13.60, "vappress": 2.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8723020,48.023192] }, "properties": { "altitude": "291.1", "sensor": "04", "gpstime":"2019-06-26T20:06:29.000Z", "temperature": 26.80, "relhumidity": 14.15, "vappress": 2.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8736780,48.022325] }, "properties": { "altitude": "290.5", "sensor": "04", "gpstime":"2019-06-26T20:07:15.000Z", "temperature": 26.09, "relhumidity": 16.72, "vappress": 1.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8723530,48.021513] }, "properties": { "altitude": "305.8", "sensor": "04", "gpstime":"2019-06-26T20:08:39.000Z", "temperature": 24.91, "relhumidity": 16.43, "vappress": 0.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709200,48.021352] }, "properties": { "altitude": "302.8", "sensor": "04", "gpstime":"2019-06-26T20:09:39.000Z", "temperature": 25.44, "relhumidity": 15.17, "vappress": 1.066, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8694800,48.020917] }, "properties": { "altitude": "295.6", "sensor": "04", "gpstime":"2019-06-26T20:10:00.000Z", "temperature": 26.03, "relhumidity": 14.41, "vappress": 1.796, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8684230,48.019617] }, "properties": { "altitude": "292.4", "sensor": "04", "gpstime":"2019-06-26T20:10:41.000Z", "temperature": 26.06, "relhumidity": 14.51, "vappress": 1.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675280,48.017930] }, "properties": { "altitude": "286.2", "sensor": "04", "gpstime":"2019-06-26T20:11:28.000Z", "temperature": 26.49, "relhumidity": 14.38, "vappress": 2.552, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662820,48.017173] }, "properties": { "altitude": "293.0", "sensor": "04", "gpstime":"2019-06-26T20:11:55.000Z", "temperature": 26.97, "relhumidity": 13.12, "vappress": 2.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669080,48.015295] }, "properties": { "altitude": "303.8", "sensor": "04", "gpstime":"2019-06-26T20:13:05.000Z", "temperature": 27.36, "relhumidity": 11.17, "vappress": 2.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682550,48.015125] }, "properties": { "altitude": "309.8", "sensor": "04", "gpstime":"2019-06-26T20:13:38.000Z", "temperature": 27.70, "relhumidity": 11.75, "vappress": 3.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8677130,48.013208] }, "properties": { "altitude": "336.3", "sensor": "04", "gpstime":"2019-06-26T20:15:10.000Z", "temperature": 27.68, "relhumidity": 9.94, "vappress": 3.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8688970,48.012263] }, "properties": { "altitude": "343.4", "sensor": "04", "gpstime":"2019-06-26T20:16:14.000Z", "temperature": 28.28, "relhumidity": 8.58, "vappress": 3.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8702470,48.011667] }, "properties": { "altitude": "342.2", "sensor": "04", "gpstime":"2019-06-26T20:17:18.000Z", "temperature": 28.26, "relhumidity": 8.61, "vappress": 2.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8691420,48.009415] }, "properties": { "altitude": "339.0", "sensor": "04", "gpstime":"2019-06-26T20:18:28.000Z", "temperature": 27.84, "relhumidity": 7.48, "vappress": 2.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8708530,48.009745] }, "properties": { "altitude": "336.9", "sensor": "04", "gpstime":"2019-06-26T20:19:07.000Z", "temperature": 27.99, "relhumidity": 7.47, "vappress": 2.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8722950,48.010493] }, "properties": { "altitude": "334.9", "sensor": "04", "gpstime":"2019-06-26T20:19:34.000Z", "temperature": 27.60, "relhumidity": 9.43, "vappress": 1.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718520,48.008592] }, "properties": { "altitude": "329.1", "sensor": "04", "gpstime":"2019-06-26T20:20:28.000Z", "temperature": 27.14, "relhumidity": 9.99, "vappress": 1.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8721450,48.006613] }, "properties": { "altitude": "316.6", "sensor": "04", "gpstime":"2019-06-26T20:21:00.000Z", "temperature": 27.13, "relhumidity": 11.85, "vappress": 1.516, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8734520,48.005832] }, "properties": { "altitude": "310.0", "sensor": "04", "gpstime":"2019-06-26T20:21:17.000Z", "temperature": 26.15, "relhumidity": 13.59, "vappress": 0.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8715470,48.005660] }, "properties": { "altitude": "307.1", "sensor": "04", "gpstime":"2019-06-26T20:21:41.000Z", "temperature": 25.70, "relhumidity": 15.86, "vappress": 1.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8693280,48.005582] }, "properties": { "altitude": "304.0", "sensor": "04", "gpstime":"2019-06-26T20:22:05.000Z", "temperature": 25.54, "relhumidity": 15.63, "vappress": 0.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8676470,48.005685] }, "properties": { "altitude": "300.4", "sensor": "04", "gpstime":"2019-06-26T20:22:23.000Z", "temperature": 25.96, "relhumidity": 15.19, "vappress": 1.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660850,48.005203] }, "properties": { "altitude": "297.6", "sensor": "04", "gpstime":"2019-06-26T20:22:41.000Z", "temperature": 26.27, "relhumidity": 14.53, "vappress": 2.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643620,48.004552] }, "properties": { "altitude": "287.0", "sensor": "04", "gpstime":"2019-06-26T20:22:58.000Z", "temperature": 26.74, "relhumidity": 13.35, "vappress": 2.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629080,48.004407] }, "properties": { "altitude": "279.4", "sensor": "04", "gpstime":"2019-06-26T20:23:22.000Z", "temperature": 27.12, "relhumidity": 12.91, "vappress": 2.987, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617450,48.002857] }, "properties": { "altitude": "274.5", "sensor": "04", "gpstime":"2019-06-26T20:23:55.000Z", "temperature": 27.61, "relhumidity": 12.15, "vappress": 3.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606570,48.000992] }, "properties": { "altitude": "270.2", "sensor": "04", "gpstime":"2019-06-26T20:24:37.000Z", "temperature": 28.14, "relhumidity": 10.73, "vappress": 3.648, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595630,47.999217] }, "properties": { "altitude": "283.6", "sensor": "04", "gpstime":"2019-06-26T20:25:27.000Z", "temperature": 28.40, "relhumidity": 10.23, "vappress": 4.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8586020,47.997612] }, "properties": { "altitude": "278.5", "sensor": "04", "gpstime":"2019-06-26T20:26:05.000Z", "temperature": 29.09, "relhumidity": 9.22, "vappress": 4.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8571070,47.997107] }, "properties": { "altitude": "266.3", "sensor": "04", "gpstime":"2019-06-26T20:26:40.000Z", "temperature": 29.10, "relhumidity": 8.98, "vappress": 4.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8556470,47.997542] }, "properties": { "altitude": "265.1", "sensor": "04", "gpstime":"2019-06-26T20:27:00.000Z", "temperature": 29.28, "relhumidity": 8.38, "vappress": 4.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542980,47.997933] }, "properties": { "altitude": "269.6", "sensor": "04", "gpstime":"2019-06-26T20:27:20.000Z", "temperature": 29.61, "relhumidity": 7.32, "vappress": 5.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527480,47.998232] }, "properties": { "altitude": "267.7", "sensor": "04", "gpstime":"2019-06-26T20:28:24.000Z", "temperature": 29.96, "relhumidity": 6.37, "vappress": 5.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511730,47.998385] }, "properties": { "altitude": "269.8", "sensor": "04", "gpstime":"2019-06-26T20:28:48.000Z", "temperature": 30.25, "relhumidity": 4.61, "vappress": 5.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497700,47.997407] }, "properties": { "altitude": "275.6", "sensor": "04", "gpstime":"2019-06-26T20:29:28.000Z", "temperature": 30.58, "relhumidity": 3.65, "vappress": 5.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487120,47.996068] }, "properties": { "altitude": "284.1", "sensor": "04", "gpstime":"2019-06-26T20:30:22.000Z", "temperature": 30.47, "relhumidity": 5.78, "vappress": 5.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472980,47.996578] }, "properties": { "altitude": "282.8", "sensor": "04", "gpstime":"2019-06-26T20:30:51.000Z", "temperature": 30.15, "relhumidity": 6.46, "vappress": 5.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460350,47.995833] }, "properties": { "altitude": "273.3", "sensor": "04", "gpstime":"2019-06-26T20:31:30.000Z", "temperature": 30.00, "relhumidity": 6.71, "vappress": 5.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452200,47.993970] }, "properties": { "altitude": "281.7", "sensor": "04", "gpstime":"2019-06-26T20:32:24.000Z", "temperature": 29.68, "relhumidity": 7.38, "vappress": 4.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.993657] }, "properties": { "altitude": "278.8", "sensor": "04", "gpstime":"2019-06-26T20:32:32.000Z", "temperature": 29.34, "relhumidity": 7.63, "vappress": 4.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449020,47.992180] }, "properties": { "altitude": "271.4", "sensor": "06", "gpstime":"2019-06-26T19:26:39.000Z", "temperature": 28.94, "relhumidity": 7.32, "vappress": 3.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430150,47.991705] }, "properties": { "altitude": "266.2", "sensor": "06", "gpstime":"2019-06-26T19:27:32.000Z", "temperature": 29.08, "relhumidity": 8.42, "vappress": 4.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415070,47.992245] }, "properties": { "altitude": "259.9", "sensor": "06", "gpstime":"2019-06-26T19:27:57.000Z", "temperature": 28.95, "relhumidity": 8.89, "vappress": 4.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8396780,47.992845] }, "properties": { "altitude": "264.3", "sensor": "06", "gpstime":"2019-06-26T19:28:27.000Z", "temperature": 28.89, "relhumidity": 10.05, "vappress": 5.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403180,47.994987] }, "properties": { "altitude": "309.8", "sensor": "06", "gpstime":"2019-06-26T19:29:27.000Z", "temperature": 29.01, "relhumidity": 6.08, "vappress": 4.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415180,47.995875] }, "properties": { "altitude": "280.0", "sensor": "06", "gpstime":"2019-06-26T19:29:59.000Z", "temperature": 29.57, "relhumidity": 4.58, "vappress": 4.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425600,47.997277] }, "properties": { "altitude": "278.2", "sensor": "06", "gpstime":"2019-06-26T19:30:34.000Z", "temperature": 30.04, "relhumidity": 1.82, "vappress": 3.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440800,47.997408] }, "properties": { "altitude": "276.6", "sensor": "06", "gpstime":"2019-06-26T19:31:04.000Z", "temperature": 30.30, "relhumidity": 0.19, "vappress": 3.358, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441170,47.999655] }, "properties": { "altitude": "285.1", "sensor": "06", "gpstime":"2019-06-26T19:33:00.000Z", "temperature": 30.49, "relhumidity": 0.22, "vappress": 3.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452280,48.001072] }, "properties": { "altitude": "280.8", "sensor": "06", "gpstime":"2019-06-26T19:33:34.000Z", "temperature": 30.52, "relhumidity": 0.37, "vappress": 3.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466920,48.001430] }, "properties": { "altitude": "281.2", "sensor": "06", "gpstime":"2019-06-26T19:34:04.000Z", "temperature": 30.19, "relhumidity": 1.55, "vappress": 3.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483430,48.001158] }, "properties": { "altitude": "276.0", "sensor": "06", "gpstime":"2019-06-26T19:34:28.000Z", "temperature": 29.88, "relhumidity": 2.97, "vappress": 3.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499830,48.000895] }, "properties": { "altitude": "282.3", "sensor": "06", "gpstime":"2019-06-26T19:34:54.000Z", "temperature": 29.81, "relhumidity": 2.42, "vappress": 3.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8513520,48.001288] }, "properties": { "altitude": "278.1", "sensor": "06", "gpstime":"2019-06-26T19:35:25.000Z", "temperature": 29.91, "relhumidity": 1.69, "vappress": 3.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521480,48.003273] }, "properties": { "altitude": "274.0", "sensor": "06", "gpstime":"2019-06-26T19:36:05.000Z", "temperature": 29.76, "relhumidity": 1.59, "vappress": 2.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527770,48.005218] }, "properties": { "altitude": "277.8", "sensor": "06", "gpstime":"2019-06-26T19:36:54.000Z", "temperature": 29.60, "relhumidity": 1.64, "vappress": 2.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545630,48.006237] }, "properties": { "altitude": "266.9", "sensor": "06", "gpstime":"2019-06-26T19:37:36.000Z", "temperature": 29.25, "relhumidity": 3.70, "vappress": 2.442, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8561070,48.007425] }, "properties": { "altitude": "271.8", "sensor": "06", "gpstime":"2019-06-26T19:38:31.000Z", "temperature": 29.15, "relhumidity": 1.73, "vappress": 2.117, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577080,48.007413] }, "properties": { "altitude": "268.7", "sensor": "06", "gpstime":"2019-06-26T19:38:55.000Z", "temperature": 29.22, "relhumidity": 2.29, "vappress": 2.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594970,48.007488] }, "properties": { "altitude": "265.2", "sensor": "06", "gpstime":"2019-06-26T19:39:24.000Z", "temperature": 28.97, "relhumidity": 4.52, "vappress": 2.513, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612150,48.007073] }, "properties": { "altitude": "273.3", "sensor": "06", "gpstime":"2019-06-26T19:39:54.000Z", "temperature": 28.62, "relhumidity": 4.80, "vappress": 2.303, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624530,48.008622] }, "properties": { "altitude": "268.6", "sensor": "06", "gpstime":"2019-06-26T19:40:38.000Z", "temperature": 28.43, "relhumidity": 6.68, "vappress": 2.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629880,48.010702] }, "properties": { "altitude": "268.4", "sensor": "06", "gpstime":"2019-06-26T19:41:28.000Z", "temperature": 28.00, "relhumidity": 9.16, "vappress": 2.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8616500,48.010753] }, "properties": { "altitude": "263.2", "sensor": "06", "gpstime":"2019-06-26T19:41:59.000Z", "temperature": 27.87, "relhumidity": 9.74, "vappress": 3.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600650,48.010780] }, "properties": { "altitude": "262.3", "sensor": "06", "gpstime":"2019-06-26T19:42:28.000Z", "temperature": 27.77, "relhumidity": 9.55, "vappress": 2.803, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587200,48.010327] }, "properties": { "altitude": "261.4", "sensor": "06", "gpstime":"2019-06-26T19:42:57.000Z", "temperature": 27.72, "relhumidity": 10.43, "vappress": 3.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569720,48.011010] }, "properties": { "altitude": "257.1", "sensor": "06", "gpstime":"2019-06-26T19:43:24.000Z", "temperature": 27.69, "relhumidity": 7.53, "vappress": 2.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553150,48.011635] }, "properties": { "altitude": "256.8", "sensor": "06", "gpstime":"2019-06-26T19:43:49.000Z", "temperature": 28.08, "relhumidity": 5.84, "vappress": 2.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540280,48.012400] }, "properties": { "altitude": "259.3", "sensor": "06", "gpstime":"2019-06-26T19:44:18.000Z", "temperature": 28.67, "relhumidity": 3.25, "vappress": 1.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529870,48.013888] }, "properties": { "altitude": "257.2", "sensor": "06", "gpstime":"2019-06-26T19:45:12.000Z", "temperature": 29.12, "relhumidity": 1.34, "vappress": 2.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519100,48.015093] }, "properties": { "altitude": "249.1", "sensor": "06", "gpstime":"2019-06-26T19:45:41.000Z", "temperature": 29.41, "relhumidity": 0.38, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533320,48.015488] }, "properties": { "altitude": "247.1", "sensor": "06", "gpstime":"2019-06-26T19:46:03.000Z", "temperature": 29.43, "relhumidity": 0.58, "vappress": 1.784, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527420,48.017425] }, "properties": { "altitude": "253.8", "sensor": "06", "gpstime":"2019-06-26T19:46:59.000Z", "temperature": 29.30, "relhumidity": 3.46, "vappress": 2.674, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543550,48.018690] }, "properties": { "altitude": "250.2", "sensor": "06", "gpstime":"2019-06-26T19:47:51.000Z", "temperature": 29.05, "relhumidity": 5.81, "vappress": 3.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560880,48.018320] }, "properties": { "altitude": "256.7", "sensor": "06", "gpstime":"2019-06-26T19:48:17.000Z", "temperature": 28.81, "relhumidity": 7.97, "vappress": 3.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555720,48.020332] }, "properties": { "altitude": "251.5", "sensor": "06", "gpstime":"2019-06-26T19:49:33.000Z", "temperature": 28.60, "relhumidity": 8.55, "vappress": 4.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569170,48.021113] }, "properties": { "altitude": "248.7", "sensor": "06", "gpstime":"2019-06-26T19:50:08.000Z", "temperature": 28.65, "relhumidity": 8.25, "vappress": 3.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582050,48.021992] }, "properties": { "altitude": "246.9", "sensor": "06", "gpstime":"2019-06-26T19:51:18.000Z", "temperature": 28.75, "relhumidity": 6.68, "vappress": 3.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593500,48.023625] }, "properties": { "altitude": "250.1", "sensor": "06", "gpstime":"2019-06-26T19:51:58.000Z", "temperature": 28.63, "relhumidity": 6.56, "vappress": 2.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603450,48.025107] }, "properties": { "altitude": "258.8", "sensor": "06", "gpstime":"2019-06-26T19:52:36.000Z", "temperature": 28.53, "relhumidity": 6.50, "vappress": 2.909, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617170,48.026415] }, "properties": { "altitude": "260.3", "sensor": "06", "gpstime":"2019-06-26T19:53:24.000Z", "temperature": 28.60, "relhumidity": 5.14, "vappress": 2.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632880,48.026133] }, "properties": { "altitude": "258.1", "sensor": "06", "gpstime":"2019-06-26T19:53:56.000Z", "temperature": 28.47, "relhumidity": 5.97, "vappress": 2.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619530,48.024795] }, "properties": { "altitude": "246.3", "sensor": "06", "gpstime":"2019-06-26T19:54:56.000Z", "temperature": 28.22, "relhumidity": 7.33, "vappress": 2.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613130,48.023017] }, "properties": { "altitude": "248.7", "sensor": "06", "gpstime":"2019-06-26T19:56:23.000Z", "temperature": 27.80, "relhumidity": 12.69, "vappress": 3.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632070,48.023007] }, "properties": { "altitude": "255.3", "sensor": "06", "gpstime":"2019-06-26T19:57:09.000Z", "temperature": 27.59, "relhumidity": 10.19, "vappress": 2.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645780,48.022435] }, "properties": { "altitude": "259.4", "sensor": "06", "gpstime":"2019-06-26T19:57:40.000Z", "temperature": 27.58, "relhumidity": 11.32, "vappress": 2.870, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660330,48.022113] }, "properties": { "altitude": "265.2", "sensor": "06", "gpstime":"2019-06-26T19:58:23.000Z", "temperature": 27.15, "relhumidity": 12.88, "vappress": 2.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669170,48.020555] }, "properties": { "altitude": "276.3", "sensor": "06", "gpstime":"2019-06-26T19:59:28.000Z", "temperature": 26.66, "relhumidity": 14.23, "vappress": 2.589, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662780,48.018522] }, "properties": { "altitude": "277.5", "sensor": "06", "gpstime":"2019-06-26T20:01:06.000Z", "temperature": 26.89, "relhumidity": 14.44, "vappress": 2.746, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652180,48.017227] }, "properties": { "altitude": "291.4", "sensor": "06", "gpstime":"2019-06-26T20:02:30.000Z", "temperature": 26.94, "relhumidity": 11.06, "vappress": 2.236, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8655080,48.015013] }, "properties": { "altitude": "284.9", "sensor": "06", "gpstime":"2019-06-26T20:04:02.000Z", "temperature": 27.47, "relhumidity": 10.53, "vappress": 2.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643020,48.013610] }, "properties": { "altitude": "281.0", "sensor": "06", "gpstime":"2019-06-26T20:04:35.000Z", "temperature": 27.05, "relhumidity": 12.56, "vappress": 2.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650280,48.011890] }, "properties": { "altitude": "287.3", "sensor": "06", "gpstime":"2019-06-26T20:05:16.000Z", "temperature": 27.02, "relhumidity": 10.90, "vappress": 2.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663000,48.011113] }, "properties": { "altitude": "295.3", "sensor": "06", "gpstime":"2019-06-26T20:05:56.000Z", "temperature": 27.06, "relhumidity": 12.08, "vappress": 2.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678070,48.010988] }, "properties": { "altitude": "300.8", "sensor": "06", "gpstime":"2019-06-26T20:06:29.000Z", "temperature": 27.34, "relhumidity": 10.32, "vappress": 2.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8671020,48.009240] }, "properties": { "altitude": "303.2", "sensor": "06", "gpstime":"2019-06-26T20:07:20.000Z", "temperature": 27.09, "relhumidity": 10.76, "vappress": 2.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654970,48.008833] }, "properties": { "altitude": "299.1", "sensor": "06", "gpstime":"2019-06-26T20:07:47.000Z", "temperature": 27.16, "relhumidity": 9.38, "vappress": 1.634, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647880,48.006857] }, "properties": { "altitude": "272.5", "sensor": "06", "gpstime":"2019-06-26T20:11:27.000Z", "temperature": 27.18, "relhumidity": 11.41, "vappress": 2.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639070,48.004983] }, "properties": { "altitude": "278.7", "sensor": "06", "gpstime":"2019-06-26T20:12:13.000Z", "temperature": 27.35, "relhumidity": 10.24, "vappress": 2.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8625470,48.003885] }, "properties": { "altitude": "276.0", "sensor": "06", "gpstime":"2019-06-26T20:12:48.000Z", "temperature": 27.88, "relhumidity": 9.21, "vappress": 3.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614370,48.002325] }, "properties": { "altitude": "273.6", "sensor": "06", "gpstime":"2019-06-26T20:13:26.000Z", "temperature": 28.20, "relhumidity": 8.74, "vappress": 2.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597670,48.002417] }, "properties": { "altitude": "271.3", "sensor": "06", "gpstime":"2019-06-26T20:13:56.000Z", "temperature": 28.12, "relhumidity": 8.56, "vappress": 2.821, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8582300,48.002483] }, "properties": { "altitude": "270.6", "sensor": "06", "gpstime":"2019-06-26T20:14:21.000Z", "temperature": 28.33, "relhumidity": 7.03, "vappress": 2.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568300,48.002275] }, "properties": { "altitude": "270.4", "sensor": "06", "gpstime":"2019-06-26T20:14:50.000Z", "temperature": 28.63, "relhumidity": 6.78, "vappress": 3.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548820,48.002067] }, "properties": { "altitude": "276.6", "sensor": "06", "gpstime":"2019-06-26T20:15:32.000Z", "temperature": 28.59, "relhumidity": 6.84, "vappress": 2.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539420,48.000507] }, "properties": { "altitude": "283.7", "sensor": "06", "gpstime":"2019-06-26T20:16:30.000Z", "temperature": 29.08, "relhumidity": 3.91, "vappress": 3.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549850,47.998853] }, "properties": { "altitude": "298.2", "sensor": "06", "gpstime":"2019-06-26T20:17:46.000Z", "temperature": 29.84, "relhumidity": 2.08, "vappress": 3.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559480,47.997313] }, "properties": { "altitude": "300.5", "sensor": "06", "gpstime":"2019-06-26T20:18:59.000Z", "temperature": 30.20, "relhumidity": 1.73, "vappress": 3.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8575670,47.996717] }, "properties": { "altitude": "293.2", "sensor": "06", "gpstime":"2019-06-26T20:19:31.000Z", "temperature": 30.37, "relhumidity": 2.38, "vappress": 3.741, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566880,47.995138] }, "properties": { "altitude": "284.9", "sensor": "06", "gpstime":"2019-06-26T20:20:13.000Z", "temperature": 29.65, "relhumidity": 5.34, "vappress": 3.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555050,47.993900] }, "properties": { "altitude": "278.6", "sensor": "06", "gpstime":"2019-06-26T20:20:53.000Z", "temperature": 29.59, "relhumidity": 5.34, "vappress": 3.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8541830,47.992772] }, "properties": { "altitude": "278.2", "sensor": "06", "gpstime":"2019-06-26T20:21:33.000Z", "temperature": 29.41, "relhumidity": 6.21, "vappress": 3.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529980,47.990788] }, "properties": { "altitude": "279.7", "sensor": "06", "gpstime":"2019-06-26T20:23:31.000Z", "temperature": 29.36, "relhumidity": 6.04, "vappress": 3.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516380,47.990540] }, "properties": { "altitude": "277.3", "sensor": "06", "gpstime":"2019-06-26T20:23:48.000Z", "temperature": 29.11, "relhumidity": 6.32, "vappress": 3.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499900,47.990557] }, "properties": { "altitude": "272.4", "sensor": "06", "gpstime":"2019-06-26T20:24:10.000Z", "temperature": 29.13, "relhumidity": 6.16, "vappress": 3.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486320,47.990725] }, "properties": { "altitude": "269.1", "sensor": "06", "gpstime":"2019-06-26T20:24:29.000Z", "temperature": 29.15, "relhumidity": 6.36, "vappress": 3.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471600,47.990815] }, "properties": { "altitude": "265.8", "sensor": "06", "gpstime":"2019-06-26T20:24:45.000Z", "temperature": 29.15, "relhumidity": 6.54, "vappress": 3.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454300,47.990935] }, "properties": { "altitude": "265.6", "sensor": "06", "gpstime":"2019-06-26T20:25:04.000Z", "temperature": 29.23, "relhumidity": 6.00, "vappress": 3.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453100,47.992198] }, "properties": { "altitude": "273.2", "sensor": "06", "gpstime":"2019-06-26T20:25:33.000Z", "temperature": 29.32, "relhumidity": 6.40, "vappress": 3.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456580,47.993012] }, "properties": { "altitude": "102.0", "sensor": "07", "gpstime":"2019-06-26T19:22:34.000Z", "temperature": 28.25, "relhumidity": 5.76, "vappress": 2.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451370,47.990963] }, "properties": { "altitude": "251.7", "sensor": "07", "gpstime":"2019-06-26T19:26:57.000Z", "temperature": 28.62, "relhumidity": 3.66, "vappress": 2.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466680,47.990577] }, "properties": { "altitude": "267.9", "sensor": "07", "gpstime":"2019-06-26T19:27:28.000Z", "temperature": 29.08, "relhumidity": 2.26, "vappress": 2.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480820,47.990263] }, "properties": { "altitude": "273.6", "sensor": "07", "gpstime":"2019-06-26T19:27:55.000Z", "temperature": 29.08, "relhumidity": 2.05, "vappress": 1.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472500,47.988610] }, "properties": { "altitude": "278.3", "sensor": "07", "gpstime":"2019-06-26T19:28:51.000Z", "temperature": 29.17, "relhumidity": 2.46, "vappress": 2.309, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458730,47.988163] }, "properties": { "altitude": "283.9", "sensor": "07", "gpstime":"2019-06-26T19:29:10.000Z", "temperature": 29.20, "relhumidity": 2.84, "vappress": 2.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443230,47.987705] }, "properties": { "altitude": "286.2", "sensor": "07", "gpstime":"2019-06-26T19:29:38.000Z", "temperature": 29.03, "relhumidity": 3.75, "vappress": 2.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440680,47.985487] }, "properties": { "altitude": "283.1", "sensor": "07", "gpstime":"2019-06-26T19:30:52.000Z", "temperature": 28.73, "relhumidity": 5.42, "vappress": 2.493, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422800,47.984732] }, "properties": { "altitude": "276.0", "sensor": "07", "gpstime":"2019-06-26T19:31:29.000Z", "temperature": 28.31, "relhumidity": 7.15, "vappress": 2.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408120,47.984352] }, "properties": { "altitude": "273.1", "sensor": "07", "gpstime":"2019-06-26T19:31:56.000Z", "temperature": 28.04, "relhumidity": 7.56, "vappress": 2.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414680,47.982138] }, "properties": { "altitude": "276.3", "sensor": "07", "gpstime":"2019-06-26T19:32:42.000Z", "temperature": 27.68, "relhumidity": 9.15, "vappress": 2.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428030,47.981683] }, "properties": { "altitude": "271.3", "sensor": "07", "gpstime":"2019-06-26T19:33:05.000Z", "temperature": 27.38, "relhumidity": 9.54, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443600,47.981468] }, "properties": { "altitude": "260.8", "sensor": "07", "gpstime":"2019-06-26T19:33:27.000Z", "temperature": 27.37, "relhumidity": 10.25, "vappress": 2.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459880,47.980640] }, "properties": { "altitude": "256.7", "sensor": "07", "gpstime":"2019-06-26T19:34:00.000Z", "temperature": 27.11, "relhumidity": 13.11, "vappress": 2.982, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472930,47.979773] }, "properties": { "altitude": "263.3", "sensor": "07", "gpstime":"2019-06-26T19:34:30.000Z", "temperature": 26.78, "relhumidity": 14.92, "vappress": 3.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465270,47.977803] }, "properties": { "altitude": "292.5", "sensor": "07", "gpstime":"2019-06-26T19:35:30.000Z", "temperature": 26.11, "relhumidity": 20.35, "vappress": 3.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460880,47.975615] }, "properties": { "altitude": "294.4", "sensor": "07", "gpstime":"2019-06-26T19:36:26.000Z", "temperature": 24.98, "relhumidity": 24.18, "vappress": 3.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446700,47.974803] }, "properties": { "altitude": "297.7", "sensor": "07", "gpstime":"2019-06-26T19:37:08.000Z", "temperature": 25.00, "relhumidity": 19.13, "vappress": 2.182, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438500,47.973058] }, "properties": { "altitude": "297.3", "sensor": "07", "gpstime":"2019-06-26T19:37:57.000Z", "temperature": 25.21, "relhumidity": 16.89, "vappress": 1.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447650,47.971338] }, "properties": { "altitude": "298.4", "sensor": "07", "gpstime":"2019-06-26T19:38:55.000Z", "temperature": 25.49, "relhumidity": 18.03, "vappress": 1.987, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463180,47.970290] }, "properties": { "altitude": "293.1", "sensor": "07", "gpstime":"2019-06-26T19:39:32.000Z", "temperature": 25.46, "relhumidity": 17.37, "vappress": 1.953, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478170,47.969530] }, "properties": { "altitude": "286.8", "sensor": "07", "gpstime":"2019-06-26T19:40:05.000Z", "temperature": 25.23, "relhumidity": 17.36, "vappress": 1.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493120,47.968755] }, "properties": { "altitude": "283.2", "sensor": "07", "gpstime":"2019-06-26T19:40:43.000Z", "temperature": 25.22, "relhumidity": 17.15, "vappress": 1.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508730,47.968872] }, "properties": { "altitude": "310.2", "sensor": "07", "gpstime":"2019-06-26T19:41:18.000Z", "temperature": 25.36, "relhumidity": 16.75, "vappress": 1.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522330,47.968282] }, "properties": { "altitude": "318.9", "sensor": "07", "gpstime":"2019-06-26T19:41:50.000Z", "temperature": 25.43, "relhumidity": 16.42, "vappress": 1.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531730,47.966680] }, "properties": { "altitude": "323.0", "sensor": "07", "gpstime":"2019-06-26T19:42:59.000Z", "temperature": 25.63, "relhumidity": 15.52, "vappress": 1.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548020,47.966100] }, "properties": { "altitude": "323.4", "sensor": "07", "gpstime":"2019-06-26T19:43:34.000Z", "temperature": 25.78, "relhumidity": 15.05, "vappress": 1.576, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552980,47.964108] }, "properties": { "altitude": "341.1", "sensor": "07", "gpstime":"2019-06-26T19:45:04.000Z", "temperature": 25.20, "relhumidity": 16.30, "vappress": 0.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565900,47.963490] }, "properties": { "altitude": "336.7", "sensor": "07", "gpstime":"2019-06-26T19:45:42.000Z", "temperature": 24.89, "relhumidity": 20.09, "vappress": 1.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580900,47.963287] }, "properties": { "altitude": "330.7", "sensor": "07", "gpstime":"2019-06-26T19:47:04.000Z", "temperature": 24.37, "relhumidity": 20.71, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594350,47.963172] }, "properties": { "altitude": "326.5", "sensor": "07", "gpstime":"2019-06-26T19:47:39.000Z", "temperature": 24.16, "relhumidity": 21.75, "vappress": 1.099, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606820,47.962278] }, "properties": { "altitude": "333.0", "sensor": "07", "gpstime":"2019-06-26T19:48:12.000Z", "temperature": 24.01, "relhumidity": 22.20, "vappress": 1.100, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620220,47.961712] }, "properties": { "altitude": "340.0", "sensor": "07", "gpstime":"2019-06-26T19:48:41.000Z", "temperature": 24.21, "relhumidity": 19.64, "vappress": 0.950, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633230,47.960298] }, "properties": { "altitude": "351.9", "sensor": "07", "gpstime":"2019-06-26T19:49:27.000Z", "temperature": 24.77, "relhumidity": 19.39, "vappress": 1.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636170,47.958183] }, "properties": { "altitude": "361.1", "sensor": "07", "gpstime":"2019-06-26T19:50:26.000Z", "temperature": 24.81, "relhumidity": 15.32, "vappress": 0.370, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638320,47.955988] }, "properties": { "altitude": "367.4", "sensor": "07", "gpstime":"2019-06-26T19:51:28.000Z", "temperature": 24.56, "relhumidity": 18.82, "vappress": 0.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652150,47.956570] }, "properties": { "altitude": "357.6", "sensor": "07", "gpstime":"2019-06-26T19:53:38.000Z", "temperature": 23.74, "relhumidity": 25.64, "vappress": 1.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660480,47.958643] }, "properties": { "altitude": "365.6", "sensor": "07", "gpstime":"2019-06-26T19:54:50.000Z", "temperature": 23.63, "relhumidity": 26.68, "vappress": 1.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8664220,47.960577] }, "properties": { "altitude": "392.2", "sensor": "07", "gpstime":"2019-06-26T19:55:56.000Z", "temperature": 23.84, "relhumidity": 24.33, "vappress": 1.831, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652800,47.962372] }, "properties": { "altitude": "417.1", "sensor": "07", "gpstime":"2019-06-26T19:56:50.000Z", "temperature": 24.41, "relhumidity": 18.76, "vappress": 1.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670920,47.962928] }, "properties": { "altitude": "414.5", "sensor": "07", "gpstime":"2019-06-26T19:57:40.000Z", "temperature": 25.15, "relhumidity": 16.92, "vappress": 1.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8687220,47.962838] }, "properties": { "altitude": "424.3", "sensor": "07", "gpstime":"2019-06-26T19:58:13.000Z", "temperature": 25.01, "relhumidity": 19.01, "vappress": 1.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8700700,47.962523] }, "properties": { "altitude": "430.7", "sensor": "07", "gpstime":"2019-06-26T19:58:42.000Z", "temperature": 24.68, "relhumidity": 22.22, "vappress": 1.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8684380,47.963145] }, "properties": { "altitude": "419.4", "sensor": "07", "gpstime":"2019-06-26T19:59:57.000Z", "temperature": 24.14, "relhumidity": 25.24, "vappress": 1.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670250,47.963492] }, "properties": { "altitude": "415.1", "sensor": "07", "gpstime":"2019-06-26T20:00:17.000Z", "temperature": 23.88, "relhumidity": 25.72, "vappress": 1.817, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654280,47.963567] }, "properties": { "altitude": "409.0", "sensor": "07", "gpstime":"2019-06-26T20:00:41.000Z", "temperature": 23.75, "relhumidity": 26.02, "vappress": 1.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639800,47.963332] }, "properties": { "altitude": "389.5", "sensor": "07", "gpstime":"2019-06-26T20:01:08.000Z", "temperature": 23.87, "relhumidity": 25.80, "vappress": 2.056, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622380,47.962865] }, "properties": { "altitude": "356.4", "sensor": "07", "gpstime":"2019-06-26T20:01:40.000Z", "temperature": 24.13, "relhumidity": 20.86, "vappress": 0.886, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606170,47.963928] }, "properties": { "altitude": "346.0", "sensor": "07", "gpstime":"2019-06-26T20:02:18.000Z", "temperature": 24.56, "relhumidity": 17.46, "vappress": 0.656, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590050,47.964363] }, "properties": { "altitude": "345.5", "sensor": "07", "gpstime":"2019-06-26T20:02:45.000Z", "temperature": 24.85, "relhumidity": 16.73, "vappress": 0.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8575380,47.965445] }, "properties": { "altitude": "341.6", "sensor": "07", "gpstime":"2019-06-26T20:03:18.000Z", "temperature": 24.97, "relhumidity": 16.47, "vappress": 0.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8560120,47.966432] }, "properties": { "altitude": "344.9", "sensor": "07", "gpstime":"2019-06-26T20:03:58.000Z", "temperature": 25.32, "relhumidity": 12.77, "vappress": 0.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548600,47.967755] }, "properties": { "altitude": "346.2", "sensor": "07", "gpstime":"2019-06-26T20:05:04.000Z", "temperature": 25.77, "relhumidity": 13.37, "vappress": 1.019, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534880,47.967673] }, "properties": { "altitude": "331.3", "sensor": "07", "gpstime":"2019-06-26T20:05:28.000Z", "temperature": 25.88, "relhumidity": 11.86, "vappress": 0.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530220,47.969673] }, "properties": { "altitude": "327.7", "sensor": "07", "gpstime":"2019-06-26T20:06:27.000Z", "temperature": 25.81, "relhumidity": 11.64, "vappress": 0.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8518850,47.971030] }, "properties": { "altitude": "321.2", "sensor": "07", "gpstime":"2019-06-26T20:08:38.000Z", "temperature": 25.50, "relhumidity": 13.24, "vappress": 0.282, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504150,47.971950] }, "properties": { "altitude": "312.0", "sensor": "07", "gpstime":"2019-06-26T20:09:08.000Z", "temperature": 25.39, "relhumidity": 14.41, "vappress": 0.556, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491750,47.972860] }, "properties": { "altitude": "311.0", "sensor": "07", "gpstime":"2019-06-26T20:09:59.000Z", "temperature": 25.31, "relhumidity": 14.93, "vappress": 0.566, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483930,47.974513] }, "properties": { "altitude": "306.1", "sensor": "07", "gpstime":"2019-06-26T20:10:49.000Z", "temperature": 25.33, "relhumidity": 15.50, "vappress": 0.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482130,47.976738] }, "properties": { "altitude": "308.7", "sensor": "07", "gpstime":"2019-06-26T20:12:38.000Z", "temperature": 25.22, "relhumidity": 17.78, "vappress": 0.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482300,47.978827] }, "properties": { "altitude": "298.8", "sensor": "07", "gpstime":"2019-06-26T20:13:14.000Z", "temperature": 25.25, "relhumidity": 15.96, "vappress": 0.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482270,47.980948] }, "properties": { "altitude": "283.1", "sensor": "07", "gpstime":"2019-06-26T20:13:49.000Z", "temperature": 25.52, "relhumidity": 15.73, "vappress": 1.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477880,47.983007] }, "properties": { "altitude": "276.4", "sensor": "07", "gpstime":"2019-06-26T20:14:34.000Z", "temperature": 25.89, "relhumidity": 14.09, "vappress": 1.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476480,47.985047] }, "properties": { "altitude": "277.2", "sensor": "07", "gpstime":"2019-06-26T20:15:15.000Z", "temperature": 26.31, "relhumidity": 12.31, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464030,47.986137] }, "properties": { "altitude": "283.4", "sensor": "07", "gpstime":"2019-06-26T20:15:52.000Z", "temperature": 27.07, "relhumidity": 8.72, "vappress": 1.649, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449570,47.986213] }, "properties": { "altitude": "288.8", "sensor": "07", "gpstime":"2019-06-26T20:16:12.000Z", "temperature": 27.58, "relhumidity": 7.28, "vappress": 1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434350,47.986303] }, "properties": { "altitude": "284.1", "sensor": "07", "gpstime":"2019-06-26T20:16:33.000Z", "temperature": 27.67, "relhumidity": 6.57, "vappress": 1.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423870,47.987848] }, "properties": { "altitude": "277.0", "sensor": "07", "gpstime":"2019-06-26T20:17:20.000Z", "temperature": 27.53, "relhumidity": 6.54, "vappress": 1.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434620,47.989520] }, "properties": { "altitude": "273.7", "sensor": "07", "gpstime":"2019-06-26T20:17:59.000Z", "temperature": 27.71, "relhumidity": 6.71, "vappress": 1.501, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448020,47.990365] }, "properties": { "altitude": "274.6", "sensor": "07", "gpstime":"2019-06-26T20:18:25.000Z", "temperature": 28.12, "relhumidity": 6.01, "vappress": 2.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454500,47.992028] }, "properties": { "altitude": "276.6", "sensor": "07", "gpstime":"2019-06-26T20:19:03.000Z", "temperature": 28.49, "relhumidity": 5.58, "vappress": 2.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457780,47.993222] }, "properties": { "altitude": "104.4", "sensor": "08", "gpstime":"2019-06-26T18:39:55.000Z", "temperature": 23.55, "relhumidity": 35.89, "vappress": 6.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452480,47.991188] }, "properties": { "altitude": "268.6", "sensor": "08", "gpstime":"2019-06-26T19:26:28.000Z", "temperature": 24.35, "relhumidity": 12.78, "vappress": 5.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437650,47.991478] }, "properties": { "altitude": "275.1", "sensor": "08", "gpstime":"2019-06-26T19:26:57.000Z", "temperature": 28.54, "relhumidity": 12.60, "vappress": 5.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419720,47.992058] }, "properties": { "altitude": "267.6", "sensor": "08", "gpstime":"2019-06-26T19:27:19.000Z", "temperature": 28.48, "relhumidity": 13.53, "vappress": 5.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425450,47.993953] }, "properties": { "altitude": "266.9", "sensor": "08", "gpstime":"2019-06-26T19:28:11.000Z", "temperature": 28.50, "relhumidity": 10.84, "vappress": 4.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407820,47.995267] }, "properties": { "altitude": "267.1", "sensor": "08", "gpstime":"2019-06-26T19:29:28.000Z", "temperature": 29.01, "relhumidity": 7.68, "vappress": 4.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394850,47.993807] }, "properties": { "altitude": "282.5", "sensor": "08", "gpstime":"2019-06-26T19:30:04.000Z", "temperature": 29.43, "relhumidity": 7.41, "vappress": 4.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8382700,47.992558] }, "properties": { "altitude": "280.2", "sensor": "08", "gpstime":"2019-06-26T19:31:14.000Z", "temperature": 29.15, "relhumidity": 9.74, "vappress": 5.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366070,47.992733] }, "properties": { "altitude": "278.2", "sensor": "08", "gpstime":"2019-06-26T19:32:09.000Z", "temperature": 29.01, "relhumidity": 11.08, "vappress": 5.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375920,47.994130] }, "properties": { "altitude": "267.4", "sensor": "08", "gpstime":"2019-06-26T19:33:33.000Z", "temperature": 28.84, "relhumidity": 10.58, "vappress": 4.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385300,47.995843] }, "properties": { "altitude": "278.8", "sensor": "08", "gpstime":"2019-06-26T19:34:16.000Z", "temperature": 28.79, "relhumidity": 9.34, "vappress": 4.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391100,47.997908] }, "properties": { "altitude": "273.2", "sensor": "08", "gpstime":"2019-06-26T19:35:05.000Z", "temperature": 29.03, "relhumidity": 9.20, "vappress": 4.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403130,47.999405] }, "properties": { "altitude": "281.6", "sensor": "08", "gpstime":"2019-06-26T19:35:37.000Z", "temperature": 29.25, "relhumidity": 6.95, "vappress": 4.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414830,48.000487] }, "properties": { "altitude": "274.0", "sensor": "08", "gpstime":"2019-06-26T19:36:07.000Z", "temperature": 29.52, "relhumidity": 6.50, "vappress": 4.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427650,48.001608] }, "properties": { "altitude": "269.4", "sensor": "08", "gpstime":"2019-06-26T19:36:37.000Z", "temperature": 29.50, "relhumidity": 6.41, "vappress": 4.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416350,48.003378] }, "properties": { "altitude": "272.3", "sensor": "08", "gpstime":"2019-06-26T19:37:37.000Z", "temperature": 29.29, "relhumidity": 8.23, "vappress": 4.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8403680,48.004793] }, "properties": { "altitude": "262.1", "sensor": "08", "gpstime":"2019-06-26T19:39:19.000Z", "temperature": 29.22, "relhumidity": 8.57, "vappress": 4.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388570,48.005562] }, "properties": { "altitude": "258.6", "sensor": "08", "gpstime":"2019-06-26T19:39:44.000Z", "temperature": 29.30, "relhumidity": 9.58, "vappress": 5.583, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372550,48.006445] }, "properties": { "altitude": "254.4", "sensor": "08", "gpstime":"2019-06-26T19:40:10.000Z", "temperature": 29.24, "relhumidity": 9.77, "vappress": 5.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360750,48.007510] }, "properties": { "altitude": "259.2", "sensor": "08", "gpstime":"2019-06-26T19:40:46.000Z", "temperature": 28.95, "relhumidity": 10.44, "vappress": 5.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346350,48.008362] }, "properties": { "altitude": "258.0", "sensor": "08", "gpstime":"2019-06-26T19:41:18.000Z", "temperature": 29.06, "relhumidity": 10.60, "vappress": 5.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342880,48.010488] }, "properties": { "altitude": "253.5", "sensor": "08", "gpstime":"2019-06-26T19:42:02.000Z", "temperature": 29.11, "relhumidity": 10.78, "vappress": 5.833, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332220,48.012235] }, "properties": { "altitude": "249.8", "sensor": "08", "gpstime":"2019-06-26T19:43:26.000Z", "temperature": 28.98, "relhumidity": 13.80, "vappress": 6.216, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318400,48.013217] }, "properties": { "altitude": "249.8", "sensor": "08", "gpstime":"2019-06-26T19:43:59.000Z", "temperature": 28.58, "relhumidity": 15.84, "vappress": 6.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302900,48.014217] }, "properties": { "altitude": "248.3", "sensor": "08", "gpstime":"2019-06-26T19:44:31.000Z", "temperature": 28.17, "relhumidity": 16.68, "vappress": 6.127, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284670,48.015808] }, "properties": { "altitude": "243.1", "sensor": "08", "gpstime":"2019-06-26T19:45:11.000Z", "temperature": 27.93, "relhumidity": 18.22, "vappress": 6.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271430,48.016775] }, "properties": { "altitude": "238.7", "sensor": "08", "gpstime":"2019-06-26T19:45:40.000Z", "temperature": 27.85, "relhumidity": 19.55, "vappress": 6.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8255670,48.016558] }, "properties": { "altitude": "241.2", "sensor": "08", "gpstime":"2019-06-26T19:46:16.000Z", "temperature": 27.89, "relhumidity": 22.06, "vappress": 7.944, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238620,48.015327] }, "properties": { "altitude": "246.4", "sensor": "08", "gpstime":"2019-06-26T19:47:07.000Z", "temperature": 28.03, "relhumidity": 17.44, "vappress": 6.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251850,48.016323] }, "properties": { "altitude": "241.9", "sensor": "08", "gpstime":"2019-06-26T19:47:45.000Z", "temperature": 28.22, "relhumidity": 18.90, "vappress": 7.319, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8249000,48.018325] }, "properties": { "altitude": "242.9", "sensor": "08", "gpstime":"2019-06-26T19:49:04.000Z", "temperature": 28.17, "relhumidity": 19.25, "vappress": 6.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233830,48.019173] }, "properties": { "altitude": "240.6", "sensor": "08", "gpstime":"2019-06-26T19:49:36.000Z", "temperature": 27.68, "relhumidity": 20.21, "vappress": 6.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219700,48.019412] }, "properties": { "altitude": "232.2", "sensor": "08", "gpstime":"2019-06-26T19:50:46.000Z", "temperature": 27.47, "relhumidity": 22.15, "vappress": 7.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235180,48.020613] }, "properties": { "altitude": "235.0", "sensor": "08", "gpstime":"2019-06-26T19:51:28.000Z", "temperature": 27.47, "relhumidity": 20.84, "vappress": 6.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8227900,48.022295] }, "properties": { "altitude": "220.2", "sensor": "08", "gpstime":"2019-06-26T19:52:20.000Z", "temperature": 26.70, "relhumidity": 22.33, "vappress": 4.939, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214120,48.022520] }, "properties": { "altitude": "226.1", "sensor": "08", "gpstime":"2019-06-26T19:52:43.000Z", "temperature": 26.04, "relhumidity": 26.39, "vappress": 5.609, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198520,48.022905] }, "properties": { "altitude": "228.8", "sensor": "08", "gpstime":"2019-06-26T19:53:19.000Z", "temperature": 25.72, "relhumidity": 27.23, "vappress": 5.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8214180,48.022445] }, "properties": { "altitude": "228.8", "sensor": "08", "gpstime":"2019-06-26T19:57:25.000Z", "temperature": 25.82, "relhumidity": 28.54, "vappress": 5.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230070,48.022248] }, "properties": { "altitude": "226.8", "sensor": "08", "gpstime":"2019-06-26T19:57:56.000Z", "temperature": 25.37, "relhumidity": 26.24, "vappress": 4.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241770,48.021092] }, "properties": { "altitude": "240.6", "sensor": "08", "gpstime":"2019-06-26T19:58:30.000Z", "temperature": 25.30, "relhumidity": 25.33, "vappress": 4.100, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254800,48.021620] }, "properties": { "altitude": "243.9", "sensor": "08", "gpstime":"2019-06-26T19:58:58.000Z", "temperature": 25.46, "relhumidity": 25.51, "vappress": 4.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272770,48.022552] }, "properties": { "altitude": "237.3", "sensor": "08", "gpstime":"2019-06-26T19:59:31.000Z", "temperature": 25.41, "relhumidity": 25.55, "vappress": 3.999, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281650,48.024117] }, "properties": { "altitude": "246.5", "sensor": "08", "gpstime":"2019-06-26T20:00:49.000Z", "temperature": 25.30, "relhumidity": 25.01, "vappress": 4.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288150,48.026032] }, "properties": { "altitude": "241.5", "sensor": "08", "gpstime":"2019-06-26T20:01:55.000Z", "temperature": 25.59, "relhumidity": 24.40, "vappress": 4.596, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280170,48.028067] }, "properties": { "altitude": "233.8", "sensor": "08", "gpstime":"2019-06-26T20:02:46.000Z", "temperature": 25.23, "relhumidity": 26.42, "vappress": 3.486, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274830,48.030122] }, "properties": { "altitude": "216.5", "sensor": "08", "gpstime":"2019-06-26T20:03:43.000Z", "temperature": 24.80, "relhumidity": 27.60, "vappress": 3.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287650,48.031003] }, "properties": { "altitude": "217.0", "sensor": "08", "gpstime":"2019-06-26T20:04:16.000Z", "temperature": 24.16, "relhumidity": 28.50, "vappress": 2.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302320,48.031437] }, "properties": { "altitude": "218.3", "sensor": "08", "gpstime":"2019-06-26T20:04:38.000Z", "temperature": 23.88, "relhumidity": 29.17, "vappress": 2.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315650,48.030487] }, "properties": { "altitude": "233.1", "sensor": "08", "gpstime":"2019-06-26T20:05:18.000Z", "temperature": 24.07, "relhumidity": 29.51, "vappress": 3.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330920,48.030010] }, "properties": { "altitude": "234.4", "sensor": "08", "gpstime":"2019-06-26T20:05:51.000Z", "temperature": 24.20, "relhumidity": 29.50, "vappress": 3.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342500,48.028693] }, "properties": { "altitude": "237.5", "sensor": "08", "gpstime":"2019-06-26T20:07:01.000Z", "temperature": 24.78, "relhumidity": 28.21, "vappress": 5.304, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357450,48.027308] }, "properties": { "altitude": "237.9", "sensor": "08", "gpstime":"2019-06-26T20:07:35.000Z", "temperature": 26.05, "relhumidity": 25.89, "vappress": 6.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370970,48.026370] }, "properties": { "altitude": "244.5", "sensor": "08", "gpstime":"2019-06-26T20:08:03.000Z", "temperature": 26.62, "relhumidity": 24.72, "vappress": 6.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383730,48.025307] }, "properties": { "altitude": "243.7", "sensor": "08", "gpstime":"2019-06-26T20:08:32.000Z", "temperature": 26.94, "relhumidity": 23.38, "vappress": 6.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393030,48.023590] }, "properties": { "altitude": "244.6", "sensor": "08", "gpstime":"2019-06-26T20:09:13.000Z", "temperature": 27.29, "relhumidity": 20.36, "vappress": 6.826, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375870,48.023472] }, "properties": { "altitude": "240.8", "sensor": "08", "gpstime":"2019-06-26T20:09:46.000Z", "temperature": 27.93, "relhumidity": 19.98, "vappress": 6.876, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362330,48.023010] }, "properties": { "altitude": "247.5", "sensor": "08", "gpstime":"2019-06-26T20:10:10.000Z", "temperature": 27.86, "relhumidity": 20.14, "vappress": 6.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350880,48.024232] }, "properties": { "altitude": "244.7", "sensor": "08", "gpstime":"2019-06-26T20:10:51.000Z", "temperature": 27.78, "relhumidity": 20.69, "vappress": 7.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361180,48.022943] }, "properties": { "altitude": "251.7", "sensor": "08", "gpstime":"2019-06-26T20:11:34.000Z", "temperature": 27.90, "relhumidity": 20.08, "vappress": 6.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375230,48.023398] }, "properties": { "altitude": "241.3", "sensor": "08", "gpstime":"2019-06-26T20:11:56.000Z", "temperature": 27.84, "relhumidity": 19.64, "vappress": 6.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388850,48.023580] }, "properties": { "altitude": "238.6", "sensor": "08", "gpstime":"2019-06-26T20:12:20.000Z", "temperature": 27.86, "relhumidity": 17.34, "vappress": 5.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393100,48.021607] }, "properties": { "altitude": "249.8", "sensor": "08", "gpstime":"2019-06-26T20:13:33.000Z", "temperature": 28.29, "relhumidity": 8.74, "vappress": 4.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394530,48.019442] }, "properties": { "altitude": "249.2", "sensor": "08", "gpstime":"2019-06-26T20:14:44.000Z", "temperature": 28.71, "relhumidity": 9.23, "vappress": 3.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408870,48.018582] }, "properties": { "altitude": "248.9", "sensor": "08", "gpstime":"2019-06-26T20:16:53.000Z", "temperature": 29.14, "relhumidity": 4.60, "vappress": 3.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415480,48.016580] }, "properties": { "altitude": "253.5", "sensor": "08", "gpstime":"2019-06-26T20:17:43.000Z", "temperature": 29.32, "relhumidity": 5.19, "vappress": 3.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419920,48.014652] }, "properties": { "altitude": "257.2", "sensor": "08", "gpstime":"2019-06-26T20:18:37.000Z", "temperature": 29.58, "relhumidity": 3.77, "vappress": 3.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422730,48.012668] }, "properties": { "altitude": "266.0", "sensor": "08", "gpstime":"2019-06-26T20:19:59.000Z", "temperature": 29.58, "relhumidity": 3.21, "vappress": 3.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437280,48.012722] }, "properties": { "altitude": "256.9", "sensor": "08", "gpstime":"2019-06-26T20:20:59.000Z", "temperature": 29.29, "relhumidity": 5.68, "vappress": 3.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453180,48.012047] }, "properties": { "altitude": "263.6", "sensor": "08", "gpstime":"2019-06-26T20:21:37.000Z", "temperature": 29.25, "relhumidity": 5.84, "vappress": 3.572, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466420,48.011088] }, "properties": { "altitude": "263.0", "sensor": "08", "gpstime":"2019-06-26T20:22:05.000Z", "temperature": 29.23, "relhumidity": 5.41, "vappress": 3.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478470,48.010158] }, "properties": { "altitude": "264.7", "sensor": "08", "gpstime":"2019-06-26T20:22:32.000Z", "temperature": 29.25, "relhumidity": 5.96, "vappress": 3.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8490450,48.008795] }, "properties": { "altitude": "273.2", "sensor": "08", "gpstime":"2019-06-26T20:23:42.000Z", "temperature": 29.36, "relhumidity": 4.28, "vappress": 3.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504000,48.007983] }, "properties": { "altitude": "276.6", "sensor": "08", "gpstime":"2019-06-26T20:24:17.000Z", "temperature": 29.45, "relhumidity": 4.78, "vappress": 3.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489430,48.006627] }, "properties": { "altitude": "259.0", "sensor": "08", "gpstime":"2019-06-26T20:25:36.000Z", "temperature": 29.33, "relhumidity": 7.44, "vappress": 3.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8499870,48.004842] }, "properties": { "altitude": "268.6", "sensor": "08", "gpstime":"2019-06-26T20:27:27.000Z", "temperature": 28.86, "relhumidity": 8.10, "vappress": 4.027, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488350,48.003445] }, "properties": { "altitude": "265.1", "sensor": "08", "gpstime":"2019-06-26T20:28:59.000Z", "temperature": 28.95, "relhumidity": 8.82, "vappress": 4.163, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478430,48.001845] }, "properties": { "altitude": "277.2", "sensor": "08", "gpstime":"2019-06-26T20:30:00.000Z", "temperature": 29.25, "relhumidity": 9.69, "vappress": 5.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466770,48.000368] }, "properties": { "altitude": "286.8", "sensor": "08", "gpstime":"2019-06-26T20:30:55.000Z", "temperature": 29.71, "relhumidity": 6.55, "vappress": 4.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482980,48.001222] }, "properties": { "altitude": "289.2", "sensor": "08", "gpstime":"2019-06-26T20:31:56.000Z", "temperature": 30.16, "relhumidity": 4.04, "vappress": 4.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478320,47.999337] }, "properties": { "altitude": "278.1", "sensor": "08", "gpstime":"2019-06-26T20:33:19.000Z", "temperature": 30.42, "relhumidity": 3.17, "vappress": 4.427, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461230,47.999138] }, "properties": { "altitude": "271.6", "sensor": "08", "gpstime":"2019-06-26T20:34:03.000Z", "temperature": 30.41, "relhumidity": 4.07, "vappress": 5.044, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446330,47.999335] }, "properties": { "altitude": "276.8", "sensor": "08", "gpstime":"2019-06-26T20:34:25.000Z", "temperature": 30.57, "relhumidity": 3.97, "vappress": 5.184, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431150,47.998168] }, "properties": { "altitude": "270.0", "sensor": "08", "gpstime":"2019-06-26T20:35:19.000Z", "temperature": 30.45, "relhumidity": 4.91, "vappress": 5.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429080,47.996127] }, "properties": { "altitude": "293.7", "sensor": "08", "gpstime":"2019-06-26T20:36:41.000Z", "temperature": 30.20, "relhumidity": 6.64, "vappress": 5.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431220,47.994087] }, "properties": { "altitude": "327.8", "sensor": "08", "gpstime":"2019-06-26T20:38:06.000Z", "temperature": 29.90, "relhumidity": 7.58, "vappress": 4.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446000,47.993445] }, "properties": { "altitude": "286.5", "sensor": "08", "gpstime":"2019-06-26T20:39:44.000Z", "temperature": 29.45, "relhumidity": 9.92, "vappress": 5.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452480,47.993613] }, "properties": { "altitude": "280.5", "sensor": "08", "gpstime":"2019-06-26T20:40:01.000Z", "temperature": 29.26, "relhumidity": 10.13, "vappress": 5.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.993618] }, "properties": { "altitude": "276.1", "sensor": "09", "gpstime":"2019-06-26T19:26:24.000Z", "temperature": 28.71, "relhumidity": 32.15, "vappress": 14.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461050,47.995615] }, "properties": { "altitude": "280.1", "sensor": "09", "gpstime":"2019-06-26T19:27:23.000Z", "temperature": 28.91, "relhumidity": 28.28, "vappress": 13.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476730,47.997478] }, "properties": { "altitude": "278.7", "sensor": "09", "gpstime":"2019-06-26T19:28:06.000Z", "temperature": 29.53, "relhumidity": 24.03, "vappress": 13.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487800,47.999253] }, "properties": { "altitude": "275.6", "sensor": "09", "gpstime":"2019-06-26T19:29:34.000Z", "temperature": 30.08, "relhumidity": 23.47, "vappress": 13.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504120,47.999665] }, "properties": { "altitude": "281.8", "sensor": "09", "gpstime":"2019-06-26T19:30:07.000Z", "temperature": 29.71, "relhumidity": 25.65, "vappress": 13.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522430,47.999425] }, "properties": { "altitude": "281.9", "sensor": "09", "gpstime":"2019-06-26T19:30:33.000Z", "temperature": 29.50, "relhumidity": 25.51, "vappress": 12.903, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539180,47.999120] }, "properties": { "altitude": "280.9", "sensor": "09", "gpstime":"2019-06-26T19:31:35.000Z", "temperature": 29.24, "relhumidity": 27.97, "vappress": 13.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552630,47.998962] }, "properties": { "altitude": "279.8", "sensor": "09", "gpstime":"2019-06-26T19:31:55.000Z", "temperature": 29.26, "relhumidity": 28.67, "vappress": 13.648, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562200,48.000673] }, "properties": { "altitude": "280.2", "sensor": "09", "gpstime":"2019-06-26T19:32:27.000Z", "temperature": 28.37, "relhumidity": 33.01, "vappress": 12.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8569600,48.002825] }, "properties": { "altitude": "273.2", "sensor": "09", "gpstime":"2019-06-26T19:33:08.000Z", "temperature": 27.74, "relhumidity": 34.01, "vappress": 12.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8571720,48.004800] }, "properties": { "altitude": "265.8", "sensor": "09", "gpstime":"2019-06-26T19:33:48.000Z", "temperature": 27.78, "relhumidity": 32.85, "vappress": 12.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555250,48.004978] }, "properties": { "altitude": "263.1", "sensor": "09", "gpstime":"2019-06-26T19:34:12.000Z", "temperature": 28.17, "relhumidity": 32.87, "vappress": 13.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540070,48.004975] }, "properties": { "altitude": "259.5", "sensor": "09", "gpstime":"2019-06-26T19:34:42.000Z", "temperature": 28.40, "relhumidity": 31.70, "vappress": 13.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530920,48.006497] }, "properties": { "altitude": "272.0", "sensor": "09", "gpstime":"2019-06-26T19:35:33.000Z", "temperature": 28.50, "relhumidity": 28.10, "vappress": 11.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520000,48.007803] }, "properties": { "altitude": "270.7", "sensor": "09", "gpstime":"2019-06-26T19:36:19.000Z", "temperature": 28.71, "relhumidity": 26.34, "vappress": 11.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504500,48.007992] }, "properties": { "altitude": "266.1", "sensor": "09", "gpstime":"2019-06-26T19:36:41.000Z", "temperature": 29.06, "relhumidity": 25.82, "vappress": 11.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489320,48.007858] }, "properties": { "altitude": "263.5", "sensor": "09", "gpstime":"2019-06-26T19:37:27.000Z", "temperature": 29.21, "relhumidity": 23.43, "vappress": 11.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477730,48.006588] }, "properties": { "altitude": "261.1", "sensor": "09", "gpstime":"2019-06-26T19:38:05.000Z", "temperature": 29.35, "relhumidity": 23.61, "vappress": 11.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466300,48.004855] }, "properties": { "altitude": "268.4", "sensor": "09", "gpstime":"2019-06-26T19:39:03.000Z", "temperature": 29.27, "relhumidity": 26.81, "vappress": 12.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451550,48.003275] }, "properties": { "altitude": "268.8", "sensor": "09", "gpstime":"2019-06-26T19:39:45.000Z", "temperature": 29.10, "relhumidity": 32.66, "vappress": 14.403, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436420,48.002568] }, "properties": { "altitude": "267.4", "sensor": "09", "gpstime":"2019-06-26T19:40:26.000Z", "temperature": 28.28, "relhumidity": 34.01, "vappress": 13.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421150,48.003120] }, "properties": { "altitude": "266.0", "sensor": "09", "gpstime":"2019-06-26T19:40:48.000Z", "temperature": 28.55, "relhumidity": 33.18, "vappress": 13.961, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407530,48.003333] }, "properties": { "altitude": "263.9", "sensor": "09", "gpstime":"2019-06-26T19:41:58.000Z", "temperature": 28.73, "relhumidity": 32.30, "vappress": 14.794, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390430,48.002973] }, "properties": { "altitude": "262.8", "sensor": "09", "gpstime":"2019-06-26T19:42:25.000Z", "temperature": 29.18, "relhumidity": 30.20, "vappress": 14.163, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376270,48.003733] }, "properties": { "altitude": "264.0", "sensor": "09", "gpstime":"2019-06-26T19:42:49.000Z", "temperature": 29.42, "relhumidity": 30.55, "vappress": 14.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8359320,48.004657] }, "properties": { "altitude": "260.0", "sensor": "09", "gpstime":"2019-06-26T19:43:15.000Z", "temperature": 29.39, "relhumidity": 29.00, "vappress": 14.156, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344870,48.005557] }, "properties": { "altitude": "258.9", "sensor": "09", "gpstime":"2019-06-26T19:43:37.000Z", "temperature": 29.61, "relhumidity": 27.60, "vappress": 14.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331300,48.006303] }, "properties": { "altitude": "258.7", "sensor": "09", "gpstime":"2019-06-26T19:43:59.000Z", "temperature": 29.79, "relhumidity": 27.64, "vappress": 14.266, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315600,48.006913] }, "properties": { "altitude": "256.8", "sensor": "09", "gpstime":"2019-06-26T19:44:20.000Z", "temperature": 29.65, "relhumidity": 27.43, "vappress": 13.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300020,48.007412] }, "properties": { "altitude": "255.5", "sensor": "09", "gpstime":"2019-06-26T19:44:40.000Z", "temperature": 29.72, "relhumidity": 27.70, "vappress": 14.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282320,48.008188] }, "properties": { "altitude": "259.9", "sensor": "09", "gpstime":"2019-06-26T19:45:40.000Z", "temperature": 30.02, "relhumidity": 24.23, "vappress": 13.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265400,48.009393] }, "properties": { "altitude": "253.5", "sensor": "09", "gpstime":"2019-06-26T19:46:07.000Z", "temperature": 30.01, "relhumidity": 25.99, "vappress": 14.164, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253370,48.010377] }, "properties": { "altitude": "251.2", "sensor": "09", "gpstime":"2019-06-26T19:46:30.000Z", "temperature": 30.06, "relhumidity": 26.04, "vappress": 13.954, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265930,48.011355] }, "properties": { "altitude": "248.9", "sensor": "09", "gpstime":"2019-06-26T19:46:53.000Z", "temperature": 29.91, "relhumidity": 26.80, "vappress": 14.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253270,48.012355] }, "properties": { "altitude": "249.9", "sensor": "09", "gpstime":"2019-06-26T19:47:24.000Z", "temperature": 29.94, "relhumidity": 27.83, "vappress": 14.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240030,48.011482] }, "properties": { "altitude": "252.7", "sensor": "09", "gpstime":"2019-06-26T19:47:49.000Z", "temperature": 29.91, "relhumidity": 27.37, "vappress": 14.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8225250,48.011832] }, "properties": { "altitude": "251.9", "sensor": "09", "gpstime":"2019-06-26T19:48:18.000Z", "temperature": 29.68, "relhumidity": 28.79, "vappress": 14.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238130,48.012607] }, "properties": { "altitude": "247.0", "sensor": "09", "gpstime":"2019-06-26T19:48:43.000Z", "temperature": 29.21, "relhumidity": 31.37, "vappress": 13.970, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251700,48.013318] }, "properties": { "altitude": "250.5", "sensor": "09", "gpstime":"2019-06-26T19:49:06.000Z", "temperature": 28.91, "relhumidity": 32.40, "vappress": 13.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8237970,48.015167] }, "properties": { "altitude": "245.3", "sensor": "09", "gpstime":"2019-06-26T19:50:03.000Z", "temperature": 28.95, "relhumidity": 32.50, "vappress": 14.700, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8222030,48.015047] }, "properties": { "altitude": "247.5", "sensor": "09", "gpstime":"2019-06-26T19:50:47.000Z", "temperature": 29.15, "relhumidity": 33.29, "vappress": 15.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8209050,48.014020] }, "properties": { "altitude": "250.2", "sensor": "09", "gpstime":"2019-06-26T19:51:17.000Z", "temperature": 28.88, "relhumidity": 33.03, "vappress": 14.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194170,48.013218] }, "properties": { "altitude": "249.4", "sensor": "09", "gpstime":"2019-06-26T19:51:48.000Z", "temperature": 28.61, "relhumidity": 34.77, "vappress": 14.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177320,48.013578] }, "properties": { "altitude": "245.3", "sensor": "09", "gpstime":"2019-06-26T19:52:14.000Z", "temperature": 28.08, "relhumidity": 37.07, "vappress": 13.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158400,48.013850] }, "properties": { "altitude": "240.2", "sensor": "09", "gpstime":"2019-06-26T19:52:40.000Z", "temperature": 27.63, "relhumidity": 36.91, "vappress": 12.759, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8143370,48.013502] }, "properties": { "altitude": "241.8", "sensor": "09", "gpstime":"2019-06-26T19:53:05.000Z", "temperature": 27.22, "relhumidity": 37.94, "vappress": 12.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8130100,48.014277] }, "properties": { "altitude": "240.3", "sensor": "09", "gpstime":"2019-06-26T19:53:29.000Z", "temperature": 27.31, "relhumidity": 37.94, "vappress": 12.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8115170,48.013388] }, "properties": { "altitude": "245.4", "sensor": "09", "gpstime":"2019-06-26T19:53:57.000Z", "temperature": 27.62, "relhumidity": 37.94, "vappress": 14.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8102030,48.012452] }, "properties": { "altitude": "246.0", "sensor": "09", "gpstime":"2019-06-26T19:54:23.000Z", "temperature": 28.11, "relhumidity": 36.06, "vappress": 14.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8088080,48.011212] }, "properties": { "altitude": "246.4", "sensor": "09", "gpstime":"2019-06-26T19:54:55.000Z", "temperature": 29.04, "relhumidity": 31.51, "vappress": 14.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8077020,48.010080] }, "properties": { "altitude": "246.1", "sensor": "09", "gpstime":"2019-06-26T19:55:25.000Z", "temperature": 29.42, "relhumidity": 31.10, "vappress": 14.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8065150,48.009000] }, "properties": { "altitude": "244.1", "sensor": "09", "gpstime":"2019-06-26T19:55:55.000Z", "temperature": 29.20, "relhumidity": 33.24, "vappress": 14.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8050230,48.008315] }, "properties": { "altitude": "245.3", "sensor": "09", "gpstime":"2019-06-26T19:56:21.000Z", "temperature": 28.02, "relhumidity": 36.79, "vappress": 13.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8042730,48.006578] }, "properties": { "altitude": "249.9", "sensor": "09", "gpstime":"2019-06-26T19:57:14.000Z", "temperature": 27.66, "relhumidity": 36.10, "vappress": 12.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8030550,48.005633] }, "properties": { "altitude": "252.0", "sensor": "09", "gpstime":"2019-06-26T19:57:53.000Z", "temperature": 27.91, "relhumidity": 35.17, "vappress": 13.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8019480,48.003865] }, "properties": { "altitude": "243.5", "sensor": "09", "gpstime":"2019-06-26T19:58:38.000Z", "temperature": 26.70, "relhumidity": 37.31, "vappress": 11.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8007950,48.002505] }, "properties": { "altitude": "243.0", "sensor": "09", "gpstime":"2019-06-26T19:59:18.000Z", "temperature": 26.29, "relhumidity": 37.23, "vappress": 10.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8016820,48.000572] }, "properties": { "altitude": "244.3", "sensor": "09", "gpstime":"2019-06-26T20:00:06.000Z", "temperature": 26.13, "relhumidity": 37.07, "vappress": 10.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8011480,47.998413] }, "properties": { "altitude": "250.9", "sensor": "09", "gpstime":"2019-06-26T20:00:58.000Z", "temperature": 26.45, "relhumidity": 37.07, "vappress": 12.117, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008800,47.996118] }, "properties": { "altitude": "247.6", "sensor": "09", "gpstime":"2019-06-26T20:01:52.000Z", "temperature": 26.62, "relhumidity": 36.96, "vappress": 11.376, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7994670,47.995410] }, "properties": { "altitude": "247.0", "sensor": "09", "gpstime":"2019-06-26T20:02:29.000Z", "temperature": 26.68, "relhumidity": 36.86, "vappress": 12.116, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7983670,47.993762] }, "properties": { "altitude": "246.9", "sensor": "09", "gpstime":"2019-06-26T20:04:11.000Z", "temperature": 27.82, "relhumidity": 33.26, "vappress": 13.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7975480,47.992025] }, "properties": { "altitude": "247.2", "sensor": "09", "gpstime":"2019-06-26T20:04:48.000Z", "temperature": 28.66, "relhumidity": 31.38, "vappress": 13.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7969370,47.990173] }, "properties": { "altitude": "247.4", "sensor": "09", "gpstime":"2019-06-26T20:05:25.000Z", "temperature": 28.96, "relhumidity": 30.22, "vappress": 13.079, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7961150,47.988453] }, "properties": { "altitude": "246.3", "sensor": "09", "gpstime":"2019-06-26T20:06:13.000Z", "temperature": 29.08, "relhumidity": 27.89, "vappress": 12.647, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7961570,47.986430] }, "properties": { "altitude": "248.5", "sensor": "09", "gpstime":"2019-06-26T20:07:24.000Z", "temperature": 29.25, "relhumidity": 27.36, "vappress": 12.244, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7957120,47.984382] }, "properties": { "altitude": "244.4", "sensor": "09", "gpstime":"2019-06-26T20:08:13.000Z", "temperature": 28.93, "relhumidity": 29.66, "vappress": 12.302, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7941880,47.983698] }, "properties": { "altitude": "243.6", "sensor": "09", "gpstime":"2019-06-26T20:08:59.000Z", "temperature": 28.56, "relhumidity": 31.75, "vappress": 12.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7921070,47.984207] }, "properties": { "altitude": "243.1", "sensor": "09", "gpstime":"2019-06-26T20:09:28.000Z", "temperature": 28.16, "relhumidity": 33.79, "vappress": 11.696, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7904130,47.984672] }, "properties": { "altitude": "241.2", "sensor": "09", "gpstime":"2019-06-26T20:09:53.000Z", "temperature": 27.30, "relhumidity": 35.97, "vappress": 11.066, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7894150,47.982308] }, "properties": { "altitude": "240.4", "sensor": "09", "gpstime":"2019-06-26T20:10:47.000Z", "temperature": 26.49, "relhumidity": 35.83, "vappress": 10.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7882770,47.980940] }, "properties": { "altitude": "242.5", "sensor": "09", "gpstime":"2019-06-26T20:11:23.000Z", "temperature": 26.90, "relhumidity": 34.89, "vappress": 10.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7900980,47.980545] }, "properties": { "altitude": "237.5", "sensor": "09", "gpstime":"2019-06-26T20:12:03.000Z", "temperature": 27.63, "relhumidity": 33.71, "vappress": 11.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7920750,47.980615] }, "properties": { "altitude": "238.7", "sensor": "09", "gpstime":"2019-06-26T20:12:33.000Z", "temperature": 27.95, "relhumidity": 31.91, "vappress": 11.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7935320,47.980837] }, "properties": { "altitude": "241.9", "sensor": "09", "gpstime":"2019-06-26T20:12:59.000Z", "temperature": 28.25, "relhumidity": 31.87, "vappress": 12.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7949000,47.981087] }, "properties": { "altitude": "245.7", "sensor": "09", "gpstime":"2019-06-26T20:13:32.000Z", "temperature": 28.32, "relhumidity": 31.32, "vappress": 11.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7962370,47.980013] }, "properties": { "altitude": "246.9", "sensor": "09", "gpstime":"2019-06-26T20:14:10.000Z", "temperature": 28.16, "relhumidity": 32.51, "vappress": 11.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977680,47.979463] }, "properties": { "altitude": "249.0", "sensor": "09", "gpstime":"2019-06-26T20:14:40.000Z", "temperature": 28.04, "relhumidity": 32.75, "vappress": 11.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977180,47.977330] }, "properties": { "altitude": "246.8", "sensor": "09", "gpstime":"2019-06-26T20:15:30.000Z", "temperature": 27.69, "relhumidity": 33.44, "vappress": 10.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992350,47.976835] }, "properties": { "altitude": "249.2", "sensor": "09", "gpstime":"2019-06-26T20:16:00.000Z", "temperature": 26.84, "relhumidity": 34.94, "vappress": 9.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8001880,47.975428] }, "properties": { "altitude": "248.3", "sensor": "09", "gpstime":"2019-06-26T20:16:53.000Z", "temperature": 25.58, "relhumidity": 34.86, "vappress": 7.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8016570,47.975592] }, "properties": { "altitude": "247.4", "sensor": "09", "gpstime":"2019-06-26T20:17:18.000Z", "temperature": 25.22, "relhumidity": 34.71, "vappress": 6.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031900,47.976112] }, "properties": { "altitude": "249.9", "sensor": "09", "gpstime":"2019-06-26T20:17:47.000Z", "temperature": 25.49, "relhumidity": 34.71, "vappress": 7.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8046480,47.976737] }, "properties": { "altitude": "253.1", "sensor": "09", "gpstime":"2019-06-26T20:18:20.000Z", "temperature": 25.74, "relhumidity": 34.52, "vappress": 8.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063330,47.976960] }, "properties": { "altitude": "257.0", "sensor": "09", "gpstime":"2019-06-26T20:18:52.000Z", "temperature": 26.23, "relhumidity": 34.52, "vappress": 9.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8076920,47.976780] }, "properties": { "altitude": "258.1", "sensor": "09", "gpstime":"2019-06-26T20:19:17.000Z", "temperature": 26.67, "relhumidity": 34.43, "vappress": 10.211, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8090980,47.977478] }, "properties": { "altitude": "253.2", "sensor": "09", "gpstime":"2019-06-26T20:21:48.000Z", "temperature": 26.79, "relhumidity": 33.97, "vappress": 10.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104570,47.978303] }, "properties": { "altitude": "251.2", "sensor": "09", "gpstime":"2019-06-26T20:22:23.000Z", "temperature": 27.07, "relhumidity": 33.68, "vappress": 9.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119880,47.978477] }, "properties": { "altitude": "250.8", "sensor": "09", "gpstime":"2019-06-26T20:22:53.000Z", "temperature": 27.25, "relhumidity": 32.93, "vappress": 10.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8136070,47.978135] }, "properties": { "altitude": "260.2", "sensor": "09", "gpstime":"2019-06-26T20:23:18.000Z", "temperature": 27.45, "relhumidity": 32.59, "vappress": 10.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8152970,47.978173] }, "properties": { "altitude": "260.6", "sensor": "09", "gpstime":"2019-06-26T20:23:45.000Z", "temperature": 27.27, "relhumidity": 32.76, "vappress": 10.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8166500,47.978265] }, "properties": { "altitude": "261.2", "sensor": "09", "gpstime":"2019-06-26T20:24:07.000Z", "temperature": 27.47, "relhumidity": 32.43, "vappress": 10.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184570,47.978637] }, "properties": { "altitude": "269.5", "sensor": "09", "gpstime":"2019-06-26T20:24:41.000Z", "temperature": 27.49, "relhumidity": 30.70, "vappress": 9.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8199000,47.979235] }, "properties": { "altitude": "270.7", "sensor": "09", "gpstime":"2019-06-26T20:25:08.000Z", "temperature": 27.65, "relhumidity": 31.00, "vappress": 10.222, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8212370,47.979835] }, "properties": { "altitude": "269.9", "sensor": "09", "gpstime":"2019-06-26T20:25:36.000Z", "temperature": 27.91, "relhumidity": 29.45, "vappress": 10.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202220,47.981743] }, "properties": { "altitude": "262.8", "sensor": "09", "gpstime":"2019-06-26T20:26:54.000Z", "temperature": 28.18, "relhumidity": 27.70, "vappress": 10.580, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197230,47.983903] }, "properties": { "altitude": "265.2", "sensor": "09", "gpstime":"2019-06-26T20:27:40.000Z", "temperature": 28.51, "relhumidity": 26.19, "vappress": 10.037, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8185880,47.985502] }, "properties": { "altitude": "260.5", "sensor": "09", "gpstime":"2019-06-26T20:28:25.000Z", "temperature": 28.74, "relhumidity": 26.18, "vappress": 10.943, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200850,47.986710] }, "properties": { "altitude": "267.9", "sensor": "09", "gpstime":"2019-06-26T20:29:23.000Z", "temperature": 28.81, "relhumidity": 27.16, "vappress": 10.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215670,47.986550] }, "properties": { "altitude": "268.1", "sensor": "09", "gpstime":"2019-06-26T20:29:48.000Z", "temperature": 28.74, "relhumidity": 27.23, "vappress": 10.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233750,47.986912] }, "properties": { "altitude": "265.8", "sensor": "09", "gpstime":"2019-06-26T20:30:30.000Z", "temperature": 28.73, "relhumidity": 28.66, "vappress": 11.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251780,47.986290] }, "properties": { "altitude": "265.9", "sensor": "09", "gpstime":"2019-06-26T20:31:17.000Z", "temperature": 28.62, "relhumidity": 28.24, "vappress": 10.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266170,47.986592] }, "properties": { "altitude": "269.8", "sensor": "09", "gpstime":"2019-06-26T20:31:58.000Z", "temperature": 28.60, "relhumidity": 28.62, "vappress": 11.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278280,47.985488] }, "properties": { "altitude": "272.2", "sensor": "09", "gpstime":"2019-06-26T20:33:00.000Z", "temperature": 28.79, "relhumidity": 27.28, "vappress": 11.096, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271070,47.983463] }, "properties": { "altitude": "264.2", "sensor": "09", "gpstime":"2019-06-26T20:33:48.000Z", "temperature": 28.98, "relhumidity": 25.71, "vappress": 10.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260780,47.981750] }, "properties": { "altitude": "265.0", "sensor": "09", "gpstime":"2019-06-26T20:34:29.000Z", "temperature": 28.98, "relhumidity": 24.96, "vappress": 10.294, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277550,47.980932] }, "properties": { "altitude": "267.0", "sensor": "09", "gpstime":"2019-06-26T20:35:09.000Z", "temperature": 28.64, "relhumidity": 28.95, "vappress": 9.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292220,47.980815] }, "properties": { "altitude": "262.3", "sensor": "09", "gpstime":"2019-06-26T20:35:39.000Z", "temperature": 27.19, "relhumidity": 30.60, "vappress": 8.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306550,47.981182] }, "properties": { "altitude": "261.7", "sensor": "09", "gpstime":"2019-06-26T20:36:17.000Z", "temperature": 27.50, "relhumidity": 31.72, "vappress": 10.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318630,47.982043] }, "properties": { "altitude": "263.9", "sensor": "09", "gpstime":"2019-06-26T20:36:52.000Z", "temperature": 27.73, "relhumidity": 29.87, "vappress": 9.815, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331050,47.983442] }, "properties": { "altitude": "262.3", "sensor": "09", "gpstime":"2019-06-26T20:37:32.000Z", "temperature": 27.98, "relhumidity": 29.75, "vappress": 10.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345120,47.983233] }, "properties": { "altitude": "266.2", "sensor": "09", "gpstime":"2019-06-26T20:39:04.000Z", "temperature": 28.23, "relhumidity": 28.79, "vappress": 10.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363500,47.984082] }, "properties": { "altitude": "270.9", "sensor": "09", "gpstime":"2019-06-26T20:40:01.000Z", "temperature": 28.30, "relhumidity": 29.62, "vappress": 10.538, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374280,47.985912] }, "properties": { "altitude": "279.9", "sensor": "09", "gpstime":"2019-06-26T20:41:42.000Z", "temperature": 28.11, "relhumidity": 29.19, "vappress": 10.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388470,47.985440] }, "properties": { "altitude": "278.2", "sensor": "09", "gpstime":"2019-06-26T20:42:24.000Z", "temperature": 28.15, "relhumidity": 28.72, "vappress": 9.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402720,47.984707] }, "properties": { "altitude": "280.3", "sensor": "09", "gpstime":"2019-06-26T20:42:59.000Z", "temperature": 27.94, "relhumidity": 28.36, "vappress": 9.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417130,47.985535] }, "properties": { "altitude": "277.7", "sensor": "09", "gpstime":"2019-06-26T20:43:48.000Z", "temperature": 27.82, "relhumidity": 29.06, "vappress": 9.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8431180,47.985792] }, "properties": { "altitude": "278.5", "sensor": "09", "gpstime":"2019-06-26T20:44:34.000Z", "temperature": 27.43, "relhumidity": 30.97, "vappress": 8.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442920,47.984807] }, "properties": { "altitude": "278.2", "sensor": "09", "gpstime":"2019-06-26T20:45:12.000Z", "temperature": 26.86, "relhumidity": 30.86, "vappress": 8.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459830,47.984462] }, "properties": { "altitude": "282.8", "sensor": "09", "gpstime":"2019-06-26T20:45:45.000Z", "temperature": 27.24, "relhumidity": 30.86, "vappress": 9.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473930,47.984523] }, "properties": { "altitude": "287.2", "sensor": "09", "gpstime":"2019-06-26T20:46:09.000Z", "temperature": 27.37, "relhumidity": 30.96, "vappress": 9.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476970,47.986505] }, "properties": { "altitude": "281.1", "sensor": "09", "gpstime":"2019-06-26T20:46:58.000Z", "temperature": 27.47, "relhumidity": 30.96, "vappress": 10.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480380,47.988673] }, "properties": { "altitude": "287.2", "sensor": "09", "gpstime":"2019-06-26T20:47:49.000Z", "temperature": 28.09, "relhumidity": 30.91, "vappress": 11.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484480,47.990803] }, "properties": { "altitude": "277.6", "sensor": "09", "gpstime":"2019-06-26T20:49:15.000Z", "temperature": 28.60, "relhumidity": 30.64, "vappress": 11.746, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470300,47.991528] }, "properties": { "altitude": "295.3", "sensor": "09", "gpstime":"2019-06-26T20:50:39.000Z", "temperature": 28.71, "relhumidity": 30.59, "vappress": 11.786, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457220,47.990835] }, "properties": { "altitude": "284.1", "sensor": "09", "gpstime":"2019-06-26T20:51:06.000Z", "temperature": 28.72, "relhumidity": 30.47, "vappress": 11.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454700,47.992148] }, "properties": { "altitude": "274.3", "sensor": "09", "gpstime":"2019-06-26T20:51:43.000Z", "temperature": 28.72, "relhumidity": 30.47, "vappress": 11.864, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479180,47.994182] }, "properties": { "altitude": "102.0", "sensor": "10", "gpstime":"2019-06-26T19:00:29.000Z", "temperature": 27.66, "relhumidity": 26.55, "vappress": 10.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450630,47.993478] }, "properties": { "altitude": "263.2", "sensor": "10", "gpstime":"2019-06-26T19:26:24.000Z", "temperature": 28.94, "relhumidity": 11.53, "vappress": 5.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459000,47.995277] }, "properties": { "altitude": "284.7", "sensor": "10", "gpstime":"2019-06-26T19:27:29.000Z", "temperature": 29.13, "relhumidity": 9.33, "vappress": 5.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457350,47.997855] }, "properties": { "altitude": "285.2", "sensor": "10", "gpstime":"2019-06-26T19:29:57.000Z", "temperature": 29.81, "relhumidity": 8.06, "vappress": 5.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470800,47.997778] }, "properties": { "altitude": "296.3", "sensor": "10", "gpstime":"2019-06-26T19:30:18.000Z", "temperature": 29.53, "relhumidity": 7.79, "vappress": 5.183, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486200,47.997658] }, "properties": { "altitude": "284.4", "sensor": "10", "gpstime":"2019-06-26T19:30:59.000Z", "temperature": 29.84, "relhumidity": 4.09, "vappress": 4.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503680,47.997780] }, "properties": { "altitude": "279.1", "sensor": "10", "gpstime":"2019-06-26T19:31:50.000Z", "temperature": 30.20, "relhumidity": 1.72, "vappress": 3.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520020,47.997753] }, "properties": { "altitude": "285.3", "sensor": "10", "gpstime":"2019-06-26T19:32:17.000Z", "temperature": 30.49, "relhumidity": 1.90, "vappress": 4.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531730,47.998810] }, "properties": { "altitude": "285.7", "sensor": "10", "gpstime":"2019-06-26T19:33:54.000Z", "temperature": 30.61, "relhumidity": 3.42, "vappress": 5.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539350,48.000765] }, "properties": { "altitude": "283.7", "sensor": "10", "gpstime":"2019-06-26T19:34:29.000Z", "temperature": 30.26, "relhumidity": 5.18, "vappress": 4.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546620,48.002888] }, "properties": { "altitude": "279.3", "sensor": "10", "gpstime":"2019-06-26T19:35:29.000Z", "temperature": 29.66, "relhumidity": 6.55, "vappress": 4.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551350,48.004983] }, "properties": { "altitude": "268.8", "sensor": "10", "gpstime":"2019-06-26T19:35:59.000Z", "temperature": 29.34, "relhumidity": 6.28, "vappress": 4.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551150,48.007347] }, "properties": { "altitude": "274.2", "sensor": "10", "gpstime":"2019-06-26T19:36:43.000Z", "temperature": 29.37, "relhumidity": 5.94, "vappress": 4.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536570,48.007910] }, "properties": { "altitude": "278.7", "sensor": "10", "gpstime":"2019-06-26T19:37:15.000Z", "temperature": 29.37, "relhumidity": 5.53, "vappress": 3.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521350,48.007862] }, "properties": { "altitude": "272.4", "sensor": "10", "gpstime":"2019-06-26T19:37:42.000Z", "temperature": 29.38, "relhumidity": 5.35, "vappress": 3.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504420,48.008083] }, "properties": { "altitude": "275.6", "sensor": "10", "gpstime":"2019-06-26T19:38:11.000Z", "temperature": 29.56, "relhumidity": 5.04, "vappress": 4.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489170,48.008908] }, "properties": { "altitude": "279.5", "sensor": "10", "gpstime":"2019-06-26T19:38:33.000Z", "temperature": 29.60, "relhumidity": 4.95, "vappress": 4.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472380,48.009165] }, "properties": { "altitude": "272.8", "sensor": "10", "gpstime":"2019-06-26T19:39:08.000Z", "temperature": 29.64, "relhumidity": 4.53, "vappress": 3.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456830,48.010248] }, "properties": { "altitude": "272.3", "sensor": "10", "gpstime":"2019-06-26T19:39:31.000Z", "temperature": 29.38, "relhumidity": 8.59, "vappress": 4.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440600,48.011472] }, "properties": { "altitude": "275.8", "sensor": "10", "gpstime":"2019-06-26T19:39:58.000Z", "temperature": 28.73, "relhumidity": 13.23, "vappress": 5.773, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428200,48.012407] }, "properties": { "altitude": "276.6", "sensor": "10", "gpstime":"2019-06-26T19:40:23.000Z", "temperature": 28.60, "relhumidity": 10.63, "vappress": 4.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414030,48.013327] }, "properties": { "altitude": "274.5", "sensor": "10", "gpstime":"2019-06-26T19:40:53.000Z", "temperature": 28.93, "relhumidity": 8.95, "vappress": 4.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401280,48.012505] }, "properties": { "altitude": "266.1", "sensor": "10", "gpstime":"2019-06-26T19:41:15.000Z", "temperature": 29.28, "relhumidity": 10.19, "vappress": 5.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386900,48.012917] }, "properties": { "altitude": "252.8", "sensor": "10", "gpstime":"2019-06-26T19:41:50.000Z", "temperature": 29.21, "relhumidity": 11.14, "vappress": 5.894, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372250,48.014533] }, "properties": { "altitude": "252.8", "sensor": "10", "gpstime":"2019-06-26T19:42:33.000Z", "temperature": 29.09, "relhumidity": 11.47, "vappress": 5.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363870,48.012507] }, "properties": { "altitude": "259.0", "sensor": "10", "gpstime":"2019-06-26T19:43:23.000Z", "temperature": 28.38, "relhumidity": 14.21, "vappress": 5.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350180,48.012103] }, "properties": { "altitude": "258.5", "sensor": "10", "gpstime":"2019-06-26T19:44:13.000Z", "temperature": 28.26, "relhumidity": 13.23, "vappress": 5.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333050,48.012175] }, "properties": { "altitude": "260.5", "sensor": "10", "gpstime":"2019-06-26T19:44:45.000Z", "temperature": 28.69, "relhumidity": 16.46, "vappress": 6.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318980,48.012508] }, "properties": { "altitude": "262.7", "sensor": "10", "gpstime":"2019-06-26T19:45:09.000Z", "temperature": 28.52, "relhumidity": 16.05, "vappress": 6.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304520,48.011632] }, "properties": { "altitude": "263.9", "sensor": "10", "gpstime":"2019-06-26T19:45:35.000Z", "temperature": 28.60, "relhumidity": 16.29, "vappress": 7.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315730,48.010142] }, "properties": { "altitude": "261.2", "sensor": "10", "gpstime":"2019-06-26T19:46:30.000Z", "temperature": 28.99, "relhumidity": 9.85, "vappress": 5.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302730,48.009088] }, "properties": { "altitude": "261.0", "sensor": "10", "gpstime":"2019-06-26T19:47:11.000Z", "temperature": 29.71, "relhumidity": 7.94, "vappress": 5.879, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288320,48.008187] }, "properties": { "altitude": "260.3", "sensor": "10", "gpstime":"2019-06-26T19:47:38.000Z", "temperature": 30.11, "relhumidity": 7.06, "vappress": 5.859, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272580,48.008897] }, "properties": { "altitude": "266.2", "sensor": "10", "gpstime":"2019-06-26T19:48:02.000Z", "temperature": 30.26, "relhumidity": 6.27, "vappress": 5.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256020,48.008777] }, "properties": { "altitude": "269.3", "sensor": "10", "gpstime":"2019-06-26T19:48:31.000Z", "temperature": 30.27, "relhumidity": 6.93, "vappress": 5.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8250600,48.006743] }, "properties": { "altitude": "263.5", "sensor": "10", "gpstime":"2019-06-26T19:49:28.000Z", "temperature": 29.92, "relhumidity": 9.63, "vappress": 6.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270420,48.005165] }, "properties": { "altitude": "268.7", "sensor": "10", "gpstime":"2019-06-26T19:51:03.000Z", "temperature": 29.52, "relhumidity": 11.43, "vappress": 5.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286500,48.004537] }, "properties": { "altitude": "269.0", "sensor": "10", "gpstime":"2019-06-26T19:51:32.000Z", "temperature": 29.22, "relhumidity": 9.55, "vappress": 5.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8278850,48.002682] }, "properties": { "altitude": "265.7", "sensor": "10", "gpstime":"2019-06-26T19:53:21.000Z", "temperature": 28.76, "relhumidity": 18.62, "vappress": 5.711, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265150,48.001702] }, "properties": { "altitude": "263.8", "sensor": "10", "gpstime":"2019-06-26T19:53:47.000Z", "temperature": 27.29, "relhumidity": 19.24, "vappress": 5.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281820,48.001167] }, "properties": { "altitude": "262.3", "sensor": "10", "gpstime":"2019-06-26T19:54:35.000Z", "temperature": 27.60, "relhumidity": 18.56, "vappress": 6.287, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295980,48.000752] }, "properties": { "altitude": "261.0", "sensor": "10", "gpstime":"2019-06-26T19:54:56.000Z", "temperature": 27.59, "relhumidity": 19.56, "vappress": 6.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309170,48.000297] }, "properties": { "altitude": "260.8", "sensor": "10", "gpstime":"2019-06-26T19:55:15.000Z", "temperature": 27.65, "relhumidity": 18.66, "vappress": 6.161, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8325300,47.999762] }, "properties": { "altitude": "268.3", "sensor": "10", "gpstime":"2019-06-26T19:55:45.000Z", "temperature": 27.97, "relhumidity": 15.09, "vappress": 5.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342430,47.999105] }, "properties": { "altitude": "279.3", "sensor": "10", "gpstime":"2019-06-26T19:56:14.000Z", "temperature": 28.48, "relhumidity": 13.63, "vappress": 5.731, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356530,47.998390] }, "properties": { "altitude": "271.1", "sensor": "10", "gpstime":"2019-06-26T19:56:44.000Z", "temperature": 28.66, "relhumidity": 13.58, "vappress": 6.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348320,47.996797] }, "properties": { "altitude": "279.7", "sensor": "10", "gpstime":"2019-06-26T19:57:21.000Z", "temperature": 29.17, "relhumidity": 10.82, "vappress": 6.300, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8338450,47.995410] }, "properties": { "altitude": "268.8", "sensor": "10", "gpstime":"2019-06-26T19:57:51.000Z", "temperature": 29.51, "relhumidity": 9.92, "vappress": 5.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327550,47.994108] }, "properties": { "altitude": "264.5", "sensor": "10", "gpstime":"2019-06-26T19:58:13.000Z", "temperature": 29.52, "relhumidity": 9.77, "vappress": 5.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315600,47.993128] }, "properties": { "altitude": "259.5", "sensor": "10", "gpstime":"2019-06-26T19:58:43.000Z", "temperature": 29.47, "relhumidity": 9.69, "vappress": 5.660, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300720,47.993688] }, "properties": { "altitude": "263.3", "sensor": "10", "gpstime":"2019-06-26T19:59:04.000Z", "temperature": 29.49, "relhumidity": 9.85, "vappress": 5.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281430,47.994320] }, "properties": { "altitude": "272.5", "sensor": "10", "gpstime":"2019-06-26T19:59:27.000Z", "temperature": 29.53, "relhumidity": 10.14, "vappress": 6.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267400,47.994727] }, "properties": { "altitude": "281.2", "sensor": "10", "gpstime":"2019-06-26T19:59:44.000Z", "temperature": 29.39, "relhumidity": 10.29, "vappress": 5.739, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253870,47.995050] }, "properties": { "altitude": "281.8", "sensor": "10", "gpstime":"2019-06-26T20:00:50.000Z", "temperature": 29.25, "relhumidity": 12.17, "vappress": 6.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233100,47.994485] }, "properties": { "altitude": "275.2", "sensor": "10", "gpstime":"2019-06-26T20:01:17.000Z", "temperature": 29.24, "relhumidity": 11.46, "vappress": 5.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219220,47.994008] }, "properties": { "altitude": "266.8", "sensor": "10", "gpstime":"2019-06-26T20:01:33.000Z", "temperature": 29.24, "relhumidity": 11.14, "vappress": 6.006, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200620,47.993533] }, "properties": { "altitude": "257.9", "sensor": "10", "gpstime":"2019-06-26T20:01:57.000Z", "temperature": 29.31, "relhumidity": 10.57, "vappress": 5.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184550,47.993248] }, "properties": { "altitude": "256.4", "sensor": "10", "gpstime":"2019-06-26T20:02:19.000Z", "temperature": 29.31, "relhumidity": 10.40, "vappress": 5.726, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170850,47.992697] }, "properties": { "altitude": "259.9", "sensor": "10", "gpstime":"2019-06-26T20:02:43.000Z", "temperature": 29.28, "relhumidity": 10.61, "vappress": 5.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158230,47.991590] }, "properties": { "altitude": "259.5", "sensor": "10", "gpstime":"2019-06-26T20:03:16.000Z", "temperature": 29.29, "relhumidity": 10.34, "vappress": 5.719, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8145570,47.990363] }, "properties": { "altitude": "252.8", "sensor": "10", "gpstime":"2019-06-26T20:04:43.000Z", "temperature": 29.39, "relhumidity": 9.50, "vappress": 5.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134620,47.989112] }, "properties": { "altitude": "247.5", "sensor": "10", "gpstime":"2019-06-26T20:05:16.000Z", "temperature": 29.31, "relhumidity": 8.98, "vappress": 5.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8124770,47.987713] }, "properties": { "altitude": "242.0", "sensor": "10", "gpstime":"2019-06-26T20:05:48.000Z", "temperature": 29.12, "relhumidity": 9.11, "vappress": 4.749, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8114180,47.986198] }, "properties": { "altitude": "243.6", "sensor": "10", "gpstime":"2019-06-26T20:06:23.000Z", "temperature": 29.00, "relhumidity": 8.28, "vappress": 4.287, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8101780,47.984670] }, "properties": { "altitude": "255.9", "sensor": "10", "gpstime":"2019-06-26T20:07:25.000Z", "temperature": 28.89, "relhumidity": 8.54, "vappress": 4.254, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8089280,47.983257] }, "properties": { "altitude": "250.7", "sensor": "10", "gpstime":"2019-06-26T20:08:00.000Z", "temperature": 28.87, "relhumidity": 8.06, "vappress": 3.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085170,47.981315] }, "properties": { "altitude": "243.7", "sensor": "10", "gpstime":"2019-06-26T20:08:46.000Z", "temperature": 28.75, "relhumidity": 11.00, "vappress": 4.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069930,47.981368] }, "properties": { "altitude": "244.2", "sensor": "10", "gpstime":"2019-06-26T20:09:13.000Z", "temperature": 28.66, "relhumidity": 11.04, "vappress": 4.636, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052020,47.981117] }, "properties": { "altitude": "247.4", "sensor": "10", "gpstime":"2019-06-26T20:09:38.000Z", "temperature": 28.57, "relhumidity": 11.07, "vappress": 4.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8039350,47.980405] }, "properties": { "altitude": "247.2", "sensor": "10", "gpstime":"2019-06-26T20:10:06.000Z", "temperature": 28.47, "relhumidity": 11.96, "vappress": 4.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037470,47.978415] }, "properties": { "altitude": "244.3", "sensor": "10", "gpstime":"2019-06-26T20:10:55.000Z", "temperature": 28.29, "relhumidity": 13.32, "vappress": 4.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8034730,47.976353] }, "properties": { "altitude": "244.8", "sensor": "10", "gpstime":"2019-06-26T20:11:55.000Z", "temperature": 27.82, "relhumidity": 15.37, "vappress": 4.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021750,47.975545] }, "properties": { "altitude": "250.3", "sensor": "10", "gpstime":"2019-06-26T20:12:26.000Z", "temperature": 27.17, "relhumidity": 15.71, "vappress": 3.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037650,47.975427] }, "properties": { "altitude": "254.7", "sensor": "10", "gpstime":"2019-06-26T20:13:14.000Z", "temperature": 26.49, "relhumidity": 19.43, "vappress": 3.581, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8031530,47.973545] }, "properties": { "altitude": "261.3", "sensor": "10", "gpstime":"2019-06-26T20:16:26.000Z", "temperature": 26.01, "relhumidity": 21.13, "vappress": 3.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8045130,47.974018] }, "properties": { "altitude": "277.1", "sensor": "10", "gpstime":"2019-06-26T20:17:38.000Z", "temperature": 25.87, "relhumidity": 20.80, "vappress": 3.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8057300,47.974960] }, "properties": { "altitude": "277.3", "sensor": "10", "gpstime":"2019-06-26T20:18:12.000Z", "temperature": 25.81, "relhumidity": 20.92, "vappress": 3.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8070980,47.975237] }, "properties": { "altitude": "284.4", "sensor": "10", "gpstime":"2019-06-26T20:18:53.000Z", "temperature": 25.48, "relhumidity": 22.59, "vappress": 2.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083800,47.975912] }, "properties": { "altitude": "276.7", "sensor": "10", "gpstime":"2019-06-26T20:19:20.000Z", "temperature": 25.17, "relhumidity": 22.78, "vappress": 2.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8105250,47.976358] }, "properties": { "altitude": "262.7", "sensor": "10", "gpstime":"2019-06-26T20:19:44.000Z", "temperature": 25.52, "relhumidity": 22.32, "vappress": 3.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8119730,47.976308] }, "properties": { "altitude": "257.5", "sensor": "10", "gpstime":"2019-06-26T20:20:06.000Z", "temperature": 26.32, "relhumidity": 21.29, "vappress": 4.446, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8134270,47.975970] }, "properties": { "altitude": "260.7", "sensor": "10", "gpstime":"2019-06-26T20:20:52.000Z", "temperature": 26.68, "relhumidity": 18.27, "vappress": 4.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8147870,47.975830] }, "properties": { "altitude": "265.0", "sensor": "10", "gpstime":"2019-06-26T20:21:08.000Z", "temperature": 27.10, "relhumidity": 17.29, "vappress": 4.182, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8159530,47.974763] }, "properties": { "altitude": "273.9", "sensor": "10", "gpstime":"2019-06-26T20:21:50.000Z", "temperature": 27.17, "relhumidity": 16.63, "vappress": 4.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170100,47.973198] }, "properties": { "altitude": "275.6", "sensor": "10", "gpstime":"2019-06-26T20:23:10.000Z", "temperature": 26.89, "relhumidity": 19.61, "vappress": 3.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181680,47.972095] }, "properties": { "altitude": "278.0", "sensor": "10", "gpstime":"2019-06-26T20:24:14.000Z", "temperature": 25.78, "relhumidity": 21.39, "vappress": 2.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194170,47.971332] }, "properties": { "altitude": "288.6", "sensor": "10", "gpstime":"2019-06-26T20:25:09.000Z", "temperature": 25.47, "relhumidity": 20.78, "vappress": 2.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206800,47.970595] }, "properties": { "altitude": "296.3", "sensor": "10", "gpstime":"2019-06-26T20:26:00.000Z", "temperature": 25.51, "relhumidity": 20.97, "vappress": 2.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226000,47.970243] }, "properties": { "altitude": "285.0", "sensor": "10", "gpstime":"2019-06-26T20:26:33.000Z", "temperature": 25.45, "relhumidity": 21.15, "vappress": 2.440, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8249620,47.969040] }, "properties": { "altitude": "262.8", "sensor": "10", "gpstime":"2019-06-26T20:27:11.000Z", "temperature": 25.52, "relhumidity": 21.40, "vappress": 2.897, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264200,47.969087] }, "properties": { "altitude": "264.3", "sensor": "10", "gpstime":"2019-06-26T20:27:27.000Z", "temperature": 25.84, "relhumidity": 20.59, "vappress": 3.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279330,47.969355] }, "properties": { "altitude": "271.5", "sensor": "10", "gpstime":"2019-06-26T20:28:50.000Z", "temperature": 26.21, "relhumidity": 16.73, "vappress": 2.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282930,47.971503] }, "properties": { "altitude": "277.1", "sensor": "10", "gpstime":"2019-06-26T20:29:46.000Z", "temperature": 27.01, "relhumidity": 13.25, "vappress": 3.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298530,47.972467] }, "properties": { "altitude": "283.4", "sensor": "10", "gpstime":"2019-06-26T20:30:23.000Z", "temperature": 27.56, "relhumidity": 13.48, "vappress": 3.885, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8306030,47.974232] }, "properties": { "altitude": "253.5", "sensor": "10", "gpstime":"2019-06-26T20:31:02.000Z", "temperature": 27.72, "relhumidity": 13.28, "vappress": 3.507, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317030,47.975523] }, "properties": { "altitude": "253.1", "sensor": "10", "gpstime":"2019-06-26T20:31:34.000Z", "temperature": 27.22, "relhumidity": 17.17, "vappress": 3.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327320,47.976852] }, "properties": { "altitude": "263.4", "sensor": "10", "gpstime":"2019-06-26T20:32:28.000Z", "temperature": 26.89, "relhumidity": 13.89, "vappress": 2.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335920,47.978520] }, "properties": { "altitude": "277.6", "sensor": "10", "gpstime":"2019-06-26T20:33:23.000Z", "temperature": 27.19, "relhumidity": 12.87, "vappress": 2.717, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346430,47.980497] }, "properties": { "altitude": "273.4", "sensor": "10", "gpstime":"2019-06-26T20:34:25.000Z", "temperature": 27.41, "relhumidity": 12.54, "vappress": 3.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358130,47.981632] }, "properties": { "altitude": "272.7", "sensor": "10", "gpstime":"2019-06-26T20:35:24.000Z", "temperature": 27.32, "relhumidity": 14.29, "vappress": 3.120, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370200,47.982715] }, "properties": { "altitude": "278.3", "sensor": "10", "gpstime":"2019-06-26T20:35:48.000Z", "temperature": 26.97, "relhumidity": 14.73, "vappress": 2.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384470,47.983825] }, "properties": { "altitude": "277.5", "sensor": "10", "gpstime":"2019-06-26T20:36:13.000Z", "temperature": 27.02, "relhumidity": 14.71, "vappress": 2.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401900,47.984747] }, "properties": { "altitude": "269.9", "sensor": "10", "gpstime":"2019-06-26T20:36:37.000Z", "temperature": 27.19, "relhumidity": 14.41, "vappress": 3.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417580,47.984815] }, "properties": { "altitude": "271.0", "sensor": "10", "gpstime":"2019-06-26T20:36:56.000Z", "temperature": 27.31, "relhumidity": 13.25, "vappress": 3.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433150,47.984738] }, "properties": { "altitude": "274.6", "sensor": "10", "gpstime":"2019-06-26T20:37:16.000Z", "temperature": 27.38, "relhumidity": 13.46, "vappress": 3.105, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441820,47.986558] }, "properties": { "altitude": "275.4", "sensor": "10", "gpstime":"2019-06-26T20:38:06.000Z", "temperature": 27.41, "relhumidity": 14.39, "vappress": 3.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453880,47.987655] }, "properties": { "altitude": "299.5", "sensor": "10", "gpstime":"2019-06-26T20:38:42.000Z", "temperature": 27.89, "relhumidity": 15.39, "vappress": 5.484, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469730,47.988332] }, "properties": { "altitude": "295.8", "sensor": "10", "gpstime":"2019-06-26T20:39:06.000Z", "temperature": 28.48, "relhumidity": 14.02, "vappress": 5.397, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482380,47.989610] }, "properties": { "altitude": "299.6", "sensor": "10", "gpstime":"2019-06-26T20:39:59.000Z", "temperature": 28.77, "relhumidity": 12.74, "vappress": 5.487, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467470,47.989917] }, "properties": { "altitude": "297.0", "sensor": "10", "gpstime":"2019-06-26T20:40:39.000Z", "temperature": 28.68, "relhumidity": 13.69, "vappress": 5.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449430,47.990205] }, "properties": { "altitude": "293.6", "sensor": "10", "gpstime":"2019-06-26T20:41:04.000Z", "temperature": 28.37, "relhumidity": 13.63, "vappress": 4.782, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451850,47.992137] }, "properties": { "altitude": "276.7", "sensor": "10", "gpstime":"2019-06-26T20:42:54.000Z", "temperature": 28.56, "relhumidity": 13.55, "vappress": 5.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450970,47.993538] }, "properties": { "altitude": "267.1", "sensor": "11", "gpstime":"2019-06-26T19:26:21.000Z", "temperature": 29.55, "relhumidity": 4.18, "vappress": 3.638, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458900,47.995403] }, "properties": { "altitude": "274.9", "sensor": "11", "gpstime":"2019-06-26T19:27:09.000Z", "temperature": 29.75, "relhumidity": 2.64, "vappress": 3.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443250,47.995835] }, "properties": { "altitude": "275.4", "sensor": "11", "gpstime":"2019-06-26T19:27:33.000Z", "temperature": 30.14, "relhumidity": 1.70, "vappress": 3.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429000,47.996075] }, "properties": { "altitude": "275.7", "sensor": "11", "gpstime":"2019-06-26T19:27:49.000Z", "temperature": 30.35, "relhumidity": 0.90, "vappress": 3.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443420,47.997287] }, "properties": { "altitude": "273.0", "sensor": "11", "gpstime":"2019-06-26T19:28:24.000Z", "temperature": 30.49, "relhumidity": -0.56, "vappress": 3.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456600,47.998778] }, "properties": { "altitude": "273.7", "sensor": "11", "gpstime":"2019-06-26T19:29:12.000Z", "temperature": 30.62, "relhumidity": -0.87, "vappress": 2.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470020,47.999718] }, "properties": { "altitude": "282.7", "sensor": "11", "gpstime":"2019-06-26T19:29:48.000Z", "temperature": 30.61, "relhumidity": -0.12, "vappress": 3.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476870,48.001463] }, "properties": { "altitude": "269.4", "sensor": "11", "gpstime":"2019-06-26T19:30:15.000Z", "temperature": 30.47, "relhumidity": 1.41, "vappress": 3.533, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486270,48.003170] }, "properties": { "altitude": "268.1", "sensor": "11", "gpstime":"2019-06-26T19:30:48.000Z", "temperature": 29.81, "relhumidity": 2.71, "vappress": 3.273, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501650,48.002873] }, "properties": { "altitude": "274.9", "sensor": "11", "gpstime":"2019-06-26T19:31:06.000Z", "temperature": 29.81, "relhumidity": 0.59, "vappress": 2.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516230,48.002635] }, "properties": { "altitude": "277.1", "sensor": "11", "gpstime":"2019-06-26T19:31:25.000Z", "temperature": 29.87, "relhumidity": 0.75, "vappress": 2.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511000,48.000747] }, "properties": { "altitude": "276.4", "sensor": "11", "gpstime":"2019-06-26T19:31:58.000Z", "temperature": 29.80, "relhumidity": 1.60, "vappress": 2.998, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8503850,47.998922] }, "properties": { "altitude": "283.0", "sensor": "11", "gpstime":"2019-06-26T19:32:39.000Z", "temperature": 29.93, "relhumidity": 1.85, "vappress": 3.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519630,47.998127] }, "properties": { "altitude": "287.7", "sensor": "11", "gpstime":"2019-06-26T19:34:18.000Z", "temperature": 30.45, "relhumidity": -2.22, "vappress": 2.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536930,47.997958] }, "properties": { "altitude": "289.2", "sensor": "11", "gpstime":"2019-06-26T19:34:38.000Z", "temperature": 30.95, "relhumidity": -2.75, "vappress": 2.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551170,47.997540] }, "properties": { "altitude": "288.0", "sensor": "11", "gpstime":"2019-06-26T19:34:57.000Z", "temperature": 30.71, "relhumidity": -1.21, "vappress": 2.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565580,47.998288] }, "properties": { "altitude": "276.7", "sensor": "11", "gpstime":"2019-06-26T19:35:32.000Z", "temperature": 30.11, "relhumidity": 4.47, "vappress": 3.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578600,47.999080] }, "properties": { "altitude": "273.4", "sensor": "11", "gpstime":"2019-06-26T19:35:51.000Z", "temperature": 29.16, "relhumidity": 6.04, "vappress": 3.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587450,48.000600] }, "properties": { "altitude": "269.2", "sensor": "11", "gpstime":"2019-06-26T19:36:13.000Z", "temperature": 28.65, "relhumidity": 9.33, "vappress": 3.895, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596680,48.002415] }, "properties": { "altitude": "260.3", "sensor": "11", "gpstime":"2019-06-26T19:36:37.000Z", "temperature": 28.10, "relhumidity": 9.02, "vappress": 3.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612200,48.003052] }, "properties": { "altitude": "259.0", "sensor": "11", "gpstime":"2019-06-26T19:36:54.000Z", "temperature": 28.14, "relhumidity": 7.53, "vappress": 2.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629500,48.003215] }, "properties": { "altitude": "258.0", "sensor": "11", "gpstime":"2019-06-26T19:37:18.000Z", "temperature": 28.08, "relhumidity": 7.46, "vappress": 2.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8643620,48.003718] }, "properties": { "altitude": "269.7", "sensor": "11", "gpstime":"2019-06-26T19:37:51.000Z", "temperature": 27.70, "relhumidity": 11.00, "vappress": 2.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8661200,48.003455] }, "properties": { "altitude": "278.3", "sensor": "11", "gpstime":"2019-06-26T19:38:23.000Z", "temperature": 27.11, "relhumidity": 13.95, "vappress": 3.137, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675750,48.002878] }, "properties": { "altitude": "291.2", "sensor": "11", "gpstime":"2019-06-26T19:38:52.000Z", "temperature": 26.67, "relhumidity": 14.49, "vappress": 2.827, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8690650,48.002422] }, "properties": { "altitude": "297.1", "sensor": "11", "gpstime":"2019-06-26T19:39:23.000Z", "temperature": 26.32, "relhumidity": 16.24, "vappress": 2.973, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8703080,48.001477] }, "properties": { "altitude": "305.4", "sensor": "11", "gpstime":"2019-06-26T19:40:02.000Z", "temperature": 25.95, "relhumidity": 17.75, "vappress": 2.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683220,48.002088] }, "properties": { "altitude": "298.7", "sensor": "11", "gpstime":"2019-06-26T19:40:41.000Z", "temperature": 25.29, "relhumidity": 17.97, "vappress": 1.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662330,48.002335] }, "properties": { "altitude": "285.3", "sensor": "11", "gpstime":"2019-06-26T19:41:02.000Z", "temperature": 25.33, "relhumidity": 17.78, "vappress": 2.054, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645100,48.001893] }, "properties": { "altitude": "278.3", "sensor": "11", "gpstime":"2019-06-26T19:41:19.000Z", "temperature": 25.81, "relhumidity": 16.40, "vappress": 2.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629530,48.000387] }, "properties": { "altitude": "302.0", "sensor": "11", "gpstime":"2019-06-26T19:41:46.000Z", "temperature": 27.11, "relhumidity": 12.51, "vappress": 3.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8616220,47.999498] }, "properties": { "altitude": "297.9", "sensor": "11", "gpstime":"2019-06-26T19:42:02.000Z", "temperature": 27.79, "relhumidity": 10.86, "vappress": 3.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602730,47.998677] }, "properties": { "altitude": "289.5", "sensor": "11", "gpstime":"2019-06-26T19:42:16.000Z", "temperature": 27.75, "relhumidity": 10.80, "vappress": 3.253, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588780,47.998155] }, "properties": { "altitude": "287.2", "sensor": "11", "gpstime":"2019-06-26T19:42:57.000Z", "temperature": 27.97, "relhumidity": 10.92, "vappress": 3.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578200,47.996607] }, "properties": { "altitude": "287.3", "sensor": "11", "gpstime":"2019-06-26T19:43:44.000Z", "temperature": 28.37, "relhumidity": 8.25, "vappress": 3.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8558320,47.996222] }, "properties": { "altitude": "284.1", "sensor": "11", "gpstime":"2019-06-26T19:44:17.000Z", "temperature": 28.61, "relhumidity": 7.67, "vappress": 3.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543250,47.996800] }, "properties": { "altitude": "283.0", "sensor": "11", "gpstime":"2019-06-26T19:44:36.000Z", "temperature": 29.00, "relhumidity": 5.84, "vappress": 3.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8538520,47.994602] }, "properties": { "altitude": "310.1", "sensor": "11", "gpstime":"2019-06-26T19:45:23.000Z", "temperature": 29.89, "relhumidity": 3.68, "vappress": 4.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537600,47.992587] }, "properties": { "altitude": "316.4", "sensor": "11", "gpstime":"2019-06-26T19:46:09.000Z", "temperature": 29.88, "relhumidity": 3.89, "vappress": 3.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523120,47.992043] }, "properties": { "altitude": "293.7", "sensor": "11", "gpstime":"2019-06-26T19:46:33.000Z", "temperature": 29.70, "relhumidity": 3.55, "vappress": 3.544, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8518400,47.990072] }, "properties": { "altitude": "289.4", "sensor": "11", "gpstime":"2019-06-26T19:47:11.000Z", "temperature": 29.34, "relhumidity": 4.46, "vappress": 3.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8535050,47.990290] }, "properties": { "altitude": "288.6", "sensor": "11", "gpstime":"2019-06-26T19:47:57.000Z", "temperature": 29.32, "relhumidity": 4.34, "vappress": 3.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543770,47.988120] }, "properties": { "altitude": "311.5", "sensor": "11", "gpstime":"2019-06-26T19:48:46.000Z", "temperature": 29.40, "relhumidity": 5.59, "vappress": 3.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531480,47.986637] }, "properties": { "altitude": "321.4", "sensor": "11", "gpstime":"2019-06-26T19:49:18.000Z", "temperature": 29.00, "relhumidity": 5.52, "vappress": 3.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517370,47.986762] }, "properties": { "altitude": "315.9", "sensor": "11", "gpstime":"2019-06-26T19:49:32.000Z", "temperature": 28.92, "relhumidity": 6.40, "vappress": 3.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501050,47.987032] }, "properties": { "altitude": "308.7", "sensor": "11", "gpstime":"2019-06-26T19:49:47.000Z", "temperature": 28.77, "relhumidity": 7.33, "vappress": 3.498, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486230,47.987097] }, "properties": { "altitude": "296.4", "sensor": "11", "gpstime":"2019-06-26T19:50:01.000Z", "temperature": 28.77, "relhumidity": 7.21, "vappress": 3.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475150,47.985523] }, "properties": { "altitude": "286.9", "sensor": "11", "gpstime":"2019-06-26T19:50:40.000Z", "temperature": 28.73, "relhumidity": 9.44, "vappress": 4.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488950,47.984760] }, "properties": { "altitude": "278.6", "sensor": "11", "gpstime":"2019-06-26T19:51:20.000Z", "temperature": 28.21, "relhumidity": 12.50, "vappress": 4.170, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504780,47.984962] }, "properties": { "altitude": "279.6", "sensor": "11", "gpstime":"2019-06-26T19:51:38.000Z", "temperature": 27.69, "relhumidity": 11.25, "vappress": 3.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519530,47.985067] }, "properties": { "altitude": "280.1", "sensor": "11", "gpstime":"2019-06-26T19:51:54.000Z", "temperature": 27.43, "relhumidity": 10.51, "vappress": 2.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8538120,47.984960] }, "properties": { "altitude": "278.8", "sensor": "11", "gpstime":"2019-06-26T19:52:14.000Z", "temperature": 27.36, "relhumidity": 10.18, "vappress": 2.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552380,47.984970] }, "properties": { "altitude": "277.0", "sensor": "11", "gpstime":"2019-06-26T19:52:29.000Z", "temperature": 27.30, "relhumidity": 11.22, "vappress": 2.659, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8567680,47.984915] }, "properties": { "altitude": "274.1", "sensor": "11", "gpstime":"2019-06-26T19:52:44.000Z", "temperature": 27.30, "relhumidity": 11.54, "vappress": 2.779, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583570,47.985785] }, "properties": { "altitude": "271.2", "sensor": "11", "gpstime":"2019-06-26T19:53:18.000Z", "temperature": 27.23, "relhumidity": 9.99, "vappress": 2.231, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8601950,47.986077] }, "properties": { "altitude": "275.1", "sensor": "11", "gpstime":"2019-06-26T19:53:43.000Z", "temperature": 27.32, "relhumidity": 9.26, "vappress": 1.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8617920,47.985935] }, "properties": { "altitude": "275.4", "sensor": "11", "gpstime":"2019-06-26T19:54:02.000Z", "temperature": 27.16, "relhumidity": 9.94, "vappress": 1.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628180,47.987608] }, "properties": { "altitude": "271.1", "sensor": "11", "gpstime":"2019-06-26T19:54:39.000Z", "temperature": 26.99, "relhumidity": 12.88, "vappress": 3.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645020,47.988020] }, "properties": { "altitude": "285.2", "sensor": "11", "gpstime":"2019-06-26T19:55:13.000Z", "temperature": 27.79, "relhumidity": 10.57, "vappress": 3.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8664100,47.987575] }, "properties": { "altitude": "287.1", "sensor": "11", "gpstime":"2019-06-26T19:55:37.000Z", "temperature": 28.27, "relhumidity": 9.19, "vappress": 3.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8680220,47.987167] }, "properties": { "altitude": "290.7", "sensor": "11", "gpstime":"2019-06-26T19:55:56.000Z", "temperature": 28.17, "relhumidity": 7.71, "vappress": 2.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695530,47.986783] }, "properties": { "altitude": "293.9", "sensor": "11", "gpstime":"2019-06-26T19:56:14.000Z", "temperature": 27.91, "relhumidity": 7.77, "vappress": 2.141, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712170,47.986337] }, "properties": { "altitude": "304.1", "sensor": "11", "gpstime":"2019-06-26T19:56:34.000Z", "temperature": 27.59, "relhumidity": 8.84, "vappress": 2.041, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726950,47.986055] }, "properties": { "altitude": "298.3", "sensor": "11", "gpstime":"2019-06-26T19:56:52.000Z", "temperature": 27.25, "relhumidity": 10.14, "vappress": 2.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739470,47.984710] }, "properties": { "altitude": "297.0", "sensor": "11", "gpstime":"2019-06-26T19:57:25.000Z", "temperature": 26.59, "relhumidity": 13.12, "vappress": 1.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8753050,47.983300] }, "properties": { "altitude": "295.3", "sensor": "11", "gpstime":"2019-06-26T19:57:57.000Z", "temperature": 26.05, "relhumidity": 13.33, "vappress": 1.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8741100,47.984668] }, "properties": { "altitude": "290.4", "sensor": "11", "gpstime":"2019-06-26T19:59:38.000Z", "temperature": 25.46, "relhumidity": 15.11, "vappress": 1.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8727630,47.985327] }, "properties": { "altitude": "290.3", "sensor": "11", "gpstime":"2019-06-26T19:59:54.000Z", "temperature": 25.55, "relhumidity": 15.11, "vappress": 1.159, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709180,47.985330] }, "properties": { "altitude": "282.4", "sensor": "11", "gpstime":"2019-06-26T20:00:09.000Z", "temperature": 25.42, "relhumidity": 14.92, "vappress": 0.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8693720,47.985220] }, "properties": { "altitude": "277.3", "sensor": "11", "gpstime":"2019-06-26T20:00:23.000Z", "temperature": 25.37, "relhumidity": 14.98, "vappress": 0.817, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675050,47.984422] }, "properties": { "altitude": "264.9", "sensor": "11", "gpstime":"2019-06-26T20:00:42.000Z", "temperature": 25.37, "relhumidity": 15.68, "vappress": 1.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8657380,47.983373] }, "properties": { "altitude": "261.2", "sensor": "11", "gpstime":"2019-06-26T20:01:12.000Z", "temperature": 25.55, "relhumidity": 15.10, "vappress": 1.396, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639820,47.983137] }, "properties": { "altitude": "262.7", "sensor": "11", "gpstime":"2019-06-26T20:01:31.000Z", "temperature": 25.62, "relhumidity": 14.69, "vappress": 1.096, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624150,47.985055] }, "properties": { "altitude": "277.1", "sensor": "11", "gpstime":"2019-06-26T20:02:01.000Z", "temperature": 25.39, "relhumidity": 14.96, "vappress": 0.556, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8608580,47.985408] }, "properties": { "altitude": "276.4", "sensor": "11", "gpstime":"2019-06-26T20:02:24.000Z", "temperature": 25.15, "relhumidity": 16.46, "vappress": 0.716, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596170,47.984593] }, "properties": { "altitude": "272.4", "sensor": "11", "gpstime":"2019-06-26T20:02:49.000Z", "temperature": 24.96, "relhumidity": 15.74, "vappress": 0.646, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580420,47.984202] }, "properties": { "altitude": "269.5", "sensor": "11", "gpstime":"2019-06-26T20:03:06.000Z", "temperature": 25.33, "relhumidity": 15.74, "vappress": 1.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563030,47.983667] }, "properties": { "altitude": "270.7", "sensor": "11", "gpstime":"2019-06-26T20:03:28.000Z", "temperature": 25.72, "relhumidity": 14.52, "vappress": 1.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548400,47.983157] }, "properties": { "altitude": "273.0", "sensor": "11", "gpstime":"2019-06-26T20:03:44.000Z", "temperature": 25.83, "relhumidity": 13.81, "vappress": 1.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527730,47.982430] }, "properties": { "altitude": "277.0", "sensor": "11", "gpstime":"2019-06-26T20:04:06.000Z", "temperature": 26.11, "relhumidity": 13.77, "vappress": 1.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511180,47.982687] }, "properties": { "altitude": "277.2", "sensor": "11", "gpstime":"2019-06-26T20:04:22.000Z", "temperature": 26.14, "relhumidity": 13.96, "vappress": 1.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496280,47.983112] }, "properties": { "altitude": "272.9", "sensor": "11", "gpstime":"2019-06-26T20:04:44.000Z", "temperature": 26.06, "relhumidity": 14.20, "vappress": 1.648, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8479980,47.983473] }, "properties": { "altitude": "276.0", "sensor": "11", "gpstime":"2019-06-26T20:05:02.000Z", "temperature": 26.42, "relhumidity": 14.41, "vappress": 2.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464270,47.983458] }, "properties": { "altitude": "277.9", "sensor": "11", "gpstime":"2019-06-26T20:05:22.000Z", "temperature": 26.55, "relhumidity": 13.78, "vappress": 2.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447380,47.983443] }, "properties": { "altitude": "283.9", "sensor": "11", "gpstime":"2019-06-26T20:05:39.000Z", "temperature": 26.72, "relhumidity": 13.18, "vappress": 2.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434820,47.982377] }, "properties": { "altitude": "287.9", "sensor": "11", "gpstime":"2019-06-26T20:06:08.000Z", "temperature": 26.91, "relhumidity": 12.27, "vappress": 2.257, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420530,47.981622] }, "properties": { "altitude": "286.7", "sensor": "11", "gpstime":"2019-06-26T20:06:37.000Z", "temperature": 27.00, "relhumidity": 11.85, "vappress": 2.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416480,47.979443] }, "properties": { "altitude": "288.4", "sensor": "11", "gpstime":"2019-06-26T20:07:18.000Z", "temperature": 26.83, "relhumidity": 11.66, "vappress": 1.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402870,47.979928] }, "properties": { "altitude": "286.0", "sensor": "11", "gpstime":"2019-06-26T20:08:23.000Z", "temperature": 26.67, "relhumidity": 11.91, "vappress": 1.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401400,47.977843] }, "properties": { "altitude": "319.8", "sensor": "11", "gpstime":"2019-06-26T20:10:02.000Z", "temperature": 26.78, "relhumidity": 9.76, "vappress": 1.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413020,47.976375] }, "properties": { "altitude": "325.7", "sensor": "11", "gpstime":"2019-06-26T20:10:45.000Z", "temperature": 26.63, "relhumidity": 11.36, "vappress": 1.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416580,47.974140] }, "properties": { "altitude": "337.3", "sensor": "11", "gpstime":"2019-06-26T20:11:43.000Z", "temperature": 26.44, "relhumidity": 10.37, "vappress": 0.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8401800,47.972978] }, "properties": { "altitude": "335.4", "sensor": "11", "gpstime":"2019-06-26T20:12:24.000Z", "temperature": 26.81, "relhumidity": 7.85, "vappress": 0.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388670,47.972160] }, "properties": { "altitude": "343.2", "sensor": "11", "gpstime":"2019-06-26T20:12:51.000Z", "temperature": 27.23, "relhumidity": 5.70, "vappress": 0.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375070,47.971355] }, "properties": { "altitude": "345.8", "sensor": "11", "gpstime":"2019-06-26T20:13:26.000Z", "temperature": 26.72, "relhumidity": 12.43, "vappress": 1.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363320,47.970272] }, "properties": { "altitude": "331.4", "sensor": "11", "gpstime":"2019-06-26T20:14:12.000Z", "temperature": 25.77, "relhumidity": 13.18, "vappress": 0.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348930,47.969380] }, "properties": { "altitude": "317.4", "sensor": "11", "gpstime":"2019-06-26T20:14:52.000Z", "temperature": 25.83, "relhumidity": 12.46, "vappress": 0.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335650,47.968792] }, "properties": { "altitude": "312.5", "sensor": "11", "gpstime":"2019-06-26T20:15:28.000Z", "temperature": 26.18, "relhumidity": 11.58, "vappress": 1.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322670,47.968280] }, "properties": { "altitude": "305.0", "sensor": "11", "gpstime":"2019-06-26T20:15:44.000Z", "temperature": 26.91, "relhumidity": 11.78, "vappress": 2.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8336750,47.969753] }, "properties": { "altitude": "303.1", "sensor": "11", "gpstime":"2019-06-26T20:16:22.000Z", "temperature": 27.00, "relhumidity": 11.12, "vappress": 1.625, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8353550,47.970937] }, "properties": { "altitude": "302.4", "sensor": "11", "gpstime":"2019-06-26T20:16:49.000Z", "temperature": 26.77, "relhumidity": 11.42, "vappress": 1.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366030,47.971777] }, "properties": { "altitude": "320.3", "sensor": "11", "gpstime":"2019-06-26T20:19:37.000Z", "temperature": 26.61, "relhumidity": 11.61, "vappress": 0.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377650,47.973170] }, "properties": { "altitude": "341.6", "sensor": "11", "gpstime":"2019-06-26T20:21:44.000Z", "temperature": 26.16, "relhumidity": 10.05, "vappress": 0.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378630,47.975305] }, "properties": { "altitude": "342.3", "sensor": "11", "gpstime":"2019-06-26T20:22:22.000Z", "temperature": 26.85, "relhumidity": 6.74, "vappress": 0.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383950,47.977362] }, "properties": { "altitude": "338.3", "sensor": "11", "gpstime":"2019-06-26T20:22:52.000Z", "temperature": 27.52, "relhumidity": 6.01, "vappress": 0.978, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371330,47.978612] }, "properties": { "altitude": "331.7", "sensor": "11", "gpstime":"2019-06-26T20:23:30.000Z", "temperature": 27.63, "relhumidity": 6.44, "vappress": 1.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379900,47.980783] }, "properties": { "altitude": "329.4", "sensor": "11", "gpstime":"2019-06-26T20:24:11.000Z", "temperature": 27.58, "relhumidity": 6.31, "vappress": 0.678, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390300,47.982190] }, "properties": { "altitude": "320.4", "sensor": "11", "gpstime":"2019-06-26T20:24:46.000Z", "temperature": 27.27, "relhumidity": 7.59, "vappress": 0.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399920,47.983802] }, "properties": { "altitude": "295.3", "sensor": "11", "gpstime":"2019-06-26T20:25:40.000Z", "temperature": 27.22, "relhumidity": 7.86, "vappress": 1.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413420,47.984867] }, "properties": { "altitude": "277.5", "sensor": "11", "gpstime":"2019-06-26T20:26:26.000Z", "temperature": 27.31, "relhumidity": 7.94, "vappress": 1.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399080,47.985927] }, "properties": { "altitude": "275.5", "sensor": "11", "gpstime":"2019-06-26T20:26:54.000Z", "temperature": 27.49, "relhumidity": 7.76, "vappress": 1.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8409030,47.987270] }, "properties": { "altitude": "279.1", "sensor": "11", "gpstime":"2019-06-26T20:27:37.000Z", "temperature": 27.87, "relhumidity": 7.45, "vappress": 1.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434080,47.987638] }, "properties": { "altitude": "282.3", "sensor": "11", "gpstime":"2019-06-26T20:28:04.000Z", "temperature": 28.01, "relhumidity": 7.62, "vappress": 2.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449400,47.987822] }, "properties": { "altitude": "285.6", "sensor": "11", "gpstime":"2019-06-26T20:28:19.000Z", "temperature": 28.36, "relhumidity": 8.20, "vappress": 3.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8466880,47.988152] }, "properties": { "altitude": "292.1", "sensor": "11", "gpstime":"2019-06-26T20:28:39.000Z", "temperature": 28.72, "relhumidity": 7.31, "vappress": 3.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480520,47.988780] }, "properties": { "altitude": "288.5", "sensor": "11", "gpstime":"2019-06-26T20:29:08.000Z", "temperature": 29.15, "relhumidity": 6.52, "vappress": 3.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475080,47.990672] }, "properties": { "altitude": "281.3", "sensor": "11", "gpstime":"2019-06-26T20:29:58.000Z", "temperature": 29.22, "relhumidity": 6.30, "vappress": 3.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459500,47.990782] }, "properties": { "altitude": "281.7", "sensor": "11", "gpstime":"2019-06-26T20:30:11.000Z", "temperature": 29.40, "relhumidity": 5.79, "vappress": 3.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454170,47.992870] }, "properties": { "altitude": "279.1", "sensor": "11", "gpstime":"2019-06-26T20:30:48.000Z", "temperature": 29.52, "relhumidity": 5.29, "vappress": 3.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453280,47.992977] }, "properties": { "altitude": "281.9", "sensor": "11", "gpstime":"2019-06-26T20:30:55.000Z", "temperature": 29.50, "relhumidity": 5.72, "vappress": 3.955, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449970,47.993663] }, "properties": { "altitude": "275.8", "sensor": "12", "gpstime":"2019-06-26T19:26:21.000Z", "temperature": 28.91, "relhumidity": 14.51, "vappress": 6.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434070,47.993862] }, "properties": { "altitude": "272.7", "sensor": "12", "gpstime":"2019-06-26T19:26:45.000Z", "temperature": 29.08, "relhumidity": 13.70, "vappress": 7.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419900,47.994070] }, "properties": { "altitude": "275.8", "sensor": "12", "gpstime":"2019-06-26T19:27:04.000Z", "temperature": 29.22, "relhumidity": 13.75, "vappress": 7.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8407630,47.995278] }, "properties": { "altitude": "277.6", "sensor": "12", "gpstime":"2019-06-26T19:27:36.000Z", "temperature": 29.29, "relhumidity": 13.91, "vappress": 7.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394250,47.993853] }, "properties": { "altitude": "276.8", "sensor": "12", "gpstime":"2019-06-26T19:29:19.000Z", "temperature": 29.39, "relhumidity": 13.52, "vappress": 7.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383400,47.992422] }, "properties": { "altitude": "276.1", "sensor": "12", "gpstime":"2019-06-26T19:30:12.000Z", "temperature": 29.17, "relhumidity": 14.37, "vappress": 7.223, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375650,47.990527] }, "properties": { "altitude": "273.6", "sensor": "12", "gpstime":"2019-06-26T19:30:48.000Z", "temperature": 29.14, "relhumidity": 14.73, "vappress": 7.573, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366880,47.988900] }, "properties": { "altitude": "274.0", "sensor": "12", "gpstime":"2019-06-26T19:31:17.000Z", "temperature": 29.02, "relhumidity": 16.18, "vappress": 7.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357550,47.987217] }, "properties": { "altitude": "274.6", "sensor": "12", "gpstime":"2019-06-26T19:31:51.000Z", "temperature": 28.75, "relhumidity": 15.60, "vappress": 6.848, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363100,47.985218] }, "properties": { "altitude": "273.2", "sensor": "12", "gpstime":"2019-06-26T19:32:32.000Z", "temperature": 28.63, "relhumidity": 15.35, "vappress": 6.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355700,47.983247] }, "properties": { "altitude": "274.7", "sensor": "12", "gpstime":"2019-06-26T19:34:06.000Z", "temperature": 28.45, "relhumidity": 16.08, "vappress": 6.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341250,47.982178] }, "properties": { "altitude": "273.2", "sensor": "12", "gpstime":"2019-06-26T19:34:30.000Z", "temperature": 28.06, "relhumidity": 17.38, "vappress": 6.540, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8328580,47.981142] }, "properties": { "altitude": "270.4", "sensor": "12", "gpstime":"2019-06-26T19:34:52.000Z", "temperature": 28.06, "relhumidity": 16.72, "vappress": 6.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316950,47.979578] }, "properties": { "altitude": "270.3", "sensor": "12", "gpstime":"2019-06-26T19:35:22.000Z", "temperature": 27.97, "relhumidity": 17.81, "vappress": 6.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8304900,47.978380] }, "properties": { "altitude": "265.0", "sensor": "12", "gpstime":"2019-06-26T19:35:46.000Z", "temperature": 28.21, "relhumidity": 15.05, "vappress": 5.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289600,47.977218] }, "properties": { "altitude": "264.2", "sensor": "12", "gpstime":"2019-06-26T19:36:15.000Z", "temperature": 28.29, "relhumidity": 16.30, "vappress": 6.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285700,47.975290] }, "properties": { "altitude": "267.6", "sensor": "12", "gpstime":"2019-06-26T19:37:10.000Z", "temperature": 28.37, "relhumidity": 15.70, "vappress": 6.302, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284520,47.972990] }, "properties": { "altitude": "270.0", "sensor": "12", "gpstime":"2019-06-26T19:38:28.000Z", "temperature": 28.18, "relhumidity": 16.96, "vappress": 6.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8299700,47.972517] }, "properties": { "altitude": "280.8", "sensor": "12", "gpstime":"2019-06-26T19:39:20.000Z", "temperature": 28.17, "relhumidity": 17.36, "vappress": 6.833, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8319170,47.972593] }, "properties": { "altitude": "281.0", "sensor": "12", "gpstime":"2019-06-26T19:39:56.000Z", "temperature": 27.86, "relhumidity": 19.04, "vappress": 5.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8332630,47.972997] }, "properties": { "altitude": "285.2", "sensor": "12", "gpstime":"2019-06-26T19:40:34.000Z", "temperature": 27.28, "relhumidity": 19.39, "vappress": 5.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8341320,47.974533] }, "properties": { "altitude": "295.8", "sensor": "12", "gpstime":"2019-06-26T19:41:43.000Z", "temperature": 26.81, "relhumidity": 19.46, "vappress": 4.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356970,47.974157] }, "properties": { "altitude": "307.2", "sensor": "12", "gpstime":"2019-06-26T19:43:59.000Z", "temperature": 26.81, "relhumidity": 17.96, "vappress": 4.606, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370400,47.973723] }, "properties": { "altitude": "325.6", "sensor": "12", "gpstime":"2019-06-26T19:45:41.000Z", "temperature": 27.06, "relhumidity": 16.68, "vappress": 4.555, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374820,47.971833] }, "properties": { "altitude": "344.0", "sensor": "12", "gpstime":"2019-06-26T19:47:47.000Z", "temperature": 26.73, "relhumidity": 17.98, "vappress": 3.519, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8361150,47.970338] }, "properties": { "altitude": "334.6", "sensor": "12", "gpstime":"2019-06-26T19:48:25.000Z", "temperature": 25.81, "relhumidity": 17.70, "vappress": 2.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8348620,47.969463] }, "properties": { "altitude": "328.8", "sensor": "12", "gpstime":"2019-06-26T19:48:47.000Z", "temperature": 25.59, "relhumidity": 17.70, "vappress": 2.260, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331020,47.968603] }, "properties": { "altitude": "323.2", "sensor": "12", "gpstime":"2019-06-26T19:49:16.000Z", "temperature": 26.04, "relhumidity": 17.86, "vappress": 3.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311070,47.967808] }, "properties": { "altitude": "309.2", "sensor": "12", "gpstime":"2019-06-26T19:49:48.000Z", "temperature": 26.31, "relhumidity": 17.93, "vappress": 3.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320670,47.969892] }, "properties": { "altitude": "298.1", "sensor": "12", "gpstime":"2019-06-26T19:50:56.000Z", "temperature": 26.39, "relhumidity": 17.72, "vappress": 3.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8305780,47.969832] }, "properties": { "altitude": "292.1", "sensor": "12", "gpstime":"2019-06-26T19:51:37.000Z", "temperature": 26.20, "relhumidity": 17.49, "vappress": 3.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8295500,47.968188] }, "properties": { "altitude": "286.5", "sensor": "12", "gpstime":"2019-06-26T19:52:25.000Z", "temperature": 26.54, "relhumidity": 17.39, "vappress": 4.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301920,47.965893] }, "properties": { "altitude": "287.7", "sensor": "12", "gpstime":"2019-06-26T19:53:35.000Z", "temperature": 26.83, "relhumidity": 17.26, "vappress": 3.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312400,47.964043] }, "properties": { "altitude": "288.1", "sensor": "12", "gpstime":"2019-06-26T19:54:26.000Z", "temperature": 26.55, "relhumidity": 16.99, "vappress": 2.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323780,47.962512] }, "properties": { "altitude": "295.4", "sensor": "12", "gpstime":"2019-06-26T19:55:12.000Z", "temperature": 25.76, "relhumidity": 16.53, "vappress": 1.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327020,47.960547] }, "properties": { "altitude": "297.9", "sensor": "12", "gpstime":"2019-06-26T19:56:06.000Z", "temperature": 24.88, "relhumidity": 15.95, "vappress": 0.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316580,47.958942] }, "properties": { "altitude": "297.5", "sensor": "12", "gpstime":"2019-06-26T19:56:50.000Z", "temperature": 24.40, "relhumidity": 15.90, "vappress": -0.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303070,47.957973] }, "properties": { "altitude": "299.7", "sensor": "12", "gpstime":"2019-06-26T19:57:31.000Z", "temperature": 24.61, "relhumidity": 15.99, "vappress": 0.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8293400,47.956267] }, "properties": { "altitude": "304.8", "sensor": "12", "gpstime":"2019-06-26T19:58:19.000Z", "temperature": 25.17, "relhumidity": 16.16, "vappress": 1.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280550,47.957005] }, "properties": { "altitude": "321.1", "sensor": "12", "gpstime":"2019-06-26T20:02:06.000Z", "temperature": 25.18, "relhumidity": 15.53, "vappress": 0.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281420,47.959210] }, "properties": { "altitude": "339.8", "sensor": "12", "gpstime":"2019-06-26T20:06:45.000Z", "temperature": 25.32, "relhumidity": 15.27, "vappress": 1.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290280,47.960970] }, "properties": { "altitude": "324.2", "sensor": "12", "gpstime":"2019-06-26T20:07:20.000Z", "temperature": 25.49, "relhumidity": 15.04, "vappress": 0.814, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8283580,47.963012] }, "properties": { "altitude": "298.5", "sensor": "12", "gpstime":"2019-06-26T20:08:06.000Z", "temperature": 25.10, "relhumidity": 14.72, "vappress": -0.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270820,47.964303] }, "properties": { "altitude": "287.9", "sensor": "12", "gpstime":"2019-06-26T20:08:47.000Z", "temperature": 24.86, "relhumidity": 14.66, "vappress": -0.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8263620,47.966112] }, "properties": { "altitude": "283.6", "sensor": "12", "gpstime":"2019-06-26T20:09:38.000Z", "temperature": 25.19, "relhumidity": 14.78, "vappress": 0.976, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8258150,47.968568] }, "properties": { "altitude": "277.7", "sensor": "12", "gpstime":"2019-06-26T20:10:29.000Z", "temperature": 25.71, "relhumidity": 14.71, "vappress": 1.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270970,47.969163] }, "properties": { "altitude": "273.4", "sensor": "12", "gpstime":"2019-06-26T20:11:06.000Z", "temperature": 26.13, "relhumidity": 14.73, "vappress": 2.032, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8264080,47.971047] }, "properties": { "altitude": "275.7", "sensor": "12", "gpstime":"2019-06-26T20:12:47.000Z", "temperature": 26.50, "relhumidity": 14.58, "vappress": 2.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279270,47.971597] }, "properties": { "altitude": "276.8", "sensor": "12", "gpstime":"2019-06-26T20:13:26.000Z", "temperature": 26.86, "relhumidity": 14.47, "vappress": 3.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284320,47.973662] }, "properties": { "altitude": "273.1", "sensor": "12", "gpstime":"2019-06-26T20:14:32.000Z", "temperature": 27.16, "relhumidity": 14.56, "vappress": 4.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270630,47.974462] }, "properties": { "altitude": "269.3", "sensor": "12", "gpstime":"2019-06-26T20:15:15.000Z", "temperature": 27.75, "relhumidity": 14.46, "vappress": 4.749, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256250,47.974715] }, "properties": { "altitude": "269.4", "sensor": "12", "gpstime":"2019-06-26T20:15:40.000Z", "temperature": 27.79, "relhumidity": 14.39, "vappress": 4.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242770,47.975038] }, "properties": { "altitude": "266.9", "sensor": "12", "gpstime":"2019-06-26T20:16:02.000Z", "temperature": 27.64, "relhumidity": 14.25, "vappress": 3.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8222400,47.975613] }, "properties": { "altitude": "261.8", "sensor": "12", "gpstime":"2019-06-26T20:16:36.000Z", "temperature": 27.33, "relhumidity": 14.18, "vappress": 3.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8228370,47.977667] }, "properties": { "altitude": "266.3", "sensor": "12", "gpstime":"2019-06-26T20:17:52.000Z", "temperature": 27.25, "relhumidity": 13.99, "vappress": 3.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244050,47.977923] }, "properties": { "altitude": "264.2", "sensor": "12", "gpstime":"2019-06-26T20:18:27.000Z", "temperature": 27.54, "relhumidity": 13.91, "vappress": 3.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8227730,47.978853] }, "properties": { "altitude": "263.7", "sensor": "12", "gpstime":"2019-06-26T20:19:09.000Z", "temperature": 27.88, "relhumidity": 13.31, "vappress": 4.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213450,47.980112] }, "properties": { "altitude": "264.3", "sensor": "12", "gpstime":"2019-06-26T20:19:45.000Z", "temperature": 28.04, "relhumidity": 12.13, "vappress": 4.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202550,47.981608] }, "properties": { "altitude": "265.3", "sensor": "12", "gpstime":"2019-06-26T20:20:20.000Z", "temperature": 28.29, "relhumidity": 10.56, "vappress": 4.006, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198270,47.983535] }, "properties": { "altitude": "264.7", "sensor": "12", "gpstime":"2019-06-26T20:21:06.000Z", "temperature": 28.43, "relhumidity": 9.93, "vappress": 3.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8186300,47.984463] }, "properties": { "altitude": "262.3", "sensor": "12", "gpstime":"2019-06-26T20:22:11.000Z", "temperature": 28.65, "relhumidity": 9.53, "vappress": 4.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184980,47.986462] }, "properties": { "altitude": "263.8", "sensor": "12", "gpstime":"2019-06-26T20:22:57.000Z", "temperature": 28.93, "relhumidity": 10.45, "vappress": 4.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192670,47.988863] }, "properties": { "altitude": "267.2", "sensor": "12", "gpstime":"2019-06-26T20:23:59.000Z", "temperature": 28.85, "relhumidity": 12.07, "vappress": 5.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207430,47.988447] }, "properties": { "altitude": "268.1", "sensor": "12", "gpstime":"2019-06-26T20:24:27.000Z", "temperature": 28.72, "relhumidity": 12.25, "vappress": 5.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226020,47.988057] }, "properties": { "altitude": "267.1", "sensor": "12", "gpstime":"2019-06-26T20:25:06.000Z", "temperature": 28.57, "relhumidity": 12.56, "vappress": 4.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8240370,47.989035] }, "properties": { "altitude": "263.7", "sensor": "12", "gpstime":"2019-06-26T20:25:50.000Z", "temperature": 28.65, "relhumidity": 12.50, "vappress": 5.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254470,47.988523] }, "properties": { "altitude": "267.7", "sensor": "12", "gpstime":"2019-06-26T20:26:17.000Z", "temperature": 28.65, "relhumidity": 11.82, "vappress": 4.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267870,47.987980] }, "properties": { "altitude": "268.0", "sensor": "12", "gpstime":"2019-06-26T20:26:40.000Z", "temperature": 28.84, "relhumidity": 11.28, "vappress": 5.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8281200,47.987433] }, "properties": { "altitude": "267.2", "sensor": "12", "gpstime":"2019-06-26T20:27:10.000Z", "temperature": 28.90, "relhumidity": 10.47, "vappress": 4.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292830,47.989133] }, "properties": { "altitude": "264.7", "sensor": "12", "gpstime":"2019-06-26T20:28:05.000Z", "temperature": 28.91, "relhumidity": 10.84, "vappress": 4.793, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303680,47.990557] }, "properties": { "altitude": "265.5", "sensor": "12", "gpstime":"2019-06-26T20:28:37.000Z", "temperature": 28.46, "relhumidity": 12.45, "vappress": 4.123, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8314800,47.991905] }, "properties": { "altitude": "265.6", "sensor": "12", "gpstime":"2019-06-26T20:29:10.000Z", "temperature": 28.14, "relhumidity": 12.35, "vappress": 4.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8326920,47.993515] }, "properties": { "altitude": "266.3", "sensor": "12", "gpstime":"2019-06-26T20:29:51.000Z", "temperature": 28.51, "relhumidity": 12.39, "vappress": 5.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337400,47.994977] }, "properties": { "altitude": "276.3", "sensor": "12", "gpstime":"2019-06-26T20:31:07.000Z", "temperature": 28.82, "relhumidity": 12.27, "vappress": 5.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347620,47.996452] }, "properties": { "altitude": "277.6", "sensor": "12", "gpstime":"2019-06-26T20:31:44.000Z", "temperature": 29.09, "relhumidity": 12.30, "vappress": 5.867, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360830,47.998022] }, "properties": { "altitude": "287.6", "sensor": "12", "gpstime":"2019-06-26T20:32:26.000Z", "temperature": 29.31, "relhumidity": 11.94, "vappress": 6.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375530,47.997532] }, "properties": { "altitude": "287.8", "sensor": "12", "gpstime":"2019-06-26T20:32:56.000Z", "temperature": 29.43, "relhumidity": 11.91, "vappress": 6.136, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393480,47.996775] }, "properties": { "altitude": "284.9", "sensor": "12", "gpstime":"2019-06-26T20:33:38.000Z", "temperature": 29.38, "relhumidity": 11.84, "vappress": 6.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410480,47.996437] }, "properties": { "altitude": "279.3", "sensor": "12", "gpstime":"2019-06-26T20:34:11.000Z", "temperature": 29.58, "relhumidity": 11.29, "vappress": 6.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427030,47.995982] }, "properties": { "altitude": "277.5", "sensor": "12", "gpstime":"2019-06-26T20:34:35.000Z", "temperature": 29.62, "relhumidity": 11.39, "vappress": 6.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442970,47.995718] }, "properties": { "altitude": "282.9", "sensor": "12", "gpstime":"2019-06-26T20:35:05.000Z", "temperature": 29.69, "relhumidity": 11.09, "vappress": 6.330, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458020,47.995427] }, "properties": { "altitude": "292.1", "sensor": "12", "gpstime":"2019-06-26T20:35:35.000Z", "temperature": 29.60, "relhumidity": 11.33, "vappress": 6.230, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452500,47.993740] }, "properties": { "altitude": "288.8", "sensor": "12", "gpstime":"2019-06-26T20:36:12.000Z", "temperature": 29.38, "relhumidity": 11.63, "vappress": 5.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450430,47.993583] }, "properties": { "altitude": "264.4", "sensor": "13", "gpstime":"2019-06-26T19:30:15.000Z", "temperature": 28.92, "relhumidity": 2.56, "vappress": 1.933, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462920,47.994463] }, "properties": { "altitude": "273.8", "sensor": "13", "gpstime":"2019-06-26T19:31:37.000Z", "temperature": 29.18, "relhumidity": 1.11, "vappress": 2.008, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476170,47.994783] }, "properties": { "altitude": "271.7", "sensor": "13", "gpstime":"2019-06-26T19:32:56.000Z", "temperature": 29.51, "relhumidity": -0.38, "vappress": 1.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488870,47.993640] }, "properties": { "altitude": "259.8", "sensor": "13", "gpstime":"2019-06-26T19:34:17.000Z", "temperature": 29.54, "relhumidity": -0.26, "vappress": 1.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8504750,47.993477] }, "properties": { "altitude": "251.2", "sensor": "13", "gpstime":"2019-06-26T19:34:58.000Z", "temperature": 29.59, "relhumidity": -0.28, "vappress": 1.820, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519720,47.993543] }, "properties": { "altitude": "255.6", "sensor": "13", "gpstime":"2019-06-26T19:35:30.000Z", "temperature": 29.57, "relhumidity": -0.22, "vappress": 1.712, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533030,47.992973] }, "properties": { "altitude": "253.9", "sensor": "13", "gpstime":"2019-06-26T19:36:25.000Z", "temperature": 29.41, "relhumidity": 0.67, "vappress": 1.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545730,47.993752] }, "properties": { "altitude": "264.3", "sensor": "13", "gpstime":"2019-06-26T19:38:05.000Z", "temperature": 29.17, "relhumidity": 1.71, "vappress": 1.977, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537370,47.995398] }, "properties": { "altitude": "272.5", "sensor": "13", "gpstime":"2019-06-26T19:39:30.000Z", "temperature": 29.28, "relhumidity": 0.32, "vappress": 1.733, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8523500,47.995327] }, "properties": { "altitude": "278.4", "sensor": "13", "gpstime":"2019-06-26T19:40:32.000Z", "temperature": 29.65, "relhumidity": -0.58, "vappress": 1.871, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536430,47.995935] }, "properties": { "altitude": "270.4", "sensor": "13", "gpstime":"2019-06-26T19:43:42.000Z", "temperature": 29.97, "relhumidity": -1.80, "vappress": 1.906, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549030,47.996927] }, "properties": { "altitude": "269.9", "sensor": "13", "gpstime":"2019-06-26T19:44:58.000Z", "temperature": 30.15, "relhumidity": -1.84, "vappress": 1.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562520,47.997388] }, "properties": { "altitude": "276.9", "sensor": "13", "gpstime":"2019-06-26T19:45:47.000Z", "temperature": 30.11, "relhumidity": -1.68, "vappress": 1.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577000,47.997238] }, "properties": { "altitude": "270.9", "sensor": "13", "gpstime":"2019-06-26T19:46:32.000Z", "temperature": 29.40, "relhumidity": 1.81, "vappress": 1.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583500,47.999742] }, "properties": { "altitude": "261.9", "sensor": "13", "gpstime":"2019-06-26T19:48:45.000Z", "temperature": 28.56, "relhumidity": 5.31, "vappress": 1.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8592630,48.001665] }, "properties": { "altitude": "252.6", "sensor": "13", "gpstime":"2019-06-26T19:49:27.000Z", "temperature": 27.64, "relhumidity": 5.61, "vappress": 0.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8576400,48.002578] }, "properties": { "altitude": "260.5", "sensor": "13", "gpstime":"2019-06-26T19:50:08.000Z", "temperature": 27.56, "relhumidity": 5.12, "vappress": 1.000, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8592650,48.003142] }, "properties": { "altitude": "264.4", "sensor": "13", "gpstime":"2019-06-26T19:51:08.000Z", "temperature": 27.91, "relhumidity": 2.77, "vappress": 0.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580270,48.004908] }, "properties": { "altitude": "270.6", "sensor": "13", "gpstime":"2019-06-26T19:52:21.000Z", "temperature": 27.99, "relhumidity": 3.86, "vappress": 0.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563120,48.005033] }, "properties": { "altitude": "273.0", "sensor": "13", "gpstime":"2019-06-26T19:52:53.000Z", "temperature": 28.08, "relhumidity": 2.23, "vappress": 0.569, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8546600,48.005022] }, "properties": { "altitude": "278.9", "sensor": "13", "gpstime":"2019-06-26T19:53:28.000Z", "temperature": 28.34, "relhumidity": 0.70, "vappress": 0.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8530720,48.004032] }, "properties": { "altitude": "283.3", "sensor": "13", "gpstime":"2019-06-26T19:54:29.000Z", "temperature": 28.52, "relhumidity": 0.97, "vappress": 0.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515880,48.004452] }, "properties": { "altitude": "284.0", "sensor": "13", "gpstime":"2019-06-26T19:54:55.000Z", "temperature": 28.73, "relhumidity": 0.59, "vappress": 0.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498680,48.004958] }, "properties": { "altitude": "281.9", "sensor": "13", "gpstime":"2019-06-26T19:55:22.000Z", "temperature": 28.59, "relhumidity": 1.26, "vappress": 0.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484430,48.005378] }, "properties": { "altitude": "271.5", "sensor": "13", "gpstime":"2019-06-26T19:55:49.000Z", "temperature": 28.67, "relhumidity": 0.20, "vappress": 0.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469370,48.005855] }, "properties": { "altitude": "267.5", "sensor": "13", "gpstime":"2019-06-26T19:56:14.000Z", "temperature": 28.92, "relhumidity": -0.96, "vappress": 0.511, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457780,48.007075] }, "properties": { "altitude": "262.0", "sensor": "13", "gpstime":"2019-06-26T19:56:48.000Z", "temperature": 29.08, "relhumidity": -1.91, "vappress": 0.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441900,48.008057] }, "properties": { "altitude": "258.9", "sensor": "13", "gpstime":"2019-06-26T19:57:53.000Z", "temperature": 29.13, "relhumidity": 2.58, "vappress": 1.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428500,48.008920] }, "properties": { "altitude": "262.4", "sensor": "13", "gpstime":"2019-06-26T19:58:20.000Z", "temperature": 28.52, "relhumidity": 2.64, "vappress": 1.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8415080,48.009718] }, "properties": { "altitude": "258.4", "sensor": "13", "gpstime":"2019-06-26T19:59:19.000Z", "temperature": 28.06, "relhumidity": 5.08, "vappress": 1.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426220,48.008518] }, "properties": { "altitude": "255.5", "sensor": "13", "gpstime":"2019-06-26T20:00:10.000Z", "temperature": 27.56, "relhumidity": 10.27, "vappress": 2.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440850,48.007907] }, "properties": { "altitude": "251.7", "sensor": "13", "gpstime":"2019-06-26T20:00:38.000Z", "temperature": 27.30, "relhumidity": 8.49, "vappress": 1.547, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440280,48.005745] }, "properties": { "altitude": "260.5", "sensor": "13", "gpstime":"2019-06-26T20:01:45.000Z", "temperature": 27.52, "relhumidity": 4.88, "vappress": 1.226, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428280,48.004637] }, "properties": { "altitude": "260.6", "sensor": "13", "gpstime":"2019-06-26T20:02:15.000Z", "temperature": 28.37, "relhumidity": 2.27, "vappress": 1.206, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414680,48.003790] }, "properties": { "altitude": "264.8", "sensor": "13", "gpstime":"2019-06-26T20:02:44.000Z", "temperature": 29.00, "relhumidity": 0.44, "vappress": 1.436, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400950,48.003915] }, "properties": { "altitude": "260.9", "sensor": "13", "gpstime":"2019-06-26T20:03:23.000Z", "temperature": 29.33, "relhumidity": 0.47, "vappress": 1.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386320,48.003262] }, "properties": { "altitude": "259.4", "sensor": "13", "gpstime":"2019-06-26T20:03:58.000Z", "temperature": 29.31, "relhumidity": 0.46, "vappress": 1.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372730,48.003942] }, "properties": { "altitude": "266.8", "sensor": "13", "gpstime":"2019-06-26T20:04:52.000Z", "temperature": 29.63, "relhumidity": 0.15, "vappress": 2.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356950,48.004820] }, "properties": { "altitude": "271.9", "sensor": "13", "gpstime":"2019-06-26T20:05:19.000Z", "temperature": 29.64, "relhumidity": -0.43, "vappress": 1.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8343580,48.005650] }, "properties": { "altitude": "264.7", "sensor": "13", "gpstime":"2019-06-26T20:05:41.000Z", "temperature": 29.81, "relhumidity": -1.19, "vappress": 1.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8321230,48.006690] }, "properties": { "altitude": "265.9", "sensor": "13", "gpstime":"2019-06-26T20:06:56.000Z", "temperature": 29.83, "relhumidity": -0.36, "vappress": 1.927, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8309030,48.005852] }, "properties": { "altitude": "257.2", "sensor": "13", "gpstime":"2019-06-26T20:08:07.000Z", "temperature": 29.76, "relhumidity": 1.20, "vappress": 2.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8292720,48.004647] }, "properties": { "altitude": "251.2", "sensor": "13", "gpstime":"2019-06-26T20:08:42.000Z", "temperature": 29.07, "relhumidity": 3.64, "vappress": 1.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8277400,48.004902] }, "properties": { "altitude": "253.5", "sensor": "13", "gpstime":"2019-06-26T20:09:14.000Z", "temperature": 28.82, "relhumidity": 2.78, "vappress": 2.046, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8260970,48.005542] }, "properties": { "altitude": "249.1", "sensor": "13", "gpstime":"2019-06-26T20:09:42.000Z", "temperature": 29.14, "relhumidity": 2.59, "vappress": 2.136, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8248220,48.006155] }, "properties": { "altitude": "252.4", "sensor": "13", "gpstime":"2019-06-26T20:10:28.000Z", "temperature": 29.15, "relhumidity": 1.79, "vappress": 2.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234530,48.006285] }, "properties": { "altitude": "247.8", "sensor": "13", "gpstime":"2019-06-26T20:11:22.000Z", "temperature": 29.47, "relhumidity": 0.67, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220720,48.006628] }, "properties": { "altitude": "247.3", "sensor": "13", "gpstime":"2019-06-26T20:11:43.000Z", "temperature": 29.71, "relhumidity": 0.96, "vappress": 2.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8206930,48.006697] }, "properties": { "altitude": "251.0", "sensor": "13", "gpstime":"2019-06-26T20:12:14.000Z", "temperature": 29.57, "relhumidity": 0.41, "vappress": 1.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8211320,48.008675] }, "properties": { "altitude": "234.4", "sensor": "13", "gpstime":"2019-06-26T20:14:04.000Z", "temperature": 28.70, "relhumidity": 6.66, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8202180,48.010372] }, "properties": { "altitude": "223.7", "sensor": "13", "gpstime":"2019-06-26T20:15:26.000Z", "temperature": 27.44, "relhumidity": 10.87, "vappress": 2.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8189670,48.011427] }, "properties": { "altitude": "224.9", "sensor": "13", "gpstime":"2019-06-26T20:16:27.000Z", "temperature": 27.10, "relhumidity": 12.14, "vappress": 2.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176700,48.012135] }, "properties": { "altitude": "231.4", "sensor": "13", "gpstime":"2019-06-26T20:17:05.000Z", "temperature": 27.08, "relhumidity": 15.69, "vappress": 3.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161280,48.012628] }, "properties": { "altitude": "237.0", "sensor": "13", "gpstime":"2019-06-26T20:17:50.000Z", "temperature": 27.19, "relhumidity": 13.59, "vappress": 3.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146820,48.012342] }, "properties": { "altitude": "221.2", "sensor": "13", "gpstime":"2019-06-26T20:18:49.000Z", "temperature": 27.25, "relhumidity": 17.22, "vappress": 4.418, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157470,48.010748] }, "properties": { "altitude": "236.2", "sensor": "13", "gpstime":"2019-06-26T20:19:54.000Z", "temperature": 27.24, "relhumidity": 13.69, "vappress": 3.011, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171350,48.009465] }, "properties": { "altitude": "235.0", "sensor": "13", "gpstime":"2019-06-26T20:20:35.000Z", "temperature": 27.22, "relhumidity": 12.29, "vappress": 2.716, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184150,48.008630] }, "properties": { "altitude": "236.1", "sensor": "13", "gpstime":"2019-06-26T20:20:57.000Z", "temperature": 27.28, "relhumidity": 12.57, "vappress": 2.816, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200450,48.008120] }, "properties": { "altitude": "238.5", "sensor": "13", "gpstime":"2019-06-26T20:21:25.000Z", "temperature": 27.30, "relhumidity": 12.00, "vappress": 2.632, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197770,48.005945] }, "properties": { "altitude": "247.0", "sensor": "13", "gpstime":"2019-06-26T20:22:28.000Z", "temperature": 27.70, "relhumidity": 8.91, "vappress": 2.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8212200,48.005408] }, "properties": { "altitude": "247.7", "sensor": "13", "gpstime":"2019-06-26T20:23:16.000Z", "temperature": 28.34, "relhumidity": 5.61, "vappress": 2.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224580,48.003887] }, "properties": { "altitude": "238.5", "sensor": "13", "gpstime":"2019-06-26T20:24:08.000Z", "temperature": 28.99, "relhumidity": 3.73, "vappress": 2.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241030,48.002637] }, "properties": { "altitude": "245.2", "sensor": "13", "gpstime":"2019-06-26T20:24:50.000Z", "temperature": 28.61, "relhumidity": 4.71, "vappress": 2.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254050,48.001942] }, "properties": { "altitude": "256.5", "sensor": "13", "gpstime":"2019-06-26T20:25:18.000Z", "temperature": 28.93, "relhumidity": 4.15, "vappress": 2.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8269770,48.001525] }, "properties": { "altitude": "254.7", "sensor": "13", "gpstime":"2019-06-26T20:25:53.000Z", "temperature": 28.83, "relhumidity": 4.55, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286500,48.001102] }, "properties": { "altitude": "256.6", "sensor": "13", "gpstime":"2019-06-26T20:26:20.000Z", "temperature": 28.85, "relhumidity": 4.11, "vappress": 2.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300370,48.000692] }, "properties": { "altitude": "262.5", "sensor": "13", "gpstime":"2019-06-26T20:26:40.000Z", "temperature": 28.81, "relhumidity": 4.40, "vappress": 2.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316120,48.000073] }, "properties": { "altitude": "259.1", "sensor": "13", "gpstime":"2019-06-26T20:27:08.000Z", "temperature": 28.79, "relhumidity": 4.96, "vappress": 2.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329400,47.999565] }, "properties": { "altitude": "260.2", "sensor": "13", "gpstime":"2019-06-26T20:27:37.000Z", "temperature": 28.91, "relhumidity": 3.68, "vappress": 2.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344720,47.998988] }, "properties": { "altitude": "269.5", "sensor": "13", "gpstime":"2019-06-26T20:28:05.000Z", "temperature": 28.99, "relhumidity": 3.28, "vappress": 2.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8358500,47.998282] }, "properties": { "altitude": "264.2", "sensor": "13", "gpstime":"2019-06-26T20:28:40.000Z", "temperature": 29.22, "relhumidity": 2.69, "vappress": 2.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372180,47.997730] }, "properties": { "altitude": "272.1", "sensor": "13", "gpstime":"2019-06-26T20:29:39.000Z", "temperature": 29.33, "relhumidity": 1.71, "vappress": 2.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379250,47.995990] }, "properties": { "altitude": "273.1", "sensor": "13", "gpstime":"2019-06-26T20:30:48.000Z", "temperature": 29.39, "relhumidity": 1.78, "vappress": 2.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397030,47.996177] }, "properties": { "altitude": "279.9", "sensor": "13", "gpstime":"2019-06-26T20:31:36.000Z", "temperature": 29.35, "relhumidity": 1.51, "vappress": 2.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410070,47.995692] }, "properties": { "altitude": "271.7", "sensor": "13", "gpstime":"2019-06-26T20:32:03.000Z", "temperature": 29.47, "relhumidity": 1.14, "vappress": 2.096, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421430,47.994025] }, "properties": { "altitude": "267.5", "sensor": "13", "gpstime":"2019-06-26T20:32:55.000Z", "temperature": 29.54, "relhumidity": 0.94, "vappress": 2.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434850,47.993900] }, "properties": { "altitude": "268.2", "sensor": "13", "gpstime":"2019-06-26T20:33:19.000Z", "temperature": 29.51, "relhumidity": 0.80, "vappress": 1.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451050,47.993655] }, "properties": { "altitude": "274.1", "sensor": "13", "gpstime":"2019-06-26T20:33:49.000Z", "temperature": 29.46, "relhumidity": 1.00, "vappress": 1.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450700,47.993510] }, "properties": { "altitude": "265.6", "sensor": "14", "gpstime":"2019-06-26T19:26:50.000Z", "temperature": 28.57, "relhumidity": 14.85, "vappress": 6.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439780,47.994933] }, "properties": { "altitude": "280.9", "sensor": "14", "gpstime":"2019-06-26T19:27:40.000Z", "temperature": 29.01, "relhumidity": 11.51, "vappress": 6.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420370,47.995120] }, "properties": { "altitude": "275.2", "sensor": "14", "gpstime":"2019-06-26T19:28:01.000Z", "temperature": 29.57, "relhumidity": 9.94, "vappress": 6.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425120,47.997055] }, "properties": { "altitude": "262.1", "sensor": "14", "gpstime":"2019-06-26T19:28:49.000Z", "temperature": 29.89, "relhumidity": 7.36, "vappress": 5.699, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434070,47.998545] }, "properties": { "altitude": "277.1", "sensor": "14", "gpstime":"2019-06-26T19:29:28.000Z", "temperature": 30.08, "relhumidity": 5.41, "vappress": 5.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420770,47.999700] }, "properties": { "altitude": "269.8", "sensor": "14", "gpstime":"2019-06-26T19:31:16.000Z", "temperature": 30.00, "relhumidity": 6.17, "vappress": 4.248, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404730,48.000192] }, "properties": { "altitude": "263.3", "sensor": "14", "gpstime":"2019-06-26T19:31:40.000Z", "temperature": 29.75, "relhumidity": 7.15, "vappress": 5.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389680,48.000762] }, "properties": { "altitude": "256.7", "sensor": "14", "gpstime":"2019-06-26T19:32:04.000Z", "temperature": 29.99, "relhumidity": 7.17, "vappress": 5.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368480,48.001630] }, "properties": { "altitude": "262.2", "sensor": "14", "gpstime":"2019-06-26T19:33:21.000Z", "temperature": 30.11, "relhumidity": 7.53, "vappress": 6.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8352070,48.002240] }, "properties": { "altitude": "261.1", "sensor": "14", "gpstime":"2019-06-26T19:33:43.000Z", "temperature": 30.07, "relhumidity": 7.69, "vappress": 6.062, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365570,48.003537] }, "properties": { "altitude": "261.1", "sensor": "14", "gpstime":"2019-06-26T19:34:15.000Z", "temperature": 29.80, "relhumidity": 9.84, "vappress": 6.310, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8354770,48.004917] }, "properties": { "altitude": "261.5", "sensor": "14", "gpstime":"2019-06-26T19:36:03.000Z", "temperature": 29.72, "relhumidity": 10.12, "vappress": 6.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337500,48.005975] }, "properties": { "altitude": "259.9", "sensor": "14", "gpstime":"2019-06-26T19:36:36.000Z", "temperature": 29.99, "relhumidity": 8.99, "vappress": 6.535, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323200,48.006583] }, "properties": { "altitude": "260.5", "sensor": "14", "gpstime":"2019-06-26T19:36:55.000Z", "temperature": 30.02, "relhumidity": 9.79, "vappress": 6.895, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303730,48.007295] }, "properties": { "altitude": "256.2", "sensor": "14", "gpstime":"2019-06-26T19:37:19.000Z", "temperature": 30.04, "relhumidity": 8.94, "vappress": 6.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289220,48.007787] }, "properties": { "altitude": "256.8", "sensor": "14", "gpstime":"2019-06-26T19:37:44.000Z", "temperature": 30.14, "relhumidity": 8.02, "vappress": 6.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8301470,48.008660] }, "properties": { "altitude": "250.4", "sensor": "14", "gpstime":"2019-06-26T19:38:38.000Z", "temperature": 30.16, "relhumidity": 8.09, "vappress": 6.187, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8317720,48.009615] }, "properties": { "altitude": "249.2", "sensor": "14", "gpstime":"2019-06-26T19:39:03.000Z", "temperature": 30.03, "relhumidity": 8.03, "vappress": 6.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8331900,48.010565] }, "properties": { "altitude": "245.3", "sensor": "14", "gpstime":"2019-06-26T19:39:26.000Z", "temperature": 30.11, "relhumidity": 7.62, "vappress": 6.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346120,48.011433] }, "properties": { "altitude": "242.1", "sensor": "14", "gpstime":"2019-06-26T19:39:44.000Z", "temperature": 30.14, "relhumidity": 9.51, "vappress": 6.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8359830,48.012228] }, "properties": { "altitude": "246.6", "sensor": "14", "gpstime":"2019-06-26T19:40:13.000Z", "temperature": 29.58, "relhumidity": 9.82, "vappress": 6.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371680,48.013637] }, "properties": { "altitude": "247.8", "sensor": "14", "gpstime":"2019-06-26T19:41:24.000Z", "temperature": 29.31, "relhumidity": 13.01, "vappress": 5.834, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370570,48.015815] }, "properties": { "altitude": "245.2", "sensor": "14", "gpstime":"2019-06-26T19:41:58.000Z", "temperature": 28.72, "relhumidity": 12.68, "vappress": 5.884, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8373100,48.017832] }, "properties": { "altitude": "242.4", "sensor": "14", "gpstime":"2019-06-26T19:42:31.000Z", "temperature": 28.74, "relhumidity": 12.62, "vappress": 5.513, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8386900,48.018358] }, "properties": { "altitude": "241.8", "sensor": "14", "gpstime":"2019-06-26T19:42:49.000Z", "temperature": 28.65, "relhumidity": 11.96, "vappress": 5.423, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400950,48.018508] }, "properties": { "altitude": "242.9", "sensor": "14", "gpstime":"2019-06-26T19:43:09.000Z", "temperature": 29.03, "relhumidity": 9.90, "vappress": 5.146, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8417230,48.018860] }, "properties": { "altitude": "243.5", "sensor": "14", "gpstime":"2019-06-26T19:43:50.000Z", "temperature": 29.21, "relhumidity": 7.56, "vappress": 4.866, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434780,48.019525] }, "properties": { "altitude": "243.3", "sensor": "14", "gpstime":"2019-06-26T19:44:14.000Z", "temperature": 29.82, "relhumidity": 4.75, "vappress": 4.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450570,48.020073] }, "properties": { "altitude": "243.5", "sensor": "14", "gpstime":"2019-06-26T19:44:36.000Z", "temperature": 29.99, "relhumidity": 4.14, "vappress": 4.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8467080,48.020630] }, "properties": { "altitude": "244.8", "sensor": "14", "gpstime":"2019-06-26T19:44:57.000Z", "temperature": 30.30, "relhumidity": 2.84, "vappress": 4.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483300,48.021168] }, "properties": { "altitude": "244.8", "sensor": "14", "gpstime":"2019-06-26T19:45:20.000Z", "temperature": 30.51, "relhumidity": 1.75, "vappress": 4.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497300,48.021707] }, "properties": { "altitude": "246.3", "sensor": "14", "gpstime":"2019-06-26T19:45:40.000Z", "temperature": 30.53, "relhumidity": 1.22, "vappress": 3.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489130,48.024102] }, "properties": { "altitude": "240.4", "sensor": "14", "gpstime":"2019-06-26T19:47:31.000Z", "temperature": 30.33, "relhumidity": 6.30, "vappress": 5.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476430,48.025780] }, "properties": { "altitude": "236.7", "sensor": "14", "gpstime":"2019-06-26T19:48:01.000Z", "temperature": 29.93, "relhumidity": 7.50, "vappress": 5.420, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465870,48.027112] }, "properties": { "altitude": "235.2", "sensor": "14", "gpstime":"2019-06-26T19:48:25.000Z", "temperature": 29.76, "relhumidity": 7.57, "vappress": 5.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454080,48.028337] }, "properties": { "altitude": "238.5", "sensor": "14", "gpstime":"2019-06-26T19:48:50.000Z", "temperature": 29.46, "relhumidity": 10.72, "vappress": 6.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442030,48.029357] }, "properties": { "altitude": "240.8", "sensor": "14", "gpstime":"2019-06-26T19:49:11.000Z", "temperature": 28.98, "relhumidity": 15.85, "vappress": 7.288, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426870,48.030805] }, "properties": { "altitude": "232.5", "sensor": "14", "gpstime":"2019-06-26T19:49:41.000Z", "temperature": 28.45, "relhumidity": 17.50, "vappress": 6.418, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439430,48.029413] }, "properties": { "altitude": "230.1", "sensor": "14", "gpstime":"2019-06-26T19:51:21.000Z", "temperature": 27.45, "relhumidity": 19.25, "vappress": 6.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453220,48.028207] }, "properties": { "altitude": "235.8", "sensor": "14", "gpstime":"2019-06-26T19:52:34.000Z", "temperature": 28.12, "relhumidity": 15.06, "vappress": 6.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464500,48.027063] }, "properties": { "altitude": "233.9", "sensor": "14", "gpstime":"2019-06-26T19:53:01.000Z", "temperature": 28.83, "relhumidity": 11.95, "vappress": 5.971, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475800,48.025645] }, "properties": { "altitude": "237.6", "sensor": "14", "gpstime":"2019-06-26T19:53:36.000Z", "temperature": 29.39, "relhumidity": 10.90, "vappress": 6.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8464230,48.027028] }, "properties": { "altitude": "235.7", "sensor": "14", "gpstime":"2019-06-26T19:54:55.000Z", "temperature": 29.70, "relhumidity": 7.63, "vappress": 5.477, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8448650,48.028550] }, "properties": { "altitude": "233.7", "sensor": "14", "gpstime":"2019-06-26T19:55:30.000Z", "temperature": 29.77, "relhumidity": 8.27, "vappress": 5.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435420,48.029737] }, "properties": { "altitude": "233.3", "sensor": "14", "gpstime":"2019-06-26T19:55:56.000Z", "temperature": 29.41, "relhumidity": 14.95, "vappress": 7.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423930,48.030945] }, "properties": { "altitude": "229.7", "sensor": "14", "gpstime":"2019-06-26T19:56:21.000Z", "temperature": 28.67, "relhumidity": 16.68, "vappress": 6.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411730,48.031985] }, "properties": { "altitude": "227.3", "sensor": "14", "gpstime":"2019-06-26T19:58:15.000Z", "temperature": 27.68, "relhumidity": 18.16, "vappress": 5.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397670,48.031640] }, "properties": { "altitude": "228.6", "sensor": "14", "gpstime":"2019-06-26T19:58:34.000Z", "temperature": 26.72, "relhumidity": 17.84, "vappress": 3.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381380,48.031230] }, "properties": { "altitude": "229.6", "sensor": "14", "gpstime":"2019-06-26T19:58:55.000Z", "temperature": 25.81, "relhumidity": 17.66, "vappress": 2.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366450,48.030845] }, "properties": { "altitude": "234.2", "sensor": "14", "gpstime":"2019-06-26T19:59:14.000Z", "temperature": 25.46, "relhumidity": 17.47, "vappress": 1.629, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349920,48.030475] }, "properties": { "altitude": "232.4", "sensor": "14", "gpstime":"2019-06-26T19:59:35.000Z", "temperature": 25.29, "relhumidity": 17.46, "vappress": 1.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334730,48.030727] }, "properties": { "altitude": "226.8", "sensor": "14", "gpstime":"2019-06-26T20:00:11.000Z", "temperature": 25.16, "relhumidity": 17.23, "vappress": 1.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322500,48.032230] }, "properties": { "altitude": "217.1", "sensor": "14", "gpstime":"2019-06-26T20:00:45.000Z", "temperature": 24.92, "relhumidity": 17.15, "vappress": 0.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307730,48.034008] }, "properties": { "altitude": "212.6", "sensor": "14", "gpstime":"2019-06-26T20:01:12.000Z", "temperature": 24.64, "relhumidity": 16.93, "vappress": 0.236, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8291130,48.035058] }, "properties": { "altitude": "205.4", "sensor": "14", "gpstime":"2019-06-26T20:01:33.000Z", "temperature": 24.60, "relhumidity": 16.93, "vappress": 0.236, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8276120,48.035930] }, "properties": { "altitude": "207.3", "sensor": "14", "gpstime":"2019-06-26T20:01:54.000Z", "temperature": 24.65, "relhumidity": 16.93, "vappress": 0.236, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8258030,48.036958] }, "properties": { "altitude": "211.8", "sensor": "14", "gpstime":"2019-06-26T20:02:18.000Z", "temperature": 24.69, "relhumidity": 16.83, "vappress": 0.226, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8242200,48.037890] }, "properties": { "altitude": "212.5", "sensor": "14", "gpstime":"2019-06-26T20:02:41.000Z", "temperature": 24.62, "relhumidity": 16.83, "vappress": 0.226, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8222470,48.038420] }, "properties": { "altitude": "215.0", "sensor": "14", "gpstime":"2019-06-26T20:03:05.000Z", "temperature": 24.47, "relhumidity": 16.72, "vappress": -0.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205400,48.038380] }, "properties": { "altitude": "221.9", "sensor": "14", "gpstime":"2019-06-26T20:03:24.000Z", "temperature": 24.43, "relhumidity": 16.72, "vappress": -0.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191520,48.038092] }, "properties": { "altitude": "226.0", "sensor": "14", "gpstime":"2019-06-26T20:03:41.000Z", "temperature": 24.43, "relhumidity": 16.72, "vappress": -0.111, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177380,48.037663] }, "properties": { "altitude": "225.5", "sensor": "14", "gpstime":"2019-06-26T20:04:01.000Z", "temperature": 24.90, "relhumidity": 16.87, "vappress": 1.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8161620,48.037078] }, "properties": { "altitude": "224.2", "sensor": "14", "gpstime":"2019-06-26T20:04:29.000Z", "temperature": 25.55, "relhumidity": 17.07, "vappress": 2.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8151130,48.038818] }, "properties": { "altitude": "222.7", "sensor": "14", "gpstime":"2019-06-26T20:06:34.000Z", "temperature": 26.01, "relhumidity": 16.98, "vappress": 3.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141670,48.040307] }, "properties": { "altitude": "220.1", "sensor": "14", "gpstime":"2019-06-26T20:07:00.000Z", "temperature": 26.87, "relhumidity": 17.08, "vappress": 4.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126280,48.040775] }, "properties": { "altitude": "223.0", "sensor": "14", "gpstime":"2019-06-26T20:07:35.000Z", "temperature": 27.13, "relhumidity": 17.00, "vappress": 4.514, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8111220,48.040308] }, "properties": { "altitude": "227.5", "sensor": "14", "gpstime":"2019-06-26T20:07:59.000Z", "temperature": 27.47, "relhumidity": 17.08, "vappress": 5.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093820,48.039713] }, "properties": { "altitude": "227.0", "sensor": "14", "gpstime":"2019-06-26T20:09:11.000Z", "temperature": 27.55, "relhumidity": 16.74, "vappress": 4.696, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8094070,48.037605] }, "properties": { "altitude": "219.0", "sensor": "14", "gpstime":"2019-06-26T20:10:03.000Z", "temperature": 27.58, "relhumidity": 16.69, "vappress": 5.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8110630,48.036947] }, "properties": { "altitude": "226.5", "sensor": "14", "gpstime":"2019-06-26T20:10:40.000Z", "temperature": 27.79, "relhumidity": 16.69, "vappress": 5.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126430,48.037407] }, "properties": { "altitude": "227.8", "sensor": "14", "gpstime":"2019-06-26T20:11:02.000Z", "temperature": 27.72, "relhumidity": 16.52, "vappress": 5.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8139530,48.037817] }, "properties": { "altitude": "225.8", "sensor": "14", "gpstime":"2019-06-26T20:11:21.000Z", "temperature": 27.62, "relhumidity": 16.52, "vappress": 5.082, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8153450,48.038212] }, "properties": { "altitude": "223.7", "sensor": "14", "gpstime":"2019-06-26T20:11:43.000Z", "temperature": 27.58, "relhumidity": 16.48, "vappress": 4.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141780,48.036807] }, "properties": { "altitude": "222.3", "sensor": "14", "gpstime":"2019-06-26T20:12:53.000Z", "temperature": 27.28, "relhumidity": 16.06, "vappress": 3.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126950,48.036368] }, "properties": { "altitude": "220.7", "sensor": "14", "gpstime":"2019-06-26T20:13:23.000Z", "temperature": 26.84, "relhumidity": 15.79, "vappress": 3.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112920,48.035998] }, "properties": { "altitude": "221.0", "sensor": "14", "gpstime":"2019-06-26T20:13:50.000Z", "temperature": 26.74, "relhumidity": 15.79, "vappress": 3.131, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093870,48.035427] }, "properties": { "altitude": "220.8", "sensor": "14", "gpstime":"2019-06-26T20:15:27.000Z", "temperature": 26.97, "relhumidity": 15.54, "vappress": 3.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8080450,48.035003] }, "properties": { "altitude": "216.5", "sensor": "14", "gpstime":"2019-06-26T20:15:46.000Z", "temperature": 26.63, "relhumidity": 15.30, "vappress": 2.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062430,48.034415] }, "properties": { "altitude": "205.7", "sensor": "14", "gpstime":"2019-06-26T20:16:12.000Z", "temperature": 26.14, "relhumidity": 15.14, "vappress": 1.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040370,48.033858] }, "properties": { "altitude": "212.6", "sensor": "14", "gpstime":"2019-06-26T20:16:51.000Z", "temperature": 25.86, "relhumidity": 15.10, "vappress": 1.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8025180,48.033822] }, "properties": { "altitude": "219.4", "sensor": "14", "gpstime":"2019-06-26T20:18:48.000Z", "temperature": 25.91, "relhumidity": 14.75, "vappress": 1.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8037300,48.032842] }, "properties": { "altitude": "217.6", "sensor": "14", "gpstime":"2019-06-26T20:20:02.000Z", "temperature": 26.01, "relhumidity": 14.58, "vappress": 1.756, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8053900,48.031803] }, "properties": { "altitude": "218.8", "sensor": "14", "gpstime":"2019-06-26T20:20:59.000Z", "temperature": 26.22, "relhumidity": 14.58, "vappress": 1.756, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8066620,48.030905] }, "properties": { "altitude": "220.2", "sensor": "14", "gpstime":"2019-06-26T20:21:24.000Z", "temperature": 26.38, "relhumidity": 14.33, "vappress": 2.022, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8080920,48.029800] }, "properties": { "altitude": "219.3", "sensor": "14", "gpstime":"2019-06-26T20:21:56.000Z", "temperature": 26.48, "relhumidity": 14.42, "vappress": 2.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8091800,48.028625] }, "properties": { "altitude": "222.7", "sensor": "14", "gpstime":"2019-06-26T20:22:35.000Z", "temperature": 27.02, "relhumidity": 14.48, "vappress": 3.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8105100,48.028310] }, "properties": { "altitude": "228.1", "sensor": "14", "gpstime":"2019-06-26T20:23:07.000Z", "temperature": 27.19, "relhumidity": 14.25, "vappress": 2.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117930,48.027402] }, "properties": { "altitude": "225.6", "sensor": "14", "gpstime":"2019-06-26T20:23:36.000Z", "temperature": 27.03, "relhumidity": 14.27, "vappress": 3.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8131470,48.026233] }, "properties": { "altitude": "228.7", "sensor": "14", "gpstime":"2019-06-26T20:24:10.000Z", "temperature": 27.14, "relhumidity": 14.15, "vappress": 3.278, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144500,48.025467] }, "properties": { "altitude": "224.8", "sensor": "14", "gpstime":"2019-06-26T20:24:37.000Z", "temperature": 27.40, "relhumidity": 14.22, "vappress": 3.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8135630,48.023718] }, "properties": { "altitude": "239.3", "sensor": "14", "gpstime":"2019-06-26T20:25:28.000Z", "temperature": 27.45, "relhumidity": 14.02, "vappress": 3.462, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8137770,48.021587] }, "properties": { "altitude": "235.1", "sensor": "14", "gpstime":"2019-06-26T20:26:53.000Z", "temperature": 26.99, "relhumidity": 13.60, "vappress": 1.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8149400,48.020497] }, "properties": { "altitude": "235.9", "sensor": "14", "gpstime":"2019-06-26T20:27:21.000Z", "temperature": 26.47, "relhumidity": 13.45, "vappress": 1.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8163450,48.019383] }, "properties": { "altitude": "233.4", "sensor": "14", "gpstime":"2019-06-26T20:27:53.000Z", "temperature": 26.70, "relhumidity": 13.55, "vappress": 2.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8178700,48.018433] }, "properties": { "altitude": "236.7", "sensor": "14", "gpstime":"2019-06-26T20:28:23.000Z", "temperature": 26.87, "relhumidity": 13.54, "vappress": 2.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192320,48.017683] }, "properties": { "altitude": "242.3", "sensor": "14", "gpstime":"2019-06-26T20:28:50.000Z", "temperature": 27.57, "relhumidity": 13.69, "vappress": 3.803, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205230,48.016970] }, "properties": { "altitude": "241.4", "sensor": "14", "gpstime":"2019-06-26T20:29:16.000Z", "temperature": 28.10, "relhumidity": 13.75, "vappress": 5.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218780,48.016192] }, "properties": { "altitude": "241.5", "sensor": "14", "gpstime":"2019-06-26T20:29:44.000Z", "temperature": 28.76, "relhumidity": 13.86, "vappress": 5.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239130,48.015003] }, "properties": { "altitude": "244.4", "sensor": "14", "gpstime":"2019-06-26T20:30:29.000Z", "temperature": 28.99, "relhumidity": 13.38, "vappress": 6.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252180,48.014185] }, "properties": { "altitude": "247.3", "sensor": "14", "gpstime":"2019-06-26T20:31:02.000Z", "temperature": 29.21, "relhumidity": 12.19, "vappress": 6.157, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267930,48.013030] }, "properties": { "altitude": "249.1", "sensor": "14", "gpstime":"2019-06-26T20:31:39.000Z", "temperature": 29.29, "relhumidity": 12.50, "vappress": 6.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282620,48.012108] }, "properties": { "altitude": "248.1", "sensor": "14", "gpstime":"2019-06-26T20:32:12.000Z", "temperature": 29.29, "relhumidity": 11.73, "vappress": 6.016, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8297520,48.011347] }, "properties": { "altitude": "252.9", "sensor": "14", "gpstime":"2019-06-26T20:32:41.000Z", "temperature": 29.49, "relhumidity": 11.59, "vappress": 6.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8310850,48.010577] }, "properties": { "altitude": "262.8", "sensor": "14", "gpstime":"2019-06-26T20:33:09.000Z", "temperature": 29.86, "relhumidity": 9.99, "vappress": 6.507, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8324650,48.009423] }, "properties": { "altitude": "261.7", "sensor": "14", "gpstime":"2019-06-26T20:35:19.000Z", "temperature": 30.10, "relhumidity": 8.49, "vappress": 6.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337700,48.008728] }, "properties": { "altitude": "261.2", "sensor": "14", "gpstime":"2019-06-26T20:35:44.000Z", "temperature": 30.17, "relhumidity": 8.51, "vappress": 6.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8352250,48.007982] }, "properties": { "altitude": "261.6", "sensor": "14", "gpstime":"2019-06-26T20:36:16.000Z", "temperature": 29.89, "relhumidity": 8.90, "vappress": 5.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365330,48.007358] }, "properties": { "altitude": "260.6", "sensor": "14", "gpstime":"2019-06-26T20:36:46.000Z", "temperature": 29.87, "relhumidity": 8.63, "vappress": 5.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8380550,48.005955] }, "properties": { "altitude": "263.6", "sensor": "14", "gpstime":"2019-06-26T20:37:29.000Z", "temperature": 29.71, "relhumidity": 9.08, "vappress": 5.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394780,48.005447] }, "properties": { "altitude": "261.9", "sensor": "14", "gpstime":"2019-06-26T20:37:59.000Z", "temperature": 29.64, "relhumidity": 8.83, "vappress": 5.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408320,48.004417] }, "properties": { "altitude": "268.8", "sensor": "14", "gpstime":"2019-06-26T20:38:29.000Z", "temperature": 29.96, "relhumidity": 8.35, "vappress": 5.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421500,48.003172] }, "properties": { "altitude": "266.9", "sensor": "14", "gpstime":"2019-06-26T20:39:24.000Z", "temperature": 30.00, "relhumidity": 7.91, "vappress": 5.767, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8436820,48.002612] }, "properties": { "altitude": "272.1", "sensor": "14", "gpstime":"2019-06-26T20:39:50.000Z", "temperature": 30.06, "relhumidity": 7.98, "vappress": 5.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451270,48.002125] }, "properties": { "altitude": "269.9", "sensor": "14", "gpstime":"2019-06-26T20:40:10.000Z", "temperature": 29.94, "relhumidity": 8.70, "vappress": 5.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8465330,48.002320] }, "properties": { "altitude": "273.4", "sensor": "14", "gpstime":"2019-06-26T20:40:40.000Z", "temperature": 29.85, "relhumidity": 7.81, "vappress": 5.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476550,48.003445] }, "properties": { "altitude": "268.5", "sensor": "14", "gpstime":"2019-06-26T20:41:04.000Z", "temperature": 30.34, "relhumidity": 6.71, "vappress": 5.952, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8492530,48.003057] }, "properties": { "altitude": "273.4", "sensor": "14", "gpstime":"2019-06-26T20:41:33.000Z", "temperature": 30.61, "relhumidity": 6.01, "vappress": 6.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8507180,48.002720] }, "properties": { "altitude": "281.2", "sensor": "14", "gpstime":"2019-06-26T20:41:58.000Z", "temperature": 30.79, "relhumidity": 4.80, "vappress": 5.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491020,48.002190] }, "properties": { "altitude": "284.5", "sensor": "14", "gpstime":"2019-06-26T20:42:41.000Z", "temperature": 30.71, "relhumidity": 6.43, "vappress": 5.492, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478020,48.001527] }, "properties": { "altitude": "277.3", "sensor": "14", "gpstime":"2019-06-26T20:43:09.000Z", "temperature": 30.23, "relhumidity": 6.51, "vappress": 5.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470130,47.999683] }, "properties": { "altitude": "289.6", "sensor": "14", "gpstime":"2019-06-26T20:43:58.000Z", "temperature": 30.45, "relhumidity": 6.08, "vappress": 5.943, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480120,47.998243] }, "properties": { "altitude": "297.1", "sensor": "14", "gpstime":"2019-06-26T20:44:45.000Z", "temperature": 30.67, "relhumidity": 5.37, "vappress": 5.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468530,47.996983] }, "properties": { "altitude": "285.9", "sensor": "14", "gpstime":"2019-06-26T20:45:27.000Z", "temperature": 30.64, "relhumidity": 6.42, "vappress": 5.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458380,47.995452] }, "properties": { "altitude": "280.7", "sensor": "14", "gpstime":"2019-06-26T20:46:18.000Z", "temperature": 30.16, "relhumidity": 7.88, "vappress": 5.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452680,47.993578] }, "properties": { "altitude": "278.5", "sensor": "14", "gpstime":"2019-06-26T20:47:03.000Z", "temperature": 29.75, "relhumidity": 9.24, "vappress": 5.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447670,47.993440] }, "properties": { "altitude": "102.1", "sensor": "15", "gpstime":"2019-06-26T18:48:23.000Z", "temperature": 24.88, "relhumidity": 28.29, "vappress": 5.556, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452350,47.991382] }, "properties": { "altitude": "267.5", "sensor": "15", "gpstime":"2019-06-26T19:26:18.000Z", "temperature": 27.00, "relhumidity": 8.43, "vappress": 4.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8433580,47.991560] }, "properties": { "altitude": "275.8", "sensor": "15", "gpstime":"2019-06-26T19:26:49.000Z", "temperature": 29.13, "relhumidity": 8.52, "vappress": 4.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8420220,47.992032] }, "properties": { "altitude": "270.3", "sensor": "15", "gpstime":"2019-06-26T19:27:05.000Z", "temperature": 28.96, "relhumidity": 9.82, "vappress": 5.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406620,47.992492] }, "properties": { "altitude": "265.5", "sensor": "15", "gpstime":"2019-06-26T19:27:23.000Z", "temperature": 28.91, "relhumidity": 11.04, "vappress": 5.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389820,47.992943] }, "properties": { "altitude": "266.0", "sensor": "15", "gpstime":"2019-06-26T19:27:47.000Z", "temperature": 28.85, "relhumidity": 10.10, "vappress": 5.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381180,47.991205] }, "properties": { "altitude": "273.0", "sensor": "15", "gpstime":"2019-06-26T19:28:30.000Z", "temperature": 28.92, "relhumidity": 9.90, "vappress": 5.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393270,47.989828] }, "properties": { "altitude": "271.7", "sensor": "15", "gpstime":"2019-06-26T19:29:19.000Z", "temperature": 29.11, "relhumidity": 9.32, "vappress": 5.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406550,47.988933] }, "properties": { "altitude": "270.8", "sensor": "15", "gpstime":"2019-06-26T19:29:46.000Z", "temperature": 29.06, "relhumidity": 9.50, "vappress": 5.085, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393880,47.987565] }, "properties": { "altitude": "273.3", "sensor": "15", "gpstime":"2019-06-26T19:30:29.000Z", "temperature": 28.86, "relhumidity": 10.37, "vappress": 4.793, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378080,47.986743] }, "properties": { "altitude": "269.3", "sensor": "15", "gpstime":"2019-06-26T19:30:50.000Z", "temperature": 28.66, "relhumidity": 10.01, "vappress": 4.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363130,47.986350] }, "properties": { "altitude": "272.0", "sensor": "15", "gpstime":"2019-06-26T19:31:21.000Z", "temperature": 28.68, "relhumidity": 10.17, "vappress": 4.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347070,47.985873] }, "properties": { "altitude": "268.9", "sensor": "15", "gpstime":"2019-06-26T19:31:54.000Z", "temperature": 28.80, "relhumidity": 9.08, "vappress": 4.478, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8330770,47.985477] }, "properties": { "altitude": "264.7", "sensor": "15", "gpstime":"2019-06-26T19:32:11.000Z", "temperature": 28.77, "relhumidity": 9.17, "vappress": 4.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8315530,47.985468] }, "properties": { "altitude": "260.3", "sensor": "15", "gpstime":"2019-06-26T19:32:26.000Z", "temperature": 28.68, "relhumidity": 8.91, "vappress": 4.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8299070,47.985725] }, "properties": { "altitude": "257.7", "sensor": "15", "gpstime":"2019-06-26T19:32:46.000Z", "temperature": 28.86, "relhumidity": 8.36, "vappress": 4.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8287900,47.987267] }, "properties": { "altitude": "262.3", "sensor": "15", "gpstime":"2019-06-26T19:33:19.000Z", "temperature": 29.01, "relhumidity": 8.65, "vappress": 4.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8270130,47.987995] }, "properties": { "altitude": "263.0", "sensor": "15", "gpstime":"2019-06-26T19:33:43.000Z", "temperature": 29.06, "relhumidity": 7.90, "vappress": 4.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254370,47.988488] }, "properties": { "altitude": "260.5", "sensor": "15", "gpstime":"2019-06-26T19:34:05.000Z", "temperature": 29.34, "relhumidity": 7.61, "vappress": 4.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244500,47.986822] }, "properties": { "altitude": "263.2", "sensor": "15", "gpstime":"2019-06-26T19:34:40.000Z", "temperature": 29.29, "relhumidity": 6.84, "vappress": 4.150, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233000,47.985177] }, "properties": { "altitude": "263.2", "sensor": "15", "gpstime":"2019-06-26T19:35:31.000Z", "temperature": 29.22, "relhumidity": 6.61, "vappress": 4.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8233180,47.983082] }, "properties": { "altitude": "259.7", "sensor": "15", "gpstime":"2019-06-26T19:36:24.000Z", "temperature": 29.34, "relhumidity": 7.57, "vappress": 4.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219900,47.982512] }, "properties": { "altitude": "257.6", "sensor": "15", "gpstime":"2019-06-26T19:36:51.000Z", "temperature": 29.22, "relhumidity": 8.58, "vappress": 4.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205270,47.982440] }, "properties": { "altitude": "253.6", "sensor": "15", "gpstime":"2019-06-26T19:37:09.000Z", "temperature": 28.88, "relhumidity": 8.94, "vappress": 4.412, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184830,47.982332] }, "properties": { "altitude": "254.6", "sensor": "15", "gpstime":"2019-06-26T19:37:39.000Z", "temperature": 28.85, "relhumidity": 9.71, "vappress": 4.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8171000,47.982437] }, "properties": { "altitude": "253.5", "sensor": "15", "gpstime":"2019-06-26T19:37:55.000Z", "temperature": 28.46, "relhumidity": 10.93, "vappress": 4.532, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8157000,47.982585] }, "properties": { "altitude": "253.0", "sensor": "15", "gpstime":"2019-06-26T19:38:14.000Z", "temperature": 28.15, "relhumidity": 13.50, "vappress": 4.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8142070,47.983335] }, "properties": { "altitude": "253.3", "sensor": "15", "gpstime":"2019-06-26T19:38:59.000Z", "temperature": 27.70, "relhumidity": 15.17, "vappress": 5.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8128150,47.983195] }, "properties": { "altitude": "251.7", "sensor": "15", "gpstime":"2019-06-26T19:39:16.000Z", "temperature": 28.09, "relhumidity": 12.99, "vappress": 4.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112180,47.982928] }, "properties": { "altitude": "251.2", "sensor": "15", "gpstime":"2019-06-26T19:39:36.000Z", "temperature": 28.19, "relhumidity": 12.18, "vappress": 4.733, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8097980,47.982888] }, "properties": { "altitude": "253.4", "sensor": "15", "gpstime":"2019-06-26T19:39:56.000Z", "temperature": 28.34, "relhumidity": 11.81, "vappress": 4.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8080870,47.982060] }, "properties": { "altitude": "248.6", "sensor": "15", "gpstime":"2019-06-26T19:40:31.000Z", "temperature": 28.43, "relhumidity": 10.83, "vappress": 4.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8067280,47.981335] }, "properties": { "altitude": "248.7", "sensor": "15", "gpstime":"2019-06-26T19:40:55.000Z", "temperature": 28.72, "relhumidity": 10.38, "vappress": 4.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8057700,47.979475] }, "properties": { "altitude": "243.3", "sensor": "15", "gpstime":"2019-06-26T19:42:06.000Z", "temperature": 28.94, "relhumidity": 9.74, "vappress": 5.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8044720,47.978822] }, "properties": { "altitude": "245.1", "sensor": "15", "gpstime":"2019-06-26T19:42:26.000Z", "temperature": 28.82, "relhumidity": 10.94, "vappress": 5.213, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026830,47.978272] }, "properties": { "altitude": "244.2", "sensor": "15", "gpstime":"2019-06-26T19:42:50.000Z", "temperature": 28.55, "relhumidity": 11.44, "vappress": 4.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008070,47.978113] }, "properties": { "altitude": "244.4", "sensor": "15", "gpstime":"2019-06-26T19:43:11.000Z", "temperature": 28.33, "relhumidity": 11.70, "vappress": 4.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7993150,47.977687] }, "properties": { "altitude": "244.2", "sensor": "15", "gpstime":"2019-06-26T19:43:29.000Z", "temperature": 28.18, "relhumidity": 13.17, "vappress": 4.896, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7977630,47.977332] }, "properties": { "altitude": "242.0", "sensor": "15", "gpstime":"2019-06-26T19:43:49.000Z", "temperature": 27.78, "relhumidity": 13.95, "vappress": 4.486, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7958320,47.977268] }, "properties": { "altitude": "240.4", "sensor": "15", "gpstime":"2019-06-26T19:44:13.000Z", "temperature": 27.39, "relhumidity": 15.96, "vappress": 4.407, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7944350,47.976840] }, "properties": { "altitude": "240.5", "sensor": "15", "gpstime":"2019-06-26T19:44:37.000Z", "temperature": 27.47, "relhumidity": 15.00, "vappress": 4.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7928880,47.976830] }, "properties": { "altitude": "236.6", "sensor": "15", "gpstime":"2019-06-26T19:45:00.000Z", "temperature": 27.64, "relhumidity": 14.43, "vappress": 4.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7910380,47.977120] }, "properties": { "altitude": "231.7", "sensor": "15", "gpstime":"2019-06-26T19:45:56.000Z", "temperature": 27.71, "relhumidity": 12.78, "vappress": 4.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7923600,47.976577] }, "properties": { "altitude": "240.9", "sensor": "15", "gpstime":"2019-06-26T19:48:25.000Z", "temperature": 27.90, "relhumidity": 11.56, "vappress": 3.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7911170,47.975105] }, "properties": { "altitude": "243.2", "sensor": "15", "gpstime":"2019-06-26T19:49:06.000Z", "temperature": 27.79, "relhumidity": 14.44, "vappress": 4.168, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896480,47.974725] }, "properties": { "altitude": "241.7", "sensor": "15", "gpstime":"2019-06-26T19:49:29.000Z", "temperature": 27.00, "relhumidity": 17.00, "vappress": 3.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7879870,47.974213] }, "properties": { "altitude": "241.2", "sensor": "15", "gpstime":"2019-06-26T19:49:51.000Z", "temperature": 25.95, "relhumidity": 20.02, "vappress": 3.198, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7866230,47.973957] }, "properties": { "altitude": "243.3", "sensor": "15", "gpstime":"2019-06-26T19:50:12.000Z", "temperature": 25.57, "relhumidity": 20.19, "vappress": 3.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7848580,47.973722] }, "properties": { "altitude": "237.6", "sensor": "15", "gpstime":"2019-06-26T19:50:34.000Z", "temperature": 25.58, "relhumidity": 20.91, "vappress": 3.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7856380,47.975638] }, "properties": { "altitude": "238.4", "sensor": "15", "gpstime":"2019-06-26T19:51:23.000Z", "temperature": 25.64, "relhumidity": 20.74, "vappress": 3.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7868130,47.976677] }, "properties": { "altitude": "238.1", "sensor": "15", "gpstime":"2019-06-26T19:51:47.000Z", "temperature": 25.80, "relhumidity": 20.29, "vappress": 3.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7879980,47.977875] }, "properties": { "altitude": "238.8", "sensor": "15", "gpstime":"2019-06-26T19:52:15.000Z", "temperature": 25.90, "relhumidity": 19.03, "vappress": 3.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7891650,47.978987] }, "properties": { "altitude": "240.5", "sensor": "15", "gpstime":"2019-06-26T19:52:39.000Z", "temperature": 26.68, "relhumidity": 18.54, "vappress": 4.839, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7877220,47.979567] }, "properties": { "altitude": "235.4", "sensor": "15", "gpstime":"2019-06-26T19:53:11.000Z", "temperature": 27.37, "relhumidity": 16.28, "vappress": 4.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7860120,47.979020] }, "properties": { "altitude": "231.8", "sensor": "15", "gpstime":"2019-06-26T19:53:36.000Z", "temperature": 27.49, "relhumidity": 16.47, "vappress": 4.831, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7846570,47.978528] }, "properties": { "altitude": "232.5", "sensor": "15", "gpstime":"2019-06-26T19:53:55.000Z", "temperature": 27.32, "relhumidity": 17.07, "vappress": 4.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7834850,47.977558] }, "properties": { "altitude": "233.5", "sensor": "15", "gpstime":"2019-06-26T19:54:20.000Z", "temperature": 26.39, "relhumidity": 18.81, "vappress": 3.037, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7824430,47.975857] }, "properties": { "altitude": "236.2", "sensor": "15", "gpstime":"2019-06-26T19:54:55.000Z", "temperature": 24.93, "relhumidity": 22.33, "vappress": 2.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7810670,47.975258] }, "properties": { "altitude": "236.8", "sensor": "15", "gpstime":"2019-06-26T19:55:21.000Z", "temperature": 24.97, "relhumidity": 21.27, "vappress": 2.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7792520,47.975725] }, "properties": { "altitude": "233.3", "sensor": "15", "gpstime":"2019-06-26T19:55:43.000Z", "temperature": 25.41, "relhumidity": 20.95, "vappress": 2.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7778500,47.976092] }, "properties": { "altitude": "231.7", "sensor": "15", "gpstime":"2019-06-26T19:56:00.000Z", "temperature": 25.00, "relhumidity": 21.08, "vappress": 1.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7766330,47.974682] }, "properties": { "altitude": "231.7", "sensor": "15", "gpstime":"2019-06-26T19:56:45.000Z", "temperature": 24.50, "relhumidity": 23.37, "vappress": 2.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7758750,47.972913] }, "properties": { "altitude": "231.1", "sensor": "15", "gpstime":"2019-06-26T19:57:18.000Z", "temperature": 24.60, "relhumidity": 24.51, "vappress": 2.710, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7746330,47.971603] }, "properties": { "altitude": "229.6", "sensor": "15", "gpstime":"2019-06-26T19:57:53.000Z", "temperature": 24.60, "relhumidity": 24.78, "vappress": 2.620, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7732730,47.971867] }, "properties": { "altitude": "228.7", "sensor": "15", "gpstime":"2019-06-26T19:58:09.000Z", "temperature": 24.53, "relhumidity": 25.10, "vappress": 2.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7714880,47.972197] }, "properties": { "altitude": "228.9", "sensor": "15", "gpstime":"2019-06-26T19:58:31.000Z", "temperature": 24.61, "relhumidity": 24.60, "vappress": 2.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7699130,47.972452] }, "properties": { "altitude": "229.9", "sensor": "15", "gpstime":"2019-06-26T19:58:58.000Z", "temperature": 25.08, "relhumidity": 22.66, "vappress": 3.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675020,47.972160] }, "properties": { "altitude": "222.2", "sensor": "15", "gpstime":"2019-06-26T19:59:19.000Z", "temperature": 25.51, "relhumidity": 24.26, "vappress": 4.069, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7666070,47.970375] }, "properties": { "altitude": "221.3", "sensor": "15", "gpstime":"2019-06-26T19:59:55.000Z", "temperature": 25.18, "relhumidity": 25.15, "vappress": 3.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7664030,47.968382] }, "properties": { "altitude": "222.3", "sensor": "15", "gpstime":"2019-06-26T20:00:29.000Z", "temperature": 25.26, "relhumidity": 24.08, "vappress": 3.677, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7645230,47.965995] }, "properties": { "altitude": "225.8", "sensor": "15", "gpstime":"2019-06-26T20:01:18.000Z", "temperature": 25.37, "relhumidity": 24.94, "vappress": 4.186, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7633150,47.967382] }, "properties": { "altitude": "223.6", "sensor": "15", "gpstime":"2019-06-26T20:01:50.000Z", "temperature": 25.33, "relhumidity": 24.88, "vappress": 3.806, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7611100,47.968415] }, "properties": { "altitude": "223.6", "sensor": "15", "gpstime":"2019-06-26T20:02:22.000Z", "temperature": 25.11, "relhumidity": 24.74, "vappress": 3.426, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7625430,47.969995] }, "properties": { "altitude": "222.2", "sensor": "15", "gpstime":"2019-06-26T20:03:24.000Z", "temperature": 24.56, "relhumidity": 24.49, "vappress": 1.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7641370,47.970728] }, "properties": { "altitude": "223.4", "sensor": "15", "gpstime":"2019-06-26T20:03:53.000Z", "temperature": 24.31, "relhumidity": 24.55, "vappress": 2.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7654530,47.971603] }, "properties": { "altitude": "222.0", "sensor": "15", "gpstime":"2019-06-26T20:04:21.000Z", "temperature": 24.45, "relhumidity": 24.46, "vappress": 2.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7669050,47.972715] }, "properties": { "altitude": "223.9", "sensor": "15", "gpstime":"2019-06-26T20:04:52.000Z", "temperature": 24.45, "relhumidity": 24.46, "vappress": 2.318, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7674350,47.974598] }, "properties": { "altitude": "229.0", "sensor": "15", "gpstime":"2019-06-26T20:05:31.000Z", "temperature": 24.60, "relhumidity": 24.28, "vappress": 2.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7684420,47.975950] }, "properties": { "altitude": "225.5", "sensor": "15", "gpstime":"2019-06-26T20:06:01.000Z", "temperature": 24.46, "relhumidity": 24.11, "vappress": 2.127, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7698470,47.976290] }, "properties": { "altitude": "227.0", "sensor": "15", "gpstime":"2019-06-26T20:06:20.000Z", "temperature": 24.60, "relhumidity": 24.16, "vappress": 2.487, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7715480,47.977030] }, "properties": { "altitude": "230.8", "sensor": "15", "gpstime":"2019-06-26T20:06:48.000Z", "temperature": 24.67, "relhumidity": 24.19, "vappress": 2.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7724920,47.978500] }, "properties": { "altitude": "232.6", "sensor": "15", "gpstime":"2019-06-26T20:07:19.000Z", "temperature": 24.86, "relhumidity": 24.14, "vappress": 3.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7737150,47.979440] }, "properties": { "altitude": "232.7", "sensor": "15", "gpstime":"2019-06-26T20:07:46.000Z", "temperature": 25.83, "relhumidity": 21.30, "vappress": 3.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7750730,47.979837] }, "properties": { "altitude": "234.7", "sensor": "15", "gpstime":"2019-06-26T20:08:04.000Z", "temperature": 26.53, "relhumidity": 19.13, "vappress": 4.242, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7764670,47.980045] }, "properties": { "altitude": "234.4", "sensor": "15", "gpstime":"2019-06-26T20:08:24.000Z", "temperature": 26.82, "relhumidity": 18.37, "vappress": 4.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7773950,47.982027] }, "properties": { "altitude": "233.0", "sensor": "15", "gpstime":"2019-06-26T20:09:33.000Z", "temperature": 26.73, "relhumidity": 16.76, "vappress": 4.546, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7787000,47.982650] }, "properties": { "altitude": "235.4", "sensor": "15", "gpstime":"2019-06-26T20:09:58.000Z", "temperature": 27.62, "relhumidity": 15.69, "vappress": 4.886, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7800520,47.983968] }, "properties": { "altitude": "235.7", "sensor": "15", "gpstime":"2019-06-26T20:10:30.000Z", "temperature": 28.07, "relhumidity": 15.02, "vappress": 5.051, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7808500,47.985750] }, "properties": { "altitude": "236.8", "sensor": "15", "gpstime":"2019-06-26T20:11:05.000Z", "temperature": 28.30, "relhumidity": 11.27, "vappress": 4.942, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7823220,47.985885] }, "properties": { "altitude": "241.8", "sensor": "15", "gpstime":"2019-06-26T20:11:30.000Z", "temperature": 28.93, "relhumidity": 8.06, "vappress": 4.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7837630,47.985808] }, "properties": { "altitude": "243.9", "sensor": "15", "gpstime":"2019-06-26T20:11:54.000Z", "temperature": 29.24, "relhumidity": 7.25, "vappress": 4.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7847520,47.987758] }, "properties": { "altitude": "240.6", "sensor": "15", "gpstime":"2019-06-26T20:12:31.000Z", "temperature": 29.41, "relhumidity": 7.30, "vappress": 4.695, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7862880,47.987815] }, "properties": { "altitude": "240.6", "sensor": "15", "gpstime":"2019-06-26T20:12:51.000Z", "temperature": 29.40, "relhumidity": 5.69, "vappress": 3.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7877920,47.987480] }, "properties": { "altitude": "236.8", "sensor": "15", "gpstime":"2019-06-26T20:13:12.000Z", "temperature": 29.01, "relhumidity": 10.09, "vappress": 4.601, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7891730,47.987000] }, "properties": { "altitude": "244.3", "sensor": "15", "gpstime":"2019-06-26T20:13:40.000Z", "temperature": 28.99, "relhumidity": 8.05, "vappress": 4.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7907080,47.987192] }, "properties": { "altitude": "246.3", "sensor": "15", "gpstime":"2019-06-26T20:14:20.000Z", "temperature": 29.11, "relhumidity": 5.79, "vappress": 3.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914280,47.989397] }, "properties": { "altitude": "243.1", "sensor": "15", "gpstime":"2019-06-26T20:15:05.000Z", "temperature": 29.43, "relhumidity": 3.62, "vappress": 3.149, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7900820,47.989390] }, "properties": { "altitude": "241.7", "sensor": "15", "gpstime":"2019-06-26T20:15:21.000Z", "temperature": 29.60, "relhumidity": 3.44, "vappress": 3.249, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7886850,47.989403] }, "properties": { "altitude": "240.0", "sensor": "15", "gpstime":"2019-06-26T20:15:38.000Z", "temperature": 29.67, "relhumidity": 3.55, "vappress": 3.469, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7885820,47.991805] }, "properties": { "altitude": "239.2", "sensor": "15", "gpstime":"2019-06-26T20:16:22.000Z", "temperature": 29.75, "relhumidity": 3.67, "vappress": 3.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7899130,47.992705] }, "properties": { "altitude": "236.9", "sensor": "15", "gpstime":"2019-06-26T20:16:56.000Z", "temperature": 29.94, "relhumidity": 3.43, "vappress": 3.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7915130,47.992572] }, "properties": { "altitude": "237.8", "sensor": "15", "gpstime":"2019-06-26T20:17:19.000Z", "temperature": 30.14, "relhumidity": 2.56, "vappress": 3.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7929780,47.992973] }, "properties": { "altitude": "237.9", "sensor": "15", "gpstime":"2019-06-26T20:17:46.000Z", "temperature": 30.18, "relhumidity": 2.18, "vappress": 3.691, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7937600,47.994930] }, "properties": { "altitude": "240.6", "sensor": "15", "gpstime":"2019-06-26T20:18:24.000Z", "temperature": 30.22, "relhumidity": 3.32, "vappress": 4.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7946520,47.996588] }, "properties": { "altitude": "239.6", "sensor": "15", "gpstime":"2019-06-26T20:18:56.000Z", "temperature": 30.23, "relhumidity": 4.21, "vappress": 4.418, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7930700,47.997370] }, "properties": { "altitude": "239.7", "sensor": "15", "gpstime":"2019-06-26T20:19:21.000Z", "temperature": 30.04, "relhumidity": 5.13, "vappress": 4.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914650,47.996745] }, "properties": { "altitude": "245.4", "sensor": "15", "gpstime":"2019-06-26T20:19:50.000Z", "temperature": 29.94, "relhumidity": 4.82, "vappress": 4.351, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896650,47.997120] }, "properties": { "altitude": "240.8", "sensor": "15", "gpstime":"2019-06-26T20:20:15.000Z", "temperature": 29.97, "relhumidity": 5.06, "vappress": 4.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7882030,47.997387] }, "properties": { "altitude": "238.8", "sensor": "15", "gpstime":"2019-06-26T20:20:34.000Z", "temperature": 30.04, "relhumidity": 4.96, "vappress": 4.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7880170,47.999598] }, "properties": { "altitude": "238.3", "sensor": "15", "gpstime":"2019-06-26T20:21:36.000Z", "temperature": 29.82, "relhumidity": 6.30, "vappress": 4.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7887350,48.002102] }, "properties": { "altitude": "239.3", "sensor": "15", "gpstime":"2019-06-26T20:22:41.000Z", "temperature": 29.87, "relhumidity": 7.27, "vappress": 5.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7903370,48.002047] }, "properties": { "altitude": "237.3", "sensor": "15", "gpstime":"2019-06-26T20:23:14.000Z", "temperature": 29.44, "relhumidity": 8.49, "vappress": 4.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7917380,48.000943] }, "properties": { "altitude": "240.7", "sensor": "15", "gpstime":"2019-06-26T20:23:54.000Z", "temperature": 29.18, "relhumidity": 9.77, "vappress": 4.867, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7933280,48.000233] }, "properties": { "altitude": "239.0", "sensor": "15", "gpstime":"2019-06-26T20:24:22.000Z", "temperature": 29.08, "relhumidity": 10.62, "vappress": 5.258, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7948350,47.999625] }, "properties": { "altitude": "242.2", "sensor": "15", "gpstime":"2019-06-26T20:24:49.000Z", "temperature": 28.70, "relhumidity": 13.16, "vappress": 5.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7961670,47.999035] }, "properties": { "altitude": "242.9", "sensor": "15", "gpstime":"2019-06-26T20:25:11.000Z", "temperature": 28.42, "relhumidity": 13.87, "vappress": 5.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7971800,48.000627] }, "properties": { "altitude": "249.9", "sensor": "15", "gpstime":"2019-06-26T20:26:29.000Z", "temperature": 28.34, "relhumidity": 13.46, "vappress": 4.960, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7988050,48.000312] }, "properties": { "altitude": "249.5", "sensor": "15", "gpstime":"2019-06-26T20:27:05.000Z", "temperature": 28.43, "relhumidity": 12.26, "vappress": 5.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8007570,48.000110] }, "properties": { "altitude": "243.2", "sensor": "15", "gpstime":"2019-06-26T20:27:29.000Z", "temperature": 28.73, "relhumidity": 11.62, "vappress": 5.037, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8024930,47.999678] }, "properties": { "altitude": "240.4", "sensor": "15", "gpstime":"2019-06-26T20:27:58.000Z", "temperature": 28.77, "relhumidity": 11.09, "vappress": 5.017, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8041330,47.999675] }, "properties": { "altitude": "241.7", "sensor": "15", "gpstime":"2019-06-26T20:28:22.000Z", "temperature": 29.06, "relhumidity": 10.79, "vappress": 5.123, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8056150,47.999632] }, "properties": { "altitude": "251.3", "sensor": "15", "gpstime":"2019-06-26T20:28:45.000Z", "temperature": 28.92, "relhumidity": 12.07, "vappress": 5.243, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073280,47.999130] }, "properties": { "altitude": "255.8", "sensor": "15", "gpstime":"2019-06-26T20:29:15.000Z", "temperature": 28.73, "relhumidity": 11.73, "vappress": 4.965, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8082700,47.997573] }, "properties": { "altitude": "257.0", "sensor": "15", "gpstime":"2019-06-26T20:30:12.000Z", "temperature": 28.86, "relhumidity": 9.16, "vappress": 4.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8081630,47.995257] }, "properties": { "altitude": "250.6", "sensor": "15", "gpstime":"2019-06-26T20:31:14.000Z", "temperature": 29.42, "relhumidity": 7.26, "vappress": 4.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8096630,47.994217] }, "properties": { "altitude": "255.0", "sensor": "15", "gpstime":"2019-06-26T20:31:55.000Z", "temperature": 29.70, "relhumidity": 5.98, "vappress": 4.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8116720,47.993995] }, "properties": { "altitude": "254.2", "sensor": "15", "gpstime":"2019-06-26T20:32:22.000Z", "temperature": 29.80, "relhumidity": 5.61, "vappress": 4.346, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132450,47.994012] }, "properties": { "altitude": "254.8", "sensor": "15", "gpstime":"2019-06-26T20:32:44.000Z", "temperature": 29.76, "relhumidity": 5.52, "vappress": 4.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8150330,47.994255] }, "properties": { "altitude": "256.2", "sensor": "15", "gpstime":"2019-06-26T20:33:13.000Z", "temperature": 29.67, "relhumidity": 5.46, "vappress": 3.957, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8162770,47.995005] }, "properties": { "altitude": "252.6", "sensor": "15", "gpstime":"2019-06-26T20:34:50.000Z", "temperature": 29.15, "relhumidity": 8.41, "vappress": 4.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8175920,47.995660] }, "properties": { "altitude": "259.4", "sensor": "15", "gpstime":"2019-06-26T20:35:19.000Z", "temperature": 29.09, "relhumidity": 7.59, "vappress": 4.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8176970,47.997808] }, "properties": { "altitude": "255.9", "sensor": "15", "gpstime":"2019-06-26T20:36:11.000Z", "temperature": 29.23, "relhumidity": 7.81, "vappress": 4.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190830,47.997950] }, "properties": { "altitude": "253.2", "sensor": "15", "gpstime":"2019-06-26T20:36:39.000Z", "temperature": 29.32, "relhumidity": 7.67, "vappress": 4.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207370,47.997577] }, "properties": { "altitude": "250.4", "sensor": "15", "gpstime":"2019-06-26T20:37:04.000Z", "temperature": 29.38, "relhumidity": 7.29, "vappress": 4.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224450,47.996748] }, "properties": { "altitude": "251.5", "sensor": "15", "gpstime":"2019-06-26T20:37:36.000Z", "temperature": 29.35, "relhumidity": 7.37, "vappress": 4.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239230,47.996215] }, "properties": { "altitude": "254.2", "sensor": "15", "gpstime":"2019-06-26T20:38:00.000Z", "temperature": 29.46, "relhumidity": 7.40, "vappress": 4.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8251950,47.995250] }, "properties": { "altitude": "262.7", "sensor": "15", "gpstime":"2019-06-26T20:38:30.000Z", "temperature": 29.53, "relhumidity": 6.99, "vappress": 4.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265450,47.994760] }, "properties": { "altitude": "262.5", "sensor": "15", "gpstime":"2019-06-26T20:38:57.000Z", "temperature": 29.40, "relhumidity": 7.51, "vappress": 4.114, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8279670,47.994347] }, "properties": { "altitude": "260.1", "sensor": "15", "gpstime":"2019-06-26T20:39:19.000Z", "temperature": 29.18, "relhumidity": 8.14, "vappress": 4.217, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296570,47.993860] }, "properties": { "altitude": "260.4", "sensor": "15", "gpstime":"2019-06-26T20:39:44.000Z", "temperature": 29.15, "relhumidity": 8.35, "vappress": 4.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8311530,47.993115] }, "properties": { "altitude": "266.9", "sensor": "15", "gpstime":"2019-06-26T20:40:08.000Z", "temperature": 29.40, "relhumidity": 6.35, "vappress": 4.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8327250,47.993585] }, "properties": { "altitude": "268.4", "sensor": "15", "gpstime":"2019-06-26T20:41:28.000Z", "temperature": 29.61, "relhumidity": 6.62, "vappress": 4.452, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8342300,47.994530] }, "properties": { "altitude": "269.5", "sensor": "15", "gpstime":"2019-06-26T20:42:07.000Z", "temperature": 29.70, "relhumidity": 6.93, "vappress": 4.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8357770,47.993962] }, "properties": { "altitude": "267.1", "sensor": "15", "gpstime":"2019-06-26T20:42:39.000Z", "temperature": 29.75, "relhumidity": 6.45, "vappress": 4.602, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8370800,47.994993] }, "properties": { "altitude": "264.9", "sensor": "15", "gpstime":"2019-06-26T20:43:20.000Z", "temperature": 29.72, "relhumidity": 7.04, "vappress": 4.863, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383480,47.995662] }, "properties": { "altitude": "260.3", "sensor": "15", "gpstime":"2019-06-26T20:44:01.000Z", "temperature": 29.77, "relhumidity": 6.93, "vappress": 4.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399300,47.996078] }, "properties": { "altitude": "273.6", "sensor": "15", "gpstime":"2019-06-26T20:44:36.000Z", "temperature": 29.75, "relhumidity": 6.66, "vappress": 4.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412900,47.994917] }, "properties": { "altitude": "271.6", "sensor": "15", "gpstime":"2019-06-26T20:45:14.000Z", "temperature": 30.00, "relhumidity": 6.03, "vappress": 4.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424850,47.993972] }, "properties": { "altitude": "277.4", "sensor": "15", "gpstime":"2019-06-26T20:45:39.000Z", "temperature": 29.91, "relhumidity": 6.01, "vappress": 4.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442630,47.993778] }, "properties": { "altitude": "274.4", "sensor": "15", "gpstime":"2019-06-26T20:46:03.000Z", "temperature": 29.92, "relhumidity": 6.11, "vappress": 4.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452980,47.993718] }, "properties": { "altitude": "278.3", "sensor": "15", "gpstime":"2019-06-26T20:46:19.000Z", "temperature": 29.83, "relhumidity": 6.47, "vappress": 4.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453030,47.993623] }, "properties": { "altitude": "272.7", "sensor": "18", "gpstime":"2019-06-26T19:26:27.000Z", "temperature": 28.56, "relhumidity": 3.58, "vappress": 1.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460080,47.995372] }, "properties": { "altitude": "274.1", "sensor": "18", "gpstime":"2019-06-26T19:27:08.000Z", "temperature": 28.80, "relhumidity": 1.49, "vappress": 1.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8471150,47.997013] }, "properties": { "altitude": "275.2", "sensor": "18", "gpstime":"2019-06-26T19:27:46.000Z", "temperature": 29.39, "relhumidity": -0.46, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486150,47.997582] }, "properties": { "altitude": "274.6", "sensor": "18", "gpstime":"2019-06-26T19:28:15.000Z", "temperature": 29.94, "relhumidity": -3.05, "vappress": 1.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500780,47.997212] }, "properties": { "altitude": "277.4", "sensor": "18", "gpstime":"2019-06-26T19:28:37.000Z", "temperature": 30.12, "relhumidity": -4.85, "vappress": 0.599, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8515030,47.997337] }, "properties": { "altitude": "283.3", "sensor": "18", "gpstime":"2019-06-26T19:29:07.000Z", "temperature": 30.27, "relhumidity": -6.29, "vappress": -0.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534000,47.997280] }, "properties": { "altitude": "288.5", "sensor": "18", "gpstime":"2019-06-26T19:29:44.000Z", "temperature": 30.21, "relhumidity": -5.42, "vappress": 0.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548330,47.997015] }, "properties": { "altitude": "288.7", "sensor": "18", "gpstime":"2019-06-26T19:30:07.000Z", "temperature": 30.07, "relhumidity": -4.84, "vappress": 0.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563430,47.997480] }, "properties": { "altitude": "280.3", "sensor": "18", "gpstime":"2019-06-26T19:30:41.000Z", "temperature": 29.69, "relhumidity": -1.89, "vappress": 0.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8577950,47.997185] }, "properties": { "altitude": "278.6", "sensor": "18", "gpstime":"2019-06-26T19:31:13.000Z", "temperature": 28.69, "relhumidity": 0.91, "vappress": 0.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590280,47.996378] }, "properties": { "altitude": "316.4", "sensor": "18", "gpstime":"2019-06-26T19:33:27.000Z", "temperature": 28.25, "relhumidity": 4.39, "vappress": 1.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603670,47.995882] }, "properties": { "altitude": "362.7", "sensor": "18", "gpstime":"2019-06-26T19:36:48.000Z", "temperature": 27.55, "relhumidity": 7.55, "vappress": 1.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618020,47.996220] }, "properties": { "altitude": "381.9", "sensor": "18", "gpstime":"2019-06-26T19:37:53.000Z", "temperature": 27.24, "relhumidity": 5.88, "vappress": 0.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8635800,47.996662] }, "properties": { "altitude": "394.5", "sensor": "18", "gpstime":"2019-06-26T19:39:09.000Z", "temperature": 27.12, "relhumidity": 7.23, "vappress": 0.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8649800,47.997462] }, "properties": { "altitude": "412.2", "sensor": "18", "gpstime":"2019-06-26T19:40:28.000Z", "temperature": 26.67, "relhumidity": 7.07, "vappress": 0.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660730,47.998713] }, "properties": { "altitude": "423.7", "sensor": "18", "gpstime":"2019-06-26T19:42:07.000Z", "temperature": 26.77, "relhumidity": 6.09, "vappress": 0.153, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8672500,47.999695] }, "properties": { "altitude": "428.0", "sensor": "18", "gpstime":"2019-06-26T19:43:07.000Z", "temperature": 26.85, "relhumidity": 5.55, "vappress": -0.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8691880,47.998732] }, "properties": { "altitude": "416.8", "sensor": "18", "gpstime":"2019-06-26T19:43:55.000Z", "temperature": 27.43, "relhumidity": 3.40, "vappress": 0.516, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706230,47.998897] }, "properties": { "altitude": "360.3", "sensor": "18", "gpstime":"2019-06-26T19:45:20.000Z", "temperature": 27.85, "relhumidity": 2.64, "vappress": 0.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8723550,47.998210] }, "properties": { "altitude": "343.6", "sensor": "18", "gpstime":"2019-06-26T19:45:39.000Z", "temperature": 27.48, "relhumidity": 4.05, "vappress": -0.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709000,48.000428] }, "properties": { "altitude": "312.6", "sensor": "18", "gpstime":"2019-06-26T19:46:13.000Z", "temperature": 26.24, "relhumidity": 9.41, "vappress": 0.114, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8700320,48.002188] }, "properties": { "altitude": "300.4", "sensor": "18", "gpstime":"2019-06-26T19:46:38.000Z", "temperature": 25.28, "relhumidity": 14.25, "vappress": 0.224, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8681380,48.003363] }, "properties": { "altitude": "304.0", "sensor": "18", "gpstime":"2019-06-26T19:47:07.000Z", "temperature": 25.31, "relhumidity": 12.13, "vappress": 0.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668430,48.004115] }, "properties": { "altitude": "311.4", "sensor": "18", "gpstime":"2019-06-26T19:47:26.000Z", "temperature": 26.02, "relhumidity": 10.44, "vappress": 0.649, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682630,48.005265] }, "properties": { "altitude": "310.1", "sensor": "18", "gpstime":"2019-06-26T19:47:55.000Z", "temperature": 26.65, "relhumidity": 7.22, "vappress": 0.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696630,48.005550] }, "properties": { "altitude": "309.0", "sensor": "18", "gpstime":"2019-06-26T19:48:11.000Z", "temperature": 26.47, "relhumidity": 9.11, "vappress": 0.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8716270,48.005630] }, "properties": { "altitude": "308.1", "sensor": "18", "gpstime":"2019-06-26T19:48:36.000Z", "temperature": 25.86, "relhumidity": 12.78, "vappress": 0.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733500,48.005623] }, "properties": { "altitude": "309.3", "sensor": "18", "gpstime":"2019-06-26T19:49:02.000Z", "temperature": 25.08, "relhumidity": 15.36, "vappress": 0.338, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8716250,48.006843] }, "properties": { "altitude": "313.3", "sensor": "18", "gpstime":"2019-06-26T19:49:45.000Z", "temperature": 24.66, "relhumidity": 15.98, "vappress": 0.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8720920,48.008905] }, "properties": { "altitude": "339.4", "sensor": "18", "gpstime":"2019-06-26T19:50:42.000Z", "temperature": 25.29, "relhumidity": 10.07, "vappress": -0.060, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8733770,48.009898] }, "properties": { "altitude": "358.8", "sensor": "18", "gpstime":"2019-06-26T19:51:24.000Z", "temperature": 26.01, "relhumidity": 10.35, "vappress": 0.210, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8724280,48.008453] }, "properties": { "altitude": "373.6", "sensor": "18", "gpstime":"2019-06-26T19:52:06.000Z", "temperature": 26.17, "relhumidity": 7.03, "vappress": -0.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8736000,48.007015] }, "properties": { "altitude": "364.4", "sensor": "18", "gpstime":"2019-06-26T19:52:53.000Z", "temperature": 26.58, "relhumidity": 6.61, "vappress": -0.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8750320,48.007303] }, "properties": { "altitude": "367.0", "sensor": "18", "gpstime":"2019-06-26T19:53:53.000Z", "temperature": 26.44, "relhumidity": 5.81, "vappress": -0.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8764250,48.006963] }, "properties": { "altitude": "369.0", "sensor": "18", "gpstime":"2019-06-26T19:54:14.000Z", "temperature": 26.50, "relhumidity": 5.20, "vappress": -0.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8778550,48.007127] }, "properties": { "altitude": "370.9", "sensor": "18", "gpstime":"2019-06-26T19:54:34.000Z", "temperature": 26.31, "relhumidity": 6.52, "vappress": -0.743, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8793320,48.006447] }, "properties": { "altitude": "377.4", "sensor": "18", "gpstime":"2019-06-26T19:55:04.000Z", "temperature": 26.05, "relhumidity": 9.81, "vappress": -0.039, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8782630,48.005167] }, "properties": { "altitude": "371.9", "sensor": "18", "gpstime":"2019-06-26T19:55:47.000Z", "temperature": 25.03, "relhumidity": 13.25, "vappress": -0.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8767280,48.004530] }, "properties": { "altitude": "368.3", "sensor": "18", "gpstime":"2019-06-26T19:56:14.000Z", "temperature": 25.05, "relhumidity": 11.47, "vappress": -0.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8757920,48.002852] }, "properties": { "altitude": "373.1", "sensor": "18", "gpstime":"2019-06-26T19:57:11.000Z", "temperature": 25.62, "relhumidity": 9.79, "vappress": -0.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8742400,48.003247] }, "properties": { "altitude": "378.7", "sensor": "18", "gpstime":"2019-06-26T19:57:49.000Z", "temperature": 25.79, "relhumidity": 8.81, "vappress": -0.190, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8739420,48.001233] }, "properties": { "altitude": "386.5", "sensor": "18", "gpstime":"2019-06-26T19:58:50.000Z", "temperature": 26.89, "relhumidity": 5.46, "vappress": 0.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8750920,47.999810] }, "properties": { "altitude": "393.4", "sensor": "18", "gpstime":"2019-06-26T19:59:48.000Z", "temperature": 27.21, "relhumidity": 5.12, "vappress": 0.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8749730,47.997627] }, "properties": { "altitude": "412.5", "sensor": "18", "gpstime":"2019-06-26T20:01:01.000Z", "temperature": 27.28, "relhumidity": 5.35, "vappress": 0.686, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8735520,47.996625] }, "properties": { "altitude": "415.2", "sensor": "18", "gpstime":"2019-06-26T20:01:33.000Z", "temperature": 27.46, "relhumidity": 3.99, "vappress": 0.026, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748500,47.995770] }, "properties": { "altitude": "415.4", "sensor": "18", "gpstime":"2019-06-26T20:02:14.000Z", "temperature": 27.20, "relhumidity": 5.02, "vappress": 0.126, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761670,47.996265] }, "properties": { "altitude": "416.7", "sensor": "18", "gpstime":"2019-06-26T20:02:41.000Z", "temperature": 27.32, "relhumidity": 5.43, "vappress": 0.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8778950,47.995963] }, "properties": { "altitude": "421.7", "sensor": "18", "gpstime":"2019-06-26T20:03:11.000Z", "temperature": 27.40, "relhumidity": 4.78, "vappress": 0.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8793030,47.996655] }, "properties": { "altitude": "420.4", "sensor": "18", "gpstime":"2019-06-26T20:03:45.000Z", "temperature": 27.46, "relhumidity": 4.16, "vappress": 0.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807020,47.997575] }, "properties": { "altitude": "423.7", "sensor": "18", "gpstime":"2019-06-26T20:04:21.000Z", "temperature": 27.91, "relhumidity": 3.45, "vappress": 0.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8823880,47.998047] }, "properties": { "altitude": "426.7", "sensor": "18", "gpstime":"2019-06-26T20:04:53.000Z", "temperature": 28.06, "relhumidity": 3.00, "vappress": 0.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8839070,47.998290] }, "properties": { "altitude": "434.7", "sensor": "18", "gpstime":"2019-06-26T20:05:20.000Z", "temperature": 28.15, "relhumidity": 2.87, "vappress": 0.809, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8854350,47.998878] }, "properties": { "altitude": "443.1", "sensor": "18", "gpstime":"2019-06-26T20:05:50.000Z", "temperature": 28.08, "relhumidity": 3.67, "vappress": 0.489, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8867100,47.997898] }, "properties": { "altitude": "453.0", "sensor": "18", "gpstime":"2019-06-26T20:06:20.000Z", "temperature": 27.70, "relhumidity": 4.26, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8882900,47.999080] }, "properties": { "altitude": "449.6", "sensor": "18", "gpstime":"2019-06-26T20:07:06.000Z", "temperature": 27.83, "relhumidity": 4.28, "vappress": 0.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8897870,47.999230] }, "properties": { "altitude": "457.3", "sensor": "18", "gpstime":"2019-06-26T20:07:35.000Z", "temperature": 27.81, "relhumidity": 4.03, "vappress": 0.714, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8912520,47.999867] }, "properties": { "altitude": "460.7", "sensor": "18", "gpstime":"2019-06-26T20:08:03.000Z", "temperature": 27.75, "relhumidity": 4.26, "vappress": 0.522, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8923280,48.001637] }, "properties": { "altitude": "462.6", "sensor": "18", "gpstime":"2019-06-26T20:08:54.000Z", "temperature": 27.59, "relhumidity": 4.89, "vappress": 0.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8938070,48.001785] }, "properties": { "altitude": "475.0", "sensor": "18", "gpstime":"2019-06-26T20:09:37.000Z", "temperature": 27.30, "relhumidity": 4.76, "vappress": -0.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8954250,48.001290] }, "properties": { "altitude": "481.0", "sensor": "18", "gpstime":"2019-06-26T20:10:12.000Z", "temperature": 27.34, "relhumidity": 4.07, "vappress": 0.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8972730,48.001940] }, "properties": { "altitude": "477.0", "sensor": "18", "gpstime":"2019-06-26T20:10:34.000Z", "temperature": 27.30, "relhumidity": 5.15, "vappress": 0.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987900,48.002603] }, "properties": { "altitude": "475.4", "sensor": "18", "gpstime":"2019-06-26T20:10:56.000Z", "temperature": 26.86, "relhumidity": 6.58, "vappress": -0.379, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9000650,48.001545] }, "properties": { "altitude": "468.1", "sensor": "18", "gpstime":"2019-06-26T20:12:22.000Z", "temperature": 26.39, "relhumidity": 8.84, "vappress": 0.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9007230,47.999715] }, "properties": { "altitude": "474.3", "sensor": "18", "gpstime":"2019-06-26T20:13:43.000Z", "temperature": 26.55, "relhumidity": 9.72, "vappress": 0.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8994350,47.998502] }, "properties": { "altitude": "470.7", "sensor": "18", "gpstime":"2019-06-26T20:14:46.000Z", "temperature": 26.23, "relhumidity": 11.92, "vappress": 0.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8995830,47.996482] }, "properties": { "altitude": "468.2", "sensor": "18", "gpstime":"2019-06-26T20:15:36.000Z", "temperature": 26.23, "relhumidity": 11.31, "vappress": 0.999, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9008430,47.995035] }, "properties": { "altitude": "463.1", "sensor": "18", "gpstime":"2019-06-26T20:17:46.000Z", "temperature": 26.92, "relhumidity": 7.61, "vappress": 1.241, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9024070,47.995075] }, "properties": { "altitude": "458.2", "sensor": "18", "gpstime":"2019-06-26T20:18:15.000Z", "temperature": 27.57, "relhumidity": 6.81, "vappress": 1.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9039570,47.995052] }, "properties": { "altitude": "448.1", "sensor": "18", "gpstime":"2019-06-26T20:18:39.000Z", "temperature": 27.39, "relhumidity": 8.34, "vappress": 1.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9028000,47.993333] }, "properties": { "altitude": "439.6", "sensor": "18", "gpstime":"2019-06-26T20:19:42.000Z", "temperature": 26.90, "relhumidity": 8.84, "vappress": 1.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9012000,47.992455] }, "properties": { "altitude": "432.8", "sensor": "18", "gpstime":"2019-06-26T20:20:06.000Z", "temperature": 27.06, "relhumidity": 9.52, "vappress": 1.356, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8994100,47.991542] }, "properties": { "altitude": "420.7", "sensor": "18", "gpstime":"2019-06-26T20:20:30.000Z", "temperature": 27.25, "relhumidity": 8.45, "vappress": 1.466, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8978480,47.990762] }, "properties": { "altitude": "412.0", "sensor": "18", "gpstime":"2019-06-26T20:20:59.000Z", "temperature": 27.52, "relhumidity": 7.49, "vappress": 1.446, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8990400,47.989710] }, "properties": { "altitude": "366.4", "sensor": "18", "gpstime":"2019-06-26T20:21:45.000Z", "temperature": 27.35, "relhumidity": 8.81, "vappress": 1.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8985550,47.987618] }, "properties": { "altitude": "318.9", "sensor": "18", "gpstime":"2019-06-26T20:22:53.000Z", "temperature": 26.74, "relhumidity": 9.32, "vappress": 0.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8972050,47.988370] }, "properties": { "altitude": "308.9", "sensor": "18", "gpstime":"2019-06-26T20:23:19.000Z", "temperature": 26.47, "relhumidity": 10.19, "vappress": 0.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8955100,47.989262] }, "properties": { "altitude": "306.8", "sensor": "18", "gpstime":"2019-06-26T20:23:47.000Z", "temperature": 26.43, "relhumidity": 10.67, "vappress": 0.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8934570,47.989972] }, "properties": { "altitude": "308.2", "sensor": "18", "gpstime":"2019-06-26T20:24:21.000Z", "temperature": 26.15, "relhumidity": 11.90, "vappress": 0.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8918120,47.990315] }, "properties": { "altitude": "303.9", "sensor": "18", "gpstime":"2019-06-26T20:24:42.000Z", "temperature": 25.34, "relhumidity": 12.74, "vappress": -0.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8901720,47.990648] }, "properties": { "altitude": "301.7", "sensor": "18", "gpstime":"2019-06-26T20:25:02.000Z", "temperature": 25.05, "relhumidity": 12.86, "vappress": -0.708, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8880000,47.991017] }, "properties": { "altitude": "300.2", "sensor": "18", "gpstime":"2019-06-26T20:25:29.000Z", "temperature": 24.87, "relhumidity": 13.18, "vappress": -0.918, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8862770,47.991258] }, "properties": { "altitude": "296.6", "sensor": "18", "gpstime":"2019-06-26T20:25:48.000Z", "temperature": 24.77, "relhumidity": 13.18, "vappress": -1.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8848000,47.991430] }, "properties": { "altitude": "295.6", "sensor": "18", "gpstime":"2019-06-26T20:26:04.000Z", "temperature": 24.75, "relhumidity": 13.36, "vappress": -0.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8829370,47.991520] }, "properties": { "altitude": "294.6", "sensor": "18", "gpstime":"2019-06-26T20:26:24.000Z", "temperature": 24.66, "relhumidity": 13.37, "vappress": -1.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8813920,47.991633] }, "properties": { "altitude": "292.1", "sensor": "18", "gpstime":"2019-06-26T20:26:42.000Z", "temperature": 24.77, "relhumidity": 13.19, "vappress": -0.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797800,47.991630] }, "properties": { "altitude": "290.3", "sensor": "18", "gpstime":"2019-06-26T20:27:03.000Z", "temperature": 24.87, "relhumidity": 13.12, "vappress": -0.723, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8781130,47.990935] }, "properties": { "altitude": "287.4", "sensor": "18", "gpstime":"2019-06-26T20:27:25.000Z", "temperature": 25.20, "relhumidity": 12.83, "vappress": -0.353, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8763980,47.990635] }, "properties": { "altitude": "287.6", "sensor": "18", "gpstime":"2019-06-26T20:27:47.000Z", "temperature": 25.26, "relhumidity": 12.52, "vappress": -0.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746430,47.990622] }, "properties": { "altitude": "286.9", "sensor": "18", "gpstime":"2019-06-26T20:28:08.000Z", "temperature": 25.21, "relhumidity": 12.46, "vappress": -0.597, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729370,47.990717] }, "properties": { "altitude": "290.1", "sensor": "18", "gpstime":"2019-06-26T20:28:27.000Z", "temperature": 25.25, "relhumidity": 12.54, "vappress": -0.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8715450,47.990787] }, "properties": { "altitude": "291.2", "sensor": "18", "gpstime":"2019-06-26T20:28:43.000Z", "temperature": 25.42, "relhumidity": 12.37, "vappress": -0.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696750,47.990802] }, "properties": { "altitude": "286.5", "sensor": "18", "gpstime":"2019-06-26T20:29:04.000Z", "temperature": 25.70, "relhumidity": 12.03, "vappress": 0.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8679730,47.990877] }, "properties": { "altitude": "286.8", "sensor": "18", "gpstime":"2019-06-26T20:29:24.000Z", "temperature": 25.96, "relhumidity": 11.72, "vappress": 0.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662970,47.990860] }, "properties": { "altitude": "283.9", "sensor": "18", "gpstime":"2019-06-26T20:29:43.000Z", "temperature": 26.30, "relhumidity": 11.08, "vappress": 0.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636270,47.990700] }, "properties": { "altitude": "286.1", "sensor": "18", "gpstime":"2019-06-26T20:30:18.000Z", "temperature": 26.48, "relhumidity": 10.53, "vappress": 0.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8622820,47.991010] }, "properties": { "altitude": "284.0", "sensor": "18", "gpstime":"2019-06-26T20:30:45.000Z", "temperature": 26.63, "relhumidity": 10.07, "vappress": 0.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607230,47.991637] }, "properties": { "altitude": "279.2", "sensor": "18", "gpstime":"2019-06-26T20:31:09.000Z", "temperature": 26.83, "relhumidity": 9.70, "vappress": 1.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8590130,47.991695] }, "properties": { "altitude": "275.4", "sensor": "18", "gpstime":"2019-06-26T20:31:28.000Z", "temperature": 27.49, "relhumidity": 8.35, "vappress": 1.837, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572150,47.991797] }, "properties": { "altitude": "276.8", "sensor": "18", "gpstime":"2019-06-26T20:31:49.000Z", "temperature": 27.83, "relhumidity": 6.49, "vappress": 1.667, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555000,47.991845] }, "properties": { "altitude": "279.4", "sensor": "18", "gpstime":"2019-06-26T20:32:09.000Z", "temperature": 28.12, "relhumidity": 5.44, "vappress": 1.646, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8537670,47.992052] }, "properties": { "altitude": "287.1", "sensor": "18", "gpstime":"2019-06-26T20:32:54.000Z", "temperature": 28.40, "relhumidity": 3.95, "vappress": 1.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522930,47.992075] }, "properties": { "altitude": "283.4", "sensor": "18", "gpstime":"2019-06-26T20:33:11.000Z", "temperature": 28.63, "relhumidity": 3.38, "vappress": 1.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508770,47.992057] }, "properties": { "altitude": "279.6", "sensor": "18", "gpstime":"2019-06-26T20:33:27.000Z", "temperature": 28.73, "relhumidity": 2.95, "vappress": 1.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487530,47.992543] }, "properties": { "altitude": "274.3", "sensor": "18", "gpstime":"2019-06-26T20:33:54.000Z", "temperature": 28.73, "relhumidity": 2.61, "vappress": 1.437, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472880,47.992863] }, "properties": { "altitude": "277.5", "sensor": "18", "gpstime":"2019-06-26T20:34:19.000Z", "temperature": 28.95, "relhumidity": 2.15, "vappress": 1.644, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458250,47.993443] }, "properties": { "altitude": "281.7", "sensor": "18", "gpstime":"2019-06-26T20:34:42.000Z", "temperature": 29.01, "relhumidity": 1.95, "vappress": 1.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452880,47.993585] }, "properties": { "altitude": "283.3", "sensor": "18", "gpstime":"2019-06-26T20:34:51.000Z", "temperature": 29.18, "relhumidity": 2.02, "vappress": 1.924, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451180,47.993547] }, "properties": { "altitude": "271.8", "sensor": "20", "gpstime":"2019-06-26T19:26:13.000Z", "temperature": 28.84, "relhumidity": 2.35, "vappress": 1.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8437380,47.993857] }, "properties": { "altitude": "260.2", "sensor": "20", "gpstime":"2019-06-26T19:26:39.000Z", "temperature": 29.05, "relhumidity": 1.09, "vappress": 1.808, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422070,47.994005] }, "properties": { "altitude": "268.3", "sensor": "20", "gpstime":"2019-06-26T19:26:58.000Z", "temperature": 28.84, "relhumidity": 0.32, "vappress": 0.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8408680,47.994168] }, "properties": { "altitude": "267.8", "sensor": "20", "gpstime":"2019-06-26T19:27:17.000Z", "temperature": 29.64, "relhumidity": 0.33, "vappress": 2.125, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394820,47.993882] }, "properties": { "altitude": "283.7", "sensor": "20", "gpstime":"2019-06-26T19:27:46.000Z", "temperature": 29.73, "relhumidity": 0.42, "vappress": 2.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383720,47.992503] }, "properties": { "altitude": "287.2", "sensor": "20", "gpstime":"2019-06-26T19:29:41.000Z", "temperature": 29.45, "relhumidity": 1.12, "vappress": 2.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376320,47.990792] }, "properties": { "altitude": "280.0", "sensor": "20", "gpstime":"2019-06-26T19:30:16.000Z", "temperature": 29.41, "relhumidity": 1.08, "vappress": 2.073, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8366500,47.988962] }, "properties": { "altitude": "274.5", "sensor": "20", "gpstime":"2019-06-26T19:30:51.000Z", "temperature": 29.24, "relhumidity": 2.00, "vappress": 1.993, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356580,47.987363] }, "properties": { "altitude": "276.6", "sensor": "20", "gpstime":"2019-06-26T19:31:25.000Z", "temperature": 29.17, "relhumidity": 1.68, "vappress": 1.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8346180,47.985848] }, "properties": { "altitude": "271.9", "sensor": "20", "gpstime":"2019-06-26T19:32:06.000Z", "temperature": 28.97, "relhumidity": 1.61, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329650,47.985457] }, "properties": { "altitude": "268.5", "sensor": "20", "gpstime":"2019-06-26T19:32:29.000Z", "temperature": 28.97, "relhumidity": 1.65, "vappress": 1.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8310830,47.985515] }, "properties": { "altitude": "268.8", "sensor": "20", "gpstime":"2019-06-26T19:32:54.000Z", "temperature": 28.82, "relhumidity": 2.27, "vappress": 1.720, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8297170,47.985962] }, "properties": { "altitude": "268.4", "sensor": "20", "gpstime":"2019-06-26T19:33:18.000Z", "temperature": 28.95, "relhumidity": 2.08, "vappress": 1.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285820,47.987512] }, "properties": { "altitude": "267.0", "sensor": "20", "gpstime":"2019-06-26T19:34:02.000Z", "temperature": 29.06, "relhumidity": 1.41, "vappress": 1.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8271600,47.987993] }, "properties": { "altitude": "266.5", "sensor": "20", "gpstime":"2019-06-26T19:35:39.000Z", "temperature": 29.12, "relhumidity": 1.18, "vappress": 1.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8254780,47.988648] }, "properties": { "altitude": "264.4", "sensor": "20", "gpstime":"2019-06-26T19:36:09.000Z", "temperature": 29.25, "relhumidity": 1.26, "vappress": 1.875, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8238200,47.988977] }, "properties": { "altitude": "263.3", "sensor": "20", "gpstime":"2019-06-26T19:36:39.000Z", "temperature": 29.31, "relhumidity": 1.63, "vappress": 2.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223630,47.988148] }, "properties": { "altitude": "265.4", "sensor": "20", "gpstime":"2019-06-26T19:37:19.000Z", "temperature": 29.29, "relhumidity": 0.43, "vappress": 1.542, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8218480,47.990073] }, "properties": { "altitude": "259.2", "sensor": "20", "gpstime":"2019-06-26T19:38:27.000Z", "temperature": 29.29, "relhumidity": 1.11, "vappress": 1.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8203820,47.990388] }, "properties": { "altitude": "260.2", "sensor": "20", "gpstime":"2019-06-26T19:38:53.000Z", "temperature": 29.29, "relhumidity": 0.64, "vappress": 1.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8190920,47.988762] }, "properties": { "altitude": "265.8", "sensor": "20", "gpstime":"2019-06-26T19:39:39.000Z", "temperature": 29.41, "relhumidity": 0.03, "vappress": 1.583, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177350,47.988747] }, "properties": { "altitude": "261.9", "sensor": "20", "gpstime":"2019-06-26T19:40:06.000Z", "temperature": 29.42, "relhumidity": -0.55, "vappress": 1.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8159620,47.989230] }, "properties": { "altitude": "257.9", "sensor": "20", "gpstime":"2019-06-26T19:40:33.000Z", "temperature": 29.52, "relhumidity": -0.88, "vappress": 1.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8147230,47.988258] }, "properties": { "altitude": "263.0", "sensor": "20", "gpstime":"2019-06-26T19:41:09.000Z", "temperature": 29.35, "relhumidity": 0.56, "vappress": 1.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8135700,47.986897] }, "properties": { "altitude": "264.8", "sensor": "20", "gpstime":"2019-06-26T19:41:52.000Z", "temperature": 29.22, "relhumidity": 3.18, "vappress": 2.354, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8123180,47.986037] }, "properties": { "altitude": "260.5", "sensor": "20", "gpstime":"2019-06-26T19:42:40.000Z", "temperature": 28.49, "relhumidity": 4.82, "vappress": 2.083, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8108180,47.986653] }, "properties": { "altitude": "255.4", "sensor": "20", "gpstime":"2019-06-26T19:43:13.000Z", "temperature": 28.70, "relhumidity": 3.24, "vappress": 1.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8092680,47.985985] }, "properties": { "altitude": "263.0", "sensor": "20", "gpstime":"2019-06-26T19:44:07.000Z", "temperature": 28.89, "relhumidity": 2.10, "vappress": 1.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8078470,47.986385] }, "properties": { "altitude": "254.4", "sensor": "20", "gpstime":"2019-06-26T19:44:34.000Z", "temperature": 29.02, "relhumidity": 1.98, "vappress": 1.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8062200,47.986218] }, "properties": { "altitude": "253.1", "sensor": "20", "gpstime":"2019-06-26T19:45:04.000Z", "temperature": 29.21, "relhumidity": 0.51, "vappress": 1.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8050170,47.985222] }, "properties": { "altitude": "254.2", "sensor": "20", "gpstime":"2019-06-26T19:45:33.000Z", "temperature": 29.51, "relhumidity": -0.28, "vappress": 1.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033320,47.985342] }, "properties": { "altitude": "249.8", "sensor": "20", "gpstime":"2019-06-26T19:45:58.000Z", "temperature": 29.39, "relhumidity": -0.10, "vappress": 1.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032720,47.987695] }, "properties": { "altitude": "248.3", "sensor": "20", "gpstime":"2019-06-26T19:47:00.000Z", "temperature": 29.49, "relhumidity": -0.04, "vappress": 1.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026820,47.989690] }, "properties": { "altitude": "253.1", "sensor": "20", "gpstime":"2019-06-26T19:48:01.000Z", "temperature": 29.59, "relhumidity": -1.21, "vappress": 1.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8020570,47.991573] }, "properties": { "altitude": "244.8", "sensor": "20", "gpstime":"2019-06-26T19:49:07.000Z", "temperature": 29.70, "relhumidity": -1.22, "vappress": 1.428, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8032330,47.993267] }, "properties": { "altitude": "246.1", "sensor": "20", "gpstime":"2019-06-26T19:49:56.000Z", "temperature": 29.71, "relhumidity": -1.56, "vappress": 1.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021950,47.994868] }, "properties": { "altitude": "246.4", "sensor": "20", "gpstime":"2019-06-26T19:51:29.000Z", "temperature": 29.93, "relhumidity": -1.18, "vappress": 1.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8008070,47.995188] }, "properties": { "altitude": "243.5", "sensor": "20", "gpstime":"2019-06-26T19:51:52.000Z", "temperature": 29.51, "relhumidity": -0.90, "vappress": 1.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7993220,47.995442] }, "properties": { "altitude": "243.6", "sensor": "20", "gpstime":"2019-06-26T19:52:16.000Z", "temperature": 29.13, "relhumidity": 1.61, "vappress": 1.419, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7979350,47.995112] }, "properties": { "altitude": "242.4", "sensor": "20", "gpstime":"2019-06-26T19:53:13.000Z", "temperature": 29.29, "relhumidity": 0.06, "vappress": 1.771, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7964530,47.995095] }, "properties": { "altitude": "241.6", "sensor": "20", "gpstime":"2019-06-26T19:53:38.000Z", "temperature": 29.46, "relhumidity": -0.08, "vappress": 1.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7947780,47.995062] }, "properties": { "altitude": "242.1", "sensor": "20", "gpstime":"2019-06-26T19:54:07.000Z", "temperature": 29.33, "relhumidity": 0.23, "vappress": 1.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7933400,47.994990] }, "properties": { "altitude": "242.1", "sensor": "20", "gpstime":"2019-06-26T19:55:07.000Z", "temperature": 29.57, "relhumidity": -1.49, "vappress": 1.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7919700,47.995050] }, "properties": { "altitude": "240.5", "sensor": "20", "gpstime":"2019-06-26T19:55:31.000Z", "temperature": 29.78, "relhumidity": -2.07, "vappress": 1.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7906030,47.995052] }, "properties": { "altitude": "238.2", "sensor": "20", "gpstime":"2019-06-26T19:55:54.000Z", "temperature": 29.95, "relhumidity": -1.75, "vappress": 1.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7891680,47.995003] }, "properties": { "altitude": "236.9", "sensor": "20", "gpstime":"2019-06-26T19:56:18.000Z", "temperature": 29.79, "relhumidity": -1.62, "vappress": 1.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7877530,47.995008] }, "properties": { "altitude": "239.3", "sensor": "20", "gpstime":"2019-06-26T19:56:53.000Z", "temperature": 29.46, "relhumidity": -0.06, "vappress": 1.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7862120,47.995032] }, "properties": { "altitude": "231.9", "sensor": "20", "gpstime":"2019-06-26T19:57:20.000Z", "temperature": 28.47, "relhumidity": 4.89, "vappress": 1.110, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7846420,47.995030] }, "properties": { "altitude": "231.1", "sensor": "20", "gpstime":"2019-06-26T19:57:47.000Z", "temperature": 27.34, "relhumidity": 8.56, "vappress": 1.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7831930,47.994998] }, "properties": { "altitude": "235.5", "sensor": "20", "gpstime":"2019-06-26T19:58:12.000Z", "temperature": 26.65, "relhumidity": 9.86, "vappress": 0.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7817000,47.994980] }, "properties": { "altitude": "235.1", "sensor": "20", "gpstime":"2019-06-26T19:58:57.000Z", "temperature": 25.93, "relhumidity": 11.45, "vappress": 0.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7802130,47.995083] }, "properties": { "altitude": "232.9", "sensor": "20", "gpstime":"2019-06-26T19:59:24.000Z", "temperature": 25.29, "relhumidity": 12.49, "vappress": -0.421, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7786320,47.995138] }, "properties": { "altitude": "231.6", "sensor": "20", "gpstime":"2019-06-26T19:59:51.000Z", "temperature": 24.88, "relhumidity": 13.61, "vappress": -0.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7771380,47.994985] }, "properties": { "altitude": "230.8", "sensor": "20", "gpstime":"2019-06-26T20:00:53.000Z", "temperature": 24.68, "relhumidity": 13.78, "vappress": -0.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7753920,47.994783] }, "properties": { "altitude": "231.4", "sensor": "20", "gpstime":"2019-06-26T20:01:22.000Z", "temperature": 24.66, "relhumidity": 14.15, "vappress": -0.584, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7739900,47.995008] }, "properties": { "altitude": "230.2", "sensor": "20", "gpstime":"2019-06-26T20:01:46.000Z", "temperature": 24.64, "relhumidity": 15.41, "vappress": -0.034, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7725830,47.995480] }, "properties": { "altitude": "228.4", "sensor": "20", "gpstime":"2019-06-26T20:02:16.000Z", "temperature": 24.65, "relhumidity": 15.64, "vappress": -0.094, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7707800,47.996193] }, "properties": { "altitude": "221.2", "sensor": "20", "gpstime":"2019-06-26T20:02:54.000Z", "temperature": 24.68, "relhumidity": 16.34, "vappress": 0.126, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7690920,47.995557] }, "properties": { "altitude": "227.0", "sensor": "20", "gpstime":"2019-06-26T20:03:44.000Z", "temperature": 24.75, "relhumidity": 16.99, "vappress": 0.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675850,47.995298] }, "properties": { "altitude": "225.8", "sensor": "20", "gpstime":"2019-06-26T20:04:12.000Z", "temperature": 24.68, "relhumidity": 16.42, "vappress": 0.178, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7657050,47.994062] }, "properties": { "altitude": "229.8", "sensor": "20", "gpstime":"2019-06-26T20:04:57.000Z", "temperature": 24.64, "relhumidity": 15.35, "vappress": -0.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7642320,47.993523] }, "properties": { "altitude": "234.1", "sensor": "20", "gpstime":"2019-06-26T20:05:27.000Z", "temperature": 24.63, "relhumidity": 15.70, "vappress": -0.161, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7627200,47.992708] }, "properties": { "altitude": "236.3", "sensor": "20", "gpstime":"2019-06-26T20:06:02.000Z", "temperature": 24.64, "relhumidity": 16.60, "vappress": 0.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7619150,47.991063] }, "properties": { "altitude": "233.4", "sensor": "20", "gpstime":"2019-06-26T20:07:01.000Z", "temperature": 24.69, "relhumidity": 16.47, "vappress": 0.154, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7605200,47.990258] }, "properties": { "altitude": "231.8", "sensor": "20", "gpstime":"2019-06-26T20:07:32.000Z", "temperature": 24.82, "relhumidity": 16.42, "vappress": 0.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7596430,47.988560] }, "properties": { "altitude": "227.3", "sensor": "20", "gpstime":"2019-06-26T20:08:16.000Z", "temperature": 24.64, "relhumidity": 16.39, "vappress": -0.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7594300,47.986370] }, "properties": { "altitude": "228.8", "sensor": "20", "gpstime":"2019-06-26T20:09:08.000Z", "temperature": 24.47, "relhumidity": 16.24, "vappress": -0.154, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7584700,47.984883] }, "properties": { "altitude": "234.0", "sensor": "20", "gpstime":"2019-06-26T20:09:51.000Z", "temperature": 24.52, "relhumidity": 16.19, "vappress": -0.324, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7580080,47.982977] }, "properties": { "altitude": "238.2", "sensor": "20", "gpstime":"2019-06-26T20:10:48.000Z", "temperature": 24.50, "relhumidity": 15.32, "vappress": -0.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7570920,47.981188] }, "properties": { "altitude": "233.7", "sensor": "20", "gpstime":"2019-06-26T20:11:49.000Z", "temperature": 24.52, "relhumidity": 15.98, "vappress": -0.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7586220,47.981047] }, "properties": { "altitude": "229.6", "sensor": "20", "gpstime":"2019-06-26T20:12:28.000Z", "temperature": 24.53, "relhumidity": 14.93, "vappress": -0.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7601370,47.980978] }, "properties": { "altitude": "228.5", "sensor": "20", "gpstime":"2019-06-26T20:12:54.000Z", "temperature": 24.61, "relhumidity": 15.69, "vappress": -0.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7614830,47.980815] }, "properties": { "altitude": "227.3", "sensor": "20", "gpstime":"2019-06-26T20:13:16.000Z", "temperature": 24.87, "relhumidity": 15.46, "vappress": 0.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7628670,47.980687] }, "properties": { "altitude": "227.8", "sensor": "20", "gpstime":"2019-06-26T20:13:38.000Z", "temperature": 25.06, "relhumidity": 14.03, "vappress": -0.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7649020,47.980405] }, "properties": { "altitude": "232.5", "sensor": "20", "gpstime":"2019-06-26T20:14:32.000Z", "temperature": 25.26, "relhumidity": 15.25, "vappress": 0.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7666330,47.980040] }, "properties": { "altitude": "229.6", "sensor": "20", "gpstime":"2019-06-26T20:15:01.000Z", "temperature": 25.63, "relhumidity": 14.71, "vappress": 1.209, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7681420,47.979648] }, "properties": { "altitude": "229.8", "sensor": "20", "gpstime":"2019-06-26T20:15:27.000Z", "temperature": 25.94, "relhumidity": 12.54, "vappress": 0.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7698730,47.979258] }, "properties": { "altitude": "229.6", "sensor": "20", "gpstime":"2019-06-26T20:15:57.000Z", "temperature": 26.14, "relhumidity": 11.19, "vappress": 0.529, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7713300,47.979203] }, "properties": { "altitude": "229.4", "sensor": "20", "gpstime":"2019-06-26T20:16:21.000Z", "temperature": 26.19, "relhumidity": 11.17, "vappress": 0.565, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7730130,47.979498] }, "properties": { "altitude": "229.5", "sensor": "20", "gpstime":"2019-06-26T20:16:50.000Z", "temperature": 26.18, "relhumidity": 10.45, "vappress": 0.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7745000,47.980017] }, "properties": { "altitude": "230.3", "sensor": "20", "gpstime":"2019-06-26T20:17:18.000Z", "temperature": 26.40, "relhumidity": 9.89, "vappress": 0.491, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7757970,47.980523] }, "properties": { "altitude": "229.3", "sensor": "20", "gpstime":"2019-06-26T20:17:44.000Z", "temperature": 26.40, "relhumidity": 9.39, "vappress": 0.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7776580,47.981413] }, "properties": { "altitude": "229.6", "sensor": "20", "gpstime":"2019-06-26T20:18:27.000Z", "temperature": 26.72, "relhumidity": 7.81, "vappress": 0.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7790880,47.981588] }, "properties": { "altitude": "231.3", "sensor": "20", "gpstime":"2019-06-26T20:18:54.000Z", "temperature": 27.15, "relhumidity": 7.73, "vappress": 0.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7806930,47.982418] }, "properties": { "altitude": "230.6", "sensor": "20", "gpstime":"2019-06-26T20:19:28.000Z", "temperature": 27.04, "relhumidity": 8.01, "vappress": 0.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7822530,47.983110] }, "properties": { "altitude": "234.0", "sensor": "20", "gpstime":"2019-06-26T20:20:01.000Z", "temperature": 27.04, "relhumidity": 7.40, "vappress": 0.676, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7836400,47.983655] }, "properties": { "altitude": "233.7", "sensor": "20", "gpstime":"2019-06-26T20:20:28.000Z", "temperature": 27.22, "relhumidity": 7.37, "vappress": 0.986, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7851770,47.984362] }, "properties": { "altitude": "234.4", "sensor": "20", "gpstime":"2019-06-26T20:21:10.000Z", "temperature": 27.61, "relhumidity": 4.92, "vappress": 1.092, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7867050,47.984687] }, "properties": { "altitude": "236.7", "sensor": "20", "gpstime":"2019-06-26T20:21:42.000Z", "temperature": 27.96, "relhumidity": 4.27, "vappress": 0.852, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7882170,47.985067] }, "properties": { "altitude": "240.4", "sensor": "20", "gpstime":"2019-06-26T20:22:09.000Z", "temperature": 27.96, "relhumidity": 3.52, "vappress": 0.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7897170,47.985358] }, "properties": { "altitude": "240.4", "sensor": "20", "gpstime":"2019-06-26T20:22:37.000Z", "temperature": 27.95, "relhumidity": 3.36, "vappress": 0.548, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7910920,47.985608] }, "properties": { "altitude": "241.7", "sensor": "20", "gpstime":"2019-06-26T20:24:36.000Z", "temperature": 28.15, "relhumidity": 1.18, "vappress": 0.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7924720,47.985830] }, "properties": { "altitude": "242.3", "sensor": "20", "gpstime":"2019-06-26T20:25:02.000Z", "temperature": 28.24, "relhumidity": 0.53, "vappress": -0.048, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7938530,47.986063] }, "properties": { "altitude": "244.4", "sensor": "20", "gpstime":"2019-06-26T20:25:27.000Z", "temperature": 28.31, "relhumidity": -0.17, "vappress": -0.158, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7954650,47.986283] }, "properties": { "altitude": "244.8", "sensor": "20", "gpstime":"2019-06-26T20:25:56.000Z", "temperature": 28.26, "relhumidity": 0.79, "vappress": -0.108, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7970100,47.986133] }, "properties": { "altitude": "242.8", "sensor": "20", "gpstime":"2019-06-26T20:26:24.000Z", "temperature": 28.33, "relhumidity": -0.00, "vappress": -0.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7984480,47.985953] }, "properties": { "altitude": "243.9", "sensor": "20", "gpstime":"2019-06-26T20:26:50.000Z", "temperature": 28.43, "relhumidity": 0.21, "vappress": 0.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8001250,47.985720] }, "properties": { "altitude": "246.3", "sensor": "20", "gpstime":"2019-06-26T20:27:21.000Z", "temperature": 28.41, "relhumidity": -0.11, "vappress": -0.213, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8017230,47.985563] }, "properties": { "altitude": "247.4", "sensor": "20", "gpstime":"2019-06-26T20:27:51.000Z", "temperature": 28.50, "relhumidity": -0.77, "vappress": -0.153, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8033770,47.985257] }, "properties": { "altitude": "246.4", "sensor": "20", "gpstime":"2019-06-26T20:28:25.000Z", "temperature": 28.66, "relhumidity": -1.61, "vappress": 0.183, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8047180,47.985012] }, "properties": { "altitude": "246.8", "sensor": "20", "gpstime":"2019-06-26T20:28:48.000Z", "temperature": 29.20, "relhumidity": -3.01, "vappress": 0.103, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8060670,47.984770] }, "properties": { "altitude": "250.5", "sensor": "20", "gpstime":"2019-06-26T20:29:17.000Z", "temperature": 29.12, "relhumidity": -2.35, "vappress": -0.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8075420,47.984452] }, "properties": { "altitude": "251.4", "sensor": "20", "gpstime":"2019-06-26T20:29:48.000Z", "temperature": 28.83, "relhumidity": -2.48, "vappress": -0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8090970,47.984117] }, "properties": { "altitude": "253.8", "sensor": "20", "gpstime":"2019-06-26T20:30:19.000Z", "temperature": 28.95, "relhumidity": -2.78, "vappress": -0.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8104720,47.983938] }, "properties": { "altitude": "251.4", "sensor": "20", "gpstime":"2019-06-26T20:30:52.000Z", "temperature": 28.84, "relhumidity": -2.18, "vappress": -0.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8123370,47.983832] }, "properties": { "altitude": "253.9", "sensor": "20", "gpstime":"2019-06-26T20:31:29.000Z", "temperature": 28.55, "relhumidity": -0.07, "vappress": -0.193, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146250,47.983970] }, "properties": { "altitude": "260.6", "sensor": "20", "gpstime":"2019-06-26T20:32:13.000Z", "temperature": 28.00, "relhumidity": 1.44, "vappress": -0.534, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8167680,47.984020] }, "properties": { "altitude": "263.1", "sensor": "20", "gpstime":"2019-06-26T20:32:53.000Z", "temperature": 27.83, "relhumidity": 1.69, "vappress": -0.134, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181070,47.984185] }, "properties": { "altitude": "263.4", "sensor": "20", "gpstime":"2019-06-26T20:33:17.000Z", "temperature": 28.30, "relhumidity": -0.79, "vappress": -0.393, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8200650,47.984227] }, "properties": { "altitude": "264.6", "sensor": "20", "gpstime":"2019-06-26T20:34:00.000Z", "temperature": 28.74, "relhumidity": -3.44, "vappress": -0.323, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8219380,47.984757] }, "properties": { "altitude": "268.4", "sensor": "20", "gpstime":"2019-06-26T20:34:38.000Z", "temperature": 29.24, "relhumidity": -2.45, "vappress": 0.274, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8235200,47.984985] }, "properties": { "altitude": "271.3", "sensor": "20", "gpstime":"2019-06-26T20:35:08.000Z", "temperature": 29.30, "relhumidity": -3.84, "vappress": -0.070, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8249920,47.985142] }, "properties": { "altitude": "270.8", "sensor": "20", "gpstime":"2019-06-26T20:35:37.000Z", "temperature": 29.49, "relhumidity": -3.70, "vappress": 0.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266130,47.985258] }, "properties": { "altitude": "271.3", "sensor": "20", "gpstime":"2019-06-26T20:36:08.000Z", "temperature": 29.57, "relhumidity": -3.53, "vappress": 0.745, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284580,47.985383] }, "properties": { "altitude": "268.9", "sensor": "20", "gpstime":"2019-06-26T20:36:44.000Z", "temperature": 29.51, "relhumidity": -3.24, "vappress": 0.385, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303480,47.985352] }, "properties": { "altitude": "264.5", "sensor": "20", "gpstime":"2019-06-26T20:37:14.000Z", "temperature": 29.45, "relhumidity": -3.19, "vappress": -0.015, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8320500,47.985220] }, "properties": { "altitude": "262.7", "sensor": "20", "gpstime":"2019-06-26T20:37:42.000Z", "temperature": 28.93, "relhumidity": -1.01, "vappress": 0.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335620,47.985207] }, "properties": { "altitude": "262.6", "sensor": "20", "gpstime":"2019-06-26T20:38:09.000Z", "temperature": 28.88, "relhumidity": -1.06, "vappress": 0.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8350280,47.985570] }, "properties": { "altitude": "258.0", "sensor": "20", "gpstime":"2019-06-26T20:38:38.000Z", "temperature": 28.95, "relhumidity": -1.22, "vappress": 0.304, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8365000,47.986035] }, "properties": { "altitude": "270.0", "sensor": "20", "gpstime":"2019-06-26T20:39:11.000Z", "temperature": 28.96, "relhumidity": -1.48, "vappress": 0.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8364000,47.988200] }, "properties": { "altitude": "268.5", "sensor": "20", "gpstime":"2019-06-26T20:40:51.000Z", "temperature": 29.06, "relhumidity": -1.27, "vappress": 0.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8374950,47.989762] }, "properties": { "altitude": "269.3", "sensor": "20", "gpstime":"2019-06-26T20:41:31.000Z", "temperature": 29.07, "relhumidity": -1.46, "vappress": 0.352, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383320,47.991897] }, "properties": { "altitude": "273.2", "sensor": "20", "gpstime":"2019-06-26T20:42:54.000Z", "temperature": 29.18, "relhumidity": -0.18, "vappress": 1.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394430,47.993582] }, "properties": { "altitude": "275.4", "sensor": "20", "gpstime":"2019-06-26T20:43:39.000Z", "temperature": 29.27, "relhumidity": 0.31, "vappress": 1.413, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411250,47.993953] }, "properties": { "altitude": "291.0", "sensor": "20", "gpstime":"2019-06-26T20:44:21.000Z", "temperature": 29.42, "relhumidity": -0.08, "vappress": 1.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425020,47.993945] }, "properties": { "altitude": "282.6", "sensor": "20", "gpstime":"2019-06-26T20:44:51.000Z", "temperature": 29.39, "relhumidity": -0.73, "vappress": 1.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8441850,47.993702] }, "properties": { "altitude": "277.6", "sensor": "20", "gpstime":"2019-06-26T20:45:24.000Z", "temperature": 29.67, "relhumidity": -1.16, "vappress": 1.568, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440650,47.992660] }, "properties": { "altitude": "296.2", "sensor": "20", "gpstime":"2019-06-26T20:51:42.000Z", "temperature": 30.05, "relhumidity": 2.51, "vappress": 4.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451900,47.993443] }, "properties": { "altitude": "281.2", "sensor": "22", "gpstime":"2019-06-26T19:26:10.000Z", "temperature": 29.10, "relhumidity": 9.30, "vappress": 5.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8459600,47.995352] }, "properties": { "altitude": "278.0", "sensor": "22", "gpstime":"2019-06-26T19:27:05.000Z", "temperature": 29.12, "relhumidity": 8.39, "vappress": 4.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8469920,47.996922] }, "properties": { "altitude": "280.8", "sensor": "22", "gpstime":"2019-06-26T19:27:47.000Z", "temperature": 29.44, "relhumidity": 7.38, "vappress": 5.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483570,47.998138] }, "properties": { "altitude": "288.4", "sensor": "22", "gpstime":"2019-06-26T19:28:21.000Z", "temperature": 29.91, "relhumidity": 6.57, "vappress": 5.549, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497100,47.998482] }, "properties": { "altitude": "277.6", "sensor": "22", "gpstime":"2019-06-26T19:29:39.000Z", "temperature": 30.11, "relhumidity": 4.77, "vappress": 5.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517680,47.998132] }, "properties": { "altitude": "271.9", "sensor": "22", "gpstime":"2019-06-26T19:30:09.000Z", "temperature": 30.36, "relhumidity": 3.24, "vappress": 4.823, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533150,47.999268] }, "properties": { "altitude": "286.8", "sensor": "22", "gpstime":"2019-06-26T19:31:02.000Z", "temperature": 30.52, "relhumidity": 4.90, "vappress": 5.468, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543950,48.001840] }, "properties": { "altitude": "283.2", "sensor": "22", "gpstime":"2019-06-26T19:31:51.000Z", "temperature": 29.98, "relhumidity": 6.19, "vappress": 4.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549700,48.004153] }, "properties": { "altitude": "269.7", "sensor": "22", "gpstime":"2019-06-26T19:32:47.000Z", "temperature": 29.18, "relhumidity": 6.81, "vappress": 3.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8552880,48.006343] }, "properties": { "altitude": "289.8", "sensor": "22", "gpstime":"2019-06-26T19:33:27.000Z", "temperature": 29.03, "relhumidity": 6.80, "vappress": 3.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549220,48.008457] }, "properties": { "altitude": "295.7", "sensor": "22", "gpstime":"2019-06-26T19:34:01.000Z", "temperature": 29.07, "relhumidity": 6.22, "vappress": 3.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8563120,48.009773] }, "properties": { "altitude": "297.6", "sensor": "22", "gpstime":"2019-06-26T19:34:32.000Z", "temperature": 28.81, "relhumidity": 8.99, "vappress": 3.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583220,48.010522] }, "properties": { "altitude": "282.7", "sensor": "22", "gpstime":"2019-06-26T19:39:08.000Z", "temperature": 28.45, "relhumidity": 8.84, "vappress": 3.353, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597750,48.010472] }, "properties": { "altitude": "275.5", "sensor": "22", "gpstime":"2019-06-26T19:39:39.000Z", "temperature": 27.88, "relhumidity": 9.93, "vappress": 3.103, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609880,48.011435] }, "properties": { "altitude": "267.1", "sensor": "22", "gpstime":"2019-06-26T19:40:16.000Z", "temperature": 27.76, "relhumidity": 11.10, "vappress": 3.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8606630,48.013455] }, "properties": { "altitude": "264.3", "sensor": "22", "gpstime":"2019-06-26T19:41:17.000Z", "temperature": 27.44, "relhumidity": 14.69, "vappress": 3.614, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619630,48.014217] }, "properties": { "altitude": "265.3", "sensor": "22", "gpstime":"2019-06-26T19:41:59.000Z", "temperature": 26.93, "relhumidity": 15.54, "vappress": 3.584, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633280,48.014435] }, "properties": { "altitude": "269.5", "sensor": "22", "gpstime":"2019-06-26T19:42:42.000Z", "temperature": 26.81, "relhumidity": 15.20, "vappress": 3.473, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647220,48.014442] }, "properties": { "altitude": "274.2", "sensor": "22", "gpstime":"2019-06-26T19:43:25.000Z", "temperature": 26.72, "relhumidity": 15.60, "vappress": 3.296, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8634300,48.015632] }, "properties": { "altitude": "284.8", "sensor": "22", "gpstime":"2019-06-26T19:45:06.000Z", "temperature": 26.40, "relhumidity": 15.65, "vappress": 2.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618070,48.015238] }, "properties": { "altitude": "284.6", "sensor": "22", "gpstime":"2019-06-26T19:45:37.000Z", "temperature": 26.56, "relhumidity": 14.08, "vappress": 2.975, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620520,48.017592] }, "properties": { "altitude": "276.1", "sensor": "22", "gpstime":"2019-06-26T19:46:28.000Z", "temperature": 26.90, "relhumidity": 14.71, "vappress": 3.604, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620230,48.019652] }, "properties": { "altitude": "269.5", "sensor": "22", "gpstime":"2019-06-26T19:47:05.000Z", "temperature": 27.06, "relhumidity": 15.84, "vappress": 4.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628420,48.021330] }, "properties": { "altitude": "269.0", "sensor": "22", "gpstime":"2019-06-26T19:47:59.000Z", "temperature": 27.12, "relhumidity": 14.88, "vappress": 3.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8632100,48.023588] }, "properties": { "altitude": "245.5", "sensor": "22", "gpstime":"2019-06-26T19:49:00.000Z", "temperature": 26.70, "relhumidity": 14.85, "vappress": 3.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638230,48.025633] }, "properties": { "altitude": "267.2", "sensor": "22", "gpstime":"2019-06-26T19:49:55.000Z", "temperature": 27.13, "relhumidity": 13.14, "vappress": 3.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645900,48.027385] }, "properties": { "altitude": "270.2", "sensor": "22", "gpstime":"2019-06-26T19:50:49.000Z", "temperature": 27.31, "relhumidity": 12.41, "vappress": 2.990, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8655550,48.028777] }, "properties": { "altitude": "258.5", "sensor": "22", "gpstime":"2019-06-26T19:51:21.000Z", "temperature": 27.13, "relhumidity": 13.14, "vappress": 2.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8666170,48.030243] }, "properties": { "altitude": "261.8", "sensor": "22", "gpstime":"2019-06-26T19:51:59.000Z", "temperature": 26.84, "relhumidity": 15.23, "vappress": 3.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8680900,48.030417] }, "properties": { "altitude": "264.3", "sensor": "22", "gpstime":"2019-06-26T19:52:30.000Z", "temperature": 26.53, "relhumidity": 14.76, "vappress": 2.689, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695170,48.031005] }, "properties": { "altitude": "255.2", "sensor": "22", "gpstime":"2019-06-26T19:54:14.000Z", "temperature": 26.50, "relhumidity": 16.14, "vappress": 2.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709270,48.031208] }, "properties": { "altitude": "250.4", "sensor": "22", "gpstime":"2019-06-26T19:54:31.000Z", "temperature": 26.03, "relhumidity": 15.91, "vappress": 2.127, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8726730,48.032230] }, "properties": { "altitude": "250.3", "sensor": "22", "gpstime":"2019-06-26T19:55:05.000Z", "temperature": 26.17, "relhumidity": 15.72, "vappress": 2.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8740400,48.033110] }, "properties": { "altitude": "256.7", "sensor": "22", "gpstime":"2019-06-26T19:55:33.000Z", "temperature": 26.16, "relhumidity": 16.92, "vappress": 2.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8755570,48.033403] }, "properties": { "altitude": "258.7", "sensor": "22", "gpstime":"2019-06-26T19:55:57.000Z", "temperature": 25.82, "relhumidity": 17.53, "vappress": 2.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8769850,48.033600] }, "properties": { "altitude": "261.9", "sensor": "22", "gpstime":"2019-06-26T19:56:22.000Z", "temperature": 25.89, "relhumidity": 17.15, "vappress": 2.411, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8787380,48.034037] }, "properties": { "altitude": "267.8", "sensor": "22", "gpstime":"2019-06-26T19:57:00.000Z", "temperature": 25.87, "relhumidity": 17.25, "vappress": 2.101, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8802380,48.034450] }, "properties": { "altitude": "273.1", "sensor": "22", "gpstime":"2019-06-26T19:57:30.000Z", "temperature": 25.47, "relhumidity": 18.51, "vappress": 2.040, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8813980,48.035685] }, "properties": { "altitude": "278.4", "sensor": "22", "gpstime":"2019-06-26T19:58:18.000Z", "temperature": 25.45, "relhumidity": 17.82, "vappress": 2.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8799470,48.035905] }, "properties": { "altitude": "274.3", "sensor": "22", "gpstime":"2019-06-26T20:00:07.000Z", "temperature": 25.61, "relhumidity": 18.01, "vappress": 2.097, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8784970,48.036023] }, "properties": { "altitude": "267.8", "sensor": "22", "gpstime":"2019-06-26T20:00:31.000Z", "temperature": 25.47, "relhumidity": 17.95, "vappress": 1.907, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8770500,48.036192] }, "properties": { "altitude": "265.3", "sensor": "22", "gpstime":"2019-06-26T20:00:53.000Z", "temperature": 25.54, "relhumidity": 17.29, "vappress": 1.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8755950,48.036855] }, "properties": { "altitude": "267.6", "sensor": "22", "gpstime":"2019-06-26T20:01:20.000Z", "temperature": 25.69, "relhumidity": 16.79, "vappress": 1.906, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8732200,48.037548] }, "properties": { "altitude": "263.3", "sensor": "22", "gpstime":"2019-06-26T20:01:52.000Z", "temperature": 25.93, "relhumidity": 15.52, "vappress": 2.326, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718630,48.038345] }, "properties": { "altitude": "256.4", "sensor": "22", "gpstime":"2019-06-26T20:02:22.000Z", "temperature": 26.37, "relhumidity": 14.30, "vappress": 2.266, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8706630,48.039302] }, "properties": { "altitude": "248.4", "sensor": "22", "gpstime":"2019-06-26T20:02:52.000Z", "temperature": 26.67, "relhumidity": 13.10, "vappress": 2.526, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8693420,48.040848] }, "properties": { "altitude": "248.8", "sensor": "22", "gpstime":"2019-06-26T20:03:49.000Z", "temperature": 27.07, "relhumidity": 12.98, "vappress": 3.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8679850,48.040588] }, "properties": { "altitude": "253.7", "sensor": "22", "gpstime":"2019-06-26T20:04:30.000Z", "temperature": 27.23, "relhumidity": 12.73, "vappress": 2.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669850,48.039217] }, "properties": { "altitude": "250.4", "sensor": "22", "gpstime":"2019-06-26T20:05:10.000Z", "temperature": 27.48, "relhumidity": 10.24, "vappress": 2.599, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662230,48.037237] }, "properties": { "altitude": "243.3", "sensor": "22", "gpstime":"2019-06-26T20:05:51.000Z", "temperature": 27.64, "relhumidity": 10.37, "vappress": 2.819, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8645870,48.037338] }, "properties": { "altitude": "242.3", "sensor": "22", "gpstime":"2019-06-26T20:06:23.000Z", "temperature": 27.58, "relhumidity": 10.66, "vappress": 2.807, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8638050,48.035375] }, "properties": { "altitude": "239.0", "sensor": "22", "gpstime":"2019-06-26T20:07:47.000Z", "temperature": 27.36, "relhumidity": 12.12, "vappress": 2.864, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629980,48.033412] }, "properties": { "altitude": "237.2", "sensor": "22", "gpstime":"2019-06-26T20:08:38.000Z", "temperature": 27.11, "relhumidity": 13.52, "vappress": 2.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8629700,48.031155] }, "properties": { "altitude": "236.0", "sensor": "22", "gpstime":"2019-06-26T20:09:30.000Z", "temperature": 27.04, "relhumidity": 13.89, "vappress": 3.076, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618730,48.029957] }, "properties": { "altitude": "237.8", "sensor": "22", "gpstime":"2019-06-26T20:10:02.000Z", "temperature": 26.84, "relhumidity": 14.61, "vappress": 3.031, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8607080,48.028478] }, "properties": { "altitude": "242.1", "sensor": "22", "gpstime":"2019-06-26T20:10:40.000Z", "temperature": 27.06, "relhumidity": 13.25, "vappress": 3.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595580,48.026983] }, "properties": { "altitude": "245.9", "sensor": "22", "gpstime":"2019-06-26T20:11:25.000Z", "temperature": 27.30, "relhumidity": 12.12, "vappress": 2.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583650,48.025628] }, "properties": { "altitude": "242.0", "sensor": "22", "gpstime":"2019-06-26T20:12:35.000Z", "temperature": 27.39, "relhumidity": 11.14, "vappress": 2.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570580,48.024460] }, "properties": { "altitude": "254.8", "sensor": "22", "gpstime":"2019-06-26T20:14:10.000Z", "temperature": 27.47, "relhumidity": 10.40, "vappress": 2.575, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8557350,48.023795] }, "properties": { "altitude": "253.0", "sensor": "22", "gpstime":"2019-06-26T20:14:45.000Z", "temperature": 27.70, "relhumidity": 9.82, "vappress": 2.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8543450,48.023818] }, "properties": { "altitude": "248.4", "sensor": "22", "gpstime":"2019-06-26T20:15:21.000Z", "temperature": 27.83, "relhumidity": 9.72, "vappress": 2.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8526300,48.022585] }, "properties": { "altitude": "252.4", "sensor": "22", "gpstime":"2019-06-26T20:16:01.000Z", "temperature": 28.17, "relhumidity": 9.47, "vappress": 3.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512550,48.022110] }, "properties": { "altitude": "247.9", "sensor": "22", "gpstime":"2019-06-26T20:16:25.000Z", "temperature": 28.68, "relhumidity": 7.86, "vappress": 3.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8525520,48.021012] }, "properties": { "altitude": "251.6", "sensor": "22", "gpstime":"2019-06-26T20:17:25.000Z", "temperature": 28.94, "relhumidity": 6.96, "vappress": 3.681, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517950,48.019355] }, "properties": { "altitude": "256.3", "sensor": "22", "gpstime":"2019-06-26T20:18:22.000Z", "temperature": 28.51, "relhumidity": 7.17, "vappress": 2.578, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505180,48.018223] }, "properties": { "altitude": "257.5", "sensor": "22", "gpstime":"2019-06-26T20:19:15.000Z", "temperature": 28.25, "relhumidity": 8.62, "vappress": 2.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496500,48.016502] }, "properties": { "altitude": "254.7", "sensor": "22", "gpstime":"2019-06-26T20:20:01.000Z", "temperature": 28.48, "relhumidity": 5.60, "vappress": 2.896, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501120,48.014503] }, "properties": { "altitude": "269.7", "sensor": "22", "gpstime":"2019-06-26T20:21:06.000Z", "temperature": 29.35, "relhumidity": 3.27, "vappress": 3.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496080,48.012527] }, "properties": { "altitude": "270.0", "sensor": "22", "gpstime":"2019-06-26T20:21:50.000Z", "temperature": 29.57, "relhumidity": 3.58, "vappress": 3.342, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8488370,48.010545] }, "properties": { "altitude": "259.7", "sensor": "22", "gpstime":"2019-06-26T20:22:37.000Z", "temperature": 29.79, "relhumidity": 3.29, "vappress": 3.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475430,48.009112] }, "properties": { "altitude": "262.5", "sensor": "22", "gpstime":"2019-06-26T20:23:30.000Z", "temperature": 29.74, "relhumidity": 3.76, "vappress": 3.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462420,48.008080] }, "properties": { "altitude": "263.2", "sensor": "22", "gpstime":"2019-06-26T20:24:11.000Z", "temperature": 29.38, "relhumidity": 5.36, "vappress": 3.308, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449600,48.006987] }, "properties": { "altitude": "263.3", "sensor": "22", "gpstime":"2019-06-26T20:24:46.000Z", "temperature": 29.01, "relhumidity": 6.23, "vappress": 3.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8439980,48.005448] }, "properties": { "altitude": "258.5", "sensor": "22", "gpstime":"2019-06-26T20:25:32.000Z", "temperature": 28.85, "relhumidity": 6.46, "vappress": 2.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8423400,48.004403] }, "properties": { "altitude": "258.5", "sensor": "22", "gpstime":"2019-06-26T20:26:09.000Z", "temperature": 28.68, "relhumidity": 7.08, "vappress": 3.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405930,48.003252] }, "properties": { "altitude": "267.7", "sensor": "22", "gpstime":"2019-06-26T20:27:25.000Z", "temperature": 29.12, "relhumidity": 6.50, "vappress": 4.447, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8392500,48.002898] }, "properties": { "altitude": "263.0", "sensor": "22", "gpstime":"2019-06-26T20:27:55.000Z", "temperature": 29.52, "relhumidity": 6.70, "vappress": 4.527, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406850,48.002138] }, "properties": { "altitude": "271.7", "sensor": "22", "gpstime":"2019-06-26T20:30:20.000Z", "temperature": 29.76, "relhumidity": 5.01, "vappress": 4.325, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422180,48.001367] }, "properties": { "altitude": "263.9", "sensor": "22", "gpstime":"2019-06-26T20:30:58.000Z", "temperature": 29.90, "relhumidity": 5.37, "vappress": 4.475, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410080,48.000208] }, "properties": { "altitude": "268.4", "sensor": "22", "gpstime":"2019-06-26T20:31:30.000Z", "temperature": 30.00, "relhumidity": 4.60, "vappress": 4.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426800,47.999632] }, "properties": { "altitude": "270.0", "sensor": "22", "gpstime":"2019-06-26T20:32:12.000Z", "temperature": 30.29, "relhumidity": 3.84, "vappress": 4.676, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8421830,47.997558] }, "properties": { "altitude": "258.7", "sensor": "22", "gpstime":"2019-06-26T20:33:22.000Z", "temperature": 29.87, "relhumidity": 5.18, "vappress": 4.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411080,47.996267] }, "properties": { "altitude": "266.0", "sensor": "22", "gpstime":"2019-06-26T20:33:55.000Z", "temperature": 29.95, "relhumidity": 5.10, "vappress": 4.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418330,47.994205] }, "properties": { "altitude": "287.4", "sensor": "22", "gpstime":"2019-06-26T20:35:22.000Z", "temperature": 29.82, "relhumidity": 5.72, "vappress": 3.940, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8434130,47.992293] }, "properties": { "altitude": "293.4", "sensor": "22", "gpstime":"2019-06-26T20:36:15.000Z", "temperature": 29.34, "relhumidity": 6.58, "vappress": 3.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446020,47.991022] }, "properties": { "altitude": "289.6", "sensor": "22", "gpstime":"2019-06-26T20:36:56.000Z", "temperature": 29.14, "relhumidity": 7.07, "vappress": 3.625, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454120,47.992665] }, "properties": { "altitude": "281.5", "sensor": "22", "gpstime":"2019-06-26T20:38:05.000Z", "temperature": 29.01, "relhumidity": 7.58, "vappress": 3.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453270,47.993392] }, "properties": { "altitude": "294.2", "sensor": "22", "gpstime":"2019-06-26T20:38:35.000Z", "temperature": 28.93, "relhumidity": 7.98, "vappress": 3.694, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8451970,47.993655] }, "properties": { "altitude": "262.6", "sensor": "23", "gpstime":"2019-06-26T19:26:15.000Z", "temperature": 28.88, "relhumidity": 2.38, "vappress": 1.798, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461200,47.995335] }, "properties": { "altitude": "274.9", "sensor": "23", "gpstime":"2019-06-26T19:27:05.000Z", "temperature": 29.06, "relhumidity": 0.43, "vappress": 1.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478100,47.995235] }, "properties": { "altitude": "272.1", "sensor": "23", "gpstime":"2019-06-26T19:27:33.000Z", "temperature": 29.46, "relhumidity": -0.30, "vappress": 1.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493350,47.995075] }, "properties": { "altitude": "274.3", "sensor": "23", "gpstime":"2019-06-26T19:28:00.000Z", "temperature": 29.86, "relhumidity": -1.99, "vappress": 1.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487530,47.993072] }, "properties": { "altitude": "281.1", "sensor": "23", "gpstime":"2019-06-26T19:28:55.000Z", "temperature": 29.92, "relhumidity": -1.80, "vappress": 1.259, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483950,47.990793] }, "properties": { "altitude": "280.0", "sensor": "23", "gpstime":"2019-06-26T19:29:39.000Z", "temperature": 29.47, "relhumidity": -0.74, "vappress": 1.135, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477530,47.988665] }, "properties": { "altitude": "276.2", "sensor": "23", "gpstime":"2019-06-26T19:31:38.000Z", "temperature": 29.31, "relhumidity": 1.20, "vappress": 1.928, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475850,47.986668] }, "properties": { "altitude": "274.2", "sensor": "23", "gpstime":"2019-06-26T19:32:15.000Z", "temperature": 28.88, "relhumidity": 5.15, "vappress": 2.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8489930,47.986018] }, "properties": { "altitude": "275.5", "sensor": "23", "gpstime":"2019-06-26T19:32:55.000Z", "temperature": 28.17, "relhumidity": 7.60, "vappress": 2.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508180,47.985967] }, "properties": { "altitude": "280.9", "sensor": "23", "gpstime":"2019-06-26T19:33:30.000Z", "temperature": 27.99, "relhumidity": 8.89, "vappress": 2.582, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8520450,47.985082] }, "properties": { "altitude": "286.4", "sensor": "23", "gpstime":"2019-06-26T19:34:19.000Z", "temperature": 27.51, "relhumidity": 9.53, "vappress": 2.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8535170,47.984970] }, "properties": { "altitude": "283.8", "sensor": "23", "gpstime":"2019-06-26T19:34:43.000Z", "temperature": 27.07, "relhumidity": 9.27, "vappress": 1.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8550120,47.985807] }, "properties": { "altitude": "282.8", "sensor": "23", "gpstime":"2019-06-26T19:35:29.000Z", "temperature": 27.10, "relhumidity": 9.14, "vappress": 1.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564180,47.985760] }, "properties": { "altitude": "279.1", "sensor": "23", "gpstime":"2019-06-26T19:35:47.000Z", "temperature": 27.16, "relhumidity": 9.14, "vappress": 1.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579230,47.984988] }, "properties": { "altitude": "280.7", "sensor": "23", "gpstime":"2019-06-26T19:36:28.000Z", "temperature": 26.96, "relhumidity": 11.23, "vappress": 1.915, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8594970,47.985215] }, "properties": { "altitude": "283.3", "sensor": "23", "gpstime":"2019-06-26T19:36:57.000Z", "temperature": 26.37, "relhumidity": 11.35, "vappress": 1.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609730,47.985417] }, "properties": { "altitude": "282.7", "sensor": "23", "gpstime":"2019-06-26T19:37:23.000Z", "temperature": 25.89, "relhumidity": 15.18, "vappress": 1.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624570,47.985373] }, "properties": { "altitude": "286.5", "sensor": "23", "gpstime":"2019-06-26T19:37:49.000Z", "temperature": 25.28, "relhumidity": 17.25, "vappress": 1.622, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8637950,47.985333] }, "properties": { "altitude": "284.8", "sensor": "23", "gpstime":"2019-06-26T19:38:12.000Z", "temperature": 24.87, "relhumidity": 19.00, "vappress": 1.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652420,47.985390] }, "properties": { "altitude": "288.3", "sensor": "23", "gpstime":"2019-06-26T19:38:35.000Z", "temperature": 24.63, "relhumidity": 22.83, "vappress": 2.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8669700,47.985487] }, "properties": { "altitude": "288.0", "sensor": "23", "gpstime":"2019-06-26T19:39:05.000Z", "temperature": 24.91, "relhumidity": 18.44, "vappress": 1.893, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683570,47.985607] }, "properties": { "altitude": "287.6", "sensor": "23", "gpstime":"2019-06-26T19:39:23.000Z", "temperature": 25.39, "relhumidity": 17.84, "vappress": 2.183, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8700470,47.985877] }, "properties": { "altitude": "288.3", "sensor": "23", "gpstime":"2019-06-26T19:39:48.000Z", "temperature": 25.34, "relhumidity": 19.83, "vappress": 2.523, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8715180,47.986242] }, "properties": { "altitude": "289.2", "sensor": "23", "gpstime":"2019-06-26T19:42:45.000Z", "temperature": 25.50, "relhumidity": 14.17, "vappress": 1.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8730880,47.985950] }, "properties": { "altitude": "291.4", "sensor": "23", "gpstime":"2019-06-26T19:43:06.000Z", "temperature": 25.90, "relhumidity": 14.65, "vappress": 1.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8741850,47.987410] }, "properties": { "altitude": "299.8", "sensor": "23", "gpstime":"2019-06-26T19:43:47.000Z", "temperature": 25.88, "relhumidity": 13.73, "vappress": 1.506, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8752030,47.985732] }, "properties": { "altitude": "298.6", "sensor": "23", "gpstime":"2019-06-26T19:45:10.000Z", "temperature": 26.46, "relhumidity": 11.40, "vappress": 1.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8766100,47.985992] }, "properties": { "altitude": "301.0", "sensor": "23", "gpstime":"2019-06-26T19:45:35.000Z", "temperature": 25.94, "relhumidity": 13.02, "vappress": 0.995, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8779830,47.986318] }, "properties": { "altitude": "304.2", "sensor": "23", "gpstime":"2019-06-26T19:46:00.000Z", "temperature": 25.65, "relhumidity": 14.89, "vappress": 1.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797330,47.986330] }, "properties": { "altitude": "308.3", "sensor": "23", "gpstime":"2019-06-26T19:46:24.000Z", "temperature": 25.56, "relhumidity": 15.28, "vappress": 1.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8812520,47.985962] }, "properties": { "altitude": "314.3", "sensor": "23", "gpstime":"2019-06-26T19:46:49.000Z", "temperature": 25.48, "relhumidity": 14.66, "vappress": 0.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8826030,47.985728] }, "properties": { "altitude": "319.5", "sensor": "23", "gpstime":"2019-06-26T19:47:15.000Z", "temperature": 25.55, "relhumidity": 14.77, "vappress": 1.179, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8840600,47.985153] }, "properties": { "altitude": "314.5", "sensor": "23", "gpstime":"2019-06-26T19:48:02.000Z", "temperature": 25.66, "relhumidity": 14.51, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8856000,47.985185] }, "properties": { "altitude": "313.1", "sensor": "23", "gpstime":"2019-06-26T19:48:32.000Z", "temperature": 26.09, "relhumidity": 14.64, "vappress": 2.140, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8871000,47.986177] }, "properties": { "altitude": "316.6", "sensor": "23", "gpstime":"2019-06-26T19:49:17.000Z", "temperature": 26.51, "relhumidity": 14.38, "vappress": 3.078, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8884530,47.985333] }, "properties": { "altitude": "320.2", "sensor": "23", "gpstime":"2019-06-26T19:49:59.000Z", "temperature": 27.12, "relhumidity": 12.59, "vappress": 3.098, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8901170,47.985048] }, "properties": { "altitude": "320.3", "sensor": "23", "gpstime":"2019-06-26T19:50:30.000Z", "temperature": 27.27, "relhumidity": 10.93, "vappress": 2.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8914450,47.985387] }, "properties": { "altitude": "320.2", "sensor": "23", "gpstime":"2019-06-26T19:51:09.000Z", "temperature": 27.45, "relhumidity": 9.29, "vappress": 2.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8931030,47.984962] }, "properties": { "altitude": "313.6", "sensor": "23", "gpstime":"2019-06-26T19:52:54.000Z", "temperature": 27.66, "relhumidity": 8.01, "vappress": 2.249, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8944520,47.984503] }, "properties": { "altitude": "315.0", "sensor": "23", "gpstime":"2019-06-26T19:53:20.000Z", "temperature": 27.92, "relhumidity": 7.25, "vappress": 2.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8960130,47.984118] }, "properties": { "altitude": "321.0", "sensor": "23", "gpstime":"2019-06-26T19:53:43.000Z", "temperature": 27.79, "relhumidity": 7.90, "vappress": 2.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8973030,47.983470] }, "properties": { "altitude": "322.6", "sensor": "23", "gpstime":"2019-06-26T19:54:13.000Z", "temperature": 27.65, "relhumidity": 8.83, "vappress": 2.297, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8986420,47.982310] }, "properties": { "altitude": "321.6", "sensor": "23", "gpstime":"2019-06-26T19:54:54.000Z", "temperature": 27.60, "relhumidity": 10.14, "vappress": 2.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9002000,47.981673] }, "properties": { "altitude": "321.6", "sensor": "23", "gpstime":"2019-06-26T19:55:29.000Z", "temperature": 27.17, "relhumidity": 11.57, "vappress": 2.341, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9024280,47.981243] }, "properties": { "altitude": "329.9", "sensor": "23", "gpstime":"2019-06-26T19:56:05.000Z", "temperature": 27.01, "relhumidity": 10.54, "vappress": 1.981, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9038730,47.980998] }, "properties": { "altitude": "335.7", "sensor": "23", "gpstime":"2019-06-26T19:56:28.000Z", "temperature": 27.14, "relhumidity": 10.15, "vappress": 2.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9058620,47.980658] }, "properties": { "altitude": "331.4", "sensor": "23", "gpstime":"2019-06-26T19:58:54.000Z", "temperature": 27.35, "relhumidity": 8.25, "vappress": 1.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9069800,47.979310] }, "properties": { "altitude": "330.3", "sensor": "23", "gpstime":"2019-06-26T19:59:35.000Z", "temperature": 27.24, "relhumidity": 8.18, "vappress": 1.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9083070,47.978892] }, "properties": { "altitude": "331.1", "sensor": "23", "gpstime":"2019-06-26T19:59:57.000Z", "temperature": 26.69, "relhumidity": 9.17, "vappress": 0.729, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9096420,47.977938] }, "properties": { "altitude": "336.1", "sensor": "23", "gpstime":"2019-06-26T20:00:36.000Z", "temperature": 26.51, "relhumidity": 10.32, "vappress": 0.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9112000,47.977315] }, "properties": { "altitude": "342.0", "sensor": "23", "gpstime":"2019-06-26T20:01:14.000Z", "temperature": 26.45, "relhumidity": 8.53, "vappress": 0.426, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9124730,47.976260] }, "properties": { "altitude": "346.7", "sensor": "23", "gpstime":"2019-06-26T20:01:51.000Z", "temperature": 26.68, "relhumidity": 9.40, "vappress": 0.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9122470,47.974195] }, "properties": { "altitude": "353.3", "sensor": "23", "gpstime":"2019-06-26T20:02:50.000Z", "temperature": 25.97, "relhumidity": 14.18, "vappress": 0.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9114670,47.972437] }, "properties": { "altitude": "360.4", "sensor": "23", "gpstime":"2019-06-26T20:03:47.000Z", "temperature": 25.77, "relhumidity": 12.51, "vappress": 0.889, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9106320,47.970820] }, "properties": { "altitude": "359.1", "sensor": "23", "gpstime":"2019-06-26T20:04:33.000Z", "temperature": 25.94, "relhumidity": 10.93, "vappress": 0.528, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9103180,47.968777] }, "properties": { "altitude": "367.5", "sensor": "23", "gpstime":"2019-06-26T20:05:48.000Z", "temperature": 26.21, "relhumidity": 11.19, "vappress": 0.509, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9093100,47.970338] }, "properties": { "altitude": "364.9", "sensor": "23", "gpstime":"2019-06-26T20:06:42.000Z", "temperature": 25.98, "relhumidity": 14.37, "vappress": 1.147, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9108180,47.971135] }, "properties": { "altitude": "362.1", "sensor": "23", "gpstime":"2019-06-26T20:07:25.000Z", "temperature": 25.78, "relhumidity": 12.09, "vappress": 0.734, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9116870,47.972658] }, "properties": { "altitude": "358.3", "sensor": "23", "gpstime":"2019-06-26T20:07:52.000Z", "temperature": 26.16, "relhumidity": 10.65, "vappress": 0.564, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9123150,47.974648] }, "properties": { "altitude": "349.2", "sensor": "23", "gpstime":"2019-06-26T20:08:30.000Z", "temperature": 26.03, "relhumidity": 13.19, "vappress": 0.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9119280,47.976700] }, "properties": { "altitude": "345.3", "sensor": "23", "gpstime":"2019-06-26T20:09:08.000Z", "temperature": 25.40, "relhumidity": 13.78, "vappress": 0.586, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9103750,47.976898] }, "properties": { "altitude": "339.4", "sensor": "23", "gpstime":"2019-06-26T20:11:10.000Z", "temperature": 26.05, "relhumidity": 9.97, "vappress": 0.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9087800,47.977257] }, "properties": { "altitude": "338.9", "sensor": "23", "gpstime":"2019-06-26T20:11:27.000Z", "temperature": 26.65, "relhumidity": 10.35, "vappress": 1.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9071550,47.977253] }, "properties": { "altitude": "342.0", "sensor": "23", "gpstime":"2019-06-26T20:11:49.000Z", "temperature": 26.72, "relhumidity": 9.43, "vappress": 0.962, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9055150,47.977342] }, "properties": { "altitude": "336.0", "sensor": "23", "gpstime":"2019-06-26T20:12:10.000Z", "temperature": 26.83, "relhumidity": 10.90, "vappress": 1.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9037770,47.977737] }, "properties": { "altitude": "335.2", "sensor": "23", "gpstime":"2019-06-26T20:12:30.000Z", "temperature": 26.77, "relhumidity": 11.17, "vappress": 1.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9024250,47.977935] }, "properties": { "altitude": "334.8", "sensor": "23", "gpstime":"2019-06-26T20:12:45.000Z", "temperature": 26.96, "relhumidity": 10.80, "vappress": 1.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9010800,47.978303] }, "properties": { "altitude": "334.5", "sensor": "23", "gpstime":"2019-06-26T20:13:03.000Z", "temperature": 26.89, "relhumidity": 10.80, "vappress": 1.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8995680,47.978578] }, "properties": { "altitude": "332.2", "sensor": "23", "gpstime":"2019-06-26T20:13:22.000Z", "temperature": 26.84, "relhumidity": 10.35, "vappress": 1.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8978850,47.978650] }, "properties": { "altitude": "331.2", "sensor": "23", "gpstime":"2019-06-26T20:13:44.000Z", "temperature": 26.64, "relhumidity": 11.66, "vappress": 1.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8964070,47.979108] }, "properties": { "altitude": "335.2", "sensor": "23", "gpstime":"2019-06-26T20:14:10.000Z", "temperature": 26.54, "relhumidity": 10.87, "vappress": 1.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8950300,47.980553] }, "properties": { "altitude": "320.3", "sensor": "23", "gpstime":"2019-06-26T20:14:43.000Z", "temperature": 26.64, "relhumidity": 11.02, "vappress": 1.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8941270,47.982060] }, "properties": { "altitude": "319.8", "sensor": "23", "gpstime":"2019-06-26T20:15:08.000Z", "temperature": 26.90, "relhumidity": 12.15, "vappress": 2.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8945170,47.984148] }, "properties": { "altitude": "319.7", "sensor": "23", "gpstime":"2019-06-26T20:15:48.000Z", "temperature": 27.27, "relhumidity": 10.30, "vappress": 1.949, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8955220,47.985995] }, "properties": { "altitude": "317.3", "sensor": "23", "gpstime":"2019-06-26T20:17:21.000Z", "temperature": 27.30, "relhumidity": 10.34, "vappress": 1.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8943980,47.987620] }, "properties": { "altitude": "317.2", "sensor": "23", "gpstime":"2019-06-26T20:18:14.000Z", "temperature": 27.09, "relhumidity": 10.09, "vappress": 1.658, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8929800,47.988050] }, "properties": { "altitude": "315.7", "sensor": "23", "gpstime":"2019-06-26T20:18:33.000Z", "temperature": 27.15, "relhumidity": 10.24, "vappress": 1.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8916280,47.988348] }, "properties": { "altitude": "316.2", "sensor": "23", "gpstime":"2019-06-26T20:19:11.000Z", "temperature": 27.31, "relhumidity": 9.87, "vappress": 1.941, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8901350,47.988732] }, "properties": { "altitude": "310.1", "sensor": "23", "gpstime":"2019-06-26T20:19:35.000Z", "temperature": 27.29, "relhumidity": 9.89, "vappress": 1.781, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8892280,47.990780] }, "properties": { "altitude": "304.8", "sensor": "23", "gpstime":"2019-06-26T20:20:27.000Z", "temperature": 26.11, "relhumidity": 17.26, "vappress": 0.796, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8874700,47.991057] }, "properties": { "altitude": "301.4", "sensor": "23", "gpstime":"2019-06-26T20:20:47.000Z", "temperature": 24.88, "relhumidity": 17.76, "vappress": 0.626, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8858300,47.991268] }, "properties": { "altitude": "301.9", "sensor": "23", "gpstime":"2019-06-26T20:21:03.000Z", "temperature": 24.75, "relhumidity": 18.14, "vappress": 0.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8836830,47.991445] }, "properties": { "altitude": "300.0", "sensor": "23", "gpstime":"2019-06-26T20:21:28.000Z", "temperature": 24.52, "relhumidity": 18.91, "vappress": 0.332, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8821500,47.991508] }, "properties": { "altitude": "297.0", "sensor": "23", "gpstime":"2019-06-26T20:21:45.000Z", "temperature": 24.52, "relhumidity": 18.45, "vappress": 0.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8805470,47.991672] }, "properties": { "altitude": "298.0", "sensor": "23", "gpstime":"2019-06-26T20:22:04.000Z", "temperature": 24.66, "relhumidity": 18.33, "vappress": 0.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8790980,47.991338] }, "properties": { "altitude": "296.6", "sensor": "23", "gpstime":"2019-06-26T20:22:23.000Z", "temperature": 24.71, "relhumidity": 18.71, "vappress": 0.788, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8775320,47.990735] }, "properties": { "altitude": "300.3", "sensor": "23", "gpstime":"2019-06-26T20:22:42.000Z", "temperature": 25.02, "relhumidity": 18.04, "vappress": 0.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8755450,47.990648] }, "properties": { "altitude": "293.5", "sensor": "23", "gpstime":"2019-06-26T20:23:05.000Z", "temperature": 24.93, "relhumidity": 18.14, "vappress": 0.637, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8742050,47.990610] }, "properties": { "altitude": "286.5", "sensor": "23", "gpstime":"2019-06-26T20:23:21.000Z", "temperature": 24.84, "relhumidity": 18.53, "vappress": 0.757, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8727350,47.990678] }, "properties": { "altitude": "283.0", "sensor": "23", "gpstime":"2019-06-26T20:23:38.000Z", "temperature": 24.79, "relhumidity": 18.44, "vappress": 0.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712650,47.990760] }, "properties": { "altitude": "286.0", "sensor": "23", "gpstime":"2019-06-26T20:23:55.000Z", "temperature": 25.05, "relhumidity": 18.10, "vappress": 1.117, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8699070,47.990815] }, "properties": { "altitude": "281.3", "sensor": "23", "gpstime":"2019-06-26T20:24:11.000Z", "temperature": 25.29, "relhumidity": 17.65, "vappress": 1.348, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683270,47.990855] }, "properties": { "altitude": "286.0", "sensor": "23", "gpstime":"2019-06-26T20:24:27.000Z", "temperature": 25.55, "relhumidity": 17.44, "vappress": 1.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8667980,47.990893] }, "properties": { "altitude": "283.8", "sensor": "23", "gpstime":"2019-06-26T20:24:44.000Z", "temperature": 25.60, "relhumidity": 17.17, "vappress": 1.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8653280,47.990857] }, "properties": { "altitude": "274.2", "sensor": "23", "gpstime":"2019-06-26T20:25:02.000Z", "temperature": 25.78, "relhumidity": 16.60, "vappress": 1.732, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8636850,47.990697] }, "properties": { "altitude": "256.5", "sensor": "23", "gpstime":"2019-06-26T20:25:26.000Z", "temperature": 26.05, "relhumidity": 16.02, "vappress": 2.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8619250,47.990595] }, "properties": { "altitude": "250.0", "sensor": "23", "gpstime":"2019-06-26T20:25:57.000Z", "temperature": 26.31, "relhumidity": 14.97, "vappress": 2.042, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8599650,47.990657] }, "properties": { "altitude": "239.4", "sensor": "23", "gpstime":"2019-06-26T20:26:24.000Z", "temperature": 26.32, "relhumidity": 14.02, "vappress": 1.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8583330,47.990722] }, "properties": { "altitude": "231.5", "sensor": "23", "gpstime":"2019-06-26T20:26:48.000Z", "temperature": 26.11, "relhumidity": 13.37, "vappress": 1.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8568900,47.990815] }, "properties": { "altitude": "222.6", "sensor": "23", "gpstime":"2019-06-26T20:27:23.000Z", "temperature": 26.17, "relhumidity": 14.61, "vappress": 2.327, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8553350,47.990873] }, "properties": { "altitude": "215.1", "sensor": "23", "gpstime":"2019-06-26T20:27:45.000Z", "temperature": 26.96, "relhumidity": 11.96, "vappress": 2.107, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8540550,47.992058] }, "properties": { "altitude": "228.3", "sensor": "23", "gpstime":"2019-06-26T20:29:25.000Z", "temperature": 27.28, "relhumidity": 9.33, "vappress": 2.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8521450,47.992060] }, "properties": { "altitude": "231.1", "sensor": "23", "gpstime":"2019-06-26T20:29:46.000Z", "temperature": 28.18, "relhumidity": 7.24, "vappress": 2.525, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8506080,47.992047] }, "properties": { "altitude": "229.7", "sensor": "23", "gpstime":"2019-06-26T20:30:03.000Z", "temperature": 28.38, "relhumidity": 6.18, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8491780,47.992410] }, "properties": { "altitude": "231.2", "sensor": "23", "gpstime":"2019-06-26T20:30:22.000Z", "temperature": 28.55, "relhumidity": 5.96, "vappress": 2.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475200,47.992823] }, "properties": { "altitude": "234.5", "sensor": "23", "gpstime":"2019-06-26T20:30:44.000Z", "temperature": 28.67, "relhumidity": 4.76, "vappress": 2.305, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461050,47.993432] }, "properties": { "altitude": "234.1", "sensor": "23", "gpstime":"2019-06-26T20:31:05.000Z", "temperature": 28.80, "relhumidity": 4.30, "vappress": 2.187, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453450,47.992835] }, "properties": { "altitude": "253.7", "sensor": "23", "gpstime":"2019-06-26T20:38:50.000Z", "temperature": 29.14, "relhumidity": 11.76, "vappress": 6.114, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452180,47.991852] }, "properties": { "altitude": "269.1", "sensor": "25", "gpstime":"2019-06-26T19:26:37.000Z", "temperature": 29.48, "relhumidity": -1.27, "vappress": 1.118, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463680,47.989842] }, "properties": { "altitude": "274.9", "sensor": "25", "gpstime":"2019-06-26T19:28:10.000Z", "temperature": 29.58, "relhumidity": -0.66, "vappress": 1.579, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478930,47.989827] }, "properties": { "altitude": "274.6", "sensor": "25", "gpstime":"2019-06-26T19:28:32.000Z", "temperature": 29.61, "relhumidity": -1.84, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497270,47.989925] }, "properties": { "altitude": "278.6", "sensor": "25", "gpstime":"2019-06-26T19:28:59.000Z", "temperature": 29.51, "relhumidity": -1.17, "vappress": 1.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8496620,47.987768] }, "properties": { "altitude": "281.9", "sensor": "25", "gpstime":"2019-06-26T19:30:11.000Z", "temperature": 29.42, "relhumidity": -0.60, "vappress": 1.373, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8495350,47.985575] }, "properties": { "altitude": "278.7", "sensor": "25", "gpstime":"2019-06-26T19:30:57.000Z", "temperature": 29.03, "relhumidity": 3.80, "vappress": 1.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8509950,47.984980] }, "properties": { "altitude": "284.5", "sensor": "25", "gpstime":"2019-06-26T19:31:30.000Z", "temperature": 28.24, "relhumidity": 5.16, "vappress": 1.628, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8527070,47.985010] }, "properties": { "altitude": "281.9", "sensor": "25", "gpstime":"2019-06-26T19:31:53.000Z", "temperature": 27.66, "relhumidity": 5.53, "vappress": 0.988, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8539430,47.984150] }, "properties": { "altitude": "279.8", "sensor": "25", "gpstime":"2019-06-26T19:32:24.000Z", "temperature": 27.52, "relhumidity": 4.47, "vappress": 0.610, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8555830,47.983337] }, "properties": { "altitude": "281.6", "sensor": "25", "gpstime":"2019-06-26T19:33:02.000Z", "temperature": 27.30, "relhumidity": 5.08, "vappress": 0.122, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8570650,47.983842] }, "properties": { "altitude": "277.2", "sensor": "25", "gpstime":"2019-06-26T19:33:24.000Z", "temperature": 26.82, "relhumidity": 6.89, "vappress": 0.192, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8574220,47.985923] }, "properties": { "altitude": "286.9", "sensor": "25", "gpstime":"2019-06-26T19:34:08.000Z", "temperature": 26.54, "relhumidity": 7.90, "vappress": 0.740, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8588830,47.986682] }, "properties": { "altitude": "284.2", "sensor": "25", "gpstime":"2019-06-26T19:35:02.000Z", "temperature": 27.47, "relhumidity": 3.67, "vappress": 0.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8600980,47.985657] }, "properties": { "altitude": "283.9", "sensor": "25", "gpstime":"2019-06-26T19:35:43.000Z", "temperature": 27.88, "relhumidity": 4.11, "vappress": 0.392, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8614800,47.985428] }, "properties": { "altitude": "284.5", "sensor": "25", "gpstime":"2019-06-26T19:37:41.000Z", "temperature": 26.59, "relhumidity": 10.46, "vappress": 0.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633730,47.985440] }, "properties": { "altitude": "287.9", "sensor": "25", "gpstime":"2019-06-26T19:38:08.000Z", "temperature": 25.78, "relhumidity": 12.96, "vappress": 0.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8647780,47.985353] }, "properties": { "altitude": "290.3", "sensor": "25", "gpstime":"2019-06-26T19:38:30.000Z", "temperature": 25.27, "relhumidity": 15.12, "vappress": 0.847, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663680,47.985425] }, "properties": { "altitude": "288.9", "sensor": "25", "gpstime":"2019-06-26T19:38:59.000Z", "temperature": 25.31, "relhumidity": 13.15, "vappress": 0.497, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8678930,47.985538] }, "properties": { "altitude": "288.9", "sensor": "25", "gpstime":"2019-06-26T19:39:25.000Z", "temperature": 25.67, "relhumidity": 11.38, "vappress": 0.533, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696880,47.985758] }, "properties": { "altitude": "287.7", "sensor": "25", "gpstime":"2019-06-26T19:39:52.000Z", "temperature": 25.95, "relhumidity": 11.74, "vappress": 0.813, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712030,47.986167] }, "properties": { "altitude": "287.3", "sensor": "25", "gpstime":"2019-06-26T19:40:16.000Z", "temperature": 25.80, "relhumidity": 10.00, "vappress": 0.091, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8729630,47.985997] }, "properties": { "altitude": "295.5", "sensor": "25", "gpstime":"2019-06-26T19:40:55.000Z", "temperature": 26.18, "relhumidity": 10.18, "vappress": 0.771, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8744720,47.985232] }, "properties": { "altitude": "294.0", "sensor": "25", "gpstime":"2019-06-26T19:41:38.000Z", "temperature": 26.14, "relhumidity": 12.79, "vappress": 1.244, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8762030,47.985095] }, "properties": { "altitude": "296.5", "sensor": "25", "gpstime":"2019-06-26T19:42:07.000Z", "temperature": 25.71, "relhumidity": 12.61, "vappress": 0.563, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8776900,47.984883] }, "properties": { "altitude": "298.5", "sensor": "25", "gpstime":"2019-06-26T19:42:32.000Z", "temperature": 25.33, "relhumidity": 14.23, "vappress": 0.643, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8790220,47.984662] }, "properties": { "altitude": "299.7", "sensor": "25", "gpstime":"2019-06-26T19:42:54.000Z", "temperature": 25.22, "relhumidity": 13.39, "vappress": 0.363, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8799000,47.983148] }, "properties": { "altitude": "310.4", "sensor": "25", "gpstime":"2019-06-26T19:43:40.000Z", "temperature": 25.43, "relhumidity": 12.28, "vappress": 0.156, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807670,47.981565] }, "properties": { "altitude": "322.9", "sensor": "25", "gpstime":"2019-06-26T19:44:40.000Z", "temperature": 25.27, "relhumidity": 11.78, "vappress": -0.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8820570,47.980987] }, "properties": { "altitude": "319.6", "sensor": "25", "gpstime":"2019-06-26T19:46:48.000Z", "temperature": 24.86, "relhumidity": 14.37, "vappress": 0.014, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8852200,47.980663] }, "properties": { "altitude": "306.8", "sensor": "25", "gpstime":"2019-06-26T19:47:26.000Z", "temperature": 24.91, "relhumidity": 12.87, "vappress": -0.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8867830,47.980177] }, "properties": { "altitude": "310.3", "sensor": "25", "gpstime":"2019-06-26T19:47:47.000Z", "temperature": 25.46, "relhumidity": 10.70, "vappress": -0.261, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8884580,47.979950] }, "properties": { "altitude": "313.4", "sensor": "25", "gpstime":"2019-06-26T19:48:11.000Z", "temperature": 25.73, "relhumidity": 7.43, "vappress": -0.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8902170,47.979810] }, "properties": { "altitude": "316.9", "sensor": "25", "gpstime":"2019-06-26T19:48:40.000Z", "temperature": 26.25, "relhumidity": 8.23, "vappress": -0.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8922430,47.979638] }, "properties": { "altitude": "321.8", "sensor": "25", "gpstime":"2019-06-26T19:49:15.000Z", "temperature": 26.28, "relhumidity": 8.91, "vappress": 0.398, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8937280,47.979722] }, "properties": { "altitude": "324.8", "sensor": "25", "gpstime":"2019-06-26T19:49:43.000Z", "temperature": 26.55, "relhumidity": 8.58, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8951080,47.979618] }, "properties": { "altitude": "327.6", "sensor": "25", "gpstime":"2019-06-26T19:50:17.000Z", "temperature": 26.55, "relhumidity": 7.97, "vappress": 0.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8937170,47.980530] }, "properties": { "altitude": "326.0", "sensor": "25", "gpstime":"2019-06-26T19:51:14.000Z", "temperature": 26.88, "relhumidity": 5.31, "vappress": 0.500, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8922000,47.980752] }, "properties": { "altitude": "319.9", "sensor": "25", "gpstime":"2019-06-26T19:51:31.000Z", "temperature": 27.48, "relhumidity": 4.46, "vappress": 0.490, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8908780,47.981230] }, "properties": { "altitude": "316.5", "sensor": "25", "gpstime":"2019-06-26T19:51:50.000Z", "temperature": 27.50, "relhumidity": 5.68, "vappress": 0.640, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8895350,47.981637] }, "properties": { "altitude": "312.8", "sensor": "25", "gpstime":"2019-06-26T19:52:17.000Z", "temperature": 27.31, "relhumidity": 3.51, "vappress": -0.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8879800,47.981902] }, "properties": { "altitude": "310.6", "sensor": "25", "gpstime":"2019-06-26T19:52:56.000Z", "temperature": 27.06, "relhumidity": 5.55, "vappress": -0.311, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8864170,47.981835] }, "properties": { "altitude": "313.2", "sensor": "25", "gpstime":"2019-06-26T19:53:29.000Z", "temperature": 26.44, "relhumidity": 8.37, "vappress": -0.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8849700,47.982298] }, "properties": { "altitude": "312.8", "sensor": "25", "gpstime":"2019-06-26T19:54:29.000Z", "temperature": 25.96, "relhumidity": 10.73, "vappress": 0.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8841630,47.983915] }, "properties": { "altitude": "310.9", "sensor": "25", "gpstime":"2019-06-26T19:55:07.000Z", "temperature": 25.62, "relhumidity": 9.50, "vappress": -0.679, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8861080,47.984158] }, "properties": { "altitude": "301.7", "sensor": "25", "gpstime":"2019-06-26T19:56:48.000Z", "temperature": 26.18, "relhumidity": 9.28, "vappress": 0.021, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8879180,47.983897] }, "properties": { "altitude": "306.2", "sensor": "25", "gpstime":"2019-06-26T19:57:18.000Z", "temperature": 25.90, "relhumidity": 10.56, "vappress": 0.020, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8893320,47.983527] }, "properties": { "altitude": "313.0", "sensor": "25", "gpstime":"2019-06-26T19:57:45.000Z", "temperature": 25.90, "relhumidity": 12.15, "vappress": 0.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8908270,47.983032] }, "properties": { "altitude": "316.9", "sensor": "25", "gpstime":"2019-06-26T19:58:17.000Z", "temperature": 26.47, "relhumidity": 8.92, "vappress": 1.050, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8922250,47.982733] }, "properties": { "altitude": "318.4", "sensor": "25", "gpstime":"2019-06-26T19:58:42.000Z", "temperature": 27.26, "relhumidity": 7.19, "vappress": 1.220, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8937220,47.982388] }, "properties": { "altitude": "319.0", "sensor": "25", "gpstime":"2019-06-26T19:59:09.000Z", "temperature": 27.58, "relhumidity": 5.61, "vappress": 0.959, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8953670,47.982050] }, "properties": { "altitude": "319.5", "sensor": "25", "gpstime":"2019-06-26T19:59:38.000Z", "temperature": 27.75, "relhumidity": 4.66, "vappress": 0.919, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8971180,47.981592] }, "properties": { "altitude": "321.0", "sensor": "25", "gpstime":"2019-06-26T20:00:10.000Z", "temperature": 27.61, "relhumidity": 5.61, "vappress": 0.997, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8987630,47.981267] }, "properties": { "altitude": "320.9", "sensor": "25", "gpstime":"2019-06-26T20:00:40.000Z", "temperature": 27.37, "relhumidity": 6.25, "vappress": 0.597, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9003080,47.980937] }, "properties": { "altitude": "322.2", "sensor": "25", "gpstime":"2019-06-26T20:01:10.000Z", "temperature": 27.14, "relhumidity": 6.70, "vappress": 0.656, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9019130,47.980555] }, "properties": { "altitude": "327.4", "sensor": "25", "gpstime":"2019-06-26T20:01:42.000Z", "temperature": 27.00, "relhumidity": 7.47, "vappress": 0.616, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9033920,47.980222] }, "properties": { "altitude": "328.7", "sensor": "25", "gpstime":"2019-06-26T20:02:12.000Z", "temperature": 26.91, "relhumidity": 6.73, "vappress": 0.376, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9049450,47.979912] }, "properties": { "altitude": "328.9", "sensor": "25", "gpstime":"2019-06-26T20:02:45.000Z", "temperature": 26.99, "relhumidity": 6.67, "vappress": 0.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9063680,47.979708] }, "properties": { "altitude": "327.8", "sensor": "25", "gpstime":"2019-06-26T20:03:17.000Z", "temperature": 26.85, "relhumidity": 6.69, "vappress": 0.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9048430,47.980902] }, "properties": { "altitude": "327.1", "sensor": "25", "gpstime":"2019-06-26T20:04:21.000Z", "temperature": 27.27, "relhumidity": 3.82, "vappress": 0.438, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9031700,47.981257] }, "properties": { "altitude": "320.8", "sensor": "25", "gpstime":"2019-06-26T20:04:45.000Z", "temperature": 27.91, "relhumidity": 3.02, "vappress": 0.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9011770,47.981580] }, "properties": { "altitude": "312.9", "sensor": "25", "gpstime":"2019-06-26T20:05:12.000Z", "temperature": 28.21, "relhumidity": 2.52, "vappress": 0.789, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8988280,47.982315] }, "properties": { "altitude": "312.2", "sensor": "25", "gpstime":"2019-06-26T20:05:42.000Z", "temperature": 28.22, "relhumidity": 3.63, "vappress": 1.059, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8976020,47.983327] }, "properties": { "altitude": "316.6", "sensor": "25", "gpstime":"2019-06-26T20:06:11.000Z", "temperature": 28.18, "relhumidity": 3.98, "vappress": 1.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8960620,47.984220] }, "properties": { "altitude": "310.0", "sensor": "25", "gpstime":"2019-06-26T20:06:39.000Z", "temperature": 27.83, "relhumidity": 4.61, "vappress": 0.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8947030,47.984748] }, "properties": { "altitude": "305.3", "sensor": "25", "gpstime":"2019-06-26T20:07:03.000Z", "temperature": 27.69, "relhumidity": 4.56, "vappress": 0.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8957870,47.986432] }, "properties": { "altitude": "313.5", "sensor": "25", "gpstime":"2019-06-26T20:07:41.000Z", "temperature": 27.60, "relhumidity": 4.95, "vappress": 0.534, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8943050,47.987632] }, "properties": { "altitude": "313.6", "sensor": "25", "gpstime":"2019-06-26T20:08:23.000Z", "temperature": 27.49, "relhumidity": 4.93, "vappress": 0.562, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8923550,47.988217] }, "properties": { "altitude": "306.9", "sensor": "25", "gpstime":"2019-06-26T20:08:47.000Z", "temperature": 27.45, "relhumidity": 5.85, "vappress": 0.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8907520,47.988525] }, "properties": { "altitude": "305.3", "sensor": "25", "gpstime":"2019-06-26T20:09:15.000Z", "temperature": 27.38, "relhumidity": 5.66, "vappress": 0.416, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8890150,47.988642] }, "properties": { "altitude": "307.3", "sensor": "25", "gpstime":"2019-06-26T20:09:45.000Z", "temperature": 26.87, "relhumidity": 7.86, "vappress": 0.256, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8873130,47.988542] }, "properties": { "altitude": "301.9", "sensor": "25", "gpstime":"2019-06-26T20:10:06.000Z", "temperature": 26.39, "relhumidity": 8.79, "vappress": 0.151, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8861880,47.987357] }, "properties": { "altitude": "315.3", "sensor": "25", "gpstime":"2019-06-26T20:10:53.000Z", "temperature": 26.37, "relhumidity": 9.06, "vappress": 0.401, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8851170,47.985880] }, "properties": { "altitude": "313.2", "sensor": "25", "gpstime":"2019-06-26T20:11:45.000Z", "temperature": 26.94, "relhumidity": 7.31, "vappress": 0.952, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8840180,47.984658] }, "properties": { "altitude": "306.4", "sensor": "25", "gpstime":"2019-06-26T20:12:27.000Z", "temperature": 27.28, "relhumidity": 6.16, "vappress": 0.445, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8821900,47.984705] }, "properties": { "altitude": "298.4", "sensor": "25", "gpstime":"2019-06-26T20:12:54.000Z", "temperature": 26.87, "relhumidity": 7.34, "vappress": 0.075, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807000,47.984950] }, "properties": { "altitude": "292.0", "sensor": "25", "gpstime":"2019-06-26T20:13:18.000Z", "temperature": 26.48, "relhumidity": 6.03, "vappress": -0.799, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8791100,47.985295] }, "properties": { "altitude": "296.4", "sensor": "25", "gpstime":"2019-06-26T20:14:37.000Z", "temperature": 26.23, "relhumidity": 8.65, "vappress": -0.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8776570,47.985408] }, "properties": { "altitude": "291.1", "sensor": "25", "gpstime":"2019-06-26T20:15:00.000Z", "temperature": 26.03, "relhumidity": 8.45, "vappress": -0.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8761670,47.985892] }, "properties": { "altitude": "285.9", "sensor": "25", "gpstime":"2019-06-26T20:15:25.000Z", "temperature": 25.76, "relhumidity": 8.64, "vappress": -0.921, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746570,47.985818] }, "properties": { "altitude": "285.4", "sensor": "25", "gpstime":"2019-06-26T20:15:47.000Z", "temperature": 25.72, "relhumidity": 8.69, "vappress": -0.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8731870,47.986013] }, "properties": { "altitude": "283.8", "sensor": "25", "gpstime":"2019-06-26T20:16:08.000Z", "temperature": 26.05, "relhumidity": 6.75, "vappress": -1.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8716480,47.986275] }, "properties": { "altitude": "286.4", "sensor": "25", "gpstime":"2019-06-26T20:16:27.000Z", "temperature": 26.31, "relhumidity": 6.02, "vappress": -0.835, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8699520,47.986693] }, "properties": { "altitude": "288.5", "sensor": "25", "gpstime":"2019-06-26T20:16:48.000Z", "temperature": 26.69, "relhumidity": 6.12, "vappress": -0.035, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8681050,47.987182] }, "properties": { "altitude": "289.0", "sensor": "25", "gpstime":"2019-06-26T20:17:13.000Z", "temperature": 27.23, "relhumidity": 5.16, "vappress": 0.291, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668680,47.988328] }, "properties": { "altitude": "283.2", "sensor": "25", "gpstime":"2019-06-26T20:17:55.000Z", "temperature": 27.69, "relhumidity": 3.22, "vappress": 0.531, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8652420,47.988657] }, "properties": { "altitude": "282.9", "sensor": "25", "gpstime":"2019-06-26T20:18:29.000Z", "temperature": 28.22, "relhumidity": 1.79, "vappress": 0.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8639180,47.989698] }, "properties": { "altitude": "275.0", "sensor": "25", "gpstime":"2019-06-26T20:19:09.000Z", "temperature": 28.41, "relhumidity": 1.02, "vappress": 0.401, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8621980,47.989285] }, "properties": { "altitude": "267.2", "sensor": "25", "gpstime":"2019-06-26T20:19:45.000Z", "temperature": 28.32, "relhumidity": 1.33, "vappress": 0.361, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8608480,47.989090] }, "properties": { "altitude": "279.3", "sensor": "25", "gpstime":"2019-06-26T20:20:22.000Z", "temperature": 28.42, "relhumidity": 0.44, "vappress": 0.526, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593700,47.989335] }, "properties": { "altitude": "276.2", "sensor": "25", "gpstime":"2019-06-26T20:20:42.000Z", "temperature": 28.91, "relhumidity": -0.42, "vappress": 0.666, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580800,47.989912] }, "properties": { "altitude": "273.3", "sensor": "25", "gpstime":"2019-06-26T20:21:02.000Z", "temperature": 29.00, "relhumidity": -1.08, "vappress": 0.592, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8565270,47.991020] }, "properties": { "altitude": "265.3", "sensor": "25", "gpstime":"2019-06-26T20:21:34.000Z", "temperature": 28.95, "relhumidity": -0.84, "vappress": 0.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548470,47.991307] }, "properties": { "altitude": "267.0", "sensor": "25", "gpstime":"2019-06-26T20:21:58.000Z", "temperature": 28.46, "relhumidity": 0.48, "vappress": 0.252, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533680,47.992078] }, "properties": { "altitude": "276.3", "sensor": "25", "gpstime":"2019-06-26T20:24:58.000Z", "temperature": 28.79, "relhumidity": -1.14, "vappress": 0.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8512400,47.992077] }, "properties": { "altitude": "268.2", "sensor": "25", "gpstime":"2019-06-26T20:25:27.000Z", "temperature": 29.31, "relhumidity": -1.68, "vappress": 0.702, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8493230,47.992257] }, "properties": { "altitude": "263.0", "sensor": "25", "gpstime":"2019-06-26T20:25:54.000Z", "temperature": 29.34, "relhumidity": -1.78, "vappress": 0.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476780,47.992770] }, "properties": { "altitude": "263.7", "sensor": "25", "gpstime":"2019-06-26T20:26:18.000Z", "temperature": 29.41, "relhumidity": -1.85, "vappress": 0.840, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8460980,47.993342] }, "properties": { "altitude": "266.5", "sensor": "25", "gpstime":"2019-06-26T20:26:42.000Z", "temperature": 29.45, "relhumidity": -2.03, "vappress": 0.770, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454100,47.993662] }, "properties": { "altitude": "268.4", "sensor": "25", "gpstime":"2019-06-26T20:26:55.000Z", "temperature": 29.45, "relhumidity": -1.95, "vappress": 0.800, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456080,47.993398] }, "properties": { "altitude": "114.2", "sensor": "27", "gpstime":"2019-06-26T18:43:35.000Z", "temperature": 24.22, "relhumidity": 35.18, "vappress": 6.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8470870,47.992935] }, "properties": { "altitude": "279.7", "sensor": "27", "gpstime":"2019-06-26T19:27:13.000Z", "temperature": 25.45, "relhumidity": 7.80, "vappress": 4.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8484780,47.992632] }, "properties": { "altitude": "285.3", "sensor": "27", "gpstime":"2019-06-26T19:27:41.000Z", "temperature": 29.00, "relhumidity": 7.30, "vappress": 4.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494220,47.994302] }, "properties": { "altitude": "309.3", "sensor": "27", "gpstime":"2019-06-26T19:30:12.000Z", "temperature": 29.16, "relhumidity": 5.51, "vappress": 3.983, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508200,47.994493] }, "properties": { "altitude": "309.1", "sensor": "27", "gpstime":"2019-06-26T19:31:17.000Z", "temperature": 29.48, "relhumidity": 5.19, "vappress": 3.898, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8522480,47.994373] }, "properties": { "altitude": "287.9", "sensor": "27", "gpstime":"2019-06-26T19:31:46.000Z", "temperature": 29.32, "relhumidity": 5.29, "vappress": 3.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8536620,47.993635] }, "properties": { "altitude": "270.6", "sensor": "27", "gpstime":"2019-06-26T19:32:52.000Z", "temperature": 29.25, "relhumidity": 5.72, "vappress": 3.670, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8534800,47.991470] }, "properties": { "altitude": "288.1", "sensor": "27", "gpstime":"2019-06-26T19:35:12.000Z", "temperature": 29.02, "relhumidity": 7.03, "vappress": 3.642, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549920,47.991725] }, "properties": { "altitude": "284.5", "sensor": "27", "gpstime":"2019-06-26T19:37:45.000Z", "temperature": 28.63, "relhumidity": 8.09, "vappress": 3.802, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564150,47.991822] }, "properties": { "altitude": "281.9", "sensor": "27", "gpstime":"2019-06-26T19:38:07.000Z", "temperature": 28.68, "relhumidity": 8.72, "vappress": 4.087, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8579780,47.991770] }, "properties": { "altitude": "289.3", "sensor": "27", "gpstime":"2019-06-26T19:38:33.000Z", "temperature": 28.42, "relhumidity": 8.72, "vappress": 3.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595280,47.991660] }, "properties": { "altitude": "290.7", "sensor": "27", "gpstime":"2019-06-26T19:38:53.000Z", "temperature": 28.25, "relhumidity": 9.52, "vappress": 3.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8611170,47.991647] }, "properties": { "altitude": "294.1", "sensor": "27", "gpstime":"2019-06-26T19:39:17.000Z", "temperature": 28.05, "relhumidity": 10.59, "vappress": 3.533, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624620,47.991637] }, "properties": { "altitude": "300.6", "sensor": "27", "gpstime":"2019-06-26T19:39:38.000Z", "temperature": 27.65, "relhumidity": 11.78, "vappress": 3.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8642680,47.991513] }, "properties": { "altitude": "307.0", "sensor": "27", "gpstime":"2019-06-26T19:40:12.000Z", "temperature": 27.14, "relhumidity": 14.25, "vappress": 3.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8658320,47.991530] }, "properties": { "altitude": "303.6", "sensor": "27", "gpstime":"2019-06-26T19:40:46.000Z", "temperature": 26.77, "relhumidity": 15.96, "vappress": 3.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8672150,47.991712] }, "properties": { "altitude": "312.8", "sensor": "27", "gpstime":"2019-06-26T19:41:15.000Z", "temperature": 26.35, "relhumidity": 17.75, "vappress": 3.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8682600,47.990395] }, "properties": { "altitude": "302.1", "sensor": "27", "gpstime":"2019-06-26T19:42:57.000Z", "temperature": 26.05, "relhumidity": 19.77, "vappress": 3.173, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8674530,47.988658] }, "properties": { "altitude": "301.8", "sensor": "27", "gpstime":"2019-06-26T19:44:42.000Z", "temperature": 26.50, "relhumidity": 15.66, "vappress": 3.947, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8658780,47.988625] }, "properties": { "altitude": "298.3", "sensor": "27", "gpstime":"2019-06-26T19:45:19.000Z", "temperature": 27.20, "relhumidity": 13.47, "vappress": 3.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8648470,47.987002] }, "properties": { "altitude": "299.7", "sensor": "27", "gpstime":"2019-06-26T19:46:45.000Z", "temperature": 27.61, "relhumidity": 12.20, "vappress": 3.904, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8635700,47.985805] }, "properties": { "altitude": "308.1", "sensor": "27", "gpstime":"2019-06-26T19:47:17.000Z", "temperature": 27.65, "relhumidity": 11.24, "vappress": 2.409, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8624430,47.984673] }, "properties": { "altitude": "298.8", "sensor": "27", "gpstime":"2019-06-26T19:48:14.000Z", "temperature": 26.00, "relhumidity": 19.11, "vappress": 2.280, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8608670,47.984385] }, "properties": { "altitude": "294.0", "sensor": "27", "gpstime":"2019-06-26T19:48:46.000Z", "temperature": 24.98, "relhumidity": 20.78, "vappress": 2.180, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8592200,47.983813] }, "properties": { "altitude": "290.8", "sensor": "27", "gpstime":"2019-06-26T19:49:05.000Z", "temperature": 24.89, "relhumidity": 22.57, "vappress": 2.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8578130,47.983000] }, "properties": { "altitude": "292.1", "sensor": "27", "gpstime":"2019-06-26T19:49:45.000Z", "temperature": 24.85, "relhumidity": 23.47, "vappress": 2.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8562050,47.982307] }, "properties": { "altitude": "294.4", "sensor": "27", "gpstime":"2019-06-26T19:50:25.000Z", "temperature": 24.62, "relhumidity": 23.19, "vappress": 2.470, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8547530,47.981950] }, "properties": { "altitude": "282.6", "sensor": "27", "gpstime":"2019-06-26T19:50:51.000Z", "temperature": 24.72, "relhumidity": 21.21, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8532180,47.981510] }, "properties": { "altitude": "270.2", "sensor": "27", "gpstime":"2019-06-26T19:51:16.000Z", "temperature": 24.94, "relhumidity": 22.17, "vappress": 2.650, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8514970,47.981087] }, "properties": { "altitude": "276.7", "sensor": "27", "gpstime":"2019-06-26T19:51:51.000Z", "temperature": 24.97, "relhumidity": 20.66, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8497950,47.981103] }, "properties": { "altitude": "276.9", "sensor": "27", "gpstime":"2019-06-26T19:53:06.000Z", "temperature": 25.11, "relhumidity": 22.10, "vappress": 3.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482320,47.981875] }, "properties": { "altitude": "284.7", "sensor": "27", "gpstime":"2019-06-26T19:55:11.000Z", "temperature": 25.42, "relhumidity": 21.60, "vappress": 3.391, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8476230,47.983795] }, "properties": { "altitude": "283.6", "sensor": "27", "gpstime":"2019-06-26T19:57:17.000Z", "temperature": 25.71, "relhumidity": 21.63, "vappress": 4.130, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462400,47.984720] }, "properties": { "altitude": "275.3", "sensor": "27", "gpstime":"2019-06-26T20:00:21.000Z", "temperature": 26.25, "relhumidity": 17.05, "vappress": 3.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8442080,47.984755] }, "properties": { "altitude": "273.0", "sensor": "27", "gpstime":"2019-06-26T20:01:18.000Z", "temperature": 26.79, "relhumidity": 14.62, "vappress": 3.486, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424650,47.984762] }, "properties": { "altitude": "274.9", "sensor": "27", "gpstime":"2019-06-26T20:02:20.000Z", "temperature": 27.10, "relhumidity": 13.04, "vappress": 2.936, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410420,47.984690] }, "properties": { "altitude": "279.3", "sensor": "27", "gpstime":"2019-06-26T20:02:48.000Z", "temperature": 27.11, "relhumidity": 12.44, "vappress": 2.716, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410900,47.982612] }, "properties": { "altitude": "285.0", "sensor": "27", "gpstime":"2019-06-26T20:05:10.000Z", "temperature": 26.77, "relhumidity": 12.78, "vappress": 2.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8426620,47.981717] }, "properties": { "altitude": "282.4", "sensor": "27", "gpstime":"2019-06-26T20:05:51.000Z", "temperature": 26.57, "relhumidity": 14.09, "vappress": 2.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8429480,47.978887] }, "properties": { "altitude": "286.6", "sensor": "27", "gpstime":"2019-06-26T20:07:22.000Z", "temperature": 26.45, "relhumidity": 14.35, "vappress": 2.084, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445370,47.978483] }, "properties": { "altitude": "287.0", "sensor": "27", "gpstime":"2019-06-26T20:08:07.000Z", "temperature": 26.08, "relhumidity": 17.12, "vappress": 2.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461980,47.979102] }, "properties": { "altitude": "286.6", "sensor": "27", "gpstime":"2019-06-26T20:08:39.000Z", "temperature": 25.45, "relhumidity": 21.41, "vappress": 2.482, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475150,47.979533] }, "properties": { "altitude": "280.9", "sensor": "27", "gpstime":"2019-06-26T20:09:10.000Z", "temperature": 25.00, "relhumidity": 22.33, "vappress": 2.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8477730,47.977473] }, "properties": { "altitude": "296.9", "sensor": "27", "gpstime":"2019-06-26T20:10:24.000Z", "temperature": 24.95, "relhumidity": 22.19, "vappress": 2.661, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474420,47.975333] }, "properties": { "altitude": "304.9", "sensor": "27", "gpstime":"2019-06-26T20:11:43.000Z", "temperature": 25.32, "relhumidity": 20.39, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8458770,47.975052] }, "properties": { "altitude": "301.7", "sensor": "27", "gpstime":"2019-06-26T20:12:23.000Z", "temperature": 25.41, "relhumidity": 18.62, "vappress": 1.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443970,47.974587] }, "properties": { "altitude": "304.1", "sensor": "27", "gpstime":"2019-06-26T20:12:54.000Z", "temperature": 25.38, "relhumidity": 17.60, "vappress": 1.455, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430770,47.973833] }, "properties": { "altitude": "305.9", "sensor": "27", "gpstime":"2019-06-26T20:13:28.000Z", "temperature": 25.19, "relhumidity": 21.81, "vappress": 2.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418800,47.972927] }, "properties": { "altitude": "310.1", "sensor": "27", "gpstime":"2019-06-26T20:15:37.000Z", "temperature": 24.66, "relhumidity": 26.70, "vappress": 2.559, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8405070,47.972685] }, "properties": { "altitude": "312.1", "sensor": "27", "gpstime":"2019-06-26T20:18:35.000Z", "temperature": 24.44, "relhumidity": 19.69, "vappress": 1.508, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8391650,47.972117] }, "properties": { "altitude": "320.3", "sensor": "27", "gpstime":"2019-06-26T20:20:16.000Z", "temperature": 25.00, "relhumidity": 22.03, "vappress": 1.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378080,47.971692] }, "properties": { "altitude": "339.2", "sensor": "27", "gpstime":"2019-06-26T20:21:54.000Z", "temperature": 24.90, "relhumidity": 21.35, "vappress": 1.742, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8378700,47.973760] }, "properties": { "altitude": "338.0", "sensor": "27", "gpstime":"2019-06-26T20:25:12.000Z", "temperature": 25.18, "relhumidity": 13.76, "vappress": 0.942, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379280,47.975808] }, "properties": { "altitude": "344.0", "sensor": "27", "gpstime":"2019-06-26T20:26:06.000Z", "temperature": 26.32, "relhumidity": 10.03, "vappress": 1.010, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385730,47.977658] }, "properties": { "altitude": "333.5", "sensor": "27", "gpstime":"2019-06-26T20:27:05.000Z", "temperature": 27.06, "relhumidity": 7.31, "vappress": 0.887, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8371530,47.978512] }, "properties": { "altitude": "341.2", "sensor": "27", "gpstime":"2019-06-26T20:29:16.000Z", "temperature": 27.37, "relhumidity": 8.37, "vappress": 1.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8379120,47.980632] }, "properties": { "altitude": "334.6", "sensor": "27", "gpstime":"2019-06-26T20:30:40.000Z", "temperature": 27.13, "relhumidity": 9.13, "vappress": 0.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389050,47.981973] }, "properties": { "altitude": "323.8", "sensor": "27", "gpstime":"2019-06-26T20:31:37.000Z", "temperature": 26.77, "relhumidity": 10.17, "vappress": 1.067, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8398650,47.983637] }, "properties": { "altitude": "314.8", "sensor": "27", "gpstime":"2019-06-26T20:33:41.000Z", "temperature": 26.82, "relhumidity": 9.64, "vappress": 0.947, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8385830,47.984523] }, "properties": { "altitude": "293.4", "sensor": "27", "gpstime":"2019-06-26T20:37:48.000Z", "temperature": 27.02, "relhumidity": 10.21, "vappress": 1.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8372000,47.984272] }, "properties": { "altitude": "291.4", "sensor": "27", "gpstime":"2019-06-26T20:38:55.000Z", "temperature": 27.24, "relhumidity": 10.36, "vappress": 1.894, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362320,47.986222] }, "properties": { "altitude": "277.8", "sensor": "27", "gpstime":"2019-06-26T20:42:56.000Z", "temperature": 27.36, "relhumidity": 9.42, "vappress": 2.552, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8377370,47.986373] }, "properties": { "altitude": "276.5", "sensor": "27", "gpstime":"2019-06-26T20:45:07.000Z", "temperature": 28.22, "relhumidity": 7.35, "vappress": 2.728, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8390430,47.987145] }, "properties": { "altitude": "272.1", "sensor": "27", "gpstime":"2019-06-26T20:45:50.000Z", "temperature": 28.51, "relhumidity": 7.03, "vappress": 2.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8404650,47.987963] }, "properties": { "altitude": "271.4", "sensor": "27", "gpstime":"2019-06-26T20:46:50.000Z", "temperature": 28.49, "relhumidity": 7.65, "vappress": 2.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8418050,47.988677] }, "properties": { "altitude": "270.1", "sensor": "27", "gpstime":"2019-06-26T20:47:23.000Z", "temperature": 28.22, "relhumidity": 9.90, "vappress": 3.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432500,47.989385] }, "properties": { "altitude": "282.4", "sensor": "27", "gpstime":"2019-06-26T20:47:58.000Z", "temperature": 28.52, "relhumidity": 9.49, "vappress": 3.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8446680,47.990243] }, "properties": { "altitude": "281.2", "sensor": "27", "gpstime":"2019-06-26T20:48:31.000Z", "temperature": 28.73, "relhumidity": 8.58, "vappress": 3.603, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454080,47.992073] }, "properties": { "altitude": "279.9", "sensor": "27", "gpstime":"2019-06-26T20:50:21.000Z", "temperature": 28.75, "relhumidity": 9.07, "vappress": 3.846, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452580,47.992225] }, "properties": { "altitude": "280.3", "sensor": "27", "gpstime":"2019-06-26T20:50:28.000Z", "temperature": 28.77, "relhumidity": 8.77, "vappress": 3.736, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452120,47.993562] }, "properties": { "altitude": "274.0", "sensor": "30", "gpstime":"2019-06-26T19:26:26.000Z", "temperature": 28.78, "relhumidity": 2.30, "vappress": 1.608, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8468480,47.993538] }, "properties": { "altitude": "278.4", "sensor": "30", "gpstime":"2019-06-26T19:26:56.000Z", "temperature": 28.91, "relhumidity": 1.10, "vappress": 1.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8482700,47.993493] }, "properties": { "altitude": "282.2", "sensor": "30", "gpstime":"2019-06-26T19:27:20.000Z", "temperature": 29.13, "relhumidity": 0.32, "vappress": 1.395, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501370,47.993488] }, "properties": { "altitude": "282.4", "sensor": "30", "gpstime":"2019-06-26T19:27:45.000Z", "temperature": 29.38, "relhumidity": -0.48, "vappress": 1.355, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519320,47.993520] }, "properties": { "altitude": "279.4", "sensor": "30", "gpstime":"2019-06-26T19:28:11.000Z", "temperature": 29.42, "relhumidity": -0.76, "vappress": 1.249, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533230,47.992898] }, "properties": { "altitude": "279.2", "sensor": "30", "gpstime":"2019-06-26T19:28:41.000Z", "temperature": 29.34, "relhumidity": -0.66, "vappress": 0.989, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8548950,47.992115] }, "properties": { "altitude": "286.3", "sensor": "30", "gpstime":"2019-06-26T19:29:53.000Z", "temperature": 29.04, "relhumidity": 0.64, "vappress": 0.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566830,47.991838] }, "properties": { "altitude": "282.0", "sensor": "30", "gpstime":"2019-06-26T19:30:23.000Z", "temperature": 28.62, "relhumidity": 0.95, "vappress": 0.683, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8586780,47.991733] }, "properties": { "altitude": "290.7", "sensor": "30", "gpstime":"2019-06-26T19:30:47.000Z", "temperature": 28.54, "relhumidity": 0.95, "vappress": 0.683, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8609320,47.991640] }, "properties": { "altitude": "297.0", "sensor": "30", "gpstime":"2019-06-26T19:31:16.000Z", "temperature": 28.40, "relhumidity": 2.14, "vappress": 0.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627680,47.991672] }, "properties": { "altitude": "293.1", "sensor": "30", "gpstime":"2019-06-26T19:31:43.000Z", "temperature": 27.96, "relhumidity": 4.38, "vappress": 0.748, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8646050,47.991538] }, "properties": { "altitude": "284.6", "sensor": "30", "gpstime":"2019-06-26T19:32:09.000Z", "temperature": 27.16, "relhumidity": 6.15, "vappress": 0.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8662970,47.991572] }, "properties": { "altitude": "287.9", "sensor": "30", "gpstime":"2019-06-26T19:32:32.000Z", "temperature": 26.93, "relhumidity": 7.34, "vappress": 0.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8681950,47.992057] }, "properties": { "altitude": "292.6", "sensor": "30", "gpstime":"2019-06-26T19:33:02.000Z", "temperature": 26.47, "relhumidity": 9.32, "vappress": 0.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8695670,47.992408] }, "properties": { "altitude": "297.0", "sensor": "30", "gpstime":"2019-06-26T19:33:22.000Z", "temperature": 26.28, "relhumidity": 10.13, "vappress": 0.832, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712230,47.992478] }, "properties": { "altitude": "295.9", "sensor": "30", "gpstime":"2019-06-26T19:33:43.000Z", "temperature": 25.83, "relhumidity": 13.05, "vappress": 0.932, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8728180,47.992122] }, "properties": { "altitude": "291.0", "sensor": "30", "gpstime":"2019-06-26T19:34:05.000Z", "temperature": 25.67, "relhumidity": 14.09, "vappress": 1.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8741600,47.991943] }, "properties": { "altitude": "292.4", "sensor": "30", "gpstime":"2019-06-26T19:34:22.000Z", "temperature": 25.58, "relhumidity": 14.68, "vappress": 1.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8759900,47.991507] }, "properties": { "altitude": "296.6", "sensor": "30", "gpstime":"2019-06-26T19:34:43.000Z", "temperature": 25.71, "relhumidity": 15.17, "vappress": 1.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8780800,47.991683] }, "properties": { "altitude": "294.7", "sensor": "30", "gpstime":"2019-06-26T19:35:07.000Z", "temperature": 25.53, "relhumidity": 15.85, "vappress": 1.612, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8796080,47.991918] }, "properties": { "altitude": "294.3", "sensor": "30", "gpstime":"2019-06-26T19:35:26.000Z", "temperature": 25.39, "relhumidity": 17.26, "vappress": 1.772, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8811370,47.993110] }, "properties": { "altitude": "289.8", "sensor": "30", "gpstime":"2019-06-26T19:35:56.000Z", "temperature": 25.00, "relhumidity": 19.56, "vappress": 1.892, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8825880,47.993172] }, "properties": { "altitude": "291.0", "sensor": "30", "gpstime":"2019-06-26T19:36:12.000Z", "temperature": 25.00, "relhumidity": 18.96, "vappress": 1.895, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8842030,47.992882] }, "properties": { "altitude": "296.0", "sensor": "30", "gpstime":"2019-06-26T19:36:31.000Z", "temperature": 24.93, "relhumidity": 18.79, "vappress": 1.675, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8862020,47.992292] }, "properties": { "altitude": "301.4", "sensor": "30", "gpstime":"2019-06-26T19:36:57.000Z", "temperature": 24.83, "relhumidity": 21.39, "vappress": 2.205, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8877030,47.992360] }, "properties": { "altitude": "304.3", "sensor": "30", "gpstime":"2019-06-26T19:37:17.000Z", "temperature": 24.40, "relhumidity": 22.76, "vappress": 2.152, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8894250,47.992183] }, "properties": { "altitude": "305.6", "sensor": "30", "gpstime":"2019-06-26T19:37:41.000Z", "temperature": 24.50, "relhumidity": 21.18, "vappress": 1.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8913430,47.991700] }, "properties": { "altitude": "308.0", "sensor": "30", "gpstime":"2019-06-26T19:38:05.000Z", "temperature": 24.37, "relhumidity": 23.69, "vappress": 2.457, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8929670,47.991070] }, "properties": { "altitude": "309.3", "sensor": "30", "gpstime":"2019-06-26T19:38:27.000Z", "temperature": 24.49, "relhumidity": 25.06, "vappress": 2.897, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8944180,47.990238] }, "properties": { "altitude": "309.7", "sensor": "30", "gpstime":"2019-06-26T19:38:51.000Z", "temperature": 24.28, "relhumidity": 23.88, "vappress": 2.517, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8960670,47.989558] }, "properties": { "altitude": "314.4", "sensor": "30", "gpstime":"2019-06-26T19:39:16.000Z", "temperature": 24.60, "relhumidity": 24.97, "vappress": 3.233, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8974130,47.988952] }, "properties": { "altitude": "315.8", "sensor": "30", "gpstime":"2019-06-26T19:39:37.000Z", "temperature": 24.64, "relhumidity": 22.60, "vappress": 2.633, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8988580,47.988015] }, "properties": { "altitude": "318.9", "sensor": "30", "gpstime":"2019-06-26T19:40:04.000Z", "temperature": 25.30, "relhumidity": 20.54, "vappress": 2.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9006970,47.987680] }, "properties": { "altitude": "319.2", "sensor": "30", "gpstime":"2019-06-26T19:40:32.000Z", "temperature": 25.72, "relhumidity": 18.39, "vappress": 3.271, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9020980,47.987992] }, "properties": { "altitude": "326.3", "sensor": "30", "gpstime":"2019-06-26T19:40:59.000Z", "temperature": 26.08, "relhumidity": 16.21, "vappress": 2.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9035630,47.988585] }, "properties": { "altitude": "329.4", "sensor": "30", "gpstime":"2019-06-26T19:41:32.000Z", "temperature": 26.12, "relhumidity": 16.01, "vappress": 2.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9049500,47.988797] }, "properties": { "altitude": "336.7", "sensor": "30", "gpstime":"2019-06-26T19:42:01.000Z", "temperature": 26.03, "relhumidity": 16.24, "vappress": 2.553, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9069250,47.988557] }, "properties": { "altitude": "322.2", "sensor": "30", "gpstime":"2019-06-26T19:42:36.000Z", "temperature": 25.88, "relhumidity": 16.37, "vappress": 2.103, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9085420,47.988898] }, "properties": { "altitude": "326.3", "sensor": "30", "gpstime":"2019-06-26T19:42:58.000Z", "temperature": 25.63, "relhumidity": 16.88, "vappress": 2.113, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9102330,47.989205] }, "properties": { "altitude": "329.3", "sensor": "30", "gpstime":"2019-06-26T19:43:20.000Z", "temperature": 25.72, "relhumidity": 15.92, "vappress": 1.966, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9119320,47.989407] }, "properties": { "altitude": "331.3", "sensor": "30", "gpstime":"2019-06-26T19:43:41.000Z", "temperature": 25.69, "relhumidity": 17.23, "vappress": 2.086, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9137250,47.989412] }, "properties": { "altitude": "335.4", "sensor": "30", "gpstime":"2019-06-26T19:44:03.000Z", "temperature": 25.70, "relhumidity": 17.05, "vappress": 2.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9151820,47.989710] }, "properties": { "altitude": "336.3", "sensor": "30", "gpstime":"2019-06-26T19:44:24.000Z", "temperature": 25.99, "relhumidity": 15.77, "vappress": 2.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9165880,47.990003] }, "properties": { "altitude": "339.8", "sensor": "30", "gpstime":"2019-06-26T19:44:46.000Z", "temperature": 26.09, "relhumidity": 14.47, "vappress": 1.987, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9180080,47.990332] }, "properties": { "altitude": "341.2", "sensor": "30", "gpstime":"2019-06-26T19:45:07.000Z", "temperature": 26.14, "relhumidity": 12.67, "vappress": 1.375, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9193880,47.990617] }, "properties": { "altitude": "343.9", "sensor": "30", "gpstime":"2019-06-26T19:45:27.000Z", "temperature": 25.85, "relhumidity": 14.43, "vappress": 1.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9215550,47.991155] }, "properties": { "altitude": "341.6", "sensor": "30", "gpstime":"2019-06-26T19:45:58.000Z", "temperature": 24.86, "relhumidity": 20.28, "vappress": 1.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9210780,47.993047] }, "properties": { "altitude": "343.3", "sensor": "30", "gpstime":"2019-06-26T19:46:59.000Z", "temperature": 24.47, "relhumidity": 21.79, "vappress": 1.704, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9218950,47.994785] }, "properties": { "altitude": "376.4", "sensor": "30", "gpstime":"2019-06-26T19:49:07.000Z", "temperature": 24.17, "relhumidity": 27.06, "vappress": 2.908, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9205130,47.995137] }, "properties": { "altitude": "397.5", "sensor": "30", "gpstime":"2019-06-26T19:52:35.000Z", "temperature": 24.57, "relhumidity": 20.15, "vappress": 2.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9195580,47.996728] }, "properties": { "altitude": "408.4", "sensor": "30", "gpstime":"2019-06-26T19:56:43.000Z", "temperature": 25.37, "relhumidity": 18.27, "vappress": 1.861, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9186020,47.998150] }, "properties": { "altitude": "369.5", "sensor": "30", "gpstime":"2019-06-26T19:58:00.000Z", "temperature": 24.89, "relhumidity": 21.78, "vappress": 1.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9183730,47.995227] }, "properties": { "altitude": "347.7", "sensor": "30", "gpstime":"2019-06-26T19:59:35.000Z", "temperature": 23.81, "relhumidity": 26.83, "vappress": 1.089, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9192670,47.993353] }, "properties": { "altitude": "343.9", "sensor": "30", "gpstime":"2019-06-26T20:00:03.000Z", "temperature": 23.43, "relhumidity": 26.46, "vappress": 1.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9196870,47.991447] }, "properties": { "altitude": "342.7", "sensor": "30", "gpstime":"2019-06-26T20:00:33.000Z", "temperature": 23.83, "relhumidity": 26.56, "vappress": 1.197, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9212920,47.991105] }, "properties": { "altitude": "340.8", "sensor": "30", "gpstime":"2019-06-26T20:01:02.000Z", "temperature": 23.38, "relhumidity": 26.76, "vappress": 1.296, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9221550,47.989298] }, "properties": { "altitude": "340.9", "sensor": "30", "gpstime":"2019-06-26T20:01:48.000Z", "temperature": 24.17, "relhumidity": 26.60, "vappress": 2.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9209820,47.988160] }, "properties": { "altitude": "337.7", "sensor": "30", "gpstime":"2019-06-26T20:02:20.000Z", "temperature": 24.43, "relhumidity": 23.83, "vappress": 2.276, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9196650,47.987582] }, "properties": { "altitude": "339.1", "sensor": "30", "gpstime":"2019-06-26T20:02:36.000Z", "temperature": 24.54, "relhumidity": 23.34, "vappress": 1.956, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9182830,47.986857] }, "properties": { "altitude": "337.8", "sensor": "30", "gpstime":"2019-06-26T20:02:57.000Z", "temperature": 24.43, "relhumidity": 22.73, "vappress": 1.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9168550,47.986043] }, "properties": { "altitude": "335.2", "sensor": "30", "gpstime":"2019-06-26T20:03:25.000Z", "temperature": 24.47, "relhumidity": 22.49, "vappress": 1.869, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9183970,47.984700] }, "properties": { "altitude": "336.6", "sensor": "30", "gpstime":"2019-06-26T20:04:45.000Z", "temperature": 24.75, "relhumidity": 22.43, "vappress": 2.378, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9201220,47.984623] }, "properties": { "altitude": "338.7", "sensor": "30", "gpstime":"2019-06-26T20:05:08.000Z", "temperature": 24.76, "relhumidity": 24.14, "vappress": 2.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9216080,47.984698] }, "properties": { "altitude": "339.3", "sensor": "30", "gpstime":"2019-06-26T20:05:26.000Z", "temperature": 24.44, "relhumidity": 25.29, "vappress": 2.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9233930,47.985130] }, "properties": { "altitude": "339.8", "sensor": "30", "gpstime":"2019-06-26T20:05:47.000Z", "temperature": 24.15, "relhumidity": 26.12, "vappress": 2.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9252020,47.985180] }, "properties": { "altitude": "340.8", "sensor": "30", "gpstime":"2019-06-26T20:06:10.000Z", "temperature": 24.09, "relhumidity": 26.76, "vappress": 2.437, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9270150,47.985100] }, "properties": { "altitude": "345.9", "sensor": "30", "gpstime":"2019-06-26T20:06:33.000Z", "temperature": 24.00, "relhumidity": 26.05, "vappress": 1.547, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9285680,47.985743] }, "properties": { "altitude": "347.7", "sensor": "30", "gpstime":"2019-06-26T20:06:56.000Z", "temperature": 23.42, "relhumidity": 26.39, "vappress": 0.987, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9299480,47.985745] }, "properties": { "altitude": "348.4", "sensor": "30", "gpstime":"2019-06-26T20:07:17.000Z", "temperature": 23.47, "relhumidity": 26.93, "vappress": 1.664, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9307400,47.983773] }, "properties": { "altitude": "348.1", "sensor": "30", "gpstime":"2019-06-26T20:07:58.000Z", "temperature": 23.85, "relhumidity": 26.87, "vappress": 2.154, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9320820,47.983310] }, "properties": { "altitude": "349.8", "sensor": "30", "gpstime":"2019-06-26T20:08:19.000Z", "temperature": 24.36, "relhumidity": 25.59, "vappress": 2.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9333300,47.982555] }, "properties": { "altitude": "353.2", "sensor": "30", "gpstime":"2019-06-26T20:08:43.000Z", "temperature": 24.91, "relhumidity": 25.19, "vappress": 3.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9349700,47.981635] }, "properties": { "altitude": "356.0", "sensor": "30", "gpstime":"2019-06-26T20:09:13.000Z", "temperature": 24.98, "relhumidity": 25.36, "vappress": 3.156, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9363380,47.980833] }, "properties": { "altitude": "356.3", "sensor": "30", "gpstime":"2019-06-26T20:09:38.000Z", "temperature": 24.68, "relhumidity": 25.60, "vappress": 3.056, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9377630,47.980438] }, "properties": { "altitude": "357.5", "sensor": "30", "gpstime":"2019-06-26T20:09:57.000Z", "temperature": 24.78, "relhumidity": 25.77, "vappress": 3.286, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9358630,47.980323] }, "properties": { "altitude": "355.9", "sensor": "30", "gpstime":"2019-06-26T20:10:51.000Z", "temperature": 24.74, "relhumidity": 26.05, "vappress": 3.061, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9342400,47.980727] }, "properties": { "altitude": "355.0", "sensor": "30", "gpstime":"2019-06-26T20:11:08.000Z", "temperature": 24.74, "relhumidity": 25.71, "vappress": 3.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9321870,47.980977] }, "properties": { "altitude": "354.2", "sensor": "30", "gpstime":"2019-06-26T20:11:29.000Z", "temperature": 24.36, "relhumidity": 25.57, "vappress": 2.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9302480,47.981377] }, "properties": { "altitude": "353.6", "sensor": "30", "gpstime":"2019-06-26T20:11:48.000Z", "temperature": 24.34, "relhumidity": 25.57, "vappress": 2.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9283470,47.982057] }, "properties": { "altitude": "352.0", "sensor": "30", "gpstime":"2019-06-26T20:12:09.000Z", "temperature": 24.45, "relhumidity": 25.00, "vappress": 2.315, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9267270,47.982557] }, "properties": { "altitude": "350.4", "sensor": "30", "gpstime":"2019-06-26T20:12:26.000Z", "temperature": 24.52, "relhumidity": 24.51, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9252800,47.982812] }, "properties": { "altitude": "348.6", "sensor": "30", "gpstime":"2019-06-26T20:12:40.000Z", "temperature": 24.62, "relhumidity": 24.47, "vappress": 2.495, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9232930,47.983018] }, "properties": { "altitude": "346.0", "sensor": "30", "gpstime":"2019-06-26T20:12:58.000Z", "temperature": 24.81, "relhumidity": 24.65, "vappress": 2.725, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9214680,47.983173] }, "properties": { "altitude": "344.7", "sensor": "30", "gpstime":"2019-06-26T20:13:15.000Z", "temperature": 24.86, "relhumidity": 24.76, "vappress": 2.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9198700,47.983278] }, "properties": { "altitude": "343.3", "sensor": "30", "gpstime":"2019-06-26T20:13:31.000Z", "temperature": 24.81, "relhumidity": 24.76, "vappress": 2.791, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9187850,47.981370] }, "properties": { "altitude": "337.4", "sensor": "30", "gpstime":"2019-06-26T20:14:12.000Z", "temperature": 24.42, "relhumidity": 25.71, "vappress": 1.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9172680,47.981808] }, "properties": { "altitude": "336.4", "sensor": "30", "gpstime":"2019-06-26T20:14:36.000Z", "temperature": 24.18, "relhumidity": 26.58, "vappress": 2.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9159020,47.982042] }, "properties": { "altitude": "333.0", "sensor": "30", "gpstime":"2019-06-26T20:14:52.000Z", "temperature": 24.22, "relhumidity": 26.68, "vappress": 2.365, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9144350,47.982553] }, "properties": { "altitude": "330.3", "sensor": "30", "gpstime":"2019-06-26T20:15:11.000Z", "temperature": 24.24, "relhumidity": 26.36, "vappress": 2.299, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9127950,47.982963] }, "properties": { "altitude": "331.7", "sensor": "30", "gpstime":"2019-06-26T20:15:31.000Z", "temperature": 24.30, "relhumidity": 26.31, "vappress": 2.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9116550,47.984840] }, "properties": { "altitude": "331.2", "sensor": "30", "gpstime":"2019-06-26T20:16:25.000Z", "temperature": 24.54, "relhumidity": 24.90, "vappress": 2.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9100450,47.985317] }, "properties": { "altitude": "329.5", "sensor": "30", "gpstime":"2019-06-26T20:16:46.000Z", "temperature": 24.97, "relhumidity": 23.87, "vappress": 2.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9080750,47.986058] }, "properties": { "altitude": "327.2", "sensor": "30", "gpstime":"2019-06-26T20:17:13.000Z", "temperature": 24.82, "relhumidity": 22.09, "vappress": 1.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9063320,47.986178] }, "properties": { "altitude": "327.8", "sensor": "30", "gpstime":"2019-06-26T20:17:32.000Z", "temperature": 25.17, "relhumidity": 21.12, "vappress": 2.481, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9048530,47.986537] }, "properties": { "altitude": "325.1", "sensor": "30", "gpstime":"2019-06-26T20:17:51.000Z", "temperature": 25.86, "relhumidity": 18.19, "vappress": 2.561, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9030270,47.987537] }, "properties": { "altitude": "326.7", "sensor": "30", "gpstime":"2019-06-26T20:18:46.000Z", "temperature": 26.11, "relhumidity": 16.10, "vappress": 2.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.9014170,47.987678] }, "properties": { "altitude": "327.6", "sensor": "30", "gpstime":"2019-06-26T20:19:10.000Z", "temperature": 26.00, "relhumidity": 15.73, "vappress": 1.801, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8999980,47.987703] }, "properties": { "altitude": "325.5", "sensor": "30", "gpstime":"2019-06-26T20:19:27.000Z", "temperature": 26.28, "relhumidity": 15.30, "vappress": 2.331, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8982970,47.987422] }, "properties": { "altitude": "327.7", "sensor": "30", "gpstime":"2019-06-26T20:19:50.000Z", "temperature": 26.41, "relhumidity": 14.11, "vappress": 1.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8967770,47.987103] }, "properties": { "altitude": "325.5", "sensor": "30", "gpstime":"2019-06-26T20:20:10.000Z", "temperature": 26.60, "relhumidity": 14.01, "vappress": 2.256, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8948930,47.987395] }, "properties": { "altitude": "323.2", "sensor": "30", "gpstime":"2019-06-26T20:20:37.000Z", "temperature": 26.68, "relhumidity": 12.70, "vappress": 1.976, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8935070,47.987692] }, "properties": { "altitude": "317.4", "sensor": "30", "gpstime":"2019-06-26T20:20:58.000Z", "temperature": 26.85, "relhumidity": 11.99, "vappress": 2.066, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8925500,47.986253] }, "properties": { "altitude": "321.0", "sensor": "30", "gpstime":"2019-06-26T20:21:28.000Z", "temperature": 26.99, "relhumidity": 11.42, "vappress": 1.882, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8911800,47.985610] }, "properties": { "altitude": "321.6", "sensor": "30", "gpstime":"2019-06-26T20:21:57.000Z", "temperature": 26.97, "relhumidity": 11.50, "vappress": 1.912, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8896630,47.986003] }, "properties": { "altitude": "321.8", "sensor": "30", "gpstime":"2019-06-26T20:22:17.000Z", "temperature": 27.09, "relhumidity": 11.24, "vappress": 2.018, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8880750,47.986322] }, "properties": { "altitude": "316.1", "sensor": "30", "gpstime":"2019-06-26T20:22:38.000Z", "temperature": 27.35, "relhumidity": 10.60, "vappress": 2.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8875650,47.988307] }, "properties": { "altitude": "313.5", "sensor": "30", "gpstime":"2019-06-26T20:23:29.000Z", "temperature": 27.35, "relhumidity": 9.65, "vappress": 1.657, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8857050,47.988605] }, "properties": { "altitude": "308.0", "sensor": "30", "gpstime":"2019-06-26T20:23:56.000Z", "temperature": 26.89, "relhumidity": 10.60, "vappress": 1.167, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8840500,47.988867] }, "properties": { "altitude": "305.7", "sensor": "30", "gpstime":"2019-06-26T20:24:15.000Z", "temperature": 26.69, "relhumidity": 10.95, "vappress": 1.328, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8829730,47.987405] }, "properties": { "altitude": "304.9", "sensor": "30", "gpstime":"2019-06-26T20:24:50.000Z", "temperature": 26.83, "relhumidity": 11.49, "vappress": 1.848, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8815750,47.987007] }, "properties": { "altitude": "306.9", "sensor": "30", "gpstime":"2019-06-26T20:25:16.000Z", "temperature": 27.05, "relhumidity": 12.10, "vappress": 2.282, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8807220,47.988588] }, "properties": { "altitude": "308.4", "sensor": "30", "gpstime":"2019-06-26T20:25:58.000Z", "temperature": 27.25, "relhumidity": 10.22, "vappress": 1.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8795850,47.990123] }, "properties": { "altitude": "307.0", "sensor": "30", "gpstime":"2019-06-26T20:26:47.000Z", "temperature": 27.17, "relhumidity": 9.00, "vappress": 1.240, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8779720,47.989870] }, "properties": { "altitude": "302.1", "sensor": "30", "gpstime":"2019-06-26T20:27:11.000Z", "temperature": 26.89, "relhumidity": 9.81, "vappress": 1.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8760800,47.989415] }, "properties": { "altitude": "300.0", "sensor": "30", "gpstime":"2019-06-26T20:27:41.000Z", "temperature": 26.86, "relhumidity": 10.43, "vappress": 1.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8746730,47.989283] }, "properties": { "altitude": "299.5", "sensor": "30", "gpstime":"2019-06-26T20:28:02.000Z", "temperature": 26.85, "relhumidity": 10.98, "vappress": 1.483, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8740920,47.987392] }, "properties": { "altitude": "300.3", "sensor": "30", "gpstime":"2019-06-26T20:28:56.000Z", "temperature": 27.08, "relhumidity": 9.85, "vappress": 1.923, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8727830,47.986050] }, "properties": { "altitude": "294.8", "sensor": "30", "gpstime":"2019-06-26T20:29:38.000Z", "temperature": 27.33, "relhumidity": 5.83, "vappress": 0.065, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8712950,47.986350] }, "properties": { "altitude": "294.2", "sensor": "30", "gpstime":"2019-06-26T20:29:56.000Z", "temperature": 26.84, "relhumidity": 8.90, "vappress": 0.805, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8699480,47.986682] }, "properties": { "altitude": "293.4", "sensor": "30", "gpstime":"2019-06-26T20:30:13.000Z", "temperature": 27.07, "relhumidity": 10.40, "vappress": 1.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683150,47.987098] }, "properties": { "altitude": "294.5", "sensor": "30", "gpstime":"2019-06-26T20:30:34.000Z", "temperature": 27.29, "relhumidity": 9.59, "vappress": 1.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8664170,47.987547] }, "properties": { "altitude": "291.5", "sensor": "30", "gpstime":"2019-06-26T20:30:59.000Z", "temperature": 27.43, "relhumidity": 8.98, "vappress": 1.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650900,47.987860] }, "properties": { "altitude": "290.1", "sensor": "30", "gpstime":"2019-06-26T20:31:18.000Z", "temperature": 27.67, "relhumidity": 8.32, "vappress": 1.837, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8630320,47.988250] }, "properties": { "altitude": "287.0", "sensor": "30", "gpstime":"2019-06-26T20:31:50.000Z", "temperature": 27.77, "relhumidity": 7.60, "vappress": 1.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8618770,47.987047] }, "properties": { "altitude": "303.8", "sensor": "30", "gpstime":"2019-06-26T20:32:31.000Z", "temperature": 28.00, "relhumidity": 6.40, "vappress": 1.846, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8605320,47.986902] }, "properties": { "altitude": "303.0", "sensor": "30", "gpstime":"2019-06-26T20:32:47.000Z", "temperature": 28.21, "relhumidity": 5.89, "vappress": 1.826, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8593050,47.987952] }, "properties": { "altitude": "296.8", "sensor": "30", "gpstime":"2019-06-26T20:33:25.000Z", "temperature": 28.31, "relhumidity": 5.27, "vappress": 1.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8576950,47.988235] }, "properties": { "altitude": "295.3", "sensor": "30", "gpstime":"2019-06-26T20:33:48.000Z", "temperature": 28.37, "relhumidity": 5.85, "vappress": 2.007, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8559380,47.988540] }, "properties": { "altitude": "291.5", "sensor": "30", "gpstime":"2019-06-26T20:34:24.000Z", "temperature": 28.42, "relhumidity": 4.45, "vappress": 1.874, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8545980,47.988390] }, "properties": { "altitude": "285.4", "sensor": "30", "gpstime":"2019-06-26T20:34:41.000Z", "temperature": 28.57, "relhumidity": 4.05, "vappress": 1.724, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8531820,47.988480] }, "properties": { "altitude": "286.9", "sensor": "30", "gpstime":"2019-06-26T20:35:00.000Z", "temperature": 28.57, "relhumidity": 3.94, "vappress": 1.684, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8511880,47.988635] }, "properties": { "altitude": "289.2", "sensor": "30", "gpstime":"2019-06-26T20:35:26.000Z", "temperature": 28.64, "relhumidity": 3.73, "vappress": 1.810, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494970,47.988732] }, "properties": { "altitude": "289.9", "sensor": "30", "gpstime":"2019-06-26T20:35:46.000Z", "temperature": 28.81, "relhumidity": 3.13, "vappress": 1.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8480820,47.988892] }, "properties": { "altitude": "287.4", "sensor": "30", "gpstime":"2019-06-26T20:36:08.000Z", "temperature": 28.96, "relhumidity": 2.49, "vappress": 1.895, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8474350,47.990657] }, "properties": { "altitude": "284.0", "sensor": "30", "gpstime":"2019-06-26T20:37:35.000Z", "temperature": 28.97, "relhumidity": 2.71, "vappress": 1.865, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8455980,47.990808] }, "properties": { "altitude": "282.6", "sensor": "30", "gpstime":"2019-06-26T20:37:56.000Z", "temperature": 29.09, "relhumidity": 2.10, "vappress": 1.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453530,47.992750] }, "properties": { "altitude": "282.4", "sensor": "30", "gpstime":"2019-06-26T20:38:41.000Z", "temperature": 29.03, "relhumidity": 2.47, "vappress": 1.804, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452870,47.991868] }, "properties": { "altitude": "274.2", "sensor": "31", "gpstime":"2019-06-26T19:29:07.000Z", "temperature": 29.20, "relhumidity": 0.57, "vappress": 1.505, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8435430,47.990642] }, "properties": { "altitude": "263.9", "sensor": "31", "gpstime":"2019-06-26T19:30:45.000Z", "temperature": 29.23, "relhumidity": 0.68, "vappress": 1.763, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8419050,47.991073] }, "properties": { "altitude": "259.7", "sensor": "31", "gpstime":"2019-06-26T19:31:00.000Z", "temperature": 28.83, "relhumidity": 2.63, "vappress": 1.503, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8394580,47.991562] }, "properties": { "altitude": "258.3", "sensor": "31", "gpstime":"2019-06-26T19:31:21.000Z", "temperature": 28.25, "relhumidity": 6.00, "vappress": 2.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375700,47.991928] }, "properties": { "altitude": "252.5", "sensor": "31", "gpstime":"2019-06-26T19:31:38.000Z", "temperature": 27.64, "relhumidity": 7.47, "vappress": 1.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8360020,47.992243] }, "properties": { "altitude": "243.6", "sensor": "31", "gpstime":"2019-06-26T19:31:52.000Z", "temperature": 27.59, "relhumidity": 7.68, "vappress": 1.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8344470,47.992908] }, "properties": { "altitude": "249.4", "sensor": "31", "gpstime":"2019-06-26T19:32:08.000Z", "temperature": 27.67, "relhumidity": 7.32, "vappress": 1.910, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8328220,47.993587] }, "properties": { "altitude": "253.8", "sensor": "31", "gpstime":"2019-06-26T19:32:29.000Z", "temperature": 28.18, "relhumidity": 5.42, "vappress": 2.430, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8314430,47.992368] }, "properties": { "altitude": "263.5", "sensor": "31", "gpstime":"2019-06-26T19:32:57.000Z", "temperature": 28.82, "relhumidity": 3.38, "vappress": 2.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8303950,47.990913] }, "properties": { "altitude": "264.1", "sensor": "31", "gpstime":"2019-06-26T19:33:23.000Z", "temperature": 29.16, "relhumidity": 2.58, "vappress": 2.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289180,47.991170] }, "properties": { "altitude": "259.9", "sensor": "31", "gpstime":"2019-06-26T19:33:43.000Z", "temperature": 29.09, "relhumidity": 3.26, "vappress": 2.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8275730,47.991628] }, "properties": { "altitude": "260.8", "sensor": "31", "gpstime":"2019-06-26T19:33:59.000Z", "temperature": 28.61, "relhumidity": 4.15, "vappress": 2.102, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257280,47.992565] }, "properties": { "altitude": "258.0", "sensor": "31", "gpstime":"2019-06-26T19:35:10.000Z", "temperature": 28.53, "relhumidity": 5.80, "vappress": 2.662, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241900,47.993190] }, "properties": { "altitude": "256.5", "sensor": "31", "gpstime":"2019-06-26T19:35:26.000Z", "temperature": 28.70, "relhumidity": 4.44, "vappress": 2.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224580,47.992647] }, "properties": { "altitude": "255.1", "sensor": "31", "gpstime":"2019-06-26T19:35:53.000Z", "temperature": 28.81, "relhumidity": 4.05, "vappress": 2.262, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210430,47.991748] }, "properties": { "altitude": "256.6", "sensor": "31", "gpstime":"2019-06-26T19:36:22.000Z", "temperature": 28.97, "relhumidity": 3.19, "vappress": 2.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8195770,47.990565] }, "properties": { "altitude": "257.5", "sensor": "31", "gpstime":"2019-06-26T19:36:46.000Z", "temperature": 29.02, "relhumidity": 2.81, "vappress": 2.245, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8177950,47.990918] }, "properties": { "altitude": "253.6", "sensor": "31", "gpstime":"2019-06-26T19:37:02.000Z", "temperature": 29.33, "relhumidity": 1.33, "vappress": 2.112, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8160820,47.991287] }, "properties": { "altitude": "251.6", "sensor": "31", "gpstime":"2019-06-26T19:37:17.000Z", "temperature": 29.60, "relhumidity": 0.65, "vappress": 2.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8146750,47.991752] }, "properties": { "altitude": "256.6", "sensor": "31", "gpstime":"2019-06-26T19:37:36.000Z", "temperature": 29.80, "relhumidity": -0.04, "vappress": 2.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8126150,47.992357] }, "properties": { "altitude": "257.6", "sensor": "31", "gpstime":"2019-06-26T19:38:00.000Z", "temperature": 29.87, "relhumidity": -0.04, "vappress": 2.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8112170,47.992735] }, "properties": { "altitude": "251.6", "sensor": "31", "gpstime":"2019-06-26T19:38:13.000Z", "temperature": 29.31, "relhumidity": 0.79, "vappress": 1.747, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8097250,47.993070] }, "properties": { "altitude": "246.8", "sensor": "31", "gpstime":"2019-06-26T19:38:27.000Z", "temperature": 29.36, "relhumidity": 0.68, "vappress": 1.857, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083530,47.993323] }, "properties": { "altitude": "246.4", "sensor": "31", "gpstime":"2019-06-26T19:38:40.000Z", "temperature": 29.61, "relhumidity": 0.10, "vappress": 1.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8064700,47.993652] }, "properties": { "altitude": "247.4", "sensor": "31", "gpstime":"2019-06-26T19:38:57.000Z", "temperature": 29.44, "relhumidity": 1.56, "vappress": 2.077, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8047700,47.994132] }, "properties": { "altitude": "247.2", "sensor": "31", "gpstime":"2019-06-26T19:39:13.000Z", "temperature": 29.28, "relhumidity": 1.78, "vappress": 2.203, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8034580,47.994578] }, "properties": { "altitude": "245.0", "sensor": "31", "gpstime":"2019-06-26T19:39:32.000Z", "temperature": 29.36, "relhumidity": 1.02, "vappress": 2.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8020880,47.994883] }, "properties": { "altitude": "244.2", "sensor": "31", "gpstime":"2019-06-26T19:39:45.000Z", "temperature": 29.28, "relhumidity": 2.18, "vappress": 2.053, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8000420,47.995335] }, "properties": { "altitude": "245.3", "sensor": "31", "gpstime":"2019-06-26T19:40:05.000Z", "temperature": 29.00, "relhumidity": 5.51, "vappress": 2.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7984380,47.995720] }, "properties": { "altitude": "243.9", "sensor": "31", "gpstime":"2019-06-26T19:40:42.000Z", "temperature": 28.39, "relhumidity": 6.49, "vappress": 2.761, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7964980,47.996850] }, "properties": { "altitude": "237.7", "sensor": "31", "gpstime":"2019-06-26T19:41:12.000Z", "temperature": 28.22, "relhumidity": 7.46, "vappress": 2.854, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7948180,47.997682] }, "properties": { "altitude": "234.4", "sensor": "31", "gpstime":"2019-06-26T19:41:31.000Z", "temperature": 28.53, "relhumidity": 6.85, "vappress": 3.264, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7933980,47.998347] }, "properties": { "altitude": "239.3", "sensor": "31", "gpstime":"2019-06-26T19:41:48.000Z", "temperature": 28.97, "relhumidity": 4.62, "vappress": 2.994, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914920,47.999213] }, "properties": { "altitude": "242.4", "sensor": "31", "gpstime":"2019-06-26T19:42:12.000Z", "temperature": 29.52, "relhumidity": 2.59, "vappress": 3.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7898970,47.999913] }, "properties": { "altitude": "241.5", "sensor": "31", "gpstime":"2019-06-26T19:42:31.000Z", "temperature": 29.80, "relhumidity": 1.04, "vappress": 2.783, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7880720,48.000612] }, "properties": { "altitude": "246.9", "sensor": "31", "gpstime":"2019-06-26T19:42:52.000Z", "temperature": 29.87, "relhumidity": 1.61, "vappress": 3.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7865970,48.000200] }, "properties": { "altitude": "246.0", "sensor": "31", "gpstime":"2019-06-26T19:43:16.000Z", "temperature": 29.72, "relhumidity": 2.80, "vappress": 3.106, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7853450,47.999173] }, "properties": { "altitude": "235.3", "sensor": "31", "gpstime":"2019-06-26T19:43:57.000Z", "temperature": 28.09, "relhumidity": 12.78, "vappress": 2.476, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7838820,47.998307] }, "properties": { "altitude": "230.1", "sensor": "31", "gpstime":"2019-06-26T19:44:29.000Z", "temperature": 26.25, "relhumidity": 20.18, "vappress": 3.637, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7823520,47.998640] }, "properties": { "altitude": "218.9", "sensor": "31", "gpstime":"2019-06-26T19:44:48.000Z", "temperature": 25.75, "relhumidity": 21.45, "vappress": 3.727, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7804980,47.998947] }, "properties": { "altitude": "204.2", "sensor": "31", "gpstime":"2019-06-26T19:45:08.000Z", "temperature": 25.70, "relhumidity": 21.42, "vappress": 3.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7786800,47.999340] }, "properties": { "altitude": "194.7", "sensor": "31", "gpstime":"2019-06-26T19:45:27.000Z", "temperature": 25.71, "relhumidity": 21.42, "vappress": 3.735, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7772770,47.999615] }, "properties": { "altitude": "181.8", "sensor": "31", "gpstime":"2019-06-26T19:45:43.000Z", "temperature": 25.66, "relhumidity": 23.04, "vappress": 4.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7754530,47.999988] }, "properties": { "altitude": "174.2", "sensor": "31", "gpstime":"2019-06-26T19:46:03.000Z", "temperature": 25.58, "relhumidity": 26.11, "vappress": 5.024, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7739020,48.000227] }, "properties": { "altitude": "170.8", "sensor": "31", "gpstime":"2019-06-26T19:46:26.000Z", "temperature": 25.37, "relhumidity": 26.33, "vappress": 4.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7738150,48.002457] }, "properties": { "altitude": "219.9", "sensor": "31", "gpstime":"2019-06-26T19:47:22.000Z", "temperature": 24.78, "relhumidity": 27.76, "vappress": 3.439, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7721870,48.003445] }, "properties": { "altitude": "223.6", "sensor": "31", "gpstime":"2019-06-26T19:48:11.000Z", "temperature": 24.06, "relhumidity": 29.17, "vappress": 3.380, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7704880,48.003755] }, "properties": { "altitude": "222.9", "sensor": "31", "gpstime":"2019-06-26T19:48:32.000Z", "temperature": 24.03, "relhumidity": 29.77, "vappress": 3.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7709320,48.005840] }, "properties": { "altitude": "218.5", "sensor": "31", "gpstime":"2019-06-26T19:49:11.000Z", "temperature": 23.80, "relhumidity": 29.82, "vappress": 2.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7698320,48.006995] }, "properties": { "altitude": "216.5", "sensor": "31", "gpstime":"2019-06-26T19:49:48.000Z", "temperature": 23.32, "relhumidity": 30.94, "vappress": 2.388, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7683930,48.008082] }, "properties": { "altitude": "209.4", "sensor": "31", "gpstime":"2019-06-26T19:50:16.000Z", "temperature": 23.08, "relhumidity": 32.85, "vappress": 2.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7673020,48.009707] }, "properties": { "altitude": "205.6", "sensor": "31", "gpstime":"2019-06-26T19:50:46.000Z", "temperature": 23.08, "relhumidity": 32.67, "vappress": 2.530, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7656820,48.010152] }, "properties": { "altitude": "209.2", "sensor": "31", "gpstime":"2019-06-26T19:51:08.000Z", "temperature": 23.22, "relhumidity": 34.41, "vappress": 3.560, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7642250,48.010455] }, "properties": { "altitude": "205.5", "sensor": "31", "gpstime":"2019-06-26T19:51:29.000Z", "temperature": 23.90, "relhumidity": 33.66, "vappress": 4.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7626300,48.011403] }, "properties": { "altitude": "212.9", "sensor": "31", "gpstime":"2019-06-26T19:51:53.000Z", "temperature": 24.40, "relhumidity": 31.64, "vappress": 4.880, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7614550,48.012578] }, "properties": { "altitude": "216.3", "sensor": "31", "gpstime":"2019-06-26T19:52:17.000Z", "temperature": 24.68, "relhumidity": 32.13, "vappress": 5.229, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7615650,48.014693] }, "properties": { "altitude": "218.6", "sensor": "31", "gpstime":"2019-06-26T19:52:58.000Z", "temperature": 24.34, "relhumidity": 31.44, "vappress": 4.279, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7629150,48.016352] }, "properties": { "altitude": "211.0", "sensor": "31", "gpstime":"2019-06-26T19:53:36.000Z", "temperature": 23.88, "relhumidity": 30.65, "vappress": 3.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7646130,48.017078] }, "properties": { "altitude": "215.9", "sensor": "31", "gpstime":"2019-06-26T19:54:05.000Z", "temperature": 23.67, "relhumidity": 32.36, "vappress": 3.537, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7661500,48.017398] }, "properties": { "altitude": "214.5", "sensor": "31", "gpstime":"2019-06-26T19:55:35.000Z", "temperature": 23.62, "relhumidity": 32.11, "vappress": 3.471, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675470,48.017763] }, "properties": { "altitude": "215.9", "sensor": "31", "gpstime":"2019-06-26T19:56:26.000Z", "temperature": 23.85, "relhumidity": 30.52, "vappress": 3.521, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7689280,48.017337] }, "properties": { "altitude": "228.8", "sensor": "31", "gpstime":"2019-06-26T19:57:55.000Z", "temperature": 24.17, "relhumidity": 29.99, "vappress": 3.920, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7696880,48.015662] }, "properties": { "altitude": "237.7", "sensor": "31", "gpstime":"2019-06-26T19:59:06.000Z", "temperature": 24.83, "relhumidity": 29.67, "vappress": 5.119, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7687950,48.017422] }, "properties": { "altitude": "235.3", "sensor": "31", "gpstime":"2019-06-26T20:02:53.000Z", "temperature": 25.51, "relhumidity": 26.12, "vappress": 4.606, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7674550,48.017738] }, "properties": { "altitude": "224.1", "sensor": "31", "gpstime":"2019-06-26T20:04:15.000Z", "temperature": 25.09, "relhumidity": 26.59, "vappress": 4.068, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7686370,48.018900] }, "properties": { "altitude": "220.4", "sensor": "31", "gpstime":"2019-06-26T20:05:39.000Z", "temperature": 24.82, "relhumidity": 27.02, "vappress": 3.359, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7699400,48.019368] }, "properties": { "altitude": "211.2", "sensor": "31", "gpstime":"2019-06-26T20:06:09.000Z", "temperature": 24.32, "relhumidity": 26.80, "vappress": 2.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7711000,48.020828] }, "properties": { "altitude": "179.9", "sensor": "31", "gpstime":"2019-06-26T20:07:20.000Z", "temperature": 23.54, "relhumidity": 31.08, "vappress": 2.384, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7721920,48.022420] }, "properties": { "altitude": "167.8", "sensor": "31", "gpstime":"2019-06-26T20:08:11.000Z", "temperature": 23.50, "relhumidity": 30.83, "vappress": 2.682, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7736750,48.020888] }, "properties": { "altitude": "219.6", "sensor": "31", "gpstime":"2019-06-26T20:08:51.000Z", "temperature": 23.55, "relhumidity": 30.46, "vappress": 2.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7752250,48.020240] }, "properties": { "altitude": "226.6", "sensor": "31", "gpstime":"2019-06-26T20:09:12.000Z", "temperature": 23.45, "relhumidity": 30.41, "vappress": 2.436, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7767770,48.019307] }, "properties": { "altitude": "230.8", "sensor": "31", "gpstime":"2019-06-26T20:09:35.000Z", "temperature": 24.11, "relhumidity": 28.07, "vappress": 3.306, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7782030,48.018217] }, "properties": { "altitude": "236.6", "sensor": "31", "gpstime":"2019-06-26T20:09:57.000Z", "temperature": 25.04, "relhumidity": 26.92, "vappress": 4.196, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7793370,48.016385] }, "properties": { "altitude": "230.5", "sensor": "31", "gpstime":"2019-06-26T20:10:26.000Z", "temperature": 25.17, "relhumidity": 25.46, "vappress": 3.591, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7786320,48.014505] }, "properties": { "altitude": "227.1", "sensor": "31", "gpstime":"2019-06-26T20:10:57.000Z", "temperature": 25.34, "relhumidity": 24.14, "vappress": 3.881, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7779180,48.012665] }, "properties": { "altitude": "222.7", "sensor": "31", "gpstime":"2019-06-26T20:11:29.000Z", "temperature": 25.44, "relhumidity": 23.85, "vappress": 3.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7771900,48.010800] }, "properties": { "altitude": "222.7", "sensor": "31", "gpstime":"2019-06-26T20:12:02.000Z", "temperature": 25.08, "relhumidity": 25.75, "vappress": 3.605, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7780630,48.008940] }, "properties": { "altitude": "223.0", "sensor": "31", "gpstime":"2019-06-26T20:12:37.000Z", "temperature": 24.78, "relhumidity": 26.08, "vappress": 3.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7803500,48.007943] }, "properties": { "altitude": "227.3", "sensor": "31", "gpstime":"2019-06-26T20:13:06.000Z", "temperature": 24.76, "relhumidity": 25.86, "vappress": 3.321, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7819300,48.008492] }, "properties": { "altitude": "232.8", "sensor": "31", "gpstime":"2019-06-26T20:13:31.000Z", "temperature": 25.58, "relhumidity": 22.84, "vappress": 4.491, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7831770,48.009628] }, "properties": { "altitude": "231.2", "sensor": "31", "gpstime":"2019-06-26T20:14:00.000Z", "temperature": 26.31, "relhumidity": 22.53, "vappress": 4.571, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7850900,48.009358] }, "properties": { "altitude": "228.4", "sensor": "31", "gpstime":"2019-06-26T20:14:22.000Z", "temperature": 26.40, "relhumidity": 20.71, "vappress": 4.345, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7870020,48.009378] }, "properties": { "altitude": "229.7", "sensor": "31", "gpstime":"2019-06-26T20:14:46.000Z", "temperature": 26.81, "relhumidity": 19.66, "vappress": 4.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7886680,48.008230] }, "properties": { "altitude": "230.5", "sensor": "31", "gpstime":"2019-06-26T20:15:13.000Z", "temperature": 26.03, "relhumidity": 21.48, "vappress": 3.219, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7906120,48.008205] }, "properties": { "altitude": "229.3", "sensor": "31", "gpstime":"2019-06-26T20:15:41.000Z", "temperature": 25.59, "relhumidity": 22.23, "vappress": 3.289, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7924000,48.007958] }, "properties": { "altitude": "233.4", "sensor": "31", "gpstime":"2019-06-26T20:16:49.000Z", "temperature": 25.70, "relhumidity": 22.23, "vappress": 3.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7943870,48.006762] }, "properties": { "altitude": "235.7", "sensor": "31", "gpstime":"2019-06-26T20:17:27.000Z", "temperature": 25.72, "relhumidity": 23.63, "vappress": 3.641, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7958180,48.005912] }, "properties": { "altitude": "237.2", "sensor": "31", "gpstime":"2019-06-26T20:17:54.000Z", "temperature": 25.60, "relhumidity": 23.42, "vappress": 3.931, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7970550,48.004858] }, "properties": { "altitude": "238.1", "sensor": "31", "gpstime":"2019-06-26T20:18:26.000Z", "temperature": 26.06, "relhumidity": 20.68, "vappress": 3.948, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7978370,48.003228] }, "properties": { "altitude": "239.5", "sensor": "31", "gpstime":"2019-06-26T20:19:16.000Z", "temperature": 26.44, "relhumidity": 18.02, "vappress": 3.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7992900,48.004623] }, "properties": { "altitude": "237.3", "sensor": "31", "gpstime":"2019-06-26T20:20:00.000Z", "temperature": 26.76, "relhumidity": 15.89, "vappress": 4.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8003970,48.005770] }, "properties": { "altitude": "246.3", "sensor": "31", "gpstime":"2019-06-26T20:20:27.000Z", "temperature": 27.68, "relhumidity": 13.91, "vappress": 3.596, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021050,48.005442] }, "properties": { "altitude": "250.7", "sensor": "31", "gpstime":"2019-06-26T20:21:02.000Z", "temperature": 26.52, "relhumidity": 18.24, "vappress": 3.012, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8035030,48.005663] }, "properties": { "altitude": "252.6", "sensor": "31", "gpstime":"2019-06-26T20:21:34.000Z", "temperature": 26.43, "relhumidity": 17.61, "vappress": 3.502, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8040000,48.007610] }, "properties": { "altitude": "241.6", "sensor": "31", "gpstime":"2019-06-26T20:22:12.000Z", "temperature": 27.59, "relhumidity": 12.77, "vappress": 3.588, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8053530,48.008440] }, "properties": { "altitude": "240.5", "sensor": "31", "gpstime":"2019-06-26T20:22:38.000Z", "temperature": 27.55, "relhumidity": 13.83, "vappress": 3.618, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8063050,48.006935] }, "properties": { "altitude": "242.8", "sensor": "31", "gpstime":"2019-06-26T20:23:11.000Z", "temperature": 27.31, "relhumidity": 13.66, "vappress": 3.417, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8073980,48.005517] }, "properties": { "altitude": "244.7", "sensor": "31", "gpstime":"2019-06-26T20:23:38.000Z", "temperature": 27.63, "relhumidity": 12.59, "vappress": 3.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085800,48.004233] }, "properties": { "altitude": "246.2", "sensor": "31", "gpstime":"2019-06-26T20:24:03.000Z", "temperature": 28.02, "relhumidity": 11.04, "vappress": 3.738, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8099900,48.003088] }, "properties": { "altitude": "249.7", "sensor": "31", "gpstime":"2019-06-26T20:24:29.000Z", "temperature": 28.12, "relhumidity": 10.11, "vappress": 3.218, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8115730,48.002872] }, "properties": { "altitude": "249.7", "sensor": "31", "gpstime":"2019-06-26T20:24:54.000Z", "temperature": 27.69, "relhumidity": 11.76, "vappress": 3.128, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8129670,48.003038] }, "properties": { "altitude": "245.8", "sensor": "31", "gpstime":"2019-06-26T20:25:16.000Z", "temperature": 27.92, "relhumidity": 10.22, "vappress": 3.312, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8144830,48.003327] }, "properties": { "altitude": "247.5", "sensor": "31", "gpstime":"2019-06-26T20:25:35.000Z", "temperature": 28.11, "relhumidity": 9.84, "vappress": 3.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8158480,48.002703] }, "properties": { "altitude": "251.9", "sensor": "31", "gpstime":"2019-06-26T20:25:57.000Z", "temperature": 28.21, "relhumidity": 9.45, "vappress": 3.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8170170,48.001602] }, "properties": { "altitude": "248.7", "sensor": "31", "gpstime":"2019-06-26T20:26:35.000Z", "temperature": 28.18, "relhumidity": 9.04, "vappress": 3.090, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8183430,48.000863] }, "properties": { "altitude": "254.4", "sensor": "31", "gpstime":"2019-06-26T20:27:07.000Z", "temperature": 28.54, "relhumidity": 7.53, "vappress": 3.247, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8196680,48.001307] }, "properties": { "altitude": "248.4", "sensor": "31", "gpstime":"2019-06-26T20:27:40.000Z", "temperature": 28.64, "relhumidity": 7.25, "vappress": 2.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210120,48.002438] }, "properties": { "altitude": "260.5", "sensor": "31", "gpstime":"2019-06-26T20:28:45.000Z", "temperature": 28.72, "relhumidity": 6.26, "vappress": 3.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8224570,48.003290] }, "properties": { "altitude": "254.3", "sensor": "31", "gpstime":"2019-06-26T20:29:08.000Z", "temperature": 28.94, "relhumidity": 5.92, "vappress": 3.215, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8239680,48.002695] }, "properties": { "altitude": "264.9", "sensor": "31", "gpstime":"2019-06-26T20:29:33.000Z", "temperature": 29.09, "relhumidity": 4.48, "vappress": 2.825, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8252780,48.002280] }, "properties": { "altitude": "269.7", "sensor": "31", "gpstime":"2019-06-26T20:30:25.000Z", "temperature": 29.23, "relhumidity": 3.87, "vappress": 2.795, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8267830,48.001983] }, "properties": { "altitude": "272.7", "sensor": "31", "gpstime":"2019-06-26T20:31:29.000Z", "temperature": 29.12, "relhumidity": 4.88, "vappress": 2.737, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284050,48.001727] }, "properties": { "altitude": "269.8", "sensor": "31", "gpstime":"2019-06-26T20:31:51.000Z", "temperature": 28.99, "relhumidity": 5.35, "vappress": 2.917, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8298880,48.001815] }, "properties": { "altitude": "265.7", "sensor": "31", "gpstime":"2019-06-26T20:32:07.000Z", "temperature": 28.80, "relhumidity": 6.22, "vappress": 2.946, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316630,48.002318] }, "properties": { "altitude": "265.4", "sensor": "31", "gpstime":"2019-06-26T20:32:26.000Z", "temperature": 28.74, "relhumidity": 5.75, "vappress": 2.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8329930,48.002582] }, "properties": { "altitude": "264.2", "sensor": "31", "gpstime":"2019-06-26T20:32:43.000Z", "temperature": 28.84, "relhumidity": 5.46, "vappress": 2.826, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345380,48.002518] }, "properties": { "altitude": "261.4", "sensor": "31", "gpstime":"2019-06-26T20:33:03.000Z", "temperature": 29.38, "relhumidity": 3.64, "vappress": 3.007, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8355580,48.000502] }, "properties": { "altitude": "274.4", "sensor": "31", "gpstime":"2019-06-26T20:34:03.000Z", "temperature": 29.86, "relhumidity": -0.04, "vappress": 2.764, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8369620,48.000023] }, "properties": { "altitude": "281.8", "sensor": "31", "gpstime":"2019-06-26T20:34:23.000Z", "temperature": 30.33, "relhumidity": -1.11, "vappress": 2.824, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8384330,47.999558] }, "properties": { "altitude": "291.5", "sensor": "31", "gpstime":"2019-06-26T20:34:45.000Z", "temperature": 30.60, "relhumidity": -1.68, "vappress": 2.754, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8375470,47.997665] }, "properties": { "altitude": "312.6", "sensor": "31", "gpstime":"2019-06-26T20:35:20.000Z", "temperature": 30.57, "relhumidity": -1.88, "vappress": 2.550, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8389520,47.997175] }, "properties": { "altitude": "307.6", "sensor": "31", "gpstime":"2019-06-26T20:35:44.000Z", "temperature": 30.49, "relhumidity": -1.58, "vappress": 2.510, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8402630,47.995985] }, "properties": { "altitude": "283.7", "sensor": "31", "gpstime":"2019-06-26T20:36:36.000Z", "temperature": 30.26, "relhumidity": -0.75, "vappress": 2.415, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8416520,47.995987] }, "properties": { "altitude": "268.4", "sensor": "31", "gpstime":"2019-06-26T20:37:33.000Z", "temperature": 30.22, "relhumidity": -0.74, "vappress": 2.645, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8427780,47.997363] }, "properties": { "altitude": "262.5", "sensor": "31", "gpstime":"2019-06-26T20:38:10.000Z", "temperature": 30.30, "relhumidity": -0.87, "vappress": 2.624, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443430,47.995703] }, "properties": { "altitude": "292.7", "sensor": "31", "gpstime":"2019-06-26T20:39:45.000Z", "temperature": 30.25, "relhumidity": -0.35, "vappress": 2.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456980,47.995463] }, "properties": { "altitude": "291.8", "sensor": "31", "gpstime":"2019-06-26T20:40:10.000Z", "temperature": 29.90, "relhumidity": 0.16, "vappress": 2.298, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452200,47.993555] }, "properties": { "altitude": "289.2", "sensor": "31", "gpstime":"2019-06-26T20:41:07.000Z", "temperature": 29.69, "relhumidity": 1.04, "vappress": 2.032, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453350,47.993277] }, "properties": { "altitude": "102.0", "sensor": "32", "gpstime":"2019-06-26T18:46:42.207Z", "temperature": 25.52, "relhumidity": 34.49, "vappress": 9.165, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8449830,47.991340] }, "properties": { "altitude": "221.2", "sensor": "32", "gpstime":"2019-06-26T19:26:47.000Z", "temperature": 28.08, "relhumidity": 3.35, "vappress": 2.878, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445420,47.989192] }, "properties": { "altitude": "266.8", "sensor": "32", "gpstime":"2019-06-26T19:28:01.000Z", "temperature": 29.21, "relhumidity": 7.58, "vappress": 3.899, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443020,47.987177] }, "properties": { "altitude": "275.6", "sensor": "32", "gpstime":"2019-06-26T19:29:00.000Z", "temperature": 28.54, "relhumidity": 8.73, "vappress": 3.699, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440050,47.984815] }, "properties": { "altitude": "273.7", "sensor": "32", "gpstime":"2019-06-26T19:29:55.000Z", "temperature": 28.17, "relhumidity": 11.18, "vappress": 4.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454480,47.984753] }, "properties": { "altitude": "267.2", "sensor": "32", "gpstime":"2019-06-26T19:30:19.000Z", "temperature": 27.98, "relhumidity": 10.39, "vappress": 3.753, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473630,47.984422] }, "properties": { "altitude": "266.5", "sensor": "32", "gpstime":"2019-06-26T19:30:50.000Z", "temperature": 27.87, "relhumidity": 12.15, "vappress": 3.943, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478330,47.982508] }, "properties": { "altitude": "261.9", "sensor": "32", "gpstime":"2019-06-26T19:31:32.000Z", "temperature": 27.41, "relhumidity": 16.77, "vappress": 4.558, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8481500,47.980487] }, "properties": { "altitude": "267.0", "sensor": "32", "gpstime":"2019-06-26T19:32:40.000Z", "temperature": 26.63, "relhumidity": 17.23, "vappress": 3.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8486180,47.978397] }, "properties": { "altitude": "286.5", "sensor": "32", "gpstime":"2019-06-26T19:34:18.000Z", "temperature": 25.76, "relhumidity": 17.47, "vappress": 2.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500770,47.978723] }, "properties": { "altitude": "334.2", "sensor": "32", "gpstime":"2019-06-26T19:37:18.000Z", "temperature": 25.72, "relhumidity": 14.00, "vappress": 1.672, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8501950,47.976638] }, "properties": { "altitude": "375.0", "sensor": "32", "gpstime":"2019-06-26T19:39:19.000Z", "temperature": 26.19, "relhumidity": 10.16, "vappress": 1.133, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8508800,47.974728] }, "properties": { "altitude": "375.0", "sensor": "32", "gpstime":"2019-06-26T19:40:37.000Z", "temperature": 26.88, "relhumidity": 6.97, "vappress": 0.621, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8516500,47.973045] }, "properties": { "altitude": "388.1", "sensor": "32", "gpstime":"2019-06-26T19:41:50.000Z", "temperature": 27.03, "relhumidity": 6.94, "vappress": 0.484, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8529000,47.972083] }, "properties": { "altitude": "395.0", "sensor": "32", "gpstime":"2019-06-26T19:42:36.000Z", "temperature": 26.99, "relhumidity": 3.79, "vappress": -0.227, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8542950,47.972013] }, "properties": { "altitude": "398.8", "sensor": "32", "gpstime":"2019-06-26T19:43:08.000Z", "temperature": 27.16, "relhumidity": 7.23, "vappress": 0.936, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8544100,47.969922] }, "properties": { "altitude": "405.7", "sensor": "32", "gpstime":"2019-06-26T19:44:20.000Z", "temperature": 26.93, "relhumidity": 5.63, "vappress": 0.077, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8557520,47.969783] }, "properties": { "altitude": "404.1", "sensor": "32", "gpstime":"2019-06-26T19:44:47.000Z", "temperature": 27.03, "relhumidity": 4.00, "vappress": -0.083, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8572530,47.970062] }, "properties": { "altitude": "405.8", "sensor": "32", "gpstime":"2019-06-26T19:45:20.000Z", "temperature": 27.23, "relhumidity": 4.93, "vappress": 0.145, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8587580,47.970223] }, "properties": { "altitude": "407.7", "sensor": "32", "gpstime":"2019-06-26T19:45:50.000Z", "temperature": 26.87, "relhumidity": 6.27, "vappress": -0.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8602580,47.970043] }, "properties": { "altitude": "411.9", "sensor": "32", "gpstime":"2019-06-26T19:46:30.000Z", "temperature": 26.44, "relhumidity": 9.49, "vappress": 0.474, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8592020,47.968793] }, "properties": { "altitude": "415.8", "sensor": "32", "gpstime":"2019-06-26T19:47:27.000Z", "temperature": 26.07, "relhumidity": 11.32, "vappress": 0.829, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8603500,47.967460] }, "properties": { "altitude": "416.2", "sensor": "32", "gpstime":"2019-06-26T19:48:23.000Z", "temperature": 26.35, "relhumidity": 8.90, "vappress": 0.780, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8620000,47.966737] }, "properties": { "altitude": "420.7", "sensor": "32", "gpstime":"2019-06-26T19:49:09.000Z", "temperature": 26.79, "relhumidity": 7.95, "vappress": 0.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8633430,47.966888] }, "properties": { "altitude": "423.1", "sensor": "32", "gpstime":"2019-06-26T19:49:36.000Z", "temperature": 26.79, "relhumidity": 10.03, "vappress": 1.208, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8650250,47.967027] }, "properties": { "altitude": "424.8", "sensor": "32", "gpstime":"2019-06-26T19:50:09.000Z", "temperature": 26.33, "relhumidity": 12.43, "vappress": 1.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8668620,47.967308] }, "properties": { "altitude": "425.5", "sensor": "32", "gpstime":"2019-06-26T19:50:46.000Z", "temperature": 25.79, "relhumidity": 13.53, "vappress": 0.520, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8683700,47.967580] }, "properties": { "altitude": "421.2", "sensor": "32", "gpstime":"2019-06-26T19:51:22.000Z", "temperature": 24.96, "relhumidity": 21.40, "vappress": 1.980, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670980,47.968538] }, "properties": { "altitude": "467.5", "sensor": "32", "gpstime":"2019-06-26T19:54:20.000Z", "temperature": 24.94, "relhumidity": 12.13, "vappress": 0.607, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654400,47.968358] }, "properties": { "altitude": "498.1", "sensor": "32", "gpstime":"2019-06-26T19:55:17.000Z", "temperature": 26.12, "relhumidity": 8.65, "vappress": 0.201, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8640180,47.968500] }, "properties": { "altitude": "518.4", "sensor": "32", "gpstime":"2019-06-26T19:56:06.000Z", "temperature": 26.66, "relhumidity": 6.09, "vappress": 0.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8655270,47.968870] }, "properties": { "altitude": "532.7", "sensor": "32", "gpstime":"2019-06-26T19:57:19.000Z", "temperature": 27.12, "relhumidity": 3.20, "vappress": -0.350, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8670820,47.969377] }, "properties": { "altitude": "545.6", "sensor": "32", "gpstime":"2019-06-26T19:58:05.000Z", "temperature": 27.38, "relhumidity": 1.40, "vappress": -0.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8663280,47.971047] }, "properties": { "altitude": "578.6", "sensor": "32", "gpstime":"2019-06-26T20:01:05.000Z", "temperature": 27.38, "relhumidity": 0.42, "vappress": -1.414, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8654220,47.972728] }, "properties": { "altitude": "583.5", "sensor": "32", "gpstime":"2019-06-26T20:04:59.000Z", "temperature": 27.21, "relhumidity": 7.10, "vappress": 0.958, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8640020,47.972645] }, "properties": { "altitude": "565.3", "sensor": "32", "gpstime":"2019-06-26T20:05:26.000Z", "temperature": 27.39, "relhumidity": 6.39, "vappress": 1.069, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8625600,47.973450] }, "properties": { "altitude": "543.4", "sensor": "32", "gpstime":"2019-06-26T20:06:04.000Z", "temperature": 27.54, "relhumidity": 3.47, "vappress": 0.037, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8612200,47.973682] }, "properties": { "altitude": "529.0", "sensor": "32", "gpstime":"2019-06-26T20:06:29.000Z", "temperature": 27.40, "relhumidity": 5.94, "vappress": 0.797, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8595420,47.973022] }, "properties": { "altitude": "524.9", "sensor": "32", "gpstime":"2019-06-26T20:06:57.000Z", "temperature": 27.84, "relhumidity": 3.07, "vappress": 0.507, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8581950,47.973382] }, "properties": { "altitude": "514.8", "sensor": "32", "gpstime":"2019-06-26T20:07:28.000Z", "temperature": 28.17, "relhumidity": 1.90, "vappress": 0.404, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8564550,47.974108] }, "properties": { "altitude": "496.6", "sensor": "32", "gpstime":"2019-06-26T20:08:00.000Z", "temperature": 28.17, "relhumidity": 0.78, "vappress": -0.026, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8551080,47.975610] }, "properties": { "altitude": "483.0", "sensor": "32", "gpstime":"2019-06-26T20:08:40.000Z", "temperature": 28.28, "relhumidity": 1.87, "vappress": 0.432, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566450,47.976612] }, "properties": { "altitude": "459.3", "sensor": "32", "gpstime":"2019-06-26T20:11:02.000Z", "temperature": 28.17, "relhumidity": 5.58, "vappress": 1.212, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8580030,47.976825] }, "properties": { "altitude": "450.3", "sensor": "32", "gpstime":"2019-06-26T20:11:26.000Z", "temperature": 27.63, "relhumidity": 7.01, "vappress": 1.422, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8597300,47.977325] }, "properties": { "altitude": "436.8", "sensor": "32", "gpstime":"2019-06-26T20:11:55.000Z", "temperature": 27.53, "relhumidity": 8.27, "vappress": 1.722, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8613330,47.978803] }, "properties": { "altitude": "422.4", "sensor": "32", "gpstime":"2019-06-26T20:12:41.000Z", "temperature": 27.53, "relhumidity": 5.93, "vappress": 0.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8627600,47.979555] }, "properties": { "altitude": "408.6", "sensor": "32", "gpstime":"2019-06-26T20:13:11.000Z", "temperature": 27.52, "relhumidity": 3.89, "vappress": 0.071, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8646900,47.979580] }, "properties": { "altitude": "389.2", "sensor": "32", "gpstime":"2019-06-26T20:14:37.000Z", "temperature": 27.63, "relhumidity": 5.86, "vappress": 0.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660570,47.979777] }, "properties": { "altitude": "382.0", "sensor": "32", "gpstime":"2019-06-26T20:15:09.000Z", "temperature": 27.27, "relhumidity": 5.42, "vappress": 0.239, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8673320,47.978613] }, "properties": { "altitude": "406.8", "sensor": "32", "gpstime":"2019-06-26T20:16:41.000Z", "temperature": 26.74, "relhumidity": 8.84, "vappress": 0.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8684900,47.979655] }, "properties": { "altitude": "422.4", "sensor": "32", "gpstime":"2019-06-26T20:19:19.000Z", "temperature": 26.35, "relhumidity": 10.59, "vappress": 1.241, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8696270,47.980808] }, "properties": { "altitude": "416.8", "sensor": "32", "gpstime":"2019-06-26T20:20:08.000Z", "temperature": 26.77, "relhumidity": 9.17, "vappress": 0.776, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8709430,47.981310] }, "properties": { "altitude": "420.7", "sensor": "32", "gpstime":"2019-06-26T20:20:56.000Z", "temperature": 26.76, "relhumidity": 14.97, "vappress": 2.776, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8718050,47.979352] }, "properties": { "altitude": "406.5", "sensor": "32", "gpstime":"2019-06-26T20:22:02.000Z", "temperature": 26.71, "relhumidity": 9.25, "vappress": 0.688, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8732950,47.978655] }, "properties": { "altitude": "401.2", "sensor": "32", "gpstime":"2019-06-26T20:22:37.000Z", "temperature": 26.62, "relhumidity": 9.95, "vappress": 0.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748880,47.979147] }, "properties": { "altitude": "396.9", "sensor": "32", "gpstime":"2019-06-26T20:23:11.000Z", "temperature": 26.88, "relhumidity": 7.39, "vappress": 0.557, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8763080,47.979702] }, "properties": { "altitude": "389.0", "sensor": "32", "gpstime":"2019-06-26T20:23:37.000Z", "temperature": 27.08, "relhumidity": 5.11, "vappress": -0.083, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8772420,47.978155] }, "properties": { "altitude": "392.9", "sensor": "32", "gpstime":"2019-06-26T20:24:57.000Z", "temperature": 27.05, "relhumidity": 9.73, "vappress": 0.768, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8788400,47.978365] }, "properties": { "altitude": "381.5", "sensor": "32", "gpstime":"2019-06-26T20:25:40.000Z", "temperature": 26.54, "relhumidity": 7.80, "vappress": 0.002, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8802420,47.978853] }, "properties": { "altitude": "371.3", "sensor": "32", "gpstime":"2019-06-26T20:26:15.000Z", "temperature": 26.68, "relhumidity": 8.28, "vappress": 0.360, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8817220,47.979245] }, "properties": { "altitude": "358.5", "sensor": "32", "gpstime":"2019-06-26T20:26:47.000Z", "temperature": 26.52, "relhumidity": 14.06, "vappress": 1.320, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8811500,47.981067] }, "properties": { "altitude": "321.2", "sensor": "32", "gpstime":"2019-06-26T20:27:49.000Z", "temperature": 25.55, "relhumidity": 18.92, "vappress": 1.397, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8797570,47.981772] }, "properties": { "altitude": "302.3", "sensor": "32", "gpstime":"2019-06-26T20:28:26.000Z", "temperature": 25.16, "relhumidity": 16.51, "vappress": 0.673, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8784450,47.982305] }, "properties": { "altitude": "288.1", "sensor": "32", "gpstime":"2019-06-26T20:28:57.000Z", "temperature": 25.41, "relhumidity": 16.09, "vappress": 1.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8770930,47.982245] }, "properties": { "altitude": "293.8", "sensor": "32", "gpstime":"2019-06-26T20:29:26.000Z", "temperature": 25.60, "relhumidity": 16.18, "vappress": 1.425, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8756870,47.981980] }, "properties": { "altitude": "300.3", "sensor": "32", "gpstime":"2019-06-26T20:30:02.000Z", "temperature": 25.96, "relhumidity": 15.55, "vappress": 1.585, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8748700,47.983883] }, "properties": { "altitude": "310.9", "sensor": "32", "gpstime":"2019-06-26T20:31:11.000Z", "temperature": 25.73, "relhumidity": 17.14, "vappress": 1.977, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8735170,47.985173] }, "properties": { "altitude": "304.0", "sensor": "32", "gpstime":"2019-06-26T20:31:54.000Z", "temperature": 25.92, "relhumidity": 15.78, "vappress": 1.207, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8719220,47.985322] }, "properties": { "altitude": "299.5", "sensor": "32", "gpstime":"2019-06-26T20:32:23.000Z", "temperature": 25.81, "relhumidity": 17.44, "vappress": 1.766, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8704770,47.985510] }, "properties": { "altitude": "298.8", "sensor": "32", "gpstime":"2019-06-26T20:32:50.000Z", "temperature": 25.60, "relhumidity": 17.15, "vappress": 1.336, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8689730,47.985152] }, "properties": { "altitude": "293.8", "sensor": "32", "gpstime":"2019-06-26T20:33:19.000Z", "temperature": 25.62, "relhumidity": 17.84, "vappress": 1.577, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8675320,47.984418] }, "properties": { "altitude": "277.1", "sensor": "32", "gpstime":"2019-06-26T20:33:55.000Z", "temperature": 25.59, "relhumidity": 17.43, "vappress": 1.617, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8660570,47.983545] }, "properties": { "altitude": "288.2", "sensor": "32", "gpstime":"2019-06-26T20:34:36.000Z", "temperature": 25.86, "relhumidity": 16.90, "vappress": 2.004, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8644030,47.983237] }, "properties": { "altitude": "302.6", "sensor": "32", "gpstime":"2019-06-26T20:35:47.000Z", "temperature": 26.06, "relhumidity": 18.17, "vappress": 2.270, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8628750,47.983813] }, "properties": { "altitude": "297.7", "sensor": "32", "gpstime":"2019-06-26T20:36:31.000Z", "temperature": 25.88, "relhumidity": 16.99, "vappress": 1.435, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8623680,47.985822] }, "properties": { "altitude": "292.5", "sensor": "32", "gpstime":"2019-06-26T20:37:30.000Z", "temperature": 25.75, "relhumidity": 18.66, "vappress": 2.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8610220,47.985943] }, "properties": { "altitude": "300.7", "sensor": "32", "gpstime":"2019-06-26T20:40:36.000Z", "temperature": 26.82, "relhumidity": 12.79, "vappress": 2.758, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8596120,47.986757] }, "properties": { "altitude": "289.8", "sensor": "32", "gpstime":"2019-06-26T20:41:22.000Z", "temperature": 27.75, "relhumidity": 10.50, "vappress": 3.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8581200,47.986580] }, "properties": { "altitude": "290.2", "sensor": "32", "gpstime":"2019-06-26T20:41:44.000Z", "temperature": 28.26, "relhumidity": 9.06, "vappress": 3.232, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8566580,47.986502] }, "properties": { "altitude": "290.6", "sensor": "32", "gpstime":"2019-06-26T20:42:05.000Z", "temperature": 28.47, "relhumidity": 7.83, "vappress": 2.992, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8549200,47.986518] }, "properties": { "altitude": "294.2", "sensor": "32", "gpstime":"2019-06-26T20:42:30.000Z", "temperature": 28.62, "relhumidity": 7.12, "vappress": 2.902, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8533530,47.986642] }, "properties": { "altitude": "300.5", "sensor": "32", "gpstime":"2019-06-26T20:42:54.000Z", "temperature": 28.76, "relhumidity": 6.48, "vappress": 3.012, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8517080,47.986850] }, "properties": { "altitude": "309.8", "sensor": "32", "gpstime":"2019-06-26T20:43:22.000Z", "temperature": 28.89, "relhumidity": 5.60, "vappress": 2.873, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8502450,47.986948] }, "properties": { "altitude": "319.9", "sensor": "32", "gpstime":"2019-06-26T20:43:50.000Z", "temperature": 29.05, "relhumidity": 5.09, "vappress": 2.853, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8487680,47.987125] }, "properties": { "altitude": "330.9", "sensor": "32", "gpstime":"2019-06-26T20:44:19.000Z", "temperature": 29.07, "relhumidity": 4.56, "vappress": 2.687, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8472170,47.986102] }, "properties": { "altitude": "314.1", "sensor": "32", "gpstime":"2019-06-26T20:45:14.000Z", "temperature": 29.16, "relhumidity": 2.59, "vappress": 1.968, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8456480,47.986193] }, "properties": { "altitude": "307.6", "sensor": "32", "gpstime":"2019-06-26T20:45:38.000Z", "temperature": 28.92, "relhumidity": 2.49, "vappress": 1.598, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440220,47.986295] }, "properties": { "altitude": "301.1", "sensor": "32", "gpstime":"2019-06-26T20:46:02.000Z", "temperature": 28.74, "relhumidity": 2.91, "vappress": 1.450, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8422680,47.986470] }, "properties": { "altitude": "291.3", "sensor": "32", "gpstime":"2019-06-26T20:46:27.000Z", "temperature": 28.53, "relhumidity": 3.83, "vappress": 1.460, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8425780,47.988697] }, "properties": { "altitude": "280.1", "sensor": "32", "gpstime":"2019-06-26T20:47:21.000Z", "temperature": 28.32, "relhumidity": 7.08, "vappress": 2.665, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8440600,47.989803] }, "properties": { "altitude": "282.5", "sensor": "32", "gpstime":"2019-06-26T20:47:59.000Z", "temperature": 28.77, "relhumidity": 6.07, "vappress": 3.155, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453230,47.990658] }, "properties": { "altitude": "282.8", "sensor": "32", "gpstime":"2019-06-26T20:48:28.000Z", "temperature": 29.02, "relhumidity": 5.45, "vappress": 2.793, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454550,47.991833] }, "properties": { "altitude": "274.8", "sensor": "32", "gpstime":"2019-06-26T20:48:52.000Z", "temperature": 29.01, "relhumidity": 5.66, "vappress": 3.043, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8457620,47.992007] }, "properties": { "altitude": "101.9", "sensor": "33", "gpstime":"2019-06-26T18:58:34.000Z", "temperature": 25.22, "relhumidity": 22.66, "vappress": 3.877, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8450230,47.993708] }, "properties": { "altitude": "266.8", "sensor": "33", "gpstime":"2019-06-26T19:26:27.000Z", "temperature": 26.09, "relhumidity": 1.67, "vappress": 1.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8432870,47.993917] }, "properties": { "altitude": "262.6", "sensor": "33", "gpstime":"2019-06-26T19:26:48.000Z", "temperature": 29.12, "relhumidity": 1.34, "vappress": 1.718, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414230,47.994082] }, "properties": { "altitude": "263.3", "sensor": "33", "gpstime":"2019-06-26T19:27:10.000Z", "temperature": 29.27, "relhumidity": 1.28, "vappress": 2.025, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8400320,47.994220] }, "properties": { "altitude": "265.5", "sensor": "33", "gpstime":"2019-06-26T19:27:30.000Z", "temperature": 29.38, "relhumidity": 1.38, "vappress": 2.225, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8410500,47.995588] }, "properties": { "altitude": "274.6", "sensor": "33", "gpstime":"2019-06-26T19:28:02.000Z", "temperature": 29.52, "relhumidity": 0.85, "vappress": 2.169, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8393970,47.996252] }, "properties": { "altitude": "276.7", "sensor": "33", "gpstime":"2019-06-26T19:28:32.000Z", "temperature": 29.62, "relhumidity": -0.39, "vappress": 1.779, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8411500,47.998623] }, "properties": { "altitude": "273.6", "sensor": "33", "gpstime":"2019-06-26T19:29:17.000Z", "temperature": 29.77, "relhumidity": -1.36, "vappress": 1.685, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424480,47.999728] }, "properties": { "altitude": "274.6", "sensor": "33", "gpstime":"2019-06-26T19:29:42.000Z", "temperature": 30.03, "relhumidity": -1.87, "vappress": 1.765, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8412500,48.001102] }, "properties": { "altitude": "263.6", "sensor": "33", "gpstime":"2019-06-26T19:30:16.000Z", "temperature": 29.84, "relhumidity": 0.24, "vappress": 2.143, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8395300,48.001150] }, "properties": { "altitude": "265.8", "sensor": "33", "gpstime":"2019-06-26T19:30:44.000Z", "temperature": 29.67, "relhumidity": 1.08, "vappress": 2.353, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8381670,48.000875] }, "properties": { "altitude": "276.4", "sensor": "33", "gpstime":"2019-06-26T19:31:28.000Z", "temperature": 29.65, "relhumidity": -0.69, "vappress": 1.778, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8367730,47.999203] }, "properties": { "altitude": "280.5", "sensor": "33", "gpstime":"2019-06-26T19:32:05.000Z", "temperature": 29.98, "relhumidity": -1.90, "vappress": 1.750, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8356880,47.997803] }, "properties": { "altitude": "280.2", "sensor": "33", "gpstime":"2019-06-26T19:32:36.000Z", "temperature": 30.11, "relhumidity": -1.68, "vappress": 1.850, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8345850,47.996460] }, "properties": { "altitude": "282.3", "sensor": "33", "gpstime":"2019-06-26T19:33:02.000Z", "temperature": 30.06, "relhumidity": -1.11, "vappress": 1.982, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8335700,47.995015] }, "properties": { "altitude": "279.4", "sensor": "33", "gpstime":"2019-06-26T19:33:40.000Z", "temperature": 29.80, "relhumidity": -0.07, "vappress": 1.972, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322980,47.993427] }, "properties": { "altitude": "275.6", "sensor": "33", "gpstime":"2019-06-26T19:34:13.000Z", "temperature": 29.60, "relhumidity": 0.73, "vappress": 2.030, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8312430,47.992045] }, "properties": { "altitude": "273.2", "sensor": "33", "gpstime":"2019-06-26T19:34:41.000Z", "temperature": 29.51, "relhumidity": 0.84, "vappress": 2.080, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8322830,47.990027] }, "properties": { "altitude": "267.1", "sensor": "33", "gpstime":"2019-06-26T19:36:08.000Z", "temperature": 29.19, "relhumidity": 5.38, "vappress": 2.935, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8307880,47.990668] }, "properties": { "altitude": "260.3", "sensor": "33", "gpstime":"2019-06-26T19:37:10.000Z", "temperature": 28.63, "relhumidity": 6.08, "vappress": 2.752, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8290370,47.989023] }, "properties": { "altitude": "263.4", "sensor": "33", "gpstime":"2019-06-26T19:37:55.000Z", "temperature": 28.43, "relhumidity": 5.36, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284070,47.986632] }, "properties": { "altitude": "273.8", "sensor": "33", "gpstime":"2019-06-26T19:38:42.000Z", "temperature": 28.58, "relhumidity": 2.91, "vappress": 1.627, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8265780,47.985548] }, "properties": { "altitude": "269.4", "sensor": "33", "gpstime":"2019-06-26T19:39:19.000Z", "temperature": 28.68, "relhumidity": 2.56, "vappress": 1.513, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8246430,47.985293] }, "properties": { "altitude": "267.8", "sensor": "33", "gpstime":"2019-06-26T19:39:41.000Z", "temperature": 28.87, "relhumidity": 1.61, "vappress": 1.433, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8230250,47.985120] }, "properties": { "altitude": "269.2", "sensor": "33", "gpstime":"2019-06-26T19:39:58.000Z", "temperature": 28.91, "relhumidity": 1.62, "vappress": 1.593, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8215580,47.984892] }, "properties": { "altitude": "266.1", "sensor": "33", "gpstime":"2019-06-26T19:40:13.000Z", "temperature": 28.91, "relhumidity": 1.19, "vappress": 1.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8201500,47.984530] }, "properties": { "altitude": "269.0", "sensor": "33", "gpstime":"2019-06-26T19:40:30.000Z", "temperature": 29.01, "relhumidity": 1.82, "vappress": 1.721, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198270,47.982530] }, "properties": { "altitude": "271.4", "sensor": "33", "gpstime":"2019-06-26T19:41:51.000Z", "temperature": 29.05, "relhumidity": 2.83, "vappress": 2.014, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8205400,47.980742] }, "properties": { "altitude": "273.8", "sensor": "33", "gpstime":"2019-06-26T19:42:26.000Z", "temperature": 28.94, "relhumidity": 1.84, "vappress": 1.623, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8194830,47.979045] }, "properties": { "altitude": "266.0", "sensor": "33", "gpstime":"2019-06-26T19:43:07.000Z", "temperature": 28.93, "relhumidity": 1.45, "vappress": 1.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8192480,47.976782] }, "properties": { "altitude": "269.2", "sensor": "33", "gpstime":"2019-06-26T19:43:53.000Z", "temperature": 28.79, "relhumidity": 4.79, "vappress": 2.236, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8180650,47.975577] }, "properties": { "altitude": "265.3", "sensor": "33", "gpstime":"2019-06-26T19:44:25.000Z", "temperature": 28.05, "relhumidity": 10.38, "vappress": 3.177, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8193030,47.974072] }, "properties": { "altitude": "261.5", "sensor": "33", "gpstime":"2019-06-26T19:45:22.000Z", "temperature": 26.90, "relhumidity": 14.91, "vappress": 2.705, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208430,47.973218] }, "properties": { "altitude": "269.4", "sensor": "33", "gpstime":"2019-06-26T19:45:53.000Z", "temperature": 26.29, "relhumidity": 14.09, "vappress": 1.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8223070,47.972490] }, "properties": { "altitude": "270.8", "sensor": "33", "gpstime":"2019-06-26T19:46:20.000Z", "temperature": 25.91, "relhumidity": 16.20, "vappress": 2.204, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8234600,47.970990] }, "properties": { "altitude": "277.8", "sensor": "33", "gpstime":"2019-06-26T19:46:56.000Z", "temperature": 26.11, "relhumidity": 15.68, "vappress": 2.524, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244970,47.969137] }, "properties": { "altitude": "283.1", "sensor": "33", "gpstime":"2019-06-26T19:48:14.000Z", "temperature": 26.27, "relhumidity": 15.70, "vappress": 2.410, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8229230,47.969690] }, "properties": { "altitude": "280.7", "sensor": "33", "gpstime":"2019-06-26T19:48:55.000Z", "temperature": 26.06, "relhumidity": 16.43, "vappress": 2.330, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8210950,47.967362] }, "properties": { "altitude": "313.2", "sensor": "33", "gpstime":"2019-06-26T19:50:36.000Z", "temperature": 25.11, "relhumidity": 20.03, "vappress": 1.390, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8197120,47.968488] }, "properties": { "altitude": "327.9", "sensor": "33", "gpstime":"2019-06-26T19:52:01.000Z", "temperature": 24.71, "relhumidity": 16.18, "vappress": 0.979, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8181970,47.968027] }, "properties": { "altitude": "336.8", "sensor": "33", "gpstime":"2019-06-26T19:52:30.000Z", "temperature": 25.44, "relhumidity": 12.32, "vappress": 0.329, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8168870,47.967265] }, "properties": { "altitude": "348.3", "sensor": "33", "gpstime":"2019-06-26T19:53:02.000Z", "temperature": 26.13, "relhumidity": 7.72, "vappress": 0.001, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8182000,47.966197] }, "properties": { "altitude": "354.0", "sensor": "33", "gpstime":"2019-06-26T19:54:23.000Z", "temperature": 26.72, "relhumidity": 6.68, "vappress": -0.033, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8193820,47.965252] }, "properties": { "altitude": "358.3", "sensor": "33", "gpstime":"2019-06-26T19:54:53.000Z", "temperature": 26.44, "relhumidity": 11.18, "vappress": 0.937, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8208250,47.963457] }, "properties": { "altitude": "340.6", "sensor": "33", "gpstime":"2019-06-26T19:55:42.000Z", "temperature": 26.00, "relhumidity": 12.43, "vappress": 0.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226330,47.964270] }, "properties": { "altitude": "306.7", "sensor": "33", "gpstime":"2019-06-26T19:56:38.000Z", "temperature": 25.45, "relhumidity": 16.98, "vappress": 0.991, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8244670,47.964773] }, "properties": { "altitude": "289.9", "sensor": "33", "gpstime":"2019-06-26T19:56:56.000Z", "temperature": 25.11, "relhumidity": 16.88, "vappress": 1.281, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8257170,47.965560] }, "properties": { "altitude": "278.6", "sensor": "33", "gpstime":"2019-06-26T19:57:12.000Z", "temperature": 25.44, "relhumidity": 16.77, "vappress": 1.600, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272130,47.965047] }, "properties": { "altitude": "275.9", "sensor": "33", "gpstime":"2019-06-26T19:57:34.000Z", "temperature": 25.54, "relhumidity": 16.66, "vappress": 1.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285100,47.965883] }, "properties": { "altitude": "272.6", "sensor": "33", "gpstime":"2019-06-26T19:58:01.000Z", "temperature": 25.69, "relhumidity": 16.70, "vappress": 1.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8284900,47.968373] }, "properties": { "altitude": "280.9", "sensor": "33", "gpstime":"2019-06-26T19:59:26.000Z", "temperature": 25.72, "relhumidity": 14.31, "vappress": 1.619, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8282780,47.970630] }, "properties": { "altitude": "272.3", "sensor": "33", "gpstime":"2019-06-26T20:00:07.000Z", "temperature": 26.30, "relhumidity": 11.56, "vappress": 1.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285880,47.972770] }, "properties": { "altitude": "274.6", "sensor": "33", "gpstime":"2019-06-26T20:00:50.000Z", "temperature": 26.83, "relhumidity": 7.58, "vappress": 1.047, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8286480,47.974855] }, "properties": { "altitude": "290.8", "sensor": "33", "gpstime":"2019-06-26T20:01:55.000Z", "temperature": 27.51, "relhumidity": 5.38, "vappress": 0.916, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8289930,47.976822] }, "properties": { "altitude": "273.0", "sensor": "33", "gpstime":"2019-06-26T20:02:36.000Z", "temperature": 27.88, "relhumidity": 2.67, "vappress": 0.386, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8274270,47.977328] }, "properties": { "altitude": "260.9", "sensor": "33", "gpstime":"2019-06-26T20:03:54.000Z", "temperature": 28.05, "relhumidity": 1.67, "vappress": 0.479, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8261250,47.977818] }, "properties": { "altitude": "259.4", "sensor": "33", "gpstime":"2019-06-26T20:04:13.000Z", "temperature": 28.18, "relhumidity": 1.26, "vappress": 0.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8273830,47.978988] }, "properties": { "altitude": "260.8", "sensor": "33", "gpstime":"2019-06-26T20:04:46.000Z", "temperature": 28.24, "relhumidity": 0.53, "vappress": 0.058, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8288570,47.979948] }, "properties": { "altitude": "263.3", "sensor": "33", "gpstime":"2019-06-26T20:05:17.000Z", "temperature": 28.42, "relhumidity": -0.80, "vappress": -0.251, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8302430,47.980763] }, "properties": { "altitude": "261.9", "sensor": "33", "gpstime":"2019-06-26T20:06:08.000Z", "temperature": 28.47, "relhumidity": 1.14, "vappress": 0.567, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8316280,47.981808] }, "properties": { "altitude": "267.2", "sensor": "33", "gpstime":"2019-06-26T20:06:46.000Z", "temperature": 28.31, "relhumidity": 2.40, "vappress": 0.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8333400,47.981922] }, "properties": { "altitude": "267.3", "sensor": "33", "gpstime":"2019-06-26T20:07:27.000Z", "temperature": 28.08, "relhumidity": 1.45, "vappress": 0.104, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8347430,47.982455] }, "properties": { "altitude": "266.7", "sensor": "33", "gpstime":"2019-06-26T20:08:16.000Z", "temperature": 28.08, "relhumidity": 3.19, "vappress": 0.652, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8363520,47.983663] }, "properties": { "altitude": "269.8", "sensor": "33", "gpstime":"2019-06-26T20:08:45.000Z", "temperature": 27.81, "relhumidity": 4.97, "vappress": 0.692, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8376730,47.984282] }, "properties": { "altitude": "268.1", "sensor": "33", "gpstime":"2019-06-26T20:09:13.000Z", "temperature": 27.53, "relhumidity": 4.70, "vappress": 0.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8399320,47.984800] }, "properties": { "altitude": "269.1", "sensor": "33", "gpstime":"2019-06-26T20:09:35.000Z", "temperature": 27.44, "relhumidity": 2.51, "vappress": -0.464, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8413320,47.984710] }, "properties": { "altitude": "270.8", "sensor": "33", "gpstime":"2019-06-26T20:09:50.000Z", "temperature": 27.34, "relhumidity": 4.81, "vappress": 0.226, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8428470,47.984782] }, "properties": { "altitude": "269.4", "sensor": "33", "gpstime":"2019-06-26T20:10:07.000Z", "temperature": 27.33, "relhumidity": 5.50, "vappress": 0.371, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8445320,47.984768] }, "properties": { "altitude": "272.0", "sensor": "33", "gpstime":"2019-06-26T20:10:26.000Z", "temperature": 27.20, "relhumidity": 6.33, "vappress": 0.511, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8462830,47.984563] }, "properties": { "altitude": "277.3", "sensor": "33", "gpstime":"2019-06-26T20:10:50.000Z", "temperature": 27.17, "relhumidity": 6.85, "vappress": 0.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8475230,47.983692] }, "properties": { "altitude": "283.3", "sensor": "33", "gpstime":"2019-06-26T20:11:21.000Z", "temperature": 27.18, "relhumidity": 8.20, "vappress": 1.072, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8483920,47.981870] }, "properties": { "altitude": "290.5", "sensor": "33", "gpstime":"2019-06-26T20:12:06.000Z", "temperature": 26.79, "relhumidity": 10.21, "vappress": 1.045, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8498720,47.982495] }, "properties": { "altitude": "294.0", "sensor": "33", "gpstime":"2019-06-26T20:12:36.000Z", "temperature": 26.41, "relhumidity": 10.65, "vappress": 0.715, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8500050,47.984743] }, "properties": { "altitude": "290.1", "sensor": "33", "gpstime":"2019-06-26T20:13:22.000Z", "temperature": 26.23, "relhumidity": 10.06, "vappress": 0.551, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8505330,47.986918] }, "properties": { "altitude": "290.5", "sensor": "33", "gpstime":"2019-06-26T20:14:04.000Z", "temperature": 26.58, "relhumidity": 9.11, "vappress": 1.055, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8514700,47.988505] }, "properties": { "altitude": "289.1", "sensor": "33", "gpstime":"2019-06-26T20:14:43.000Z", "temperature": 27.48, "relhumidity": 7.44, "vappress": 1.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8519280,47.990397] }, "properties": { "altitude": "285.9", "sensor": "33", "gpstime":"2019-06-26T20:15:50.000Z", "temperature": 28.16, "relhumidity": 4.71, "vappress": 1.599, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8494750,47.990593] }, "properties": { "altitude": "278.3", "sensor": "33", "gpstime":"2019-06-26T20:16:54.000Z", "temperature": 28.31, "relhumidity": 4.30, "vappress": 1.655, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8478650,47.990718] }, "properties": { "altitude": "274.8", "sensor": "33", "gpstime":"2019-06-26T20:17:10.000Z", "temperature": 28.50, "relhumidity": 4.06, "vappress": 1.771, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8463000,47.990857] }, "properties": { "altitude": "272.2", "sensor": "33", "gpstime":"2019-06-26T20:17:27.000Z", "temperature": 28.59, "relhumidity": 3.74, "vappress": 1.811, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454330,47.992010] }, "properties": { "altitude": "270.2", "sensor": "33", "gpstime":"2019-06-26T20:17:58.000Z", "temperature": 28.86, "relhumidity": 3.00, "vappress": 1.851, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8453280,47.991900] }, "properties": { "altitude": "112.8", "sensor": "34", "gpstime":"2019-06-26T18:48:48.220Z", "temperature": 25.03, "relhumidity": 29.15, "vappress": 6.146, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8454420,47.993925] }, "properties": { "altitude": "275.5", "sensor": "34", "gpstime":"2019-06-26T19:26:43.000Z", "temperature": 26.63, "relhumidity": 1.97, "vappress": 1.728, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461650,47.995693] }, "properties": { "altitude": "279.5", "sensor": "34", "gpstime":"2019-06-26T19:27:25.000Z", "temperature": 29.17, "relhumidity": 0.53, "vappress": 1.755, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8473850,47.997223] }, "properties": { "altitude": "279.6", "sensor": "34", "gpstime":"2019-06-26T19:28:00.000Z", "temperature": 29.71, "relhumidity": -1.35, "vappress": 1.855, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8485200,47.998550] }, "properties": { "altitude": "280.0", "sensor": "34", "gpstime":"2019-06-26T19:29:19.000Z", "temperature": 30.25, "relhumidity": -2.21, "vappress": 1.985, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8461270,47.999133] }, "properties": { "altitude": "276.3", "sensor": "34", "gpstime":"2019-06-26T19:29:45.000Z", "temperature": 30.26, "relhumidity": -3.05, "vappress": 1.595, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8447430,47.999390] }, "properties": { "altitude": "276.8", "sensor": "34", "gpstime":"2019-06-26T19:29:59.000Z", "temperature": 30.22, "relhumidity": -2.63, "vappress": 1.635, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8438730,48.000940] }, "properties": { "altitude": "268.7", "sensor": "34", "gpstime":"2019-06-26T19:31:10.000Z", "temperature": 30.19, "relhumidity": -2.40, "vappress": 1.698, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8424280,48.001283] }, "properties": { "altitude": "270.9", "sensor": "34", "gpstime":"2019-06-26T19:31:28.000Z", "temperature": 29.99, "relhumidity": -1.75, "vappress": 1.518, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8406950,48.001327] }, "properties": { "altitude": "271.0", "sensor": "34", "gpstime":"2019-06-26T19:31:53.000Z", "temperature": 29.71, "relhumidity": -0.29, "vappress": 1.858, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8388900,48.000840] }, "properties": { "altitude": "270.2", "sensor": "34", "gpstime":"2019-06-26T19:32:23.000Z", "temperature": 29.62, "relhumidity": -0.24, "vappress": 1.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8362530,48.001597] }, "properties": { "altitude": "273.8", "sensor": "34", "gpstime":"2019-06-26T19:33:21.000Z", "temperature": 29.74, "relhumidity": -0.40, "vappress": 2.202, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349220,48.000785] }, "properties": { "altitude": "273.0", "sensor": "34", "gpstime":"2019-06-26T19:33:49.000Z", "temperature": 29.66, "relhumidity": -0.18, "vappress": 1.822, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8337800,47.999665] }, "properties": { "altitude": "277.0", "sensor": "34", "gpstime":"2019-06-26T19:34:15.000Z", "temperature": 29.61, "relhumidity": -0.02, "vappress": 1.760, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8323870,47.999600] }, "properties": { "altitude": "270.1", "sensor": "34", "gpstime":"2019-06-26T19:35:34.000Z", "temperature": 28.81, "relhumidity": -7.13, "vappress": -7.088, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8310580,47.998123] }, "properties": { "altitude": "271.3", "sensor": "34", "gpstime":"2019-06-26T19:36:05.000Z", "temperature": 29.28, "relhumidity": 0.79, "vappress": 1.845, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8296420,47.998583] }, "properties": { "altitude": "271.0", "sensor": "34", "gpstime":"2019-06-26T19:36:23.000Z", "temperature": 30.37, "relhumidity": 1.53, "vappress": 2.005, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8280270,47.999030] }, "properties": { "altitude": "267.8", "sensor": "34", "gpstime":"2019-06-26T19:36:41.000Z", "temperature": 28.82, "relhumidity": 4.27, "vappress": 2.195, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8266200,47.999497] }, "properties": { "altitude": "264.6", "sensor": "34", "gpstime":"2019-06-26T19:36:55.000Z", "temperature": 28.65, "relhumidity": 4.36, "vappress": 2.235, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8253020,48.000002] }, "properties": { "altitude": "263.7", "sensor": "34", "gpstime":"2019-06-26T19:37:11.000Z", "temperature": 28.61, "relhumidity": 4.46, "vappress": 2.132, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8236930,48.000642] }, "properties": { "altitude": "262.1", "sensor": "34", "gpstime":"2019-06-26T19:37:33.000Z", "temperature": 28.64, "relhumidity": 4.45, "vappress": 2.292, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8220330,48.001427] }, "properties": { "altitude": "254.0", "sensor": "34", "gpstime":"2019-06-26T19:37:52.000Z", "temperature": 28.71, "relhumidity": 4.23, "vappress": 2.362, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8207350,48.002365] }, "properties": { "altitude": "254.6", "sensor": "34", "gpstime":"2019-06-26T19:40:13.000Z", "temperature": 28.81, "relhumidity": 4.43, "vappress": 2.541, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8191950,48.002033] }, "properties": { "altitude": "255.4", "sensor": "34", "gpstime":"2019-06-26T19:40:42.000Z", "temperature": 28.80, "relhumidity": 4.64, "vappress": 2.631, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8172520,48.001647] }, "properties": { "altitude": "255.1", "sensor": "34", "gpstime":"2019-06-26T19:41:07.000Z", "temperature": 28.69, "relhumidity": 5.27, "vappress": 2.424, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8155730,48.001350] }, "properties": { "altitude": "255.7", "sensor": "34", "gpstime":"2019-06-26T19:41:27.000Z", "temperature": 28.55, "relhumidity": 5.59, "vappress": 2.554, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8141020,48.001088] }, "properties": { "altitude": "257.8", "sensor": "34", "gpstime":"2019-06-26T19:41:47.000Z", "temperature": 28.55, "relhumidity": 5.05, "vappress": 2.334, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8123580,48.000778] }, "properties": { "altitude": "257.7", "sensor": "34", "gpstime":"2019-06-26T19:42:13.000Z", "temperature": 28.87, "relhumidity": 3.92, "vappress": 2.543, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8103050,48.001003] }, "properties": { "altitude": "246.8", "sensor": "34", "gpstime":"2019-06-26T19:42:56.000Z", "temperature": 28.85, "relhumidity": 5.50, "vappress": 2.703, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118670,48.000640] }, "properties": { "altitude": "245.6", "sensor": "34", "gpstime":"2019-06-26T19:43:57.000Z", "temperature": 28.43, "relhumidity": 6.17, "vappress": 2.516, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8132080,48.000970] }, "properties": { "altitude": "250.4", "sensor": "34", "gpstime":"2019-06-26T19:44:25.000Z", "temperature": 28.58, "relhumidity": 4.36, "vappress": 2.317, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8117470,48.000578] }, "properties": { "altitude": "249.3", "sensor": "34", "gpstime":"2019-06-26T19:45:03.000Z", "temperature": 28.95, "relhumidity": 2.92, "vappress": 2.255, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8133750,48.000855] }, "properties": { "altitude": "254.1", "sensor": "34", "gpstime":"2019-06-26T19:45:37.000Z", "temperature": 29.03, "relhumidity": 2.59, "vappress": 2.115, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8118880,48.001550] }, "properties": { "altitude": "249.0", "sensor": "34", "gpstime":"2019-06-26T19:46:33.000Z", "temperature": 28.98, "relhumidity": 3.67, "vappress": 1.964, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8101930,48.002227] }, "properties": { "altitude": "250.0", "sensor": "34", "gpstime":"2019-06-26T19:46:52.000Z", "temperature": 28.51, "relhumidity": 5.67, "vappress": 2.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8085650,48.002842] }, "properties": { "altitude": "249.3", "sensor": "34", "gpstime":"2019-06-26T19:47:10.000Z", "temperature": 28.09, "relhumidity": 6.58, "vappress": 2.189, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8071920,48.003625] }, "properties": { "altitude": "249.5", "sensor": "34", "gpstime":"2019-06-26T19:47:27.000Z", "temperature": 27.94, "relhumidity": 7.93, "vappress": 2.389, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8059280,48.005035] }, "properties": { "altitude": "241.3", "sensor": "34", "gpstime":"2019-06-26T19:47:49.000Z", "temperature": 27.44, "relhumidity": 9.64, "vappress": 2.049, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8048230,48.006648] }, "properties": { "altitude": "239.5", "sensor": "34", "gpstime":"2019-06-26T19:48:13.000Z", "temperature": 26.97, "relhumidity": 14.03, "vappress": 2.690, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8035500,48.005728] }, "properties": { "altitude": "254.4", "sensor": "34", "gpstime":"2019-06-26T19:49:23.000Z", "temperature": 26.71, "relhumidity": 11.89, "vappress": 2.938, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8021320,48.005993] }, "properties": { "altitude": "250.1", "sensor": "34", "gpstime":"2019-06-26T19:49:42.000Z", "temperature": 27.40, "relhumidity": 11.67, "vappress": 3.028, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8004430,48.005653] }, "properties": { "altitude": "242.3", "sensor": "34", "gpstime":"2019-06-26T19:49:58.000Z", "temperature": 26.99, "relhumidity": 13.99, "vappress": 2.868, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7996150,48.007423] }, "properties": { "altitude": "235.8", "sensor": "34", "gpstime":"2019-06-26T19:50:33.000Z", "temperature": 26.60, "relhumidity": 19.92, "vappress": 3.930, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7999350,48.009657] }, "properties": { "altitude": "233.4", "sensor": "34", "gpstime":"2019-06-26T19:51:08.000Z", "temperature": 26.23, "relhumidity": 20.01, "vappress": 4.340, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7982530,48.011532] }, "properties": { "altitude": "232.3", "sensor": "34", "gpstime":"2019-06-26T19:51:40.000Z", "temperature": 26.70, "relhumidity": 14.42, "vappress": 3.730, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7968270,48.013045] }, "properties": { "altitude": "231.5", "sensor": "34", "gpstime":"2019-06-26T19:52:05.000Z", "temperature": 27.38, "relhumidity": 14.89, "vappress": 3.929, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7954870,48.014415] }, "properties": { "altitude": "228.0", "sensor": "34", "gpstime":"2019-06-26T19:52:31.000Z", "temperature": 27.11, "relhumidity": 18.06, "vappress": 4.199, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7939670,48.014815] }, "properties": { "altitude": "224.8", "sensor": "34", "gpstime":"2019-06-26T19:52:53.000Z", "temperature": 26.36, "relhumidity": 21.32, "vappress": 4.459, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7925730,48.013928] }, "properties": { "altitude": "227.9", "sensor": "34", "gpstime":"2019-06-26T19:53:15.000Z", "temperature": 25.89, "relhumidity": 22.09, "vappress": 3.671, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7914270,48.012863] }, "properties": { "altitude": "230.0", "sensor": "34", "gpstime":"2019-06-26T19:53:38.000Z", "temperature": 25.46, "relhumidity": 24.32, "vappress": 4.241, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7902600,48.011853] }, "properties": { "altitude": "230.0", "sensor": "34", "gpstime":"2019-06-26T19:53:58.000Z", "temperature": 25.37, "relhumidity": 24.20, "vappress": 3.841, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7882480,48.011157] }, "properties": { "altitude": "229.3", "sensor": "34", "gpstime":"2019-06-26T19:54:20.000Z", "temperature": 25.40, "relhumidity": 24.86, "vappress": 4.267, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7870570,48.010092] }, "properties": { "altitude": "232.1", "sensor": "34", "gpstime":"2019-06-26T19:54:40.000Z", "temperature": 25.54, "relhumidity": 24.64, "vappress": 4.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7854580,48.009525] }, "properties": { "altitude": "230.0", "sensor": "34", "gpstime":"2019-06-26T19:54:58.000Z", "temperature": 25.36, "relhumidity": 25.28, "vappress": 4.227, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7837570,48.009325] }, "properties": { "altitude": "228.6", "sensor": "34", "gpstime":"2019-06-26T19:55:17.000Z", "temperature": 25.59, "relhumidity": 14.53, "vappress": 1.171, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7824180,48.009777] }, "properties": { "altitude": "227.7", "sensor": "34", "gpstime":"2019-06-26T19:55:33.000Z", "temperature": 25.71, "relhumidity": 0.97, "vappress": -3.269, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7814320,48.008133] }, "properties": { "altitude": "230.1", "sensor": "34", "gpstime":"2019-06-26T19:56:03.000Z", "temperature": 24.59, "relhumidity": 22.58, "vappress": 3.891, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7795270,48.008325] }, "properties": { "altitude": "226.8", "sensor": "34", "gpstime":"2019-06-26T19:56:28.000Z", "temperature": 25.78, "relhumidity": 24.24, "vappress": 4.451, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7780980,48.008952] }, "properties": { "altitude": "224.8", "sensor": "34", "gpstime":"2019-06-26T19:56:44.000Z", "temperature": 25.42, "relhumidity": 24.81, "vappress": 3.911, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7757950,48.009680] }, "properties": { "altitude": "233.1", "sensor": "34", "gpstime":"2019-06-26T19:57:08.000Z", "temperature": 24.86, "relhumidity": 26.51, "vappress": 3.590, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7744270,48.009920] }, "properties": { "altitude": "233.4", "sensor": "34", "gpstime":"2019-06-26T19:57:21.000Z", "temperature": 24.67, "relhumidity": 28.40, "vappress": 3.830, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7721770,48.010282] }, "properties": { "altitude": "228.2", "sensor": "34", "gpstime":"2019-06-26T19:57:43.000Z", "temperature": 24.41, "relhumidity": 29.78, "vappress": 3.900, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7701930,48.010427] }, "properties": { "altitude": "224.0", "sensor": "34", "gpstime":"2019-06-26T19:58:02.000Z", "temperature": 24.43, "relhumidity": 30.27, "vappress": 4.250, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7688200,48.010518] }, "properties": { "altitude": "222.5", "sensor": "34", "gpstime":"2019-06-26T19:58:15.000Z", "temperature": 24.42, "relhumidity": 30.69, "vappress": 4.200, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7674470,48.010152] }, "properties": { "altitude": "222.6", "sensor": "34", "gpstime":"2019-06-26T19:58:31.000Z", "temperature": 24.37, "relhumidity": 31.34, "vappress": 4.400, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7660980,48.010025] }, "properties": { "altitude": "220.4", "sensor": "34", "gpstime":"2019-06-26T19:58:48.000Z", "temperature": 24.22, "relhumidity": 31.13, "vappress": 3.790, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7645950,48.010352] }, "properties": { "altitude": "218.0", "sensor": "34", "gpstime":"2019-06-26T19:59:05.000Z", "temperature": 25.03, "relhumidity": 34.98, "vappress": 11.349, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7634420,48.008977] }, "properties": { "altitude": "228.3", "sensor": "34", "gpstime":"2019-06-26T19:59:48.000Z", "temperature": 23.16, "relhumidity": 31.13, "vappress": 4.339, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7623020,48.007565] }, "properties": { "altitude": "230.4", "sensor": "34", "gpstime":"2019-06-26T20:00:13.000Z", "temperature": 23.83, "relhumidity": 28.33, "vappress": 4.587, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7611400,48.006097] }, "properties": { "altitude": "237.2", "sensor": "34", "gpstime":"2019-06-26T20:00:43.000Z", "temperature": 25.08, "relhumidity": 23.27, "vappress": 3.307, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7597480,48.004605] }, "properties": { "altitude": "248.2", "sensor": "34", "gpstime":"2019-06-26T20:01:20.000Z", "temperature": 25.08, "relhumidity": 27.26, "vappress": 4.106, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7586070,48.003192] }, "properties": { "altitude": "244.8", "sensor": "34", "gpstime":"2019-06-26T20:01:53.000Z", "temperature": 24.96, "relhumidity": 29.26, "vappress": 4.746, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7568380,48.001180] }, "properties": { "altitude": "240.6", "sensor": "34", "gpstime":"2019-06-26T20:02:31.000Z", "temperature": 24.85, "relhumidity": 29.60, "vappress": 4.506, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7555820,47.999765] }, "properties": { "altitude": "239.0", "sensor": "34", "gpstime":"2019-06-26T20:02:58.000Z", "temperature": 24.78, "relhumidity": 30.55, "vappress": 4.806, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7542280,47.999058] }, "properties": { "altitude": "232.9", "sensor": "34", "gpstime":"2019-06-26T20:03:20.000Z", "temperature": 24.72, "relhumidity": 30.79, "vappress": 4.709, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7528730,47.999667] }, "properties": { "altitude": "220.9", "sensor": "34", "gpstime":"2019-06-26T20:03:47.000Z", "temperature": 24.56, "relhumidity": 31.44, "vappress": 4.539, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7527850,48.001803] }, "properties": { "altitude": "217.3", "sensor": "34", "gpstime":"2019-06-26T20:05:06.000Z", "temperature": 24.43, "relhumidity": 33.37, "vappress": 5.009, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7513520,48.000828] }, "properties": { "altitude": "219.6", "sensor": "34", "gpstime":"2019-06-26T20:05:35.000Z", "temperature": 24.33, "relhumidity": 34.02, "vappress": 5.019, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7500870,47.999448] }, "properties": { "altitude": "221.2", "sensor": "34", "gpstime":"2019-06-26T20:06:05.000Z", "temperature": 24.26, "relhumidity": 33.70, "vappress": 4.967, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7488350,47.998392] }, "properties": { "altitude": "223.3", "sensor": "34", "gpstime":"2019-06-26T20:06:27.000Z", "temperature": 24.54, "relhumidity": 33.80, "vappress": 5.377, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7503720,47.997825] }, "properties": { "altitude": "219.8", "sensor": "34", "gpstime":"2019-06-26T20:07:15.000Z", "temperature": 24.62, "relhumidity": 32.59, "vappress": 4.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7517170,47.997875] }, "properties": { "altitude": "220.9", "sensor": "34", "gpstime":"2019-06-26T20:07:34.000Z", "temperature": 24.30, "relhumidity": 32.29, "vappress": 4.374, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7532030,47.997887] }, "properties": { "altitude": "221.6", "sensor": "34", "gpstime":"2019-06-26T20:07:53.000Z", "temperature": 24.33, "relhumidity": 32.59, "vappress": 4.654, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7550100,47.997988] }, "properties": { "altitude": "223.6", "sensor": "34", "gpstime":"2019-06-26T20:08:15.000Z", "temperature": 24.52, "relhumidity": 31.74, "vappress": 4.792, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7570770,47.998260] }, "properties": { "altitude": "225.0", "sensor": "34", "gpstime":"2019-06-26T20:08:38.000Z", "temperature": 24.32, "relhumidity": 31.86, "vappress": 4.272, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7584530,47.998738] }, "properties": { "altitude": "223.4", "sensor": "34", "gpstime":"2019-06-26T20:08:52.000Z", "temperature": 24.17, "relhumidity": 31.56, "vappress": 3.812, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7597680,47.999158] }, "properties": { "altitude": "221.3", "sensor": "34", "gpstime":"2019-06-26T20:09:05.000Z", "temperature": 24.06, "relhumidity": 32.14, "vappress": 3.856, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7611670,47.999337] }, "properties": { "altitude": "220.4", "sensor": "34", "gpstime":"2019-06-26T20:09:18.000Z", "temperature": 24.11, "relhumidity": 32.96, "vappress": 4.286, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7625720,47.999225] }, "properties": { "altitude": "218.7", "sensor": "34", "gpstime":"2019-06-26T20:09:32.000Z", "temperature": 24.32, "relhumidity": 32.66, "vappress": 4.566, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7645700,47.998892] }, "properties": { "altitude": "222.2", "sensor": "34", "gpstime":"2019-06-26T20:09:54.000Z", "temperature": 24.40, "relhumidity": 32.21, "vappress": 4.246, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7660720,47.997855] }, "properties": { "altitude": "226.0", "sensor": "34", "gpstime":"2019-06-26T20:10:18.000Z", "temperature": 24.37, "relhumidity": 32.18, "vappress": 4.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7675530,47.997253] }, "properties": { "altitude": "228.4", "sensor": "34", "gpstime":"2019-06-26T20:10:37.000Z", "temperature": 24.37, "relhumidity": 32.07, "vappress": 4.241, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7689700,47.996877] }, "properties": { "altitude": "230.0", "sensor": "34", "gpstime":"2019-06-26T20:10:56.000Z", "temperature": 24.15, "relhumidity": 32.10, "vappress": 3.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7703770,47.996350] }, "properties": { "altitude": "228.6", "sensor": "34", "gpstime":"2019-06-26T20:11:14.000Z", "temperature": 23.88, "relhumidity": 33.77, "vappress": 4.052, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7717600,47.995810] }, "properties": { "altitude": "229.2", "sensor": "34", "gpstime":"2019-06-26T20:11:33.000Z", "temperature": 22.14, "relhumidity": 33.45, "vappress": 4.142, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7730980,47.995300] }, "properties": { "altitude": "231.0", "sensor": "34", "gpstime":"2019-06-26T20:11:51.000Z", "temperature": 23.82, "relhumidity": 32.18, "vappress": 3.402, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7749450,47.994815] }, "properties": { "altitude": "229.7", "sensor": "34", "gpstime":"2019-06-26T20:12:13.000Z", "temperature": 23.62, "relhumidity": 32.14, "vappress": 2.905, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7765330,47.994862] }, "properties": { "altitude": "229.8", "sensor": "34", "gpstime":"2019-06-26T20:12:31.000Z", "temperature": 23.41, "relhumidity": 31.39, "vappress": 2.515, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7780430,47.995033] }, "properties": { "altitude": "230.4", "sensor": "34", "gpstime":"2019-06-26T20:12:48.000Z", "temperature": 23.47, "relhumidity": 31.29, "vappress": 2.485, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7797220,47.995108] }, "properties": { "altitude": "232.5", "sensor": "34", "gpstime":"2019-06-26T20:13:07.000Z", "temperature": 23.51, "relhumidity": 31.44, "vappress": 2.381, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7819500,47.994937] }, "properties": { "altitude": "237.0", "sensor": "34", "gpstime":"2019-06-26T20:13:34.000Z", "temperature": 23.46, "relhumidity": 31.00, "vappress": 2.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7835700,47.994952] }, "properties": { "altitude": "236.0", "sensor": "34", "gpstime":"2019-06-26T20:13:53.000Z", "temperature": 23.50, "relhumidity": 31.00, "vappress": 2.431, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7854400,47.994933] }, "properties": { "altitude": "235.7", "sensor": "34", "gpstime":"2019-06-26T20:14:15.000Z", "temperature": 23.86, "relhumidity": 30.36, "vappress": 3.335, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7875220,47.994962] }, "properties": { "altitude": "241.8", "sensor": "34", "gpstime":"2019-06-26T20:14:39.000Z", "temperature": 24.66, "relhumidity": 28.98, "vappress": 4.185, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7889250,47.994897] }, "properties": { "altitude": "240.3", "sensor": "34", "gpstime":"2019-06-26T20:14:58.000Z", "temperature": 25.14, "relhumidity": 25.77, "vappress": 4.275, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7896480,47.996687] }, "properties": { "altitude": "268.8", "sensor": "34", "gpstime":"2019-06-26T20:15:51.000Z", "temperature": 27.02, "relhumidity": 14.11, "vappress": 4.129, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7903370,47.998483] }, "properties": { "altitude": "268.7", "sensor": "34", "gpstime":"2019-06-26T20:16:35.000Z", "temperature": 28.58, "relhumidity": 7.91, "vappress": 3.785, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7920100,47.997872] }, "properties": { "altitude": "265.3", "sensor": "34", "gpstime":"2019-06-26T20:17:02.000Z", "temperature": 29.02, "relhumidity": 6.09, "vappress": 3.461, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7937370,47.998100] }, "properties": { "altitude": "259.4", "sensor": "34", "gpstime":"2019-06-26T20:17:36.000Z", "temperature": 29.20, "relhumidity": 4.82, "vappress": 3.301, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7953720,47.997423] }, "properties": { "altitude": "255.8", "sensor": "34", "gpstime":"2019-06-26T20:18:03.000Z", "temperature": 29.38, "relhumidity": 4.01, "vappress": 3.188, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7970750,47.996587] }, "properties": { "altitude": "253.3", "sensor": "34", "gpstime":"2019-06-26T20:18:28.000Z", "temperature": 29.35, "relhumidity": 4.12, "vappress": 2.888, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7983700,47.995730] }, "properties": { "altitude": "256.2", "sensor": "34", "gpstime":"2019-06-26T20:18:50.000Z", "temperature": 29.12, "relhumidity": 4.86, "vappress": 2.668, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.7996920,47.995390] }, "properties": { "altitude": "248.8", "sensor": "34", "gpstime":"2019-06-26T20:19:25.000Z", "temperature": 29.03, "relhumidity": 4.13, "vappress": 2.751, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8011520,47.995100] }, "properties": { "altitude": "246.5", "sensor": "34", "gpstime":"2019-06-26T20:19:47.000Z", "temperature": 29.00, "relhumidity": 4.86, "vappress": 2.701, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8026020,47.994760] }, "properties": { "altitude": "247.9", "sensor": "34", "gpstime":"2019-06-26T20:20:11.000Z", "temperature": 28.85, "relhumidity": 4.69, "vappress": 2.496, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8041900,47.994840] }, "properties": { "altitude": "253.8", "sensor": "34", "gpstime":"2019-06-26T20:23:06.000Z", "temperature": 28.77, "relhumidity": 2.79, "vappress": 2.357, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8055920,47.995203] }, "properties": { "altitude": "251.5", "sensor": "34", "gpstime":"2019-06-26T20:24:20.000Z", "temperature": 29.32, "relhumidity": 1.69, "vappress": 2.138, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8069130,47.994798] }, "properties": { "altitude": "253.5", "sensor": "34", "gpstime":"2019-06-26T20:24:42.000Z", "temperature": 29.40, "relhumidity": 2.01, "vappress": 2.268, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8083770,47.994620] }, "properties": { "altitude": "255.9", "sensor": "34", "gpstime":"2019-06-26T20:25:05.000Z", "temperature": 29.76, "relhumidity": 1.62, "vappress": 2.172, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8068900,47.994780] }, "properties": { "altitude": "253.8", "sensor": "34", "gpstime":"2019-06-26T20:25:51.000Z", "temperature": 29.43, "relhumidity": 2.04, "vappress": 2.512, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8052780,47.995380] }, "properties": { "altitude": "248.3", "sensor": "34", "gpstime":"2019-06-26T20:26:14.000Z", "temperature": 29.41, "relhumidity": 1.80, "vappress": 2.290, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8064100,47.997080] }, "properties": { "altitude": "247.9", "sensor": "34", "gpstime":"2019-06-26T20:26:57.000Z", "temperature": 29.36, "relhumidity": 2.31, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8077830,47.998107] }, "properties": { "altitude": "256.8", "sensor": "34", "gpstime":"2019-06-26T20:27:51.000Z", "temperature": 29.30, "relhumidity": 2.10, "vappress": 2.277, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8093450,47.999007] }, "properties": { "altitude": "252.7", "sensor": "34", "gpstime":"2019-06-26T20:28:18.000Z", "temperature": 29.23, "relhumidity": 2.29, "vappress": 1.883, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8111380,47.999960] }, "properties": { "altitude": "256.1", "sensor": "34", "gpstime":"2019-06-26T20:28:48.000Z", "temperature": 28.93, "relhumidity": 3.57, "vappress": 2.043, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8124050,48.000655] }, "properties": { "altitude": "253.5", "sensor": "34", "gpstime":"2019-06-26T20:29:15.000Z", "temperature": 28.93, "relhumidity": 3.65, "vappress": 2.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8138420,48.000765] }, "properties": { "altitude": "253.4", "sensor": "34", "gpstime":"2019-06-26T20:29:50.000Z", "temperature": 29.07, "relhumidity": 3.52, "vappress": 2.405, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8154420,48.000208] }, "properties": { "altitude": "245.8", "sensor": "34", "gpstime":"2019-06-26T20:30:49.000Z", "temperature": 28.94, "relhumidity": 4.87, "vappress": 2.285, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8168070,47.999710] }, "properties": { "altitude": "245.7", "sensor": "34", "gpstime":"2019-06-26T20:31:08.000Z", "temperature": 28.63, "relhumidity": 5.34, "vappress": 2.347, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8184850,47.999043] }, "properties": { "altitude": "245.9", "sensor": "34", "gpstime":"2019-06-26T20:31:33.000Z", "temperature": 28.48, "relhumidity": 5.47, "vappress": 2.057, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8198620,47.998483] }, "properties": { "altitude": "248.5", "sensor": "34", "gpstime":"2019-06-26T20:31:54.000Z", "temperature": 28.58, "relhumidity": 5.65, "vappress": 2.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8213980,47.998130] }, "properties": { "altitude": "254.2", "sensor": "34", "gpstime":"2019-06-26T20:32:48.000Z", "temperature": 28.64, "relhumidity": 4.63, "vappress": 2.116, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8226600,47.999053] }, "properties": { "altitude": "255.0", "sensor": "34", "gpstime":"2019-06-26T20:33:18.000Z", "temperature": 28.61, "relhumidity": 5.96, "vappress": 2.307, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8241380,47.998305] }, "properties": { "altitude": "259.3", "sensor": "34", "gpstime":"2019-06-26T20:34:12.000Z", "temperature": 28.42, "relhumidity": 6.61, "vappress": 2.434, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8256550,47.997908] }, "properties": { "altitude": "260.1", "sensor": "34", "gpstime":"2019-06-26T20:34:34.000Z", "temperature": 28.56, "relhumidity": 5.75, "vappress": 2.454, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8272630,47.997525] }, "properties": { "altitude": "261.8", "sensor": "34", "gpstime":"2019-06-26T20:34:54.000Z", "temperature": 28.87, "relhumidity": 4.58, "vappress": 2.524, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8285780,47.997080] }, "properties": { "altitude": "265.6", "sensor": "34", "gpstime":"2019-06-26T20:35:13.000Z", "temperature": 28.99, "relhumidity": 3.97, "vappress": 2.330, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8300550,47.996797] }, "properties": { "altitude": "271.3", "sensor": "34", "gpstime":"2019-06-26T20:35:40.000Z", "temperature": 28.90, "relhumidity": 3.97, "vappress": 2.160, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8318380,47.997820] }, "properties": { "altitude": "272.7", "sensor": "34", "gpstime":"2019-06-26T20:36:20.000Z", "temperature": 29.09, "relhumidity": 3.62, "vappress": 2.945, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8334750,47.997368] }, "properties": { "altitude": "273.2", "sensor": "34", "gpstime":"2019-06-26T20:36:44.000Z", "temperature": 29.38, "relhumidity": 2.78, "vappress": 2.615, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8349870,47.996987] }, "properties": { "altitude": "275.2", "sensor": "34", "gpstime":"2019-06-26T20:37:21.000Z", "temperature": 29.43, "relhumidity": 2.47, "vappress": 2.545, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8368130,47.996370] }, "properties": { "altitude": "280.0", "sensor": "34", "gpstime":"2019-06-26T20:37:50.000Z", "temperature": 29.50, "relhumidity": 1.53, "vappress": 2.175, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8383300,47.995898] }, "properties": { "altitude": "283.3", "sensor": "34", "gpstime":"2019-06-26T20:38:12.000Z", "temperature": 29.46, "relhumidity": 1.72, "vappress": 2.284, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8397680,47.996143] }, "properties": { "altitude": "285.4", "sensor": "34", "gpstime":"2019-06-26T20:38:42.000Z", "temperature": 29.50, "relhumidity": 1.93, "vappress": 2.364, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8414000,47.995132] }, "properties": { "altitude": "277.4", "sensor": "34", "gpstime":"2019-06-26T20:39:25.000Z", "temperature": 29.62, "relhumidity": 1.02, "vappress": 2.387, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8430120,47.994900] }, "properties": { "altitude": "280.3", "sensor": "34", "gpstime":"2019-06-26T20:39:48.000Z", "temperature": 29.78, "relhumidity": 0.79, "vappress": 2.467, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8443370,47.993728] }, "properties": { "altitude": "288.9", "sensor": "34", "gpstime":"2019-06-26T20:40:30.000Z", "temperature": 29.61, "relhumidity": 1.15, "vappress": 2.148, } }, { "type": "Feature", "geometry": { "type": "Point", "coordinates": [7.8452400,47.993663] }, "properties": { "altitude": "290.0", "sensor": "34", "gpstime":"2019-06-26T20:40:43.000Z", "temperature": 29.33, "relhumidity": 1.48, "vappress": 1.938, } }, ] }); <file_sep>#!/bin/bash python ~/Desktop/meteobike03.py <file_sep>#! /usr/bin/python # -*- coding: utf-8 -*- """ Program <meteobike_epaper.py> to read and record GPS data, air temperature and humidity using Adafruit's Ultimate GPS and Pimoroni's DHT22 temperature sensor while riding on a bike. This version will display data on E-paper instead of on-screen. Developed by: University of Freiburg Chair of Environmental Meteology, <EMAIL> Version 1.40 - EPAPER VERSION Written by <NAME> Mar 2018 Modified by <NAME> Apr 2018, May 2019, Jun 2020 Modified by <NAME> Mar 2020 Using the class GpsPoller written by <NAME> http://dan.mandle.me September 2012 License: GPL 2.0 For detailed description see: https://github.com/achristen/Meteobike/ """ from __future__ import division import socket import importlib import math from io import StringIO import csv import time import os,sys import logging sys.path.insert(1,'/home/pi/e-Paper/RaspberryPi&JetsonNano/python/lib') from waveshare_epd import epd2in7b from PIL import Image,ImageDraw,ImageFont import traceback import datetime from datetime import timedelta from gps import * import Adafruit_DHT import threading from Tkinter import * from time import gmtime, strftime import numpy import socket import RPi.GPIO as GPIO #User ID & Constants raspberryid = "52" # enter your raspberry's number studentname = "Andreas" # enter your first name - no spaces and no special characters temperature_cal_a1 = 1.00000 # enter the calibration coefficient slope for temperature temperature_cal_a0 = 0.00000 # enter the calibration coefficient offset for temperature vappress_cal_a1 = 1.00000 # enter the calibration coefficient slope for vapour pressure vappress_cal_a0 = 0.00000 # enter the calibration coefficient offset for vapour pressure #Creating Data File display_interval = 5 # display epaper every X records logfile_path = "/home/pi/Desktop/" logfile = logfile_path+raspberryid+"-"+studentname+"-"+strftime("%Y-%m-%d.csv") # construct file name #Retrieve IP from system def get_ip():#gives the ip adress of our unique RaspberryPi s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) try: # doesn't even have to be reachable s.connect(('10.255.255.255', 1)) IP = s.getsockname()[0] except: IP = '127.0.0.1' finally: s.close() return IP #Counter cnt = 0 #Starting value def counter(): #Every time we record data, the cnt is increased by one global cnt cnt+=1 return cnt # setting global variables gpsd = None class GpsPoller(threading.Thread): def __init__(self): threading.Thread.__init__(self) global gpsd # bring it in scope gpsd = gps(mode=WATCH_ENABLE) #starting the stream of info self.current_value = None self.running = True # setting the thread running to true def run(self): global gpsd while gpsp.running: gpsd.next() # this will continue to loop and grab EACH set of gpsd info to clear the buffer gpsp = GpsPoller() # create the thread gpsp.start() # start it up #Recognizing status for speed def gps(): has_fix=False#assume no fix f_mode=int(gpsd.fix.mode)#store number of sats global gps_count if f_mode > 2 :#True if we have a GPS signal has_fix=True if cnt==0: #If have a GPS signal from the 1st running gps_count=0 if gps_count==1:# Gps on for 2*n times gps_count=2 elif gps_count==2:# Gps on for 2*(n+1/2)times gps_count=1 if gps_count==0:# Gps on for 1st time gps_count=1 else: gps_count=0 return gps_count #Initiative status - Recording status_record="on" recording = True sampling_rate = 5 # sampling rate - minimum number of seconds between samplings dht22_pin = 4 # pin for DHT22 Data dht22_sensor = Adafruit_DHT.DHT22 #callback functions def exit_program(): sys.exit() def record_data(): global recording recording=True global status_record status_record="On" if os.path.isfile(logfile):return else:#write header line f0=open(logfile,"w") f0.write("ID,Record,Raspberry_Time,GPS_Time,Altitude,Latitude,Longitude,Temperature,TemperatureRaw,RelHumidity,RelHumidityRaw,VapourPressure,VapourPressureRaw,Velocity\n") f0.close() def stop_data(): global recording recording=False global status_record status_record="Off" #Main Program record_data() #Always Recording at the beginning while True: def count(): #Initiative Imports & Modules from waveshare_epd import epd2in7b from PIL import Image,ImageDraw,ImageFont import traceback datetimeFormat='%Y-%m-%d %H:%M:%S' rad_Earth=6378100.0 computer_time = strftime("%Y-%m-%d %H:%M:%S") #Gps Variables gps_time=gpsd.utc gps_altitude=gpsd.fix.altitude gps_latitude=gpsd.fix.latitude gps_longitude=gpsd.fix.longitude gps_on=gps()#Checking for Gps Signal f_mode=int(gpsd.fix.mode) #store number of sats has_fix=False if f_mode > 2 : has_fix=True if has_fix==True and gps_on==1: global lat1,lon1,rho1,z1,x1,y1,t1 lat1=math.pi*gps_latitude/180.0 lon1=math.pi*gps_longitude/180.0 rho1=rad_Earth*math.cos(lat1) z1=rad_Earth*math.sin(lat1) x1=rho1*math.cos(lon1) y1=rho1*math.sin(lon1) t1=computer_time if has_fix==True and gps_on==2: global lat2,lon2,rho2,z2,x2,y2,t2,dot,cos_theta,theta,dist,t2,vel lat2=math.pi*gps_latitude/180.0 lon2=math.pi*gps_longitude/180.0 rho2=rad_Earth*math.cos(lat2) z2=rad_Earth*math.sin(lat2) x2=rho2*math.cos(lon2) y2=rho2*math.sin(lon2) dot=(x1*x2+y1*y2+z1*z2) cos_theta=dot/(rad_Earth*rad_Earth) if cos_theta < 1 and cos_theta > -1: theta=math.acos(cos_theta) else: theta=float("nan") dist=rad_Earth*theta t2=computer_time diff=datetime.datetime.strptime(t2,datetimeFormat)-datetime.datetime.strptime(t1,datetimeFormat) vel=dist/diff.seconds lat1=lat2 lon1=lon2 rho1=rho2 z1=z2 x1=x2 y1=y2 t1=t2 gps() #Calculating Variables dht22_humidity, dht22_temperature = Adafruit_DHT.read_retry(dht22_sensor, dht22_pin) dht22_temperature_raw=round(dht22_temperature,5) dht22_temperature_calib=round(dht22_temperature * temperature_cal_a1 + temperature_cal_a0,3) dht22_temperature = dht22_temperature_calib saturation_vappress_ucalib = 0.6113 * numpy.exp((2501000.0/461.5)*((1.0/273.15)-(1.0/(dht22_temperature_raw+273.15)))) saturation_vappress_calib = 0.6113 * numpy.exp((2501000.0/461.5)*((1.0/273.15)-(1.0/(dht22_temperature_calib+273.15)))) dht22_vappress=(dht22_humidity/100.0)*saturation_vappress_ucalib dht22_vappress_raw=round(dht22_vappress,5) dht22_vappress_calib=round(dht22_vappress * vappress_cal_a1 + vappress_cal_a0,5) dht22_vappress = dht22_vappress_calib dht22_humidity_raw=round(dht22_humidity,3) dht22_humidity = round(100 * (dht22_vappress_calib / saturation_vappress_calib),3) if dht22_humidity >100:dht22_humidity=100 if cnt == 0: global temperature_prev,humidity_prev,vappress_prev temperature_prev = 0 humidity_prev = 0 vappress_prev = 0 tendency_temperature = dht22_temperature - temperature_prev tendency_humidity = dht22_humidity - humidity_prev tendency_vappress = dht22_vappress - vappress_prev if cnt % 5 == 0: temperature_prev = dht22_temperature humidity_prev = dht22_humidity vappress_prev = dht22_vappress #ePaper Begins epd = epd2in7b.EPD() epd.init() #Font Description font_dir='/home/pi/e-Paper/RaspberryPi&JetsonNano/python/pic' font18 = ImageFont.truetype(os.path.join(font_dir, 'Font.ttc'), 18) font14 = ImageFont.truetype(os.path.join(font_dir, 'Font.ttc'), 14) left_spacing = 3 first_line = 4 last_line = 255 line_spacing_18 = 23 line_spacing_14 = 16 #Descriptive image if cnt == 0:#1st run print('Hello '+studentname+', Welcome to Meteobike #'+raspberryid) LBlackimage = Image.new('1', (epd.width, epd.height), 255) # 255: clear the frame LRedimage= Image.new('1', (epd.width, epd.height), 255) # 255: clear the frame drawblack = ImageDraw.Draw(LBlackimage) drawred = ImageDraw.Draw(LRedimage) drawblack.text((4, 4), 'Hello '+studentname, font = font18, fill = 0) drawblack.text((4, 40), 'Meteobike #'+raspberryid , font = font14, fill = 0) if get_ip()=='127.0.0.1': drawred.text((4,55), 'No WiFi connection', font = font14, fill = 0) else: drawblack.text((4,55), 'IP: ' +get_ip(), font = font14, fill = 0) drawblack.text((4, 90), 'Key 1: Pause Recording' , font = font14, fill = 0) drawblack.text((4, 105), 'Key 2: Resume Recording' , font = font14, fill = 0) drawblack.text((4, 120), 'Key 4: Exit Recording' , font = font14, fill = 0) drawblack.text((4, 180), 'Hold keys for 2 seconds.', font = font14, fill = 0) drawred.text((4, 200), 'Your Meteobike will \nstart automatically now \nif you press no key.', font = font14, fill = 0) epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) time.sleep(8) if recording == True:#cnt+1 counter() # Data Recording if recording:# and has_fix: it depends f0=open(logfile,"a") f0.write(raspberryid+",") f0.write(str(cnt)+",") f0.write(computer_time+",") if has_fix:f0.write(gps_time+",") else:f0.write("nan,") f0.write("{0:.3f}".format(gps_altitude)+",") f0.write("{0:.6f}".format(gps_latitude)+",") f0.write("{0:.6f}".format(gps_longitude)+",") f0.write(str(dht22_temperature)+",") f0.write(str(dht22_temperature_raw)+",") f0.write(str(dht22_humidity)+",") f0.write(str(dht22_humidity_raw)+",") f0.write(str(dht22_vappress)+",") f0.write(str(dht22_vappress_raw)+",") if has_fix==True and gps_on==2:f0.write(str(vel)+"\n") else:f0.write("nan\n") f0.close() # --------------------------------- # E-Paper # --------------------------------- #Measurement Screen LBlackimage = Image.new('1', (epd.width, epd.height), 255) # 255: clear the fram LRedimage= Image.new('1', (epd.width, epd.height), 255) # 255: clear the frame drawblack = ImageDraw.Draw(LBlackimage) drawred = ImageDraw.Draw(LRedimage) arrow_temperature = '' if tendency_temperature > 0 and cnt > 1: arrow_temperature = u'↑' if tendency_temperature < 0 and cnt > 1: arrow_temperature = u'↓' if tendency_temperature == 0 and cnt > 1: arrow_temperature = u'→' arrow_humidity = '' if tendency_humidity > 0 and cnt > 1: arrow_humidity = u'↑' if tendency_humidity < 0 and cnt > 1: arrow_humidity = u'↓' if tendency_humidity == 0 and cnt > 1: arrow_humidity = u'→' arrow_vappress = '' if tendency_vappress > 0 and cnt > 1: arrow_vappress = u'↑' if tendency_vappress < 0 and cnt > 1: arrow_vappress = u'↓' if tendency_vappress == 0 and cnt > 1: arrow_vappress = u'→' if gpsd.fix.latitude < 0: latitude_ns = "S" else: latitude_ns = "N" if gpsd.fix.longitude < 0: longitude_ew = "W" else: longitude_ew = "E" drawblack.text((left_spacing,first_line+0*line_spacing_18), 'T: ' +"{0:.1f}".format(dht22_temperature)+u'°C '+arrow_temperature, font = font18, fill = 0) drawblack.text((left_spacing,first_line+1*line_spacing_18), 'RH: '+"{0:.1f}%".format(dht22_humidity)+' '+arrow_temperature, font = font18, fill = 0) drawblack.text((left_spacing,first_line+2*line_spacing_18), 'Vap.Prs.: '+"{0:.2f} kPa".format(dht22_vappress)+' '+arrow_vappress, font = font18, fill = 0) if has_fix==True and gps_on==2: #presents Velocity if available drawblack.text((left_spacing,first_line+3*line_spacing_18), 'Speed: ' +"{0:.1f} m/s".format(vel), font = font18, fill= 0) else:drawred.text((left_spacing,first_line+3*line_spacing_18), 'Error: No GPS Signal', font = font18, fill = 0) if has_fix==True and gps_on==2: drawblack.text((left_spacing,first_line+10+3*line_spacing_18+1*line_spacing_14), 'Altitude: ' +"{0:.1f} m".format(gpsd.fix.altitude), font = font14, fill = 0) drawblack.text((left_spacing,first_line+10+3*line_spacing_18+2*line_spacing_14), 'Pos.: ' +"{0:.3f}".format(abs(gpsd.fix.latitude))+u'°'+latitude_ns+'/'+"{0:.3f}".format(abs(gpsd.fix.longitude))+u'°'+longitude_ew, font = font14, fill = 0) drawblack.text((left_spacing,first_line+10+3*line_spacing_18+3*line_spacing_14), 'Date: ' +gps_time[0:10], font = font14, fill = 0) drawblack.text((left_spacing,first_line+10+3*line_spacing_18+4*line_spacing_14), 'Time: ' +gps_time[11:19]+' UTC', font = font14, fill = 0) drawblack.line((left_spacing, 170, epd.width-left_spacing, 170), fill = 0) drawblack.text((left_spacing,last_line-5*line_spacing_14), studentname+"'s Meteobike", font = font14, fill = 0) drawblack.text((left_spacing,last_line-4*line_spacing_14), 'Meteobike #' +raspberryid, font = font14, fill = 0) if get_ip()=='127.0.0.1': drawred.text((left_spacing,last_line-3*line_spacing_14), 'No WiFi connection', font = font14, fill = 0) else: drawblack.text((left_spacing,last_line-3*line_spacing_14), 'IP: ' +get_ip(), font = font14, fill = 0) if status_record=="On" and has_fix==True and gps_on==2: drawblack.text((left_spacing,last_line-2*line_spacing_14), 'Recording : On', font = font14, fill = 0) else: drawred.text((left_spacing,last_line-2*line_spacing_14), 'Recording: Off', font = font14, fill = 0) drawblack.text((left_spacing,last_line-1*line_spacing_14), 'Record No: '+str(cnt), font = font14, fill = 0) if cnt % display_interval == 0: epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) if cnt == 1: epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) #Decision Phase t=0 while True: GPIO.setmode(GPIO.BCM) key1 = 5 key2 = 6 key3 = 13 key4 = 19 GPIO.setup(key1, GPIO.IN, pull_up_down=GPIO.PUD_UP) GPIO.setup(key2, GPIO.IN, pull_up_down=GPIO.PUD_UP) GPIO.setup(key3, GPIO.IN, pull_up_down=GPIO.PUD_UP) GPIO.setup(key4, GPIO.IN, pull_up_down=GPIO.PUD_UP) '''2Gray(Black and white) display''' key1state = GPIO.input(key1) key2state = GPIO.input(key2) key3state = GPIO.input(key3) key4state = GPIO.input(key4) LBlackimage = Image.new('1', (epd.width, epd.height), 255) # 255: clear the fram LRedimage= Image.new('1', (epd.width, epd.height), 255) # 255: clear the frame drawblack = ImageDraw.Draw(LBlackimage) drawred = ImageDraw.Draw(LRedimage) drawblack.line((left_spacing, 170, epd.width-left_spacing, 170), fill = 0) drawblack.text((left_spacing,last_line-5*line_spacing_14), studentname+"'s Meteobike", font = font14, fill = 0) drawblack.text((left_spacing,last_line-4*line_spacing_14), 'Meteobike #' +raspberryid, font = font14, fill = 0) if get_ip()=='127.0.0.1': drawred.text((left_spacing,last_line-3*line_spacing_14), 'No WiFi connection', font = font14, fill = 0) else: drawblack.text((left_spacing,last_line-3*line_spacing_14), 'IP: ' +get_ip(), font = font14, fill = 0) drawblack.text((left_spacing,last_line-1*line_spacing_14), 'Record No: '+str(cnt), font = font14, fill = 0) if key1state == False: drawred.text((left_spacing, first_line), 'Recording \npaused' , font = font18, fill = 0) drawred.text((left_spacing,last_line-2*line_spacing_14), 'Recording : Paused', font = font14, fill = 0) epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) print('Key1 Pressed') stop_data() break if key2state == False: drawblack.text((left_spacing, first_line), 'Recording started' , font = font18, fill = 0) drawblack.text((left_spacing,last_line-2*line_spacing_14), 'Recording : On', font = font14, fill = 0) epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) print('Key2 Pressed') record_data() break if key3state == False: print('Key3 Pressed') break if key4state == False: drawred.text((left_spacing, first_line+0*line_spacing_18), 'Meteobike' , font = font18, fill = 0) drawred.text((left_spacing, first_line+1*line_spacing_18), 'stopped' , font = font18, fill = 0) drawblack.text((left_spacing, first_line+10+3*line_spacing_18+1*line_spacing_14), 'To resume logging, you' , font = font14, fill = 0) drawblack.text((left_spacing, first_line+10+3*line_spacing_18+2*line_spacing_14), 'must reboot your system' , font = font14, fill = 0) drawred.text((left_spacing,last_line-2*line_spacing_14), 'Recording : Off', font = font14, fill = 0) epd.display(epd.getbuffer(LBlackimage),epd.getbuffer(LRedimage)) print('Key4 Pressed') exit_program() break if t==5: break t+=1 time.sleep(1) count() <file_sep>Cloning of a Raspberry PI formatted SD Card (Meteobike) =============== If you have a working system with SD card for one Meteobike, you may want to clone the SD-card to equip multiple systems the same way. The following procedure describes the cloning of a SD-Card for a Raspberry PI using on a Mac or another Unix system using the `dd` command. Insert the SD card in the card slot of your computer (or an adapter). Open the command line, in this example the `Terminal` on a Mac. Type `diskutil list` into the command line to see the current disks and partitions. imac:~ yourname$ diskutil list The result may look like: /dev/disk0 (internal): #: TYPE NAME SIZE IDENTIFIER 0: GUID_partition_scheme 500.3 GB disk0 1: EFI EFI 314.6 MB disk0s1 2: Apple_APFS Container disk1 500.0 GB disk0s2 /dev/disk1 (synthesized): #: TYPE NAME SIZE IDENTIFIER 0: APFS Container Scheme - +500.0 GB disk1 Physical Store disk0s2 1: APFS Volume Macintosh HD 131.7 GB disk1s1 2: APFS Volume Preboot 24.3 MB disk1s2 3: APFS Volume Recovery 519.6 MB disk1s3 4: APFS Volume VM 4.3 GB disk1s4 /dev/disk2 (internal, physical): #: TYPE NAME SIZE IDENTIFIER 0: FDisk_partition_scheme *31.9 GB disk2 1: Windows_FAT_16 RECOVERY 1.8 GB disk2s1 2: Linux 33.6 MB disk2s5 3: Windows_FAT_32 boot 72.4 MB disk2s6 4: Linux 30.0 GB disk2s7 Here `/dev/disk2`refers to a 32 GB SD Card. You could tell this based on its name, size and formatting. If you instead of `/dev/diskN` use `/dev/rdiskN`, where `N` is the muber, the process of copying is much faster. The letter "r" stands for "für "raw". To copy the raw content from the SD card into a disk image, use the `dd` command, where `if=` is the input, `of=` is the output image, here an image file called `sdcard.img`. `bs=` determines the block-size of the copying, here 1 MB. imac:~ yourname$ sudo dd if=/dev/rdisk2 of=/Users/yourname/Desktop/sdcard.img bs=1m Password: <PASSWORD>6+1 records in 30436+1 records out 31914983424 bytes transferred in 372.269240 secs (85730917 bytes/sec) imac:~ yourname$ Once completed, you find a disk image on your Deskto. You don't need an unmount command, just insert the SD card into the Mac via the slot or an adapter and then check in the terminal which disc number corresponds to the SD card. In the example it is `disk2` but could be different on each system. Copying back on an empty SD card (or one that will be overwritten) is done accordingly with the command: sudo dd if=/Users/yourname/Desktop/sdcard.img of=/dev/rdisk2 bs=1m Make sure you are correctly pointing the `of=` to the SD-Card to be written / overwritten.
65cddb6d36deb0903112a00211c048cb8f7f3237
[ "Markdown", "Python", "JavaScript", "Shell" ]
9
Markdown
achristen/Meteobike
b885236ab65e8337c44ef58ee4ac79af61cb346f
54a2ec4791d00050c9633999020364ba9441e7e2
refs/heads/master
<file_sep># Metro Metro Database Management System <file_sep>#include<fstream.h> #include<conio.h> #include<stdio.h> #include<stdlib.h> #include<ctype.h> #include<time.h> #include<string.h> ifstream fin; ofstream fout; class passenger { char pname[35]; char traveldate[9]; char bstn[20],dstn[30]; char btime[9]; public: passenger() { strcpy(bstn,"Baiyappanahalli"); } void putpassenger() { cout<<"\n Name: "<<pname; cout<<"\n Date of travel: "<<traveldate; cout<<"\n Boarding station: "<<bstn; cout<<"\n Destination: "<<dstn; cout<<"\n Time of boarding: "<<btime; } void getpassenger(char dest[]) { passenger p1; cout<<"\n Enter name: "; gets(p1.pname); int i=0; while(p1.pname[i]!='\0') { p1.pname[i]=toupper(p1.pname[i]); i++; } _strdate(p1.traveldate); strcpy(p1.dstn,dest); _strtime(p1.btime); fout.open("travel.dat",ios::out|ios::binary|ios::app); fout.write((char *)&p1,sizeof(p1)); fout.close(); } char *retdate() { return traveldate; } char *retname() { return pname; } }; class staff { char sname[35],stid[15]; public: staff() { strcpy(sname,"BMRC"); strcpy(stid,"bmrc"); } void putstaff() { cout<<"\n Name: "<<sname; cout<<"\n ID: "<<stid; } void getstaff() { staff s1; cout<<"\n Enter name: "; gets(s1.sname); int i=0; while(s1.sname[i]!='\o') { s1.sname[i]=toupper(s1.sname[i]); i++; } cout<<"\n Create user id: "; gets(s1.stid); fout.open("staff.dat",ios::out|ios::binary|ios::app); fout.write((char *)&s1,sizeof(s1)); fout.close(); } char *retid() { return stid; } }; void main() { passenger P; staff S; fout.open("staff.dat",ios::out|ios::binary|ios::app); fin.open("staff.dat",ios::in|ios::binary); fin.seekg(0); char x; if(fin>>x) { fout.write((char *)&S,sizeof(S)); } fout.close(); fin.close(); int ch,scode; char dst[30],dat[9],tim[9],nam[30]; _strtime(tim); _strdate(dat); select: clrscr(); cout<<"\n ****************************************************************************"; cout<<"\n WELCOME TO BANGALORE METRO RAIL CORPORATION SERVICE!"; cout<<"\n ****************************************************************************"; cout<<"\n\n Time: "<<tim<<"\n Date: "<<dat; cout<<"\n\n 1. Customer"; cout<<"\n 2. Staff"; cout<<"\n 3. Exit"; cout<<"\n\n Enter your choice: "; cin>>ch; switch(ch) { case 1: goto cmenu; case 2: goto smenu; case 3: cout<<"\n THANK YOU FOR USING BANGALORE METRO RAIL CORPORATION SERVICE! \n VISIT AGAIN!"; getch(); exit(0); default: cout<<"\n Invalid choice! Try again!"; getch(); goto select; } cmenu: clrscr(); cout<<"\n ****************************************************************************"; cout<<"\n WELCOME TO MENU!"; cout<<"\n ****************************************************************************"; cout<<"\n\n Time: "<<tim<<"\n Date: "<<dat; cout<<"\n\n 1. Display all stations with fare"; cout<<"\n 2. Plan your travel"; cout<<"\n 3. Travel with pass"; cout<<"\n 4. Exit"; cout<<"\n\n Enter your choice: "; cin>>ch; switch(ch) { case 1: clrscr(); cout<<"\n YOU ARE AT: Baiyappanahalli"; cout<<"\n\n Time: "<<tim<<"\n Date: "<<dat; cout<<"\n Station code\t Station name\t\t Fare(in ruppees)\t Time(in mins)"; cout<<"\n\n \t01\t Swami Vivekananda Road\t\t 5\t\t\t 2"; cout<<"\n \t02\t Indiranagar\t\t\t 6\t\t\t 4"; cout<<"\n \t03\t Halasuru\t\t\t 7\t\t\t 7"; cout<<"\n \t04\t Trinity\t\t\t 8\t\t\t 10"; cout<<"\n \t05\t Mahatma Gandhi Road\t\t 9\t\t\t 12"; cout<<"\n \t06\t Cubbon Park\t\t\t 10\t\t\t 13"; cout<<"\n \t07\t Vidhana Soudha\t\t\t 11\t\t\t 15"; cout<<"\n \t08\t Sir.M.Visveshwaraya\t\t 12\t\t\t 18"; cout<<"\n \t09\t Kempegowda\t\t\t 13\t\t\t 19"; cout<<"\n \t10\t City Railway Station\t\t 14\t\t\t 20"; cout<<"\n \t11\t Magadi Road\t\t\t 15\t\t\t 22"; cout<<"\n \t12\t Hosahalli\t\t\t 16\t\t\t 23"; cout<<"\n \t13\t Vijayanagar\t\t\t 17\t\t\t 25"; cout<<"\n \t14\t Attiguppe\t\t\t 18\t\t\t 27"; cout<<"\n \t15\t Deepanjali Nagar\t\t 19\t\t\t 28"; cout<<"\n \t16\t Mysore Road\t\t\t 20\t\t\t 30"; cout<<"\n\n Press any key to go back to menu!"; getch(); goto cmenu; case 2: clrscr(); cout<<"\n YOU ARE AT: Baiyappanahalli"; cout<<"\n\n Time: "<<tim<<"\n Date: "<<dat; cout<<"\n Station code\t Station name\t\t Fare(in ruppees)\t Time(in mins)"; cout<<"\n\n \t01\t Swami Vivekananda Road\t\t 5\t\t\t 2"; cout<<"\n \t02\t Indiranagar\t\t\t 6\t\t\t 4"; cout<<"\n \t03\t Halasuru\t\t\t 7\t\t\t 7"; cout<<"\n \t04\t Trinity\t\t\t 8\t\t\t 10"; cout<<"\n \t05\t Mahatma Gandhi Road\t\t 9\t\t\t 12"; cout<<"\n \t06\t Cubbon Park\t\t\t 10\t\t\t 13"; cout<<"\n \t07\t Vidhana Soudha\t\t\t 11\t\t\t 15"; cout<<"\n \t08\t Sir.M.Visveshwaraya\t\t 12\t\t\t 18"; cout<<"\n \t09\t Kempegowda\t\t\t 13\t\t\t 19"; cout<<"\n \t10\t City Railway Station\t\t 14\t\t\t 20"; cout<<"\n \t11\t Magadi Road\t\t\t 15\t\t\t 22"; cout<<"\n \t12\t Hosahalli\t\t\t 16\t\t\t 23"; cout<<"\n \t13\t Vijayanagar\t\t\t 17\t\t\t 25"; cout<<"\n \t14\t Attiguppe\t\t\t 18\t\t\t 27"; cout<<"\n \t15\t Deepanjali Nagar\t\t 19\t\t\t 28"; cout<<"\n \t16\t Mysore Road\t\t\t 20\t\t\t 30"; cout<<"\n\n Enter your station code: "; cin>>scode; switch(scode) { case 1: strcpy(dst,"Swami Vivekananda Road"); break; case 2: strcpy(dst,"Indiranagar"); break; case 3: strcpy(dst,"Halasuru"); break; case 4: strcpy(dst,"Trinity"); break; case 5: strcpy(dst,"Mahatma Gandhi Road"); break; case 6: strcpy(dst,"Cubbon Park"); break; case 7: strcpy(dst,"Vidhana Soudha"); break; case 8: strcpy(dst,"Sir.M.Visveshwaraya"); break; case 9: strcpy(dst,"Kempegowda"); break; case 10: strcpy(dst,"City Railway Station"); break; case 11: strcpy(dst,"Magadi Road"); break; case 12: strcpy(dst,"Hosahalli"); break; case 13: strcpy(dst,"Vijayanagar"); break; case 14: strcpy(dst,"Attiguppe"); break; case 15: strcpy(dst,"Deepanjali Nagar"); break; case 16: strcpy(dst,"Mysore Road"); break; default: cout<<"\n Invalid choice! Try again!"; getch(); goto cmenu; } P.getpassenger(dst); cout<<"\n Collect your ticket and pay the fare at platform entrance booth"; cout<<"\n Happy Journey!!! Visit again!!!"; getch(); goto select; case 3: clrscr(); cout<<"\n Welcome to pass service!!!"; cout<<"\n\n YOU ARE AT: Baiyappanahalli"; cout<<"\n Station code\t Station name\t\t Time(in mins)"; cout<<"\n\n \t01\t Swami Vivekananda Road\t\t 2"; cout<<"\n \t02\t Indiranagar\t\t\t 4"; cout<<"\n \t03\t Halasuru\t\t\t 7"; cout<<"\n \t04\t Trinity\t\t\t 10"; cout<<"\n \t05\t Mahatma Gandhi Road\t\t 12"; cout<<"\n \t06\t Cubbon Park\t\t\t 13"; cout<<"\n \t07\t Vidhana Soudha\t\t\t 15"; cout<<"\n \t08\t Sir.M.Visveshwaraya\t\t 18"; cout<<"\n \t09\t Kempegowda\t\t\t 19"; cout<<"\n \t10\t City Railway Station\t\t 20"; cout<<"\n \t11\t Magadi Road\t\t\t 22"; cout<<"\n \t12\t Hosahalli\t\t\t 23"; cout<<"\n \t13\t Vijayanagar\t\t\t 25"; cout<<"\n \t14\t Attiguppe\t\t\t 27"; cout<<"\n \t15\t Deepanjali Nagar\t\t 28"; cout<<"\n \t16\t Mysore Road\t\t\t 30"; cout<<"\n\n Enter your destination code: "; cin>>scode; switch(scode) { case 1: strcpy(dst,"Swami Vivekananda Road"); break; case 2: strcpy(dst,"Indiranagar"); break; case 3: strcpy(dst,"Halasuru"); break; case 4: strcpy(dst,"Trinity"); break; case 5: strcpy(dst,"Mahatma Gandhi Road"); break; case 6: strcpy(dst,"Cubbon Park"); break; case 7: strcpy(dst,"Vidhana Soudha"); break; case 8: strcpy(dst,"Sir.M.Visveshwaraya"); break; case 9: strcpy(dst,"Kempegowda"); break; case 10: strcpy(dst,"City Railway Station"); break; case 11: strcpy(dst,"Magadi Road"); break; case 12: strcpy(dst,"Hosahalli"); break; case 13: strcpy(dst,"Vijayanagar"); break; case 14: strcpy(dst,"Attiguppe"); break; case 15: strcpy(dst,"Deepanjali Nagar"); break; case 16: strcpy(dst,"Mysore Road"); break; default: cout<<"\n Invalid choice! Try again!"; getch(); goto cmenu; } P.getpassenger(dst); cout<<"\n Collect your ticket and show the pass at platform entrance booth"; cout<<"\n Happy Journey!!! Visit again!!!"; getch(); goto select; case 4: cout<<"\n Thank you for visiting BMRC!!!\n Visit again!!!"; getch(); goto select; default: cout<<"\n Invalid choice! Try again!"; getch(); goto cmenu; } smenu: char sid[20],spwrd[20]; clrscr(); cout<<"\n ********************************************************** ******************"; cout<<"\n WELCOME STAFF MEMBER!!!"; cout<<"\n ****************************************************************************"; cout<<"\n\n Time: "<<tim<<"\n Date: "<<dat; cout<<"\n\n Enter login details!"; cout<<"\n Staff id: "; gets(sid); fin.open("staff.dat",ios::in|ios::binary); fin.seekg(0); goto staffmenu; staffmenu: clrscr(); cout<<"\n ********************************************************** ******************"; cout<<"\n WELCOME TO STAFF MENU!!!"; cout<<"\n ****************************************************************************"; cout<<'\n'; S.putstaff(); cout<<'\n'; cout<<"\n 1. Display today's travel details"; cout<<"\n 2. Search by date"; cout<<"\n 3. Search by name"; cout<<"\n 4. Create new staff member"; cout<<"\n 5. Delete travel records till date"; cout<<"\n 6. Exit"; cin>>ch; if(ch==1) { clrscr(); S.putstaff(); cout<<'\n'; fin.open("travel.dat",ios::in|ios::binary); fin.seekg(0); while(fin.read((char *)&P,sizeof(P))) { P.putpassenger(); cout<<'\n'; } fin.close(); cout<<"\n Press any key to go to menu!"; getch(); goto staffmenu; } else if(ch==2) { clrscr(); S.putstaff(); cout<<'\n'; fin.open("travel.dat",ios::in|ios::binary); fin.seekg(0); char dt[9]; cout<<"\n Enter the date to be searched(MM/DD/YY): "; gets(dt); int flag=0; while(fin.read((char *)&P,sizeof(P))) { if(!strcmp(P.retdate(),dt)) { flag=1; P.putpassenger(); cout<<'\n'; } } if(flag==0) cout<<"\n NOT FOUND!!!"; fin.close(); cout<<"\n Press any key to go to menu!"; getch(); goto staffmenu;} else if(ch==3) { clrscr(); cout<<'\n'; S.putstaff(); fin.open("travel.dat",ios::in|ios::binary); fin.seekg(0); cout<<"\n Enter the name to be searched: "; gets(nam); int j=0; while(nam[j]!='\0') { nam[j]=toupper(nam[j]); j++; } int flag=0; while(fin.read((char *)&P,sizeof(P))) { if(!strcmp(P.retname(),nam)) { flag=1; P.putpassenger(); cout<<'\n'; } } if(flag==0) cout<<"\n NOT FOUND!!!"; fin.close(); cout<<"\n Press any key to go to menu!"; getch(); goto staffmenu; } else if(ch==4) { clrscr(); S.putstaff(); cout<<'\n'; cout<<"\n Create a new staff member!"; staff s1; s1.getstaff(); cout<<"\n Press any key to go to menu!"; goto staffmenu; } else if(ch==5) { clrscr(); S.putstaff(); cout<<'\n'; cout<<"\n Delete all travel details!"; cout<<"\n\n Before deleting all travel records,\n make sure you have saved them for future use somewhere else!"; cout<<"\n Enter 0 to go back to menu or\n any other key to proceed with delete operation!"; char c; cin>>c; if(c=='0') goto staffmenu; remove(“travel.dat”); cout<<”\n Delete successful!!!”; getch(); goto staffmenu; } else if(ch==6) { cout<<”\n Thank You!!!”; getch(); goto select; } else { cout<<”\n Invalid choice! Try again!”; getch(); goto staffmenu; } }
fcbef0e7f5b261e13268a0f40c489db09d263222
[ "Markdown", "C++" ]
2
Markdown
nitinnbbhagat/Metro
40f7a91e3dbbd3728e4160f20462008084fc1b8b
c0e3677061654e81ffb6d1a7bb5d94319c93d631
refs/heads/master
<file_sep>import argparse import json import numpy as np import torch import checkpoint_helper as ch import image_processor as ip from PIL import Image from torch import nn from torch import optim from torchvision import datasets, transforms, models from workspace_utils import active_session def main(): #Get input arguments args = get_input_args() image_path = args.image_path checkpoint = args.checkpoint top_k = args.top_k gpu = args.gpu category_names = args.category_names device = torch.device("cuda" if args.gpu else "cpu") model = ch.load_checkpoint(checkpoint)[0] model.to(device) top_ps, top_classes = predict(image_path, model, device, top_k) ps = top_ps.cpu().data.numpy().squeeze() cat_to_name = get_cat_to_name(category_names) labels = get_labels(cat_to_name, top_classes) display_results(ps, labels) def display_results(top_ps, labels): ''' Print the top result(s) in the console ''' if len(labels) == 1: print("Top prediction:") print("{}: {:.2f}%".format(labels[0], top_ps * 100)) else: print("Top predictions:") for top_p, label in zip(top_ps, labels): print("{}: {:.2f}%".format(label, top_p * 100)) def get_cat_to_name(filepath): '''Get the category names from file passed in ''' with open(filepath, 'r') as f: cat_to_name = json.load(f) return cat_to_name def get_labels(cat_to_name, top_classes): ''' Get the labels for the top classes from the category names passed in ''' labels = [] for index in top_classes: labels.append(cat_to_name[str(index)]) labels = np.array(labels) return labels def predict(image_path, model, device, topk): ''' Predict the class (or classes) of an image using a trained deep learning model. ''' model.eval() model.to(device) img = Image.open(image_path) img = ip.process_image(image_path) img = torch.from_numpy(img) img = img.unsqueeze_(0) if device.type == "cuda": img = img.type(torch.cuda.FloatTensor) else: img = img.type(torch.FloatTensor) img.to(device) class_to_idx = dict([(value, key) for key, value in model.class_to_idx.items()]) with torch.no_grad(): logps = model.forward(img) ps = torch.exp(logps) top_ps, top_classes = ps.topk(topk, dim=1) indexes = [] for index in top_classes.cpu().data.numpy()[0]: indexes.append(class_to_idx.get(index)) indexes = np.array(indexes) return top_ps, indexes def get_input_args(): ''' Get input arguments passed in from the command line ''' parser = argparse.ArgumentParser(description="Get Input Arguments") parser.add_argument("image_path", type=str, action="store", help="Path of image") parser.add_argument("checkpoint", type=str, action="store", help="Path to saved checkpoint of trained model") parser.add_argument("--top_k", type=int, default="1", help="The number of the highest probabilities") parser.add_argument("--category_names", type=str, default="cat_to_name.json", help="Path of category names") parser.add_argument("--gpu", action="store_true", help="Use GPU") args = parser.parse_args() return args if __name__ == "__main__": main()<file_sep>import torch import classifier as cf def save_checkpoint(model, pretrained_model, classifier, optimiser, class_to_idx, directory): ''' Save checkpoint to the directory specified with the parameters passed in ''' filepath = "{}/checkpoint.pth".format(directory) checkpoint = { 'pretrained_model': pretrained_model, 'input_size': classifier.input_size, 'output_size': classifier.output_size, 'hidden_layers': [layer.out_features for layer in classifier.hidden_layers], 'dropout': classifier.dropout.p, 'learn_rate': classifier.learn_rate, 'epochs': classifier.epochs, 'class_to_idx': class_to_idx, 'state_dict': model.state_dict(), 'optimiser': optimiser, 'optimiser_state_dict': optimiser.state_dict() } torch.save(checkpoint, filepath) def load_checkpoint(filepath): ''' Load checkpoint spefified in the filepath passed in ''' checkpoint = torch.load(filepath) model = checkpoint['pretrained_model'] for parameter in model.parameters(): parameter.requires_grad = False classifier = cf.Classifier(checkpoint['input_size'], checkpoint['hidden_layers'], checkpoint['output_size'], checkpoint['dropout'], checkpoint['learn_rate'], checkpoint['epochs']) model.classifier = classifier model.class_to_idx = checkpoint['class_to_idx'] model.load_state_dict(checkpoint['state_dict']) optimiser = checkpoint['optimiser'] optimiser.load_state_dict(checkpoint['optimiser_state_dict']) return model, optimiser<file_sep>import argparse import numpy as np import torch import checkpoint_helper as ch import classifier as cf from torch import nn from torch import optim from torchvision import datasets, transforms, models from workspace_utils import active_session def main(): #Get input arguments args = get_input_args() data_dir = args.data_dir device = torch.device("cuda" if args.gpu else "cpu") arch = args.arch hidden_layers = args.hidden_units criterion = args.data_dir learn_rate = args.learning_rate epochs = args.epochs save_dir = args.save_dir validation_interval = 10 dropout = 0.02 #Get pretrained model pretrained_model = load_pretrained_model(arch) model = pretrained_model for parameter in model.parameters(): parameter.requires_grad = False #Import data dataloaders, image_datasets = import_data(data_dir) class_to_idx = image_datasets["training"].class_to_idx #Get input and output parameters input_size = get_input_size_from_model(model) output_size = len(class_to_idx) #Define classifier classifier = cf.Classifier(input_size, hidden_layers, output_size, dropout, learn_rate, epochs) model.classifier = classifier model.to(device) #Define criterion criterion = nn.NLLLoss() #Define optimiser optimiser = optim.Adam(model.classifier.parameters(), lr=learn_rate) #Train model train(model, device, dataloaders["trainloader"], dataloaders["validloader"], criterion, optimiser, learn_rate, epochs, validation_interval) #Save checkpoint ch.save_checkpoint(model, pretrained_model, model.classifier, optimiser, class_to_idx, save_dir) def import_data(data_dir): ''' Import the data to be used in training, validation and testing. Folder must contain 'train', 'valid' and 'test' subfolders. ''' train_dir = data_dir + '/train' valid_dir = data_dir + '/valid' test_dir = data_dir + '/test' data_transforms = {"training": transforms.Compose([transforms.RandomRotation(30), transforms.RandomHorizontalFlip(), transforms.RandomResizedCrop(224), transforms.ToTensor(), transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225]) ]), "validation": transforms.Compose([transforms.Resize(255), transforms.CenterCrop(224), transforms.ToTensor(), transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225]) ]), "testing": transforms.Compose([transforms.Resize(255), transforms.CenterCrop(224), transforms.ToTensor(), transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225]) ]) } image_datasets = {"training": datasets.ImageFolder( train_dir, transform=data_transforms["training"]), "validation": datasets.ImageFolder( valid_dir, transform=data_transforms["validation"]), "testing": datasets.ImageFolder( test_dir, transform=data_transforms["testing"]) } dataloaders = {"trainloader": torch.utils.data.DataLoader( image_datasets["training"], batch_size=64, shuffle=True), "validloader": torch.utils.data.DataLoader( image_datasets["validation"], batch_size=64, shuffle=True), "testloader": torch.utils.data.DataLoader( image_datasets["testing"], batch_size=64, shuffle=True) } return dataloaders, image_datasets def load_pretrained_model(arch): ''' Get a pretrained model from architecture passed in, from a choice of alexnet or densenet121 ''' if arch == "alexnet": return models.alexnet(pretrained=True) elif arch == "densenet121": return models.densenet121(pretrained=True) def get_input_size_from_model(model): ''' A method to get the input size of the pretrained model's classifier ''' sizes = [] for name, param in model.classifier.named_parameters(): sizes.append(param.size()) return sizes[0][1] def train(model, device, trainloader, validloader, criterion, optimiser, learn_rate, epochs, validation_interval): ''' Train the model with the parameters passed in ''' with active_session(): steps = 0 running_loss = 0 model.train() for epoch in range(epochs): for images, labels in trainloader: #Transferring images and labels to device images, labels = images.to(device), labels.to(device) #Set gradient to zero on each loop before performing backpropogation optimiser.zero_grad() #Feedforward output = model.forward(images) #Calculating loss from the output loss = criterion(output, labels) #Performing backpropogation, calculating the gradient of the loss loss.backward() #Appending the loss to the running loss running_loss+=loss.item() #Updating the weights, taking a step with the optimiser optimiser.step() steps += 1 #Checking accuracy at set intervals if steps % validation_interval == 0: valid_loss = 0 accuracy = 0 with torch.no_grad(): model.eval() for images, labels in validloader: images, labels = images.to(device), labels.to(device) #Calculating loss logps = model.forward(images) loss = criterion(logps, labels) valid_loss += loss.item() #Calculating accuracy ps = torch.exp(logps) top_p, top_class = ps.topk(1, dim=1) equality = top_class == labels.view(*top_class.shape) accuracy += torch.mean(equality.type(torch.FloatTensor)).item() #Printing loss and accuracy to help determine best hyperparameters print("Epoch: {}/{} ".format(epoch+1, epochs), "Training loss: {:.3f}.. ".format(running_loss/validation_interval), "Validation loss: {:.3f}.. ".format(valid_loss/len(validloader)), "Validation accuracy: {:.3f}{}".format(accuracy/len(validloader)*100,"%")) #Resetting running_loss running_loss = 0 #Setting model back to training mode model.train() print("Done") def get_input_args(): ''' Get input arguments passed in from the command line ''' parser = argparse.ArgumentParser(description="Get Input Arguments") parser.add_argument("data_dir", type=str, action="store", help="Path to data directory") parser.add_argument("--save_dir", type=str, default=".", help="Save checkpoint location") parser.add_argument("--arch", type=str, default="alexnet", choices=["alexnet", "densenet121"], help="Choose CNN model architecture") parser.add_argument("--learning_rate", type=float, default=0.003, help="Learning rate") parser.add_argument("--hidden_units", nargs='+', type=int, default=[512, 256], help="Hidden units for one or more layers") parser.add_argument("--epochs", type=int, default=10, help="Number of epochs to train") parser.add_argument("--gpu", action="store_true", help="Use GPU") args = parser.parse_args() return args if __name__ == "__main__": main()<file_sep>import torch import torch.nn.functional as F from torch import nn class Classifier(nn.Module): def __init__(self, input_size, hidden_layers, output_size, dropout=0.02, learn_rate=0.003, epochs=10): super().__init__() #Dropout self.input_size = input_size self.output_size = output_size self.dropout = nn.Dropout(p=dropout) self.learn_rate = learn_rate self.epochs = epochs #Populate hidden layers from input variables self.hidden_layers = nn.ModuleList([nn.Linear(input_size, hidden_layers[0])]) for layer1, layer2 in zip(hidden_layers[:-1], hidden_layers[1:]): self.hidden_layers.extend([nn.Linear(layer1, layer2)]) self.output = nn.Linear(hidden_layers[-1], output_size) def forward(self, x): #Flatten the image x = x.view(x.shape[0], -1) for layer in self.hidden_layers: x = self.dropout(F.relu(layer(x))) #Log softmax output x = F.log_softmax(self.output(x), dim=1) return x<file_sep>import numpy as np from PIL import Image def process_image(image): ''' Scales, crops, and normalizes a PIL image for a PyTorch model, returns a Numpy array ''' pil_image = Image.open(image) resize_dimensions = (256,256) crop_dimensions = (224,224) #Resize image pil_image = resize_image(pil_image, resize_dimensions) #Crop center 224 x 224 square of image pil_image = crop_image(pil_image, crop_dimensions) #Convert image to numpy array np_image = np.array(pil_image) #Convert RGB values to between 0-1 np_image = np_image/255 #Normalise the image mean = np.array([0.485, 0.456, 0.406]) std = np.array([0.229, 0.224, 0.225]) np_image = (np_image - mean) / std #Transpose columns np_image = np_image.transpose((2, 0, 1)) return np_image def resize_image(pil_image, dimensions): ''' Resize shortest side to new dimension and keep aspect ratio Returns PIL Image ''' width, height = pil_image.size if (width > height): new_height = dimensions[1] new_width = round(width * (new_height/height)) else: new_width = dimensions[0] new_height = round(height * (new_width/width)) return pil_image.resize((new_width, new_height)) def crop_image(pil_image, dimensions): ''' Crop the center of a pil_image to the new dimensions Returns PIL Image ''' horizontal_center = pil_image.width/2 vertical_center = pil_image.height/2 crop_left = horizontal_center - dimensions[0]/2 crop_top = vertical_center - dimensions[1]/2 crop_right = horizontal_center + dimensions[0]/2 crop_bottom = vertical_center + dimensions[1]/2 return pil_image.crop((crop_left, crop_top, crop_right, crop_bottom))
f71e374ea9e48e4b22b488bf4c67946f81a48639
[ "Python" ]
5
Python
RichardAllison/pytorch_image_classifier
a4b8dae475735b317ef85c249c975a2751e89292
1c2b7316d929b098301f95127ee3bfed4ac6afd9
refs/heads/master
<file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static T GetRemainingFromList<T>(List<T> list, int N) { while (list.Count != 1) { if (list.Count < N) { list.RemoveAt((N-1) % list.Count ); } else { list.RemoveAt(N - 1); } } return list[0]; } static T GetRemainingFromLinkedList<T>(LinkedList<T> list, int N) { while (list.Count != 1) { var node = list.First; int deleteIndex = (list.Count < N) ? (N - 1) % list.Count : N - 1; for (int i = 1; i <= deleteIndex; i++) { node = node.Next; } list.Remove(node); } return list.First.Value; } static void Main(string[] args) { Console.WriteLine("Enter the length of lists"); int length = Convert.ToInt32(Console.ReadLine()); List<string> list = new List<string>(); LinkedList<string> linkedList = new LinkedList<string>(); string element; for (int i = 1; i <= length; i++) { Console.WriteLine("Enter {0} element of lists", i); element = Console.ReadLine(); list.Add(element); linkedList.AddLast(element); } Console.WriteLine("Enter the remove elements number"); int N = Convert.ToInt32(Console.ReadLine()); Console.WriteLine("Remaining element\nFrom list:{0}\nFrom Linked list:{1}", GetRemainingFromList(list,N), GetRemainingFromLinkedList(linkedList, N)); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task4 { class SumCalculator { public static int CalculateEvenElementsSum(int[,] arr) { int sum = 0; for (int i = 0; i <= arr.GetLength(0) - 1; i++) { for (int j = 0; j <= arr.GetLength(1) - 1; j++) { if ((i + j)%2 == 0) { sum += arr[i, j]; } } } return sum; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task4 { class TwoDimensionalArrayPrinter { public static void Print(int[,] arr) { for (int i = 0; i <= arr.GetLength(0) - 1; i++) { for (int j = 0; j <= arr.GetLength(1) - 1; j++) { Console.Write("{0,4}", arr[i, j]); } Console.WriteLine(); } } } } <file_sep>using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows.Forms; using Entities; using BusinessLogic; namespace Task1 { public partial class FormMain : Form { public UsersBL UsersBusinessLogic { get; set; } public PrizesBL PrizesBusinessLogic { get; set; } public BindingList<User> UsersBindList { get; set; } public BindingList<Prize> PrizesBindList { get; set; } public FormMain() { UsersBusinessLogic = new UsersBL(); PrizesBusinessLogic = new PrizesBL(); UsersBindList = new BindingList<User>(UsersBusinessLogic.InitList().ToList()); PrizesBindList = new BindingList<Prize>(PrizesBusinessLogic.InitList().ToList()); InitializeComponent(); dataGridViewUsers.DataSource = UsersBindList; dataGridViewPrizes.DataSource = PrizesBindList; dataGridViewUsers.Columns["Prizes"].DisplayIndex = 5; } private void AddUser() { FormAddOrEditUser formAddUser = new FormAddOrEditUser(this); formAddUser.Show(); } private void EditUser() { User user = (User)dataGridViewUsers.SelectedCells[0].OwningRow.DataBoundItem; FormAddOrEditUser formEditUser = new FormAddOrEditUser(this, user); formEditUser.Show(); } private void DeleteUser() { User deletedUser = (User)dataGridViewUsers.SelectedCells[0].OwningRow.DataBoundItem; DialogResult dialog = MessageBox.Show("Delete " + deletedUser.LastName + "?", "Deleting", MessageBoxButtons.YesNo); if (dialog == DialogResult.Yes) { UsersBindList.Remove(deletedUser); UsersBusinessLogic.DeleteUser(deletedUser); } } private void AddPrizeToUser() { User user = (User)dataGridViewUsers.SelectedCells[0].OwningRow.DataBoundItem; FormRewardingUser formRewardingUser = new FormRewardingUser(this, user); formRewardingUser.Show(); } private void AddPrize() { FormAddOrEditPrize formAddPrize = new FormAddOrEditPrize(this); formAddPrize.Show(); } private void buttonAddUser_Click(object sender, EventArgs e) { AddUser(); } private void EditPrize() { if (tabContUserPrizeSelection.SelectedIndex != 1) { throw new Exception("Switch tab"); } Prize editedPrize = (Prize)dataGridViewPrizes.SelectedCells[0].OwningRow.DataBoundItem; FormAddOrEditPrize formEditPrize = new FormAddOrEditPrize(this, editedPrize); formEditPrize.Show(); } private void tabContListSelection_SelectedIndexChanged(object sender, EventArgs e) { if (tabContUserPrizeSelection.SelectedIndex == 1) { buttonAddUser.Visible = false; buttonAddPrizeToUser.Visible = false; buttonEditUser.Visible = false; buttonDeleteUser.Visible = false; buttonEditPrize.Visible = true; buttonAddPrize.Visible = true; buttonDeletePrize.Visible = true; } else { buttonAddUser.Visible = true; buttonAddPrizeToUser.Visible = true; buttonEditUser.Visible = true; buttonDeleteUser.Visible = true; buttonEditPrize.Visible = false; buttonAddPrize.Visible = false; buttonDeletePrize.Visible = false; } } private void buttonAddPrize_Click(object sender, EventArgs e) { AddPrize(); } private void buttonAddPrizeToUser_Click(object sender, EventArgs e) { AddPrizeToUser(); } private void DeletePrize() { if (tabContUserPrizeSelection.SelectedIndex != 1) { throw new Exception("Switch tab"); } Prize deletedPrize = (Prize)dataGridViewPrizes.SelectedCells[0].OwningRow.DataBoundItem; DialogResult dialog = MessageBox.Show("Delete " + deletedPrize.Title + "?", "Deleting", MessageBoxButtons.YesNo); if (dialog == DialogResult.Yes) { PrizesBindList.Remove(deletedPrize); PrizesBusinessLogic.DeletePrize(deletedPrize, UsersBusinessLogic); foreach (User user in UsersBindList) { user.PrizesList.Remove(deletedPrize); } } } private void dataGridViewUsers_ColumnHeaderMouseClick(object sender, DataGridViewCellMouseEventArgs e) { int index = e.ColumnIndex; switch (index) { case 0: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.ID).ToList()); break; case 1: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.FirstName).ToList()); break; case 2: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.LastName).ToList()); break; case 3: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.BirthDate).ToList()); break; case 4: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.Age).ToList()); break; case 5: UsersBindList = new BindingList<User>(UsersBindList.OrderBy(x => x.Prizes).ToList()); break; } dataGridViewUsers.DataSource = UsersBindList; } private void buttonEditUser_Click(object sender, EventArgs e) { EditUser(); } private void buttonDeletePrize_Click(object sender, EventArgs e) { try { DeletePrize(); } catch(Exception ex) { MessageBox.Show(ex.Message); } } private void buttonDeleteUser_Click(object sender, EventArgs e) { DeleteUser(); } private void FormMain_Load(object sender, EventArgs e) { } private void buttonEditPrize_Click(object sender, EventArgs e) { try { EditPrize(); } catch (Exception ex) { MessageBox.Show(ex.Message); } } private void addUserToolStripMenuItem_Click(object sender, EventArgs e) { AddUser(); } private void editUserToolStripMenuItem_Click(object sender, EventArgs e) { EditUser(); } private void deleteUserToolStripMenuItem_Click(object sender, EventArgs e) { DeleteUser(); } private void addPrizeToUserToolStripMenuItem_Click(object sender, EventArgs e) { AddPrizeToUser(); } private void addPrizeToolStripMenuItem_Click(object sender, EventArgs e) { AddPrize(); } private void editPrizeToolStripMenuItem_Click(object sender, EventArgs e) { try { EditPrize(); } catch (Exception ex) { MessageBox.Show(ex.Message); } } private void deletePrizeToolStripMenuItem_Click(object sender, EventArgs e) { try { DeletePrize(); } catch (Exception ex) { MessageBox.Show(ex.Message); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class DynamicArray<T> where T: new() { const int DEFAULT_CAPACITY = 8; const int RESERVE = 2; //Во сколько раз увеличивать ёмкость массива при его полном заполнении private T[] _arr; private int currentIndex; public int Length { get { return currentIndex; } } public int Capacity { get { return _arr.Length; } } public T this[int index] { get { if (index > this.Length) { throw new ArgumentOutOfRangeException ("Index was outside the bounds of the array"); } return _arr[index]; } set { if (index > this.Length) { throw new ArgumentOutOfRangeException ("Index was outside the bounds of the array"); } _arr[index] = value; } } public DynamicArray() { this._arr = new T[DEFAULT_CAPACITY]; SetDefault(0, _arr.Length); currentIndex = 0; } public DynamicArray(int length) { this._arr = new T[length]; currentIndex = 0; } public DynamicArray(T[] initialArray) { this._arr = new T[initialArray.Length]; for (int i = 0; i < initialArray.Length; i++) { this._arr[i] = initialArray[i]; } currentIndex = initialArray.Length - 1; } private void SetDefault(int leftBound, int rightBound) { for (int i = leftBound; i < rightBound; i++) { _arr[i] = default(T); } } public void Add(T element) { if (currentIndex == _arr.Length - 1) { ExpandCapacity(_arr.Length); } this._arr[currentIndex] = element; currentIndex++; } public void AddRange(T[] rangeArray) { if (rangeArray.Length + (currentIndex+1) > _arr.Length) { ExpandCapacity(rangeArray.Length + currentIndex); } foreach (var element in rangeArray) { this._arr[currentIndex] = element; currentIndex++; } } public void Remove(T element) { T[] tempArr = new T[_arr.Length]; int j = 0; for (int i = 0; i < _arr.Length; i++) { if (!_arr[i].Equals(element)) { tempArr[j] = _arr[i]; j++; } else { currentIndex--; } } _arr = tempArr; } public bool Insert(T element, int position) { if (position > this.Length) { throw new ArgumentOutOfRangeException("Index was outside the bounds of the array"); } if (currentIndex == _arr.Length - 1) { ExpandCapacity(_arr.Length); } int i = currentIndex; while (i != position - 1) { _arr[i + 1] = _arr[i]; i--; } _arr[position] = element; currentIndex++; return true; } private void ExpandCapacity(int Capacity) //Увеличение реальной ёмкости { T[] tempArr = new T[Capacity * RESERVE];//Увеличиваем в заданное кол-во раз for (int i = 0; i < _arr.Length; i++) { tempArr[i] = _arr[i]; } _arr = tempArr; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class User { private string _firstName; private string _middleName; private string _lastName; private DateTime _birthDate; public string FirstName { get { return _firstName; } set { _firstName = value == null ? "" : value; } } public string MiddleName { get { return _middleName; } set { _middleName = value == null ? "" : value; } } public string LastName { get { return _lastName; } set { _lastName = value == null ? "" : value; } } public DateTime BirthDate { get { return _birthDate; } set { _birthDate = value <= DateTime.Now ? value : DateTime.Now; } } public int Age { get; private set; } public User(string firstName, string middleName, string lastName, DateTime birthDate) { FirstName = firstName == null ? "" : firstName; _middleName = middleName == null ? "" : middleName; _lastName = lastName == null ? "" : lastName; _birthDate = birthDate <= DateTime.Now ? birthDate : DateTime.Now; Age = DateTime.Now.Year - _birthDate.Year; Age = DateTime.Now.Month < _birthDate.Month ? (Age - 1) : Age; } public User() { } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class TimeArgs : EventArgs { private DateTime _time; public DateTime Time { get { return _time; } set { _time = value; } } public TimeArgs(DateTime time) { Time = time; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.IO; using System.Text.RegularExpressions; namespace Task2 { class WatchingMode { private static FileSystemWatcher watcher; public WatchingMode(string folderPath) { try { watcher = new FileSystemWatcher(folderPath, "*.txt"); } catch (DirectoryNotFoundException) { Console.WriteLine("Directory not found"); } } public void Run() { watcher.IncludeSubdirectories = true; watcher.Changed += new FileSystemEventHandler(OnChanged); watcher.Created += new FileSystemEventHandler(OnChanged); watcher.Renamed += new RenamedEventHandler(OnRenamed); watcher.EnableRaisingEvents = true; } public static void OnChanged(object source, FileSystemEventArgs e) { watcher.EnableRaisingEvents = false; //Для единократного вывода события изменения. watcher.EnableRaisingEvents = true; string path = GetLogFolderPath(e); var dir = Directory.CreateDirectory(path); var logFileName = GetLogFileName(e); File.Copy(e.FullPath, dir.FullName + logFileName); Console.WriteLine("File: " + e.FullPath + " " + e.ChangeType); } public static string GetLogFolderPath(FileSystemEventArgs file) //Вернёт путь для создаваемой папки в нужном нам виде, без лишнего. { string trackingFolder = watcher.Path; string[] trackingPathFolders = trackingFolder.Split(new char[] { '\\' }); string trackingFolderShortName = trackingPathFolders[trackingPathFolders.Length - 1] == "" ? trackingPathFolders[trackingPathFolders.Length - 2] : trackingPathFolders[trackingPathFolders.Length - 1]; string filePath; if (file is RenamedEventArgs) { filePath = (file as RenamedEventArgs).OldFullPath; } else { filePath = file.FullPath; } string[] fileDirectories = filePath.Split(new char[] { '\\' }); StringBuilder strB = new StringBuilder(); for (int i = 0; i < fileDirectories.Length - 1; i++) { if (fileDirectories[i] == trackingFolderShortName) //ищем в пути к измененному файлу корневую отслеживаемую папку { strB.Append("log"); } strB.Append(fileDirectories[i]); strB.Append("/"); } return strB.ToString(); } public static string GetLogFileName(FileSystemEventArgs file) { var directories = file.FullPath.Split(new char[] { '\\' }); StringBuilder strB = new StringBuilder(); strB.Append(DateTime.Now.Year + "-"); strB.Append(DateTime.Now.Month + "-"); strB.Append(DateTime.Now.Day + "-"); strB.Append(DateTime.Now.Hour + "-"); strB.Append(DateTime.Now.Minute + "-"); strB.Append(DateTime.Now.Second + "-"); strB.Append(DateTime.Now.Millisecond + "-"); strB.Append(directories[directories.Length - 1]); return strB.ToString(); } public static string GetFileNameWithoutPath(string fullFileName) { string[] FileNameParts = fullFileName.Split(new char[] {'\\'}); return FileNameParts[FileNameParts.Length - 1]; } static string GetLogFileOldDateTime(string logFileName) //Выделить дату и время из имени слогированного файла { string[] nameParts = logFileName.Split(new char[] { '-' }); StringBuilder strB = new StringBuilder(); for (int i = 0; i < nameParts.Length - 1; i++) { strB.Append(nameParts[i]); strB.Append("-"); } return strB.ToString(); } public static void OnRenamed(object source, RenamedEventArgs e) { string path = GetLogFolderPath(e); DirectoryInfo logDirectory = new DirectoryInfo(path); foreach (var file in logDirectory.GetFiles()) { string logFileName = GetFileNameWithoutPath(file.Name); string oldFileName = GetFileNameWithoutPath(e.OldName); if (Regex.IsMatch(logFileName,"-" + oldFileName)) { string logTime = GetLogFileOldDateTime(logFileName); string newFileName = GetFileNameWithoutPath(e.Name); file.MoveTo(path + logTime + newFileName); } } Console.WriteLine("File: {0} renamed to {1}", e.OldFullPath, e.FullPath); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; using Data; using System.Configuration; namespace BusinessLogic { public class UsersBL { private IUserDAO _usersDAO; public UsersBL() { if (ConfigurationSettings.AppSettings["UseDB"] == "True") { _usersDAO = new UsersSqlDAO(); } else { _usersDAO = new UsersDAO(); } } private int CalculateNewID() { int lastId = 0; foreach (var user in _usersDAO.GetUsersList()) { if (user.ID > lastId) { lastId = user.ID; } } return lastId + 1; } public User CreateUser(string firstName, string lastName, DateTime birthDate) { int ID = CalculateNewID(); User user = new User(ID, firstName, lastName, birthDate); return user; } public void AddUser(User user) { if (user == null) { throw new ArgumentException("Null user"); } _usersDAO.AddUser(user); } public void ChangeUser(User oldUser, User newUser) { if (oldUser == null || newUser == null) { throw new ArgumentException("Null user"); } _usersDAO.ChangeUser(oldUser, newUser); } public void DeleteUser(User user) { if (user == null) { throw new ArgumentException("Null user"); } _usersDAO.DeleteUser(user); } public IEnumerable<User> GetUsersList() { return this._usersDAO.GetUsersList(); } public IEnumerable<User> InitList() { return GetUsersList(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length of array"); int length = Convert.ToInt32(Console.ReadLine()); List<int> list = new List<int>(); for (int i = 1; i <= length; i++) { Console.WriteLine("Enter the {0} element", i); list.Add(Convert.ToInt32(Console.ReadLine())); } DynamicArray<int> dynamicArray = new DynamicArray<int>(list); Console.WriteLine("\nElements:\n"); foreach (var element in dynamicArray) { Console.WriteLine(element); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the array's length and the upper border of value range."); int length =Convert.ToInt32(Console.ReadLine()); int upperBorder = Convert.ToInt32(Console.ReadLine()); int[] arr = ArrayCreator.CreateRandomArray(length, upperBorder * 2); SortMaker.QuickSort(arr, 0, arr.Length-1); ArrayPrinter.PrintArray(arr); Console.WriteLine("Minimum:{0}, Maximum:{1}",ElementsFinder.GetMinElement(arr),ElementsFinder.GetMaxElement(arr)); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace MathFunctions { public class MathFunctions { /// <summary> /// Fuction for calclulating factorial of natural number /// </summary> /// <param name="N">Number for calculating of factorial</param> /// <returns></returns> public static int Factorial(int N) { return N == 0 ? 1 : N * Factorial(N - 1); } /// <summary> /// Function for involution /// </summary> /// <param name="x">Base of degree</param> /// <param name="y">Index of degree</param> /// <returns></returns> public static double Power(double x, double y) { return Math.Pow(x, y); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Text.RegularExpressions; using System.IO; namespace Task2 { class RollbackMode { string _path; List<FileInfo> rollbackedFiles = new List<FileInfo>(); public RollbackMode(string path) { this._path = path; } public void Rollback(DateTime rollbackDate) { string logFolderPath = GetLogFolderPath(); DirectoryInfo logFolder; try { logFolder = new DirectoryInfo(logFolderPath); } catch (DirectoryNotFoundException) { Console.WriteLine("Directory not found"); return; } foreach (var file in logFolder.GetFiles(".", SearchOption.AllDirectories)) { string fileName = WatchingMode.GetFileNameWithoutPath(file.FullName); if (Regex.IsMatch(file.FullName, ".txt") && isSmallerDate(file, rollbackDate)) { var rollbackedFile = file; foreach (var comparedFile in logFolder.GetFiles(".", SearchOption.AllDirectories)) { if (WatchingMode.GetFileNameWithoutPath(comparedFile.FullName) == WatchingMode.GetFileNameWithoutPath(rollbackedFile.FullName) && isSmallerDate(comparedFile, rollbackDate) && (comparedFile.CreationTime > rollbackedFile.CreationTime)) { rollbackedFile = comparedFile; } } rollbackedFiles.Add(rollbackedFile); } } ReplaceRollbackFiles(); } private void ReplaceRollbackFiles() { foreach (var file in rollbackedFiles) { string name = GetShortNameWithoutTime(file); file.MoveTo(file.DirectoryName + "\\" + name); File.Delete(Regex.Replace(file.FullName, "log", "")); file.MoveTo(Regex.Replace(file.FullName, "log", "")); } } private string GetShortNameWithoutTime(FileInfo file) { string[] parts = file.FullName.Split(new char[] { '\\' }); string[] fileNameParts = parts[parts.Length - 1].Split(new char[] { '-' }); return fileNameParts[fileNameParts.Length - 1]; } bool isSmallerDate(FileInfo file, DateTime rollbackDate/*string fileName, int year, int month, int day, int hour, int minute, int second*/) { return file.CreationTime < rollbackDate; } private string GetLogFolderPath() { string[] trackingPathFolders = _path.Split(new char[] { '\\' }); if (trackingPathFolders[trackingPathFolders.Length - 1] != "") { trackingPathFolders[trackingPathFolders.Length - 1] = "log" + trackingPathFolders[trackingPathFolders.Length - 1]; } else { trackingPathFolders[trackingPathFolders.Length - 2] = "log" + trackingPathFolders[trackingPathFolders.Length - 2]; } StringBuilder logFolderPath = new StringBuilder(); foreach (var folder in trackingPathFolders) { logFolderPath.Append(folder); logFolderPath.Append('/'); } return logFolderPath.ToString(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task3 { class Program { static bool WordIsNotInDictionary(string word, Dictionary<string, int> dict) { foreach (var pair in dict) { if (word.Equals(pair.Key, StringComparison.OrdinalIgnoreCase)) { return false; } } return true; } static string[] GetWords(string text) { List<char> separators = new List<char>(); foreach (char symb in text) { if (char.IsPunctuation(symb) || char.IsSeparator(symb)) { separators.Add(symb); } } var words = text.Split(separators.ToArray()); return words; } static Dictionary<string, int> GetWordCountDictionary(string[] words) { Dictionary<string, int> dict = new Dictionary<string, int>(); foreach (var word in words) { if (!String.IsNullOrWhiteSpace(word)) { int count = 0; for (int i = 0; i < words.Count(); i++) { if (words[i].Equals(word, StringComparison.OrdinalIgnoreCase)) { count++; } } if (WordIsNotInDictionary(word, dict)) { dict.Add(word, count); } } } return dict; } static void Main(string[] args) { string text = Console.ReadLine(); var words = GetWords(text); var dict = GetWordCountDictionary(words); foreach (var pair in dict) { Console.WriteLine("\n{0}-{1}", pair.Key, pair.Value); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class ThreeDimensionalArray { private int[,,] arr; public int[,,] Arr { get { return arr; } set { arr = value; } } private int arrLength; public int ArrLength { get { return arrLength; } set { arrLength = value; } } private int arrWidth; public int ArrWidth { get { return arrWidth; } set { arrWidth = value; } } private int arrHeight; public int ArrHeight { get { return arrHeight; } set { arrHeight = value; } } public ThreeDimensionalArray(int arrayLength, int arrayWidth, int arrayHeight, int valueUpperBorder) { this.arrLength = arrayLength; this.arrWidth = arrayWidth; this.arrHeight = arrayHeight; this.arr = CreateThreeDimensionalArray(arrayLength, arrayWidth, arrayHeight, valueUpperBorder); } private int[,,] CreateThreeDimensionalArray(int arrayLength, int arrayWidth, int arrayHeight, int valueUpperBorder) { int[,,] randomArray = new int[arrayLength,arrayWidth,arrayHeight]; Random random = new Random(); for (int i = 0; i <= arrayLength-1; i++) { for (int j = 0; j <= arrayWidth-1; j++) { for (int k = 0; k <= arrayHeight-1; k++) { randomArray[i, j, k] = random.Next(valueUpperBorder) - valueUpperBorder/2; } } } return randomArray; } public void SetToZeroPositiveNumbers() { int[, ,] array = this.arr; for (int i = 0; i <= this.arrLength-1; i++) { for (int j = 0; j <= this.arrWidth-1; j++) { for (int k = 0; k <= this.arrHeight-1; k++) { array[i,j,k] = array[i,j,k] > 0 ?0 :array[i,j,k]; } } } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Program { static void Main(string[] args) { var mcConel = CreateEmployee(); var richter = CreateEmployee(); Console.WriteLine("{0}=={1}={2}", mcConel.LastName, richter.LastName, mcConel.Equals(richter)); Console.ReadKey(); } static Employee CreateEmployee() { Console.WriteLine("Enter full name, birthdate, date of start of work and position in company"); string firstName = Console.ReadLine(); string middleName = Console.ReadLine(); string lastName = Console.ReadLine(); DateTime birthDate = DateTime.Parse(Console.ReadLine()); DateTime startWorkDate = DateTime.Parse(Console.ReadLine()); string position = Console.ReadLine(); Employee employee = new Employee(); try { employee = new Employee(firstName, middleName, lastName, birthDate, startWorkDate, position); } catch (Exception ex) { Console.WriteLine(ex.Message); } Console.WriteLine("\n{0} {1} {2}\n{3}\n{4} full years in company\n{5}", employee.FirstName, employee.MiddleName, employee.LastName, employee.Age, employee.WorkExperience, employee.Position); return employee; } } } <file_sep>using System; using System.Collections.Generic; using System.Data.SqlClient; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Data; using Entities; namespace Data { public class PrizesSqlDAO : IPrizeDAO, IDisposable { private SqlConnection _connection; public PrizesSqlDAO() { InitConnection(); } private void InitConnection() { _connection = new SqlConnection(DBConfig.GetConnectionString()); _connection.Open(); _connection.StateChange += ConnectionStateChange; } private void ConnectionStateChange(object sender, StateChangeEventArgs e) { if (e.CurrentState == ConnectionState.Broken) { InitConnection(); } } public IEnumerable<Prize> GetPrizeList() { List<Prize> prizes = new List<Prize>(); using (SqlCommand command = _connection.CreateCommand()) { command.CommandText = "SELECT * FROM Prizes"; SqlDataReader reader = command.ExecuteReader(); while (reader.Read()) { int id = (int)reader["ID"]; string title = (string)reader["Title"]; string description = (string)reader["Description"]; prizes.Add(new Prize(id, title, description)); } reader.Close(); } return prizes; } public void AddPrize(Prize prize) { if (prize == null) { throw new ArgumentException("Null prize"); } using (SqlCommand command = _connection.CreateCommand()) { command.CommandText = "INSERT INTO Prizes VALUES (@ID, @Title, @Description)"; command.Parameters.Add(new SqlParameter("@ID", SqlDbType.Int, 100)); command.Parameters.Add(new SqlParameter("@Title", SqlDbType.NVarChar, 50)); command.Parameters.Add(new SqlParameter("@Description", SqlDbType.NVarChar, 250)); command.Prepare(); command.Parameters[0].Value = prize.ID; command.Parameters[1].Value = prize.Title; command.Parameters[2].Value = prize.Description; var res = command.ExecuteNonQuery(); } } public void DeletePrize(Prize prize) { if (prize == null) { throw new ArgumentException("null user"); } using (SqlCommand delRewardingComand = _connection.CreateCommand()) { delRewardingComand.CommandText = "DELETE FROM Rewarding WHERE PrizeID = @przID"; delRewardingComand.Parameters.Add(new SqlParameter("@przID", SqlDbType.Int)); delRewardingComand.Prepare(); delRewardingComand.Parameters[0].Value = prize.ID; var res = delRewardingComand.ExecuteNonQuery(); } using (SqlCommand delPrizeCommand = _connection.CreateCommand()) { delPrizeCommand.CommandText = "DELETE FROM Prizes WHERE ID = @id"; delPrizeCommand.Parameters.Add(new SqlParameter("@id", SqlDbType.Int)); delPrizeCommand.Prepare(); delPrizeCommand.Parameters[0].Value = prize.ID; var result = delPrizeCommand.ExecuteNonQuery(); } } public void ChangePrize(Prize oldPrize, Prize newPrize) { if (oldPrize == null || newPrize == null) { throw new ArgumentException("null prize"); } using (SqlCommand command = _connection.CreateCommand()) { command.CommandText = "UPDATE Prizes Set Title = @title, Description = @description "+ "WHERE ID = @id"; command.Parameters.Add(new SqlParameter("@title", SqlDbType.NVarChar, 50)); command.Parameters.Add(new SqlParameter("@description", SqlDbType.NVarChar, 250)); command.Parameters.Add(new SqlParameter("@id", SqlDbType.Int, 100)); command.Prepare(); command.Parameters[0].Value = newPrize.Title; command.Parameters[1].Value = newPrize.Description; command.Parameters[2].Value = oldPrize.ID; var res = command.ExecuteNonQuery(); } } public void Dispose() { if (_connection != null) { _connection.Dispose(); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task4 { class TwoDimensionalArrayCreator { public static int[,] CreateTwoDimensionalArray(int length, int width, int valueUpperBorder) { int[,] arr = new int[length, width]; Random random = new Random(); for (int i = 0; i <= arr.GetLength(0) - 1; i++) { for (int j = 0; j <= arr.GetLength(1) - 1; j++) { arr[i, j] = random.Next(valueUpperBorder) - valueUpperBorder / 2; } } return arr; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading; using System.Threading.Tasks; using Task1; namespace Task3 { class SortsModule { private delegate string[] DelSort(string[] arr); private string[] strArr; private static Sorter sorter = new Sorter(); DelSort delSort = sorter.Sort; public event EventHandler EndSort; public string[] Sort(string[] arr) { return delSort(arr); } private void SortThisArr() { EndSort = new EventHandler(PrintEndSort); delSort(this.strArr); OnEndSort(); } public string[] SortInThread(string[] arr) { this.strArr = arr; Thread thread = new Thread(SortThisArr); thread.Start(); arr = this.strArr; return arr; } public void OnEndSort() { if (EndSort != null) { EndSort(this, null); } } private void PrintEndSort(object obj, EventArgs args) { Console.WriteLine("\nSorting is over\n"); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Task1; namespace Task3 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the array's length and the upper border of value range."); int length =Convert.ToInt32(Console.ReadLine()); int upperBorder = Convert.ToInt32(Console.ReadLine()); int[] arr = Task1.ArrayCreator.CreateRandomArray(length, upperBorder); int positiveElementsSum = SumCalculator.CalculatePositiveElementsSum(arr); Task1.ArrayPrinter.PrintArray(arr); Console.WriteLine("Sum of non-negative elemets:{0}", positiveElementsSum); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class ElementsFinder { public static int GetMinElement(int[] arr) { int minElement = arr[0]; for (int i = 0; i <= arr.Length - 1; i++) { if (arr[i] < minElement) { minElement = arr[i]; } } return minElement; } public static int GetMaxElement(int[] arr) { int maxElement = arr[0]; for (int i = 0; i <= arr.Length - 1; i++) { if (arr[i] > maxElement) { maxElement = arr[i]; } } return maxElement; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.IO; using System.Text.RegularExpressions; namespace Task2 { class Program { static void Main(string[] args) { Console.WriteLine("1-Watching mode, 2-Rollback mode"); var mode = Console.ReadKey(); if (mode.Key == ConsoleKey.D1) { WatchingMode watchingMode = new WatchingMode(args[0]); watchingMode.Run(); } else { RollbackMode rollbackMode = new RollbackMode(args[0]); Console.WriteLine("\nEnter the: year, month, day, hour, minute, second"); int year = int.Parse(Console.ReadLine()); int month = int.Parse(Console.ReadLine()); int day = int.Parse(Console.ReadLine()); int hour = int.Parse(Console.ReadLine()); int minute = int.Parse(Console.ReadLine()); int second = int.Parse(Console.ReadLine()); DateTime date = new DateTime(year, month, day, hour, minute, second); rollbackMode.Rollback(date); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; namespace Data { public class UsersDAO : IUserDAO { private List<User> _users = new List<User>(); public void AddUser(User user) { if (user == null) { throw new ArgumentException("Null user"); } _users.Add(user); } public void ChangeUser(User oldUser, User newUser) { int index = _users.IndexOf(oldUser); _users[index] = newUser; } public void DeleteUser(User user) { _users.Remove(user); } public IEnumerable<User> GetUsersList() { return _users; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Data.SqlClient; using System.Configuration; namespace Data { public static class DBConfig { public static string GetConnectionString() { string DBName = ConfigurationSettings.AppSettings["DatabaseName"]; string connectionString = ConfigurationSettings.AppSettings["ConnectionString"]; SqlConnectionStringBuilder builder = new SqlConnectionStringBuilder(); builder.DataSource = DBName; builder.ConnectionString = connectionString; return builder.ToString(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task4 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length, width of array and the upper border of values range"); int length = Convert.ToInt32(Console.ReadLine()); int width = Convert.ToInt32(Console.ReadLine()); int upperBorder = Convert.ToInt32(Console.ReadLine()) * 2; int[,] arr = TwoDimensionalArrayCreator.CreateTwoDimensionalArray(length, width, upperBorder); TwoDimensionalArrayPrinter.Print(arr); int EvenElementsSum = SumCalculator.CalculateEvenElementsSum(arr); Console.WriteLine("Even elements sum:{0}", EvenElementsSum); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the number for factorial calculating"); int N = Convert.ToInt32(Console.ReadLine()); Console.WriteLine("{0}! = {1}", N, MathFunctions.MathFunctions.Factorial(N)); Console.WriteLine("Enter the number and degree"); double x = Convert.ToDouble(Console.ReadLine()); double y = Convert.ToDouble(Console.ReadLine()); Console.WriteLine("{0}^{1} = {2}", x, y, MathFunctions.MathFunctions.Power(x, y)); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class SortMaker { private static void Swap(int[] arr, int i, int j) { int temp = arr[i]; arr[i] = arr[j]; arr[j] = temp; } public static void QuickSort(int[] arr, int leftBound, int rightBound) { int bearingElement = arr[(leftBound + rightBound) / 2]; int i = leftBound; int j = rightBound; while (i <= j) { while (arr[i] < bearingElement) { i++; } while (arr[j] > bearingElement) { j--; } Swap(arr, i, j); i++; j--; if (i < rightBound) { QuickSort(arr, i, rightBound); } if (leftBound < j) { QuickSort(arr, leftBound, j); } } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task3 { class Program { static void Main(string[] args) { TwoDPointWithHash x1 = new TwoDPointWithHash(1, 1); TwoDPointWithHash x2 = new TwoDPointWithHash(10, 10); Console.WriteLine("Hash codes:\n(1,1) : {0}", x1.GetHashCode()); Console.WriteLine("(10,10) : {0}", x2.GetHashCode()); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows.Forms; using Entities; using BusinessLogic; namespace Task1 { public partial class FormAddOrEditPrize : Form { private const int MAX_DESCRIPTION_LENGTH = 250; private const int MAX_TITLE_LENGTH = 50; FormMain _mainForm; Prize _editedPrize; public FormAddOrEditPrize(FormMain mainForm) { this._mainForm = mainForm; InitializeComponent(); buttonAdd.Visible = true; buttonAcceptChanges.Visible = false; } public FormAddOrEditPrize(FormMain mainForm, Prize editedPrize) { this._mainForm = mainForm; this._editedPrize = editedPrize; InitializeComponent(); this.Text = "Edit prize"; textBoxTitle.Text = _editedPrize.Title; richTextBoxDescription.Text = _editedPrize.Description; buttonAcceptChanges.Visible = true; buttonAdd.Visible = false; } private void buttonAdd_Click(object sender, EventArgs e) { try { Prize prize = _mainForm.PrizesBusinessLogic.CreatePrize(CutString(textBoxTitle.Text, MAX_TITLE_LENGTH), CutString(richTextBoxDescription.Text, MAX_DESCRIPTION_LENGTH)); _mainForm.PrizesBindList.Add(prize); _mainForm.PrizesBusinessLogic.AddPrize(prize); this.Dispose(); } catch (Exception ex) { MessageBox.Show(ex.Message); } } private string CutString(string text, int maxLength) { if (text.Length > maxLength) { char[] destinationArr = new char[maxLength]; text.CopyTo(0, destinationArr, 0, maxLength); text = new String(destinationArr); MessageBox.Show("Line has been reduced"); } return text; } private void buttonAcceptChanges_Click(object sender, EventArgs e) { try { int index = _mainForm.PrizesBindList.IndexOf(_editedPrize); Prize oldPrize = _editedPrize; _mainForm.PrizesBindList[index].Title = textBoxTitle.Text; _mainForm.PrizesBindList[index].Description = richTextBoxDescription.Text; Prize newPrize = _mainForm.PrizesBindList[index]; _mainForm.PrizesBusinessLogic.ChangePrize(oldPrize, newPrize); MessageBox.Show("Changes accepted"); this.Dispose(); } catch (Exception ex) { MessageBox.Show(ex.Message); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task3 { class SumCalculator { public static int CalculatePositiveElementsSum(int[] arr) { int sum = 0; foreach (int element in arr) { if (element > 0) { sum += element; } } return sum; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class TripleArrayPrinter { public static void Print(ThreeDimensionalArray tripleArray) { int[, ,] arr = tripleArray.Arr; Console.WriteLine(); for (int i = 0; i <= tripleArray.ArrLength-1; i++) { for (int j = 0; j <= tripleArray.ArrWidth-1; j++) { for (int k = 0; k <= tripleArray.ArrHeight-1; k++) { Console.WriteLine(arr[i, j, k]); } } Console.WriteLine(); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; namespace Data { public interface IUserDAO { void AddUser(User user); void ChangeUser(User oldUser, User newUser); void DeleteUser(User user); IEnumerable<User> GetUsersList(); } } <file_sep>using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows.Forms; using Entities; using BusinessLogic; namespace Task1 { public partial class FormRewardingUser : Form { private FormMain _main; private User _rewardUser; public FormRewardingUser(FormMain formMain, User user) { this._main = formMain; this._rewardUser = user; InitializeComponent(); labelUser.Text += user.FirstName + " " + user.LastName; dataGridPrizes.DataSource = _main.PrizesBindList; } private void buttonAddPrizeToUser_Click(object sender, EventArgs e) { Prize addingPrize = (Prize)dataGridPrizes.SelectedCells[0].OwningRow.DataBoundItem; if (_rewardUser.PrizesList.Contains(addingPrize)) { MessageBox.Show("This prize is already added"); } else { User oldUser = _rewardUser; _rewardUser.AddPrize(addingPrize); User newUser = _rewardUser; //if (! _main.UsersBusinessLogic.GetUsersList().ToList().Contains(oldUser)) //{ // _main.UsersBusinessLogic.AddUser(oldUser); //} _main.UsersBusinessLogic.ChangeUser(oldUser, newUser); this.Dispose(); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.IO; namespace Task1 { class FileOwner { private StreamReader _reader; private StreamWriter _writer; private string _fileName; public FileOwner(string fileName) { this._fileName = fileName; } public List<string> GetFileText() { List<string> textList = new List<string>(); try { _reader = new StreamReader(_fileName); while (!_reader.EndOfStream) { textList.Add(_reader.ReadLine()); } } catch (Exception ex) { Console.WriteLine(ex.Message); } finally { _reader.Close(); } return textList; } public void RecordFile(List<string> newText) { try { _writer = new StreamWriter(_fileName); foreach (var line in newText) { _writer.WriteLine(line); } } catch (Exception ex) { Console.WriteLine(ex.Message); } finally { _writer.Close(); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length of array"); int length = Convert.ToInt32(Console.ReadLine()); string[] arr = new string[length]; for (int i = 0; i < length; i++) { Console.WriteLine("Enter the {0} element", i); arr[i] = Console.ReadLine(); } Sorter sorter = new Sorter(); sorter.SortStr(arr); Console.WriteLine("\nSorted array:\n"); foreach (var str in arr) { Console.WriteLine(str); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task3 { class TwoDPointWithHash : TwoDPoint { public TwoDPointWithHash(int x, int y) : base(x, y) { } public override int GetHashCode() { return (x ^ y) != 0 ? x ^ y : x & y; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Entities { public class User { private const int MAX_AGE = 150; private string _firstName; private string _lastName; private DateTime _birthDate; private int _id; public int ID { get { return _id; } set { if (value <= 0) { throw new ArgumentException("Negative or null ID"); } else { _id = value; } } } public List<Prize> PrizesList { get; private set; } public string Prizes { get { if (PrizesList.Count == 0) { return ""; } if (PrizesList.Count == 1) { return PrizesList[0].Title; } else { StringBuilder titles = new StringBuilder(""); foreach (var prize in PrizesList) { titles.Append(prize.Title); if (PrizesList.IndexOf(prize) != PrizesList.Count - 1) { titles.Append(", "); } } return titles.ToString(); ; } } } public string FirstName { get { return _firstName; } set { if (value == null || value == "") { throw new ArgumentException("invalid name"); } _firstName = value; } } public string LastName { get { return _lastName; } set { if (value == null || value == "") { throw new ArgumentException("Invalid name"); } _lastName = value; } } public DateTime BirthDate { get { return _birthDate; } set { if (value > DateTime.Now || (DateTime.Now.Year - value.Year) > MAX_AGE) { throw new ArgumentException("Invalid birthdate"); } _birthDate = value; } } public int Age { get { int age = DateTime.Now.Year - _birthDate.Year; if (DateTime.Now.Month < _birthDate.Month || (DateTime.Now.Month == _birthDate.Month && DateTime.Now.Day < _birthDate.Day)) { age -= 1; } return age; } } public User(int id, string firstName, string lastName, DateTime birthDate) { ID = id; FirstName = firstName; LastName = lastName; BirthDate = birthDate; PrizesList = new List<Prize>(); } public void AddPrize(Prize prize) { if (prize == null) { throw new ArgumentException("Null prize-reference"); } PrizesList.Add(prize); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { public class ArrayPrinter { public static void PrintArray(int[] arr) { Console.WriteLine("Array:"); foreach (int i in arr) { Console.WriteLine(i); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Threading; namespace Task3 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length of array"); int length = Convert.ToInt32(Console.ReadLine()); string[] arr = new string[length]; for (int i = 0; i < length; i++) { Console.WriteLine("Enter the {0} element", i); arr[i] = Console.ReadLine(); } SortsModule module = new SortsModule(); arr = module.SortInThread(arr); Thread.Sleep(10); foreach (var line in arr) { Console.WriteLine(line); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { public class Sorter { private int AlphabeticCompare(string strA, string strB) { int sortOrder = 0; bool equalLenght = strA.Length.Equals(strB.Length); int isHigherInAlphabetOrder = String.Compare(strA, strB); if (equalLenght & (isHigherInAlphabetOrder > 0)) { sortOrder = 1; } else { if (equalLenght & (isHigherInAlphabetOrder < 0)) { sortOrder = -1; } } return sortOrder; } private int CompareLengths(string strA, string strB) { int sortOrder = 0; if (strA.Length > strB.Length) { sortOrder = 1; } else { if (strA.Length < strB.Length) { sortOrder = -1; } } return sortOrder; } private string[] Swap(string[] arr, int index) { var temp = arr[index - 1]; arr[index - 1] = arr[index]; arr[index] = temp; return arr; } public delegate int CompareStrings(string strA, string strB); public string[] SortWithDelegate(string[] arr, CompareStrings compareStrings) { int i = 1; while (i < arr.Length) { if (compareStrings(arr[i - 1], arr[i]) > 0) { Swap(arr, i); i = 1; } else { i++; } } return arr; } public string[] SortStr(string[] arr) { SortWithDelegate(arr, new CompareStrings(CompareLengths)); SortWithDelegate(arr, new CompareStrings(AlphabeticCompare)); return arr; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Person { private string _name; public string Name { get { return _name; } set { if (value == "") { throw new Exception("Empty name"); } _name = value; } } public Person(string name) { Name = name; } public void SayGoodbye(Person person) { Console.WriteLine("\n'Goodbye,{0}', say {1}", person.Name, this.Name); } public void Greet(Person person, DateTime comingTime) { DateTime afternoonStart = new DateTime(1,1,1,12,0,0); DateTime afternoonEnd = new DateTime(1,1,1,17,0,0); string greeting = "Hi!"; if (comingTime.TimeOfDay < afternoonStart.TimeOfDay) { greeting = "Good morning"; } if (comingTime.TimeOfDay > afternoonStart.TimeOfDay && comingTime.TimeOfDay < afternoonEnd.TimeOfDay) { greeting = "Good afternoon"; } if (comingTime.TimeOfDay > afternoonEnd.TimeOfDay) { greeting = "Good evening"; } Console.WriteLine("\n'{0}, {1}' said {2}.", greeting, person.Name, this.Name); } public event EventHandler Came; public event EventHandler Leave; public void OnCame(TimeArgs timeArgs) { if (Came != null) { Came(this, timeArgs); } } public void OnLeve() { if (Leave != null) { Leave(this, EventArgs.Empty); } } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static void Main(string[] args) { FileOwner fileOwner = new FileOwner(args[0]); var list = fileOwner.GetFileText(); for (int i = 0; i <= list.Count - 1; i++ ) { list[i] = Math.Pow(Convert.ToInt32(list[i]), 2).ToString(); } fileOwner.RecordFile(list); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows.Forms; using Entities; using BusinessLogic; namespace Task1 { public partial class FormAddOrEditUser : Form { private const int MAX_AGE = 150; FormMain _mainForm; User _user; public FormAddOrEditUser(FormMain mainForm) { this._mainForm = mainForm; this._user = null; InitializeComponent(); //birthDateTimePicker.MinDate = new DateTime(DateTime.Now.Year - MAX_AGE, 1, 1); //birthDateTimePicker.MaxDate = DateTime.Now; buttonAcceptChanges.Visible = false; InitializeDateComboBoxes(); } public FormAddOrEditUser(FormMain mainForm, User editableUser) { this._mainForm = mainForm; this._user = editableUser; InitializeComponent(); //birthDateTimePicker.MinDate = new DateTime(DateTime.Now.Year - MAX_AGE, 1, 1); //birthDateTimePicker.MaxDate = DateTime.Now; this.Text = "Edit user"; buttonAdd.Visible = false; InitializeDateComboBoxes(); textBoxFirstName.Text = _user.FirstName; textBoxLastName.Text = _user.LastName; textBoxPrizes.Text = _user.Prizes; cmbBoxDay.SelectedItem = _user.BirthDate.Day; cmbBoxMonth.SelectedItem = _user.BirthDate.Month; cmbBoxYear.SelectedItem = _user.BirthDate.Year; } private void InitializeDateComboBoxes() { for (int i = 1; i <= 31; i++) { cmbBoxDay.Items.Add(i); } for (int i = 1; i <= 12; i++) { cmbBoxMonth.Items.Add(i); } for (int i = DateTime.Now.Year; i >= DateTime.Now.Year - MAX_AGE; i--) { cmbBoxYear.Items.Add(i); } } private void CreateUser() { if (_user == null) { _user = _mainForm.UsersBusinessLogic.CreateUser(textBoxFirstName.Text, textBoxLastName.Text, new DateTime((int)cmbBoxYear.SelectedItem, (int)cmbBoxMonth.SelectedItem, (int)cmbBoxDay.SelectedItem)); } } private void buttonAdd_Click(object sender, EventArgs e) { try { if (_user == null) { CreateUser(); } _mainForm.UsersBindList.Add(_user); _mainForm.UsersBusinessLogic.AddUser(_user); MessageBox.Show("User is added."); this.Dispose(); } catch (NullReferenceException) { MessageBox.Show("Not all date-fields are field"); } catch (ArgumentException) { MessageBox.Show("Not all name-fields are field"); } catch (Exception) { MessageBox.Show("User is added"); this.Dispose(); } } private void buttonAcceptChanges_Click(object sender, EventArgs e) { try { int index = _mainForm.UsersBindList.IndexOf(_user); User oldUser = _user; _mainForm.UsersBindList[index].FirstName = textBoxFirstName.Text; _mainForm.UsersBindList[index].LastName = textBoxLastName.Text; _mainForm.UsersBindList[index].BirthDate = new DateTime((int)cmbBoxYear.SelectedItem, (int)cmbBoxMonth.SelectedItem, (int)cmbBoxDay.SelectedItem); User newUser = _mainForm.UsersBindList[index]; _mainForm.UsersBusinessLogic.ChangeUser(oldUser, newUser); MessageBox.Show("Changes accepted"); this.Dispose(); } catch (NullReferenceException) { MessageBox.Show("Check the date-fields"); } catch (ArgumentException) { MessageBox.Show("Not all name-fields are field"); } } private void buttonAddPrize_Click(object sender, EventArgs e) { try { if (_user == null) { CreateUser(); } FormRewardingUser rewardingForm = new FormRewardingUser(_mainForm, _user); rewardingForm.Show(); timerRefreshPrizes.Enabled = true; } catch (Exception ex) { MessageBox.Show(ex.Message); } } private void refreshTimer_Tick(object sender, EventArgs e) { textBoxPrizes.Text = _user.Prizes; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Employee : User, IEquatable<Employee> { private DateTime _startWorkDate; private string _position; private double _salary; public DateTime StartWorkDate { get { return _startWorkDate; } set { if (value <= DateTime.Now) { _startWorkDate = value; } else { throw new Exception("Incorrect start work date"); } } } public int WorkExperience { get { int experience = DateTime.Now.Year - _startWorkDate.Year; experience = DateTime.Now.Month > _startWorkDate.Month ? experience : experience - 1; return experience; } } public string Position { get { return _position; } set { if (value != "") { _position = value; } else { throw new Exception("Nonexistent position"); } } } public double Salary { get { return _salary; } set { if (value < 0) { throw new Exception("Negative salary's value"); } _salary = value; } } public bool Equals(Employee other) { if (other == null) { return false; } bool isEqualName = this.FirstName == other.FirstName && this.MiddleName == other.MiddleName && this.LastName == other.LastName; bool isEqualPosition = this.Position == other.Position; bool isEqualStartWorkDate = this.StartWorkDate == other.StartWorkDate; return isEqualName && isEqualPosition && isEqualStartWorkDate; } public override bool Equals(object other) { return Equals(other as Employee); } public bool operator ==(Employee firstEmployee, Employee secondEmployee) { return firstEmployee.Equals(secondEmployee); } public Employee(string firstName, string middleName, string lastName, DateTime birthDate, DateTime startWorkDate, string position) : base (firstName,middleName,lastName,birthDate) { if (startWorkDate > DateTime.Now || position == "") { throw new Exception("Invalid arguments"); } _startWorkDate = startWorkDate; _position = position; } public Employee() { } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Entities { public class Prize { private const int MAX_TITLE_LENGTH = 50; private const int MAX_DESCRIPTION_LENGTH = 250; private int _id; private string _title; private string _description; public int ID { get { return _id; } set { if (value <= 0) { throw new ArgumentException("Negative or null ID"); } else { _id = value; } } } public string Title { get { return _title; } set { if (value.Length > MAX_TITLE_LENGTH) { throw new ArgumentException("Length of title more than max length"); } if (value == "" || value == null) { throw new ArgumentException("Empty title"); } else { _title = value; } } } public string Description { get { return _description; } set { if (value.Length > MAX_DESCRIPTION_LENGTH) { throw new ArgumentException("Length of description more than max length"); } else { _description = value; } } } public Prize(int id, string title, string description = "") { ID = id; Title = title; Description = description; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; using Data; using System.Configuration; namespace BusinessLogic { public class PrizesBL { private IPrizeDAO _prizesDAO; public PrizesBL() { if (ConfigurationSettings.AppSettings["UseDB"] == "True") { _prizesDAO = new PrizesSqlDAO(); } else { _prizesDAO = new PrizesDAO(); } } private int CalculateNewID() { int lastId = 0; foreach (var prize in _prizesDAO.GetPrizeList()) { if (prize.ID > lastId) { lastId = prize.ID; } } return lastId + 1; } public Prize CreatePrize(string title, string description = "") { int ID = CalculateNewID(); Prize prize = new Prize(ID, title, description); return prize; } public void AddPrize(Prize prize) { if (prize == null) { throw new ArgumentException("Null prize"); } _prizesDAO.AddPrize(prize); } public void ChangePrize(Prize oldPrize, Prize newPrize) { if (oldPrize == null || newPrize == null) { throw new ArgumentException("Null prize"); } _prizesDAO.ChangePrize(oldPrize, newPrize); } public void DeletePrize(Prize prize, UsersBL users) { if (prize == null) { throw new ArgumentException("Null prize"); } _prizesDAO.DeletePrize(prize); foreach (var user in users.GetUsersList()) { user.PrizesList.Remove(prize); } } public IEnumerable<Prize> GetPrizesList() { return _prizesDAO.GetPrizeList(); } public IEnumerable<Prize> InitList() { return GetPrizesList(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { public class ArrayCreator { public static int[] CreateRandomArray(int arrayElementsNumber, int valueUpperBorder) { Random random = new Random(); int[] array = new int[arrayElementsNumber]; for (int i = 0; i <= array.Length - 1; i++) { array[i] = random.Next(valueUpperBorder) - valueUpperBorder/2; } return array; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; namespace Data { public class PrizesDAO : IPrizeDAO { private List<Prize> _prizes = new List<Prize>(); public void AddPrize(Prize prize) { if (prize == null) { throw new ArgumentException("null prize"); } _prizes.Add(prize); } public void ChangePrize(Prize oldPrize, Prize newPrize) { int index = _prizes.IndexOf(oldPrize); _prizes[index] = newPrize; } public void DeletePrize(Prize prize) { _prizes.Remove(prize); } public IEnumerable<Prize> GetPrizeList() { return _prizes; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Program { delegate void Message(Person person, DateTime comingTime); static Message delGreet; delegate void Leave(Person person); static Leave leave; static void PersonCame(object sendler, EventArgs e) { var person = sendler as Person; var timeArgs = e as TimeArgs; if (person != null) { Console.WriteLine("\n{0} has come", person.Name); if (delGreet != null) delGreet(person, timeArgs.Time); delGreet+= person.Greet; leave += person.SayGoodbye; } } static void PersonLeft(object sendler, EventArgs e) { var person = sendler as Person; if (person != null) { leave -= person.SayGoodbye; Console.WriteLine("\n{0} left", person.Name); if (leave != null) leave(person); } } static void Main(string[] args) { Person arni = new Person("Arnold"); Person silvester = new Person("<NAME>"); Person chuck = new Person("Chuck"); arni.Came += new EventHandler(PersonCame); silvester.Came += new EventHandler(PersonCame); chuck.Came += new EventHandler(PersonCame); arni.Leave += new EventHandler(PersonLeft); silvester.Leave += new EventHandler(PersonLeft); chuck.Leave += new EventHandler(PersonLeft); TimeArgs arniTime = new TimeArgs(new DateTime(1, 1, 1, 8, 10, 10)); TimeArgs silvesterTime = new TimeArgs(new DateTime(1, 1, 1, 14, 10, 10)); TimeArgs chuckTime = new TimeArgs(new DateTime(1, 1, 1, 20, 1, 10)); arni.OnCame(arniTime); silvester.OnCame(silvesterTime); chuck.OnCame(chuckTime); arni.OnLeve(); silvester.OnLeve(); chuck.OnLeve(); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task1 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length of array"); int length = Convert.ToInt32(Console.ReadLine()); DynamicArray<int> arr = new DynamicArray<int>(length); Random random = new Random(); for (int i = 0; i < length; i++) { arr.Add(random.Next(100)); Console.WriteLine(arr[i]); } Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Task2 { class Program { static void Main(string[] args) { Console.WriteLine("Enter the length, width and height of array and the upper border of values range"); int length = Convert.ToInt32(Console.ReadLine()); int width = Convert.ToInt32(Console.ReadLine()); int height = Convert.ToInt32(Console.ReadLine()); int upperBorder = Convert.ToInt32(Console.ReadLine()) * 2; ThreeDimensionalArray arr = new ThreeDimensionalArray(length, width, height, upperBorder); arr.SetToZeroPositiveNumbers(); TripleArrayPrinter.Print(arr); Console.ReadKey(); } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; namespace Data { public interface IPrizeDAO { void AddPrize(Prize prize); void ChangePrize(Prize oldPrize, Prize newPrize); void DeletePrize(Prize prize); IEnumerable<Prize> GetPrizeList(); } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Entities; using System.Data.SqlClient; using System.Data; namespace Data { public class UsersSqlDAO : IUserDAO, IDisposable { private SqlConnection _connection; public UsersSqlDAO() { InitConnection(); } private void InitConnection() { _connection = new SqlConnection(DBConfig.GetConnectionString()); _connection.Open(); _connection.StateChange += ConnectionStateChange; } private void ConnectionStateChange(object sender, StateChangeEventArgs e) { if (e.CurrentState == ConnectionState.Broken) { InitConnection(); } } public IEnumerable<User> GetUsersList() { List<User> users = new List<User>(); SqlCommand command = new SqlCommand("SELECT * FROM Users", _connection); SqlDataReader reader = command.ExecuteReader(); while (reader.Read()) { int id = (int)reader["ID"]; string firstName = (string)reader["FirstName"]; string lastName = (string)reader["LastName"]; DateTime birthDate = (DateTime)reader["BirthDate"]; User user = new User(id, firstName, lastName, birthDate); users.Add(user); } reader.Close(); command.Dispose(); foreach (var user in users) { SqlCommand prizesComand = _connection.CreateCommand(); prizesComand.CommandText = "SELECT Prizes.ID, Prizes.Title, Prizes.Description " + "FROM Prizes INNER JOIN Rewarding ON Prizes.ID = Rewarding.PrizeID " + "WHERE Rewarding.UserID = @usrID"; prizesComand.Parameters.Add(new SqlParameter("@usrID", SqlDbType.Int)); prizesComand.Prepare(); prizesComand.Parameters[0].Value = user.ID; SqlDataReader prizeReader = prizesComand.ExecuteReader(); while (prizeReader.Read()) { int prizeID = (int)prizeReader["ID"]; string title = (string)prizeReader["Title"]; string description = (string)prizeReader["Description"]; Prize prize = new Prize(prizeID, title, description); user.AddPrize(prize); } prizeReader.Close(); prizesComand.Dispose(); } return users; } public void AddUser(User user) { if (user == null) { throw new ArgumentException("Null user"); } SqlCommand command = _connection.CreateCommand(); command.CommandText = "INSERT INTO Users VALUES (@ID, @FirstName, @LastName, @BirthDate)"; command.Parameters.Add(new SqlParameter("@ID", SqlDbType.Int, 100)); command.Parameters.Add(new SqlParameter("@FirstName", SqlDbType.NVarChar, 50)); command.Parameters.Add(new SqlParameter("@LastName", SqlDbType.NVarChar, 50)); command.Parameters.Add(new SqlParameter("@BirthDate", SqlDbType.DateTime, 100)); command.Prepare(); command.Parameters[0].Value = user.ID; command.Parameters[1].Value = user.FirstName; command.Parameters[2].Value = user.LastName; command.Parameters[3].Value = user.BirthDate; var result = command.ExecuteNonQuery(); command.Dispose(); if (user.PrizesList.Count == 0) { return; } foreach (var prize in user.PrizesList) { int rewardingID = GetNewRewardingID(); SqlCommand addPrizesCommand = _connection.CreateCommand(); addPrizesCommand.CommandText = "INSERT INTO Rewarding VALUES(@id, @usrID, @przID)"; addPrizesCommand.Parameters.Add(new SqlParameter("@id", SqlDbType.Int, 100)); addPrizesCommand.Parameters.Add(new SqlParameter("@usrID", SqlDbType.Int, 100)); addPrizesCommand.Parameters.Add(new SqlParameter("@przID", SqlDbType.Int, 100)); addPrizesCommand.Prepare(); addPrizesCommand.Parameters[0].Value = rewardingID; addPrizesCommand.Parameters[1].Value = user.ID; addPrizesCommand.Parameters[2].Value = prize.ID; var res = addPrizesCommand.ExecuteNonQuery(); addPrizesCommand.Dispose(); } } private int GetNewRewardingID() { SqlCommand command = _connection.CreateCommand(); command.CommandText = "SELECT MAX(ID) AS 'ID' FROM Rewarding"; SqlDataReader reader = command.ExecuteReader(); int newID = 1; while (reader.Read()) { newID = (int)reader["ID"]; } reader.Close(); command.Dispose(); return newID + 1; } public void ChangeUser(User oldUser, User newUser) { if (oldUser == null || newUser == null) { throw new ArgumentException("null user"); } DeleteUser(oldUser); AddUser(newUser); } public void DeleteUser(User user) { if (user == null) { throw new ArgumentException("Null user"); } using (SqlCommand delRewardingComand = _connection.CreateCommand()) { delRewardingComand.CommandText = "DELETE FROM Rewarding WHERE UserID = @usrID"; delRewardingComand.Parameters.Add(new SqlParameter("@usrID", SqlDbType.Int)); delRewardingComand.Prepare(); delRewardingComand.Parameters[0].Value = user.ID; var res = delRewardingComand.ExecuteNonQuery(); } using (SqlCommand command = _connection.CreateCommand()) { command.CommandText = "DELETE FROM Users WHERE ID = @id"; command.Parameters.Add(new SqlParameter("@id", SqlDbType.Int)); command.Prepare(); command.Parameters[0].Value = user.ID; var result = command.ExecuteNonQuery(); } } public void Dispose() { if (_connection != null) { _connection.Dispose(); } } } }
baee49b2944c505447142e4f9c1b8dcc238957ed
[ "C#" ]
53
C#
MILANTYEV/EPAM-external-courses
495e29b7642ba15ede508bc513c2b592a446cd6e
652601a2dfd45988eba35cbe1a6b312afc148e80
refs/heads/master
<file_sep>from flask import Flask, request, redirect, render_template app = Flask(__name__) app.config['DEBUG'] = True def is_invalid(inpt): if len(inpt) < 3 or len(inpt) > 20: return True elif ' ' in inpt: return True return False def valid_email(inpt): if '@' in inpt and "." in inpt: return True return False @app.route('/login', methods=['POST', 'GET']) def login(): username = '' username_error = '' password_error = '' verify_error = '' email_error = '' email = '' if request.method == 'POST': username = request.form['username'] password = request.form['password'] verify = request.form['verify'] email = request.form['email'] if is_invalid(username) or not username: username_error = "That's not a valid username" username = '' if is_invalid(password) or not password: password_error = "<PASSWORD> a valid password" password = '' if password != verify: verify_error = "Password doesn't match" verify = '' if email: if not valid_email(email): email_error = "That's not a valid email" email = '' if not (username_error or password_error or verify_error or email_error): return redirect('/welcome?username={0}'.format(username)) return render_template('login.html', username_error=username_error, password_error=password_error, verify_error=verify_error, email_error=email_error, username=username, email=email) @app.route('/welcome', methods=['GET']) def welcome(): username = request.args.get('username') return render_template('welcome.html', username=username) if __name__ == '__main__': app.run()
29e5aac8b103a36eb965994d7a8579319f1d9cf4
[ "Python" ]
1
Python
djeffries007/user-signup
4e6643fc1d05d09d0e2d141c68cc0909b1d69b4e
36acb6164ae2118562a8a0cf0eecaf1740cd5ece
refs/heads/master
<file_sep>require 'rails_helper' RSpec.describe 'As a user' do describe 'when I visit the mechanics index page' do it 'shows me a list of all mechanics, including name and years of experience' do mechanic_1 = Mechanic.create!(name: "Tim", years_experience: 5) mechanic_2 = Mechanic.create!(name: "Bob", years_experience: 10) visit 'mechanics' expect(page).to have_content(mechanic_1.name) expect(page).to have_content(mechanic_1.years_experience) expect(page).to have_content(mechanic_2.name) expect(page).to have_content(mechanic_2.years_experience) end end end <file_sep>require 'rails_helper' RSpec.describe 'As a visitor' do describe 'When I visit a parks show page' do before :each do @amusement_park = AmusementPark.create!(name: "Six Flage", admission_price: 50.00) @ride_1 = Ride.create!(name: "Water Splash", thrill_rating: 8, amusement_park_id: @amusement_park.id) @ride_2 = Ride.create!(name: "Merry Go Round", thrill_rating: 2, amusement_park_id: @amusement_park.id) visit "/parks/#{@amusement_park.id}" end it 'I see the name and price of admission to that park' do expect(page).to have_content(@amusement_park.name) expect(page).to have_content(@amusement_park.admission_price) end it 'I see the names of all rides at that park in alphabetical order' do expect(page).to have_content(@ride_2.name) expect(page).to have_content(@ride_1.name) end it 'I see the average thrill rating of the rides ' do expect(page).to have_content("Average Thrill Rating of Rides: 5.0/10") end end end <file_sep>require 'rails_helper' RSpec.describe AmusementPark do describe 'relationships' do it {should have_many :rides} end describe 'methods' do it '#average_thrill_rating' do amusement_park = AmusementPark.create!(name: "Six Flage", admission_price: 50.00) ride_1 = Ride.create!(name: "Water Splash", thrill_rating: 8, amusement_park_id: amusement_park.id) ride_2 = Ride.create!(name: "Merry Go Round", thrill_rating: 2, amusement_park_id: amusement_park.id) expect(amusement_park.average_thrill_rating).to eq(5.0) end end end <file_sep># README Base repository for B2 assessments and diagnostics. This repository requires and has been tested on Ruby v2.5.3 and is based on Rails 5.1.7. RSpec and Shoulda-Matchers have been installed and set up. ## Setup 1. fork this repo 2. clone your fork 3. `git clone <paste_repo>` 4. `cd b2-mid-mod` 5. `bundle install` When you run `bundle exec rspec` you should have 0 tests. <file_sep>require 'rails_helper' RSpec.describe 'As a user' do describe 'When I visit a mechanics show page' do before :each do @amusement_park = AmusementPark.create!(name: "Six Flage", admission_price: 50.00) @ride_1 = Ride.create!(name: "Water Splash", thrill_rating: 8, amusement_park_id: @amusement_park.id) @ride_2 = Ride.create!(name: "Merry Go Round", thrill_rating: 2, amusement_park_id: @amusement_park.id) @ride_3 = Ride.create!(name: "Roller Coaster", thrill_rating: 10, amusement_park_id: @amusement_park.id) @mechanic_1 = Mechanic.create!(name: "Tim", years_experience: 5) MechanicRide.create!(mechanic_id: @mechanic_1.id, ride_id: @ride_1.id) MechanicRide.create!(mechanic_id: @mechanic_1.id, ride_id: @ride_2.id) visit "/mechanics/#{@mechanic_1.id}" end it 'I see their name, years experience, and all rides they are working on' do expect(page).to have_content(@mechanic_1.name) expect(page).to have_content(@mechanic_1.years_experience) expect(page).to have_content(@ride_1.name) expect(page).to have_content(@ride_2.name) end it 'there is also a field to add a ride for them to work on' do fill_in :ride_id, with: "#{@ride_3.id}" click_on "Add Ride" visit "/mechanics/#{@mechanic_1.id}" expect(page).to have_content(@ride_3.name) end end end
51290201781fb49deecee90fbfb3486a9e93890e
[ "Markdown", "Ruby" ]
5
Ruby
ljwhite/b2-mid-mod
10988339fd0f0c0d3afe27c03e55938af520e52e
0a3ac5660847eb917d8e505f4098224480cdf2bb
refs/heads/master
<file_sep>package STUDENT_INFORMATION.CONTROLLER; import ATTENDANCE_LOGIN.DATAMODEL.Student_Attendance; import ATTENDANCE_LOGIN.DATAMODEL.Student_Datamodel; import DATABASE.Database_Commands; import com.jfoenix.controls.JFXRadioButton; import javafx.beans.value.ChangeListener; import javafx.beans.value.ObservableValue; import javafx.fxml.FXML; import javafx.scene.control.DatePicker; import javafx.scene.control.TableColumn; import javafx.scene.control.TableView; import javafx.scene.control.cell.PropertyValueFactory; import javafx.scene.input.DataFormat; import javafx.scene.input.MouseEvent; import java.time.LocalDate; import java.time.format.DateTimeFormatter; /** * Created by <NAME> * Email Address: <EMAIL> * ContactNumber: 09953045981 * Linkedin: https://github.com/kurt112 * Github: https://www.linkedin.com/in/kurt-lupin-orioque-2946a6157/ * Bitbucket: https://bitbucket.org/%7B49153846-f85c-4553-9ecb-714516a680b7%7D/ * Date: 05 19, 2019 * Time: 2:14 AM * User: orioque35 */ public class DashBoard_StudentAttendance_Controller { @FXML private TableView<Student_Attendance> Attendance_Table; @FXML private TableColumn<Student_Datamodel,String> first_name, last_name,grade,section,adviser,time_in, time_out,date, status; private DateTimeFormatter Date_format = DateTimeFormatter.ofPattern("MMMM d, yyyy"); private DateTimeFormatter Time_format = DateTimeFormatter.ofPattern("h : m : s : a"); private static String Status ="PRESENT",date_pick=""; @FXML private DatePicker date_picker; @FXML JFXRadioButton Present; public void initialize(){ Present.setSelected(true); date_picker.setValue(LocalDate.now()); date_pick=Date_format.format(date_picker.getValue()); Table_SetItem(); SetCellValue(); date_picker.valueProperty().addListener((observableValue, localDate, t1) -> { date_pick=Date_format.format(date_picker.getValue()); System.out.println(date_pick); Table_SetItem(); }); } /* Just setting the value of the table */ public void SetCellValue(){ first_name.setCellValueFactory(new PropertyValueFactory<>("first_name")); last_name.setCellValueFactory(new PropertyValueFactory<>("last_name")); grade.setCellValueFactory(new PropertyValueFactory<>("grade")); section.setCellValueFactory(new PropertyValueFactory<>("section")); adviser.setCellValueFactory(new PropertyValueFactory<>("adviser")); time_in.setCellValueFactory(new PropertyValueFactory<>("time_in")); time_out.setCellValueFactory(new PropertyValueFactory<>("time_out")); date.setCellValueFactory(new PropertyValueFactory<>("date")); status.setCellValueFactory(new PropertyValueFactory<>("status")); } public void change_date(){ if(date_picker.getValue() != LocalDate.now()){ } } public void Table_SetItem(){ Database_Commands.Attendace_History(date_pick,Status); Attendance_Table.setItems(Database_Commands.getHistory_Attendance()); } @FXML public void Absent_Clicked() { Status = "ABSENT"; Table_SetItem(); System.out.println(date_pick); System.out.println(Status); } @FXML public void Present_Clicked() { Status = "PRESENT"; Table_SetItem(); } } <file_sep>package ATTENDANCE_LOGIN.CONTROLLER_FILE; public class timein { } <file_sep>package ATTENDANCE_LOGIN.DATAMODEL; import javafx.beans.property.SimpleDoubleProperty; import javafx.beans.property.SimpleIntegerProperty; import javafx.beans.property.SimpleStringProperty; /** * Created by <NAME> * Email Address: <EMAIL> * ContactNumber: 09953045981 * Linkedin: https://github.com/kurt112 * Github: https://www.linkedin.com/in/kurt-lupin-orioque-2946a6157/ * Bitbucket: https://bitbucket.org/%7B49153846-f85c-4553-9ecb-714516a680b7%7D/ * Date: 05 20, 2019 * Time: 12:59 PM * User: orioque35 */ public class Student_School_Information extends Student_Datamodel { private SimpleStringProperty grade = new SimpleStringProperty(); private SimpleStringProperty section = new SimpleStringProperty(); private SimpleStringProperty adviser = new SimpleStringProperty(); private SimpleIntegerProperty verify = new SimpleIntegerProperty(); private SimpleStringProperty person_to_contact = new SimpleStringProperty(); public Student_School_Information(int id, String first_name, String last_name, String middle_name, String photo ,String grade, String section, String adviser, int verify, String person_to_contact) { super(id, first_name, last_name, middle_name, photo); this.grade.set(grade); this.section.set(section); this.adviser.set(adviser); this.verify.set(verify); this.person_to_contact.set(person_to_contact); } public String getGrade() { return grade.get(); } public SimpleStringProperty gradeProperty() { return grade; } public void setGrade(String grade) { this.grade.set(grade); } public String getSection() { return section.get(); } public SimpleStringProperty sectionProperty() { return section; } public void setSection(String section) { this.section.set(section); } public String getAdviser() { return adviser.get(); } public SimpleStringProperty adviserProperty() { return adviser; } public void setAdviser(String adviser) { this.adviser.set(adviser); } public int getVerify() { return verify.get(); } public SimpleIntegerProperty verifyProperty() { return verify; } public void setVerify(int verify) { this.verify.set(verify); } public String getPerson_to_contact() { return person_to_contact.get(); } public SimpleStringProperty person_to_contactProperty() { return person_to_contact; } public void setPerson_to_contact(String person_to_contact) { this.person_to_contact.set(person_to_contact); } } <file_sep>package ATTENDANCE_LOGIN.GSM_MODEM; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.util.Enumeration; import java.util.TooManyListenersException; import gnu.io.*; /** *Created by <NAME> *Email Address: <EMAIL> *ContactNumber: 09953045981 *Linkedin: https://github.com/kurt112 *Github: https://www.linkedin.com/in/kurt-lupin-orioque-2946a6157/ *Bitbucket: https://bitbucket.org/%7B49153846-f85c-4553-9ecb-714516a680b7%7D/ *Date: ${MONTH} ${DAY}, ${YEAR} *Time: ${TIME} *User: ${USER} **/ public class GSMConnect implements SerialPortEventListener, CommPortOwnershipListener { private static String comPort; // This C OM Port must be connect with GSM Modem or your mobile phone private static CommPortIdentifier portId = null; private static InputStream inputStream = null; private static OutputStream outputStream = null; private static SerialPort serialPort; /** * Creates a new instance of GSMConnect */ public GSMConnect(String comm) { comPort = comm; } /** * * @return true if the porn has a GSM modem and false if not found */ public static synchronized boolean init() { Enumeration portList = CommPortIdentifier.getPortIdentifiers(); while (portList.hasMoreElements()) { portId = (CommPortIdentifier) portList.nextElement(); if (portId.getPortType() == CommPortIdentifier.PORT_SERIAL) { if (portId.getName().equals(comPort)) { // System.out.println("Got PortName"); return true; } } } return false; } /** * This method is what your modem capable of */ public static synchronized void checkStatus() { Runnable runnable = () -> send("AT+CREG?\r\n"); System.out.println("check stats"); new Thread(runnable).start(); } /** * * @param cmd This code is for sending value to the modem * */ private static synchronized void send(String cmd) { Runnable runnable = () -> { try { outputStream.write(cmd.getBytes()); } catch (IOException e) { System.out.println("Something went wrong"); } }; new Thread(runnable).start(); } /** * * @param phoneNumber Number of the Recipient * @param message The message you are sending * * This code is for Sending Data to the modem * See the sms command for more info */ public static synchronized void sendMessage(String phoneNumber, String message) { char quotes = '"'; send("AT+CMGS=" + quotes + phoneNumber + quotes + "\r\n"); try { Thread.sleep(2000); }catch (InterruptedException e){ e.printStackTrace(); } send(message + '\032'); System.out.println("Message Sent"); } /* This method is for connecting to the modem This method is the important one */ public synchronized boolean connect() throws NullPointerException { if (portId != null) { try { portId.addPortOwnershipListener(this); serialPort = (SerialPort) portId.open("MobileGateWay", 2000); serialPort.setSerialPortParams(115200, SerialPort.DATABITS_8, SerialPort.STOPBITS_1, SerialPort.PARITY_NONE); System.out.println("1"); try { inputStream = serialPort.getInputStream(); outputStream = serialPort.getOutputStream(); System.out.println("2"); try { /** These are the events we want to know about*/ serialPort.addEventListener(this); serialPort.notifyOnDataAvailable(true); serialPort.notifyOnRingIndicator(true); System.out.println("3"); } catch (TooManyListenersException e) { e.printStackTrace(); } } catch (IOException e) { e.printStackTrace(); } } catch (PortInUseException | UnsupportedCommOperationException e) { e.printStackTrace(); } // send("ATZ\r\n"); System.out.println("5"); return true; } return false; } /** * * @param serialPortEvent The event of Serial port */ public synchronized void serialEvent(SerialPortEvent serialPortEvent) { switch (serialPortEvent.getEventType()) { case SerialPortEvent.BI: case SerialPortEvent.OE: case SerialPortEvent.FE: case SerialPortEvent.PE: case SerialPortEvent.CD: case SerialPortEvent.CTS: case SerialPortEvent.DSR: case SerialPortEvent.RI: case SerialPortEvent.OUTPUT_BUFFER_EMPTY: case SerialPortEvent.DATA_AVAILABLE: byte[] readBuffer = new byte[2048]; try { while (inputStream.available() > 0) { int numBytes = inputStream.read(readBuffer); System.out.print(numBytes); } System.out.print(new String(readBuffer)); } catch (IOException e) { e.printStackTrace(); } break; } } /** * @param type Getting the status of Port */ public synchronized void ownershipChange(int type) { switch (type) { case CommPortOwnershipListener.PORT_UNOWNED: // System.out.println(portId.getName() + ": PORT_UNOWNED"); break; case CommPortOwnershipListener.PORT_OWNED: // System.out.println(portId.getName() + ": PORT_OWNED"); break; case CommPortOwnershipListener.PORT_OWNERSHIP_REQUESTED: break; } } //Just Closing the port public synchronized void closePort() { serialPort.close(); // System.exit(0); } // /** // * @param number number of the Recepient // * @param message Your message when texting // * @return true if The text message is succesful // */ // public static void sendSMS(String number, String message) { // GSMConnect gsm = new GSMConnect("COM1"); // if (gsm.init()) { // gsm.connect(); //// gsm.checkStatus(); // gsm.sendMessage("09476663925","Test from Server"); //// gsm.closePort(); //// return true; // } // else System.out.println("Can't init this card"); //return false; // } public static void main(String[] args) { // System.out.println("im in main"); // GSMConnect gsm = new GSMConnect("COM1"); // if (gsm.init()) { // if(gsm.connect()){ // gsm.sendMessage("09217765961","Test from Server"); // gsm.closePort(); // }else{ // System.out.println("Can't Connect"); // } // // }else{ // System.out.println("Wrong port number set the gsm modem port to 1"); // } } }
17356220c9b6fe2fd6889b21cb7e41f8b34009e6
[ "Java" ]
4
Java
kurt112/Attendance-RFID-
c8fe82ed7b19a41868b36994bf8ef1c3cff90662
4098344f1eb126086cd1f88a037ea62ccc1fcbf3
refs/heads/main
<file_sep>import { create } from './core'; describe('create', () => { describe('valid videoId', () => { const chat = create('uIx8l2xlYVY', {}); it('chat is alive', () => { expect(chat.isAlive).toBeTruthy(); }); }); }); <file_sep>const regVideoIdOnly = /(^\s*[^&?]{11}\s*$)/; const regNormal = /v=([^&?]{11})(?=$|[=&?])/; const regShort = /youtu\.be\/([^&?]{11})(?=$|[=&?])/; const regEmbed = /embed\/([^&?]{11})(?=$|[=&?])/; export const extractVideoId = (urlOrVideoId: string) => { if (urlOrVideoId.includes('[')) { urlOrVideoId = urlOrVideoId.replace('[', '').replace(']', ''); } if (regVideoIdOnly.exec(urlOrVideoId)) { return regVideoIdOnly.exec(urlOrVideoId)![1]; } if (regNormal.exec(urlOrVideoId)) { return regNormal.exec(urlOrVideoId)![1]; } if (regShort.exec(urlOrVideoId)) { return regShort.exec(urlOrVideoId)![1]; } if (regEmbed.exec(urlOrVideoId)) { return regEmbed.exec(urlOrVideoId)![1]; } return null; }; <file_sep>import { create } from '../src'; describe('fetch chat data', () => { it('chat is alive', () => { const chat = create('uIx8l2xlYVY'); expect(chat.isAlive()).toBeTruthy(); }); }); <file_sep># ytchatjs ytchatjs is a library for fetching youtube live chat, used [pytchat](https://github.com/taizan-hokuto/pytchat) as reference. ## Install ```sh npm install ytchatjs ``` ## Examples ```ts ``` <file_sep>import { getContinuation, _enc, _build, _header, _times } from './get_continuation'; xit('getContinuation', () => { console.log(_times(10)); console.log(getContinuation('ABC_EFG_IJK', 3, false)); fail(); }); it('_header', () => { expect(_header('ABC_EFG_IJK')).toBe('Cg8KDQoLQUJDX0VGR19JSksgAQ=='); }); it('_build', () => { const ts1 = 1546268400; const t = new Array(5).fill(0).map(() => ts1 * 1000000); const actual = _build('01234567890', t[0], t[1], t[2], t[3], t[4], false); const expected = '<KEY>'; expect(actual).toBe(expected); }); describe('enc', () => { it('vn', () => { expect(_enc.vn(127)).toEqual([127]); expect(_enc.vn(128)).toEqual([128, 1]); expect(_enc.vn(129)).toEqual([129, 1]); expect(_enc.vn(256)).toEqual([128, 2]); expect(_enc.vn(257)).toEqual([129, 2]); expect(_enc.vn((1 << 3) | 1)).toEqual([9]); expect(_enc.vn((2 << 3) | 1)).toEqual([17]); expect(_enc.vn(1546268400000000)).toEqual([128, 184, 214, 213, 170, 202, 223, 2]); }); it('tp', () => { expect(_enc.tp(1, 1, [127])).toEqual([9, 127]); }); it('rs', () => { expect(_enc.rs(1, [127])).toEqual([10, 1, 127]); expect(_enc.rs(1, '')).toEqual([10, 0]); expect(_enc.rs(1, 'a')).toEqual([10, 1, 97]); }); it('nm', () => { expect(_enc.nm(1, 1)).toEqual([8, 1]); expect(_enc.nm(2, 1)).toEqual([16, 1]); expect(_enc.nm(2, 2)).toEqual([16, 2]); expect(_enc.nm(10, 1546268400000000)).toEqual([80, 128, 184, 214, 213, 170, 202, 223, 2]); }); }); <file_sep>import { Buffer } from 'buffer'; import { ValueError } from './exception'; const ALL_CHAT = 1; const TOP_CHAT_ONLY = 4; export const _header = (videoId: string): string => { return Buffer.from(rs(1, rs(1, rs(1, videoId))).concat(nm(4, 1))).toString('base64'); }; export const _build = ( videoId: string, ts1: number, ts2: number, ts3: number, ts4: number, ts5: number, topChatOnly: boolean, ): string => { const chatType = topChatOnly ? TOP_CHAT_ONLY : ALL_CHAT; const b1 = nm(1, 0); const b2 = nm(2, 0); const b3 = nm(3, 0); const b4 = nm(4, 0); const b7 = rs(7, ''); const b8 = nm(8, 0); const b9 = rs(9, ''); const timestamp2 = nm(10, ts2); const b11 = nm(11, 3); const b15 = nm(15, 0); const header = rs(3, _header(videoId)); const timestamp1 = nm(5, ts1); const s6 = nm(6, 0); const s7 = nm(7, 0); const s8 = nm(8, 1); const body = rs( 9, b1 .concat(b2) .concat(b3) .concat(b4) .concat(b7) .concat(b8) .concat(b9) .concat(timestamp2) .concat(b11) .concat(b15), ); const timestamp3 = nm(10, ts3); const timestamp4 = nm(11, ts4); const s13 = nm(13, chatType); const ch = rs(16, nm(1, chatType)); const s17 = nm(17, 0); const str19 = rs(19, nm(1, 0)); const timestamp5 = nm(20, ts5); const entity = header .concat(timestamp1) .concat(s6) .concat(s7) .concat(s8) .concat(body) .concat(timestamp3) .concat(timestamp4) .concat(s13) .concat(ch) .concat(s17) .concat(str19) .concat(timestamp5); const continuation = rs(119693434, entity); return toUrlsafeBase64(`${Buffer.from(continuation).toString('base64')}`); }; const getRandom = (min: number, max: number) => { return Math.random() * (max - min) + min; }; export const _times = (past_sec: number) => { const n = Math.floor(Date.now() / 1000); const _ts1 = n - getRandom(0, 1 * 3); const _ts2 = n - getRandom(0.01, 0.99); const _ts3 = n - past_sec + getRandom(0, 1); const _ts4 = n - getRandom(10 * 60, 60 * 60); const _ts5 = n - getRandom(0.01, 0.99); return [_ts1, _ts2, _ts3, _ts4, _ts5].map((x) => Math.floor(x * 1000000)); }; export const getContinuation = (videoId: string, pastSec: number, topChatOnly: boolean): string => { const [t1, t2, t3, t4, t5] = _times(pastSec); return _build(videoId, t1, t2, t3, t4, t5, topChatOnly); }; const toUrlsafeBase64 = (str64: string): string => str64.replace(/\+/g, '-').replace(/\//g, '_'); const vn = (val: number): number[] => { if (val < 0) { throw new ValueError(); } let big = BigInt(val); const buf = []; while (big >> 7n) { const m = (big & 0xffn) | 0x80n; buf.push(Number(m)); big >>= 7n; } buf.push(Number(big)); return buf; }; const tp = (a: number, b: number, ary: number[]) => { return vn((b << 3) | a).concat(ary); }; const rs = (a: number, ary: number[] | string) => { if (typeof ary === 'string') { ary = Array.from(Buffer.from(ary).values()); } return tp(2, a, vn(ary.length).concat(ary)); }; const nm = (a: number, b: number) => { return tp(0, a, vn(b)); }; export const _enc = { vn, tp, rs, nm }; <file_sep>import { extractVideoId } from './utils/extract_video_id'; export const create = (urlOrVideoId: string) => { const videoId = extractVideoId(urlOrVideoId); return { isAlive: () => !!videoId }; }; <file_sep>import { getContinuation } from './utils/get_continuation'; export type CreateOption = {}; export type Chat = { isAlive: boolean; continuation: string; }; /** * Fetch first continuation parameter, * create and start _listen loop. * @param videoId * @param option */ export const create = (videoId: string, option: CreateOption): Chat => { const isAlive = true; const continuation = getContinuation(videoId, 3, false); return { isAlive, continuation, }; }; <file_sep>import { extractVideoId } from './extract_video_id'; describe('extractVideoId', () => { test.each` urlOrVideoId | expected ${'ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} ${'vid_test_be'} | ${'vid_test_be'} ${'https://www.youtube.com/watch?v=123_456_789'} | ${'123_456_789'} ${'https://www.youtube.com/watch?v=123_456_789&t=123s'} | ${'123_456_789'} ${'www.youtube.com/watch?v=123_456_789'} | ${'123_456_789'} ${'watch?v=123_456_789'} | ${'123_456_789'} ${'youtube.com/watch?v=123_456_789'} | ${'123_456_789'} ${'http://youtu.be/ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} ${'youtu.be/ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} ${'https://www.youtube.com/watch?v=ABC_EFG_IJK&list=XYZ_ABC_12345&start_radio=1&t=1'} | ${'ABC_EFG_IJK'} ${'https://www.youtube.com/embed/ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} ${'www.youtube.com/embed/ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} ${'youtube.com/embed/ABC_EFG_IJK'} | ${'ABC_EFG_IJK'} `('extracts $expected from $urlOrVideoId', ({ urlOrVideoId, expected }) => { expect(extractVideoId(urlOrVideoId)).toBe(expected); }); test.each` urlOrVideoId ${''} ${'0123456789'} ${'more_than_11_letter_string'} ${'https://www.youtube.com/watch?v=more_than_11_letter_string'} ${'https://www.youtube.com/channel/123_456_789'} `('extracts null from $urlOrVideoId', ({ urlOrVideoId }) => { expect(extractVideoId(urlOrVideoId)).toBeNull(); }); });
349960aa122d92de87baae84ec300e221200befd
[ "Markdown", "TypeScript" ]
9
TypeScript
aliyome/ytchat
30de1860d6e226783318cbf66861023c10df4bab
9f0d4882eafde57b0a692ce52b095250cd747b1e
refs/heads/master
<file_sep>//ハンバーガーメニューの開閉 $('.navbar-toggler').click(function(){//.navbar-toggleをクリックすると $('.overlay').addClass('active');//.overlayにクラスactiveを付ける }); $('.sp_menu_close').click(function(){//.sp_menu_closeをクリックすると $('.overlay').removeClass('active');//.overlayのクラスactiveを外しーの $('.navbar-collapse').removeClass('open');//.navbar-collapseのクラスopenを外す }); $('.overlay').click(function(){//.overlayをクリックすると $('.overlay').removeClass('active');////.overlayのクラスactiveを外しーの $('.navbar-collapse').removeClass('open');//.navbar-collapseのクラスopenを外す }); // カテゴリスライド $(window).on('load resize', function(){ var mystring = $('.categorynav_scroll_x').width();//メニュー部分の幅を取得 console.log(mystring); var currentmenu = $('.categorynav_scroll_x ul li .active').offset();//.active要素のoffsetを取得 console.log(currentmenu); });<file_sep># BS4-EC-Template
f9ba60d96285874878c4c7601788c3b969aaca1b
[ "JavaScript", "Markdown" ]
2
JavaScript
yishii-egc/BS4-EC-Template-old-
ec05a46a9f6eed43e55b3476259aad1367928bea
8dd9e078b00040454fb350a6267f27f7f90d721a
refs/heads/master
<file_sep># search.js Search files by name and extension(it also search sub folders), in the folder contains "search.js"(NodeJS). Type in the Terminal, at "search.js" location => node search.js *file extension* *file name* and hit enter(search.js must be in the folder we are searching in). <file_sep> var text=process.argv.slice(3,4); var ext=process.argv.slice(2,3); if(text==""||ext=="") { console.log("USAGE: node search [EXT] [TEXT]"); } else { var find = require('find'); var str,i; find.file(text+'.'+ext,__dirname, function(files) { if(files=="") { console.log("No file was found"); } else { str=files; for(i=0;i<str.length;i++) { console.log("C:"+str[i]); } } }) }
f0f49afc9f4662ca2b5dfa6266fe5030b9b792d6
[ "Markdown", "JavaScript" ]
2
Markdown
alexg657/search.js
26c88d76fbf05dcbee199917c2b6e9122c4223be
8b2844665219dde8de2129b29d7c962a5235a3d7
refs/heads/master
<file_sep># -*- coding: utf-8 -*- import re,urllib2,base64 import calendar from datetime import * import time #, translit, urllib # Nice TV Plugin VERSION = 3.6 VIDEO_PREFIX = "/video/nicetv" NAME = 'nicetv' ART = 'art-default.jpg' ICON = 'icon-default.png' PREFS = 'icon-prefs.png' API_URL = '' BASE_URL = '' USER_AGENT = 'User-Agent','PLEX NiceTV plugin (Macintosh; U; Intel Mac OS X 10.6; en; rv:1.9.2.13) Nice' LOGGEDIN = False SID = '' title1 = NAME title2 = '' def Start(): Plugin.AddPrefixHandler(VIDEO_PREFIX, MainMenu, NAME, ICON, ART) Plugin.AddViewGroup("InfoList", viewMode="InfoList", mediaType="items") Plugin.AddViewGroup("List", viewMode="List", mediaType="items") MediaContainer.title1 = title1 MediaContainer.title2 = title2 MediaContainer.viewGroup = "List" MediaContainer.art = R(ART) DirectoryItem.thumb = R(ICON) VideoItem.thumb = R(ICON) HTTP.CacheTime = CACHE_1HOUR HTTP.Headers['User-Agent']=USER_AGENT #'Mozilla/5.0 [Macintosh; U; Intel Mac OS X 10.6; ru; rv:1.9.2.13] Gecko/20101203 Firefox/3.6.13 GTB7.1' HTTP.Headers['Accept']='text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8' HTTP.Headers['Accept-Encoding']='gzip,deflate,sdch' HTTP.Headers['Accept-Language']='en-us;q=0.5,en;q=0.3' HTTP.Headers['Accept-Charset']='windows-1251,utf-8;q=0.7,*;q=0.7' HTTP.Headers['Keep-Alive']='115' HTTP.Headers['Referer']='http://'+Prefs['portal']+'/' def MainMenu(): global LOGGEDIN, SID ,API_URL ,BASE_URL API_URL = 'http://'+Prefs['portal']+'/api/json/' BASE_URL = 'http://'+Prefs['portal']+'/api/json/' httpCookies=HTTP.GetCookiesForURL(BASE_URL) SID=Dict['sessionid'] dir = MediaContainer(viewGroup="List", noCache=True, httpCookies=httpCookies) DoLogin() if SID != "": dir.Append(Function(DirectoryItem(Channels, title='TV', thumb=R('tv-icon.png')), link='channel_list', id=0)) dir.Append(PrefsItem('Settings ', thumb=R('settings.png'))) dir.Append(Function(DirectoryItem(About, title='Info', thumb=R('info.png')))) return dir def Channels(sender,link,id=0): url=API_URL + 'channel_list?MW_SSID='+Dict['sessionid'] dir = MediaContainer(viewGroup='InfoList', httpCookies=HTTP.GetCookiesForURL(BASE_URL),title2='<') obj = JSON.ObjectFromURL(url) if obj.has_key('error'): msg=obj["error"]["message"] Dict['sessionid']="" return MessageContainer("Error", msg) else: msg="" if id==0: for group in obj["groups"]: name=group["name"] gid=group["id"] dir.Append(Function(DirectoryItem(Channels, title=name,thumb=R('group_'+str(gid)+'.png')), link='channel_list', id=gid)) else: for group in obj["groups"]: if group["id"]==id: for chan in group["channels"]: cid=chan["id"] name=chan["name"] #Log("------> Channel ID=%s, POSTER=%s" % (cid,poster)) #thumb='http://img/'+str(cid)+'.gif' #dir.Append(Function(DirectoryItem(EPG, title=name, summary=name, thumb=R('art-default.jpg')), id=cid, page=1)) dir.Append(Function(DirectoryItem(PlayCh, title=name, subtitle=name, summary=''), name = name, id=cid)) return dir @route(VIDEO_PREFIX + '/createvideoclipobject', include_container = bool) def CreateVideoClipObject(url, title, thumb, art, summary, c_audio_codec = None, c_video_codec = None, c_container = None, c_protocol = None, c_user_agent = None, optimized_for_streaming = True, include_container = False, *args, **kwargs): vco = VideoClipObject( key = Callback(CreateVideoClipObject, url = url, title = title, thumb = thumb, art = art, summary = summary, c_audio_codec = c_audio_codec, c_video_codec = c_video_codec, c_container = c_container, c_protocol = c_protocol, c_user_agent = c_user_agent, optimized_for_streaming = optimized_for_streaming, include_container = True), rating_key = url, title = title, thumb = thumb, art = art, summary = summary, items = [ MediaObject( parts = [ PartObject( key = HTTPLiveStreamURL(Callback(PlayVideo, url = url, c_user_agent = c_user_agent)) ) ], audio_codec = c_audio_codec, video_codec = c_video_codec, container = c_container, protocol = c_protocol, optimized_for_streaming = optimized_for_streaming ) ] ) if include_container: return ObjectContainer(objects = [vco], user_agent = c_user_agent) else: return vco @indirect @route(VIDEO_PREFIX + '/playvideo.m3u8') def PlayVideo(url, c_user_agent = None): # Custom User-Agent string if c_user_agent: HTTP.Headers['User-Agent'] = c_user_agent return IndirectResponse(VideoClipObject, key = url) def PlayCh(sender, name, id): progname="" #epgd=API_URL+'epg_next?cid='+str(id)+'&MW_SSID='+Dict['sessionid'] #objd = JSON.ObjectFromURL(epgd) #if objd.has_key("epg"): #progname=objd["epg"][0]["t_start"]+" "+objd["epg"][0]["progname"]+"\n"+objd["epg"][1]["t_start"]+" "+objd["epg"][1]["progname"] url=API_URL+'get_url?cid='+str(id)+'&MW_SSID='+Dict['sessionid'] obj = JSON.ObjectFromURL(url) if obj.has_key('error'): msg=obj["error"]["message"] Dict['sessionid']="" return MessageContainer("error", msg) else: msg="" murl=obj["url"] ing = '' x = 0 y = 2 v = 0 l = len(murl) while y <= l: if v > 4: v = 0 v += 1 ing += chr(int(murl[x:y], 16) - v) x += 2 y += 2 murl = ing oc = ObjectContainer(title1 = unicode(L('Channel')) , no_cache = True) oc.add( CreateVideoClipObject( url = murl, title = name, thumb = R('art-default.jpg'), art = R('art-default.jpg'), summary = progname, c_audio_codec = None, c_video_codec = None, c_container = None, c_protocol = None, c_user_agent = USER_AGENT, optimized_for_streaming = True, include_container = False ) ) #strn=JSON.StringFromObject(obj) #murl=murl[0:murl.find(" :")] #murl=murl.replace('http/ts://','http://') #HTTP.SetHeader('User-Agent', 'vlc/1.1.0 LibVLC/1.1.0') #HTTP.SetHeader('Icy-MetaData', '1') return oc def ShowMessage(sender, title, message): return MessageContainer(title, message) def Logout(sender): url=API_URL + 'logout' +'&MW_SSID='+Dict['sessionid'] obj = JSON.ObjectFromURL(url, encoding='utf-8', cacheTime=1) Dict['sessionid']="" return True def DoLogin(): u = Prefs['username'] p = Prefs['password'] if( u and p ): LOGGEDIN = Login() if LOGGEDIN == False: return MessageContainer("Error","No access") else: return MessageContainer("Login","Login - OK") else: return MessageContainer("Error","Please enter your username and password") def Login(): global LOGGEDIN, SID if LOGGEDIN == True: return True elif not Prefs['username'] and not Prefs['password']: return False else: url = API_URL+'login?login='+str(Prefs['username'])+'&pass='+str(Prefs['password']) try: obj = JSON.ObjectFromURL(url, encoding='utf-8', cacheTime=1) strn=JSON.StringFromObject(obj) except: obj=[] LOGGEDIN = False return False SID = obj['sid'] if len(SID) > 0: LOGGEDIN = True Dict['sessionid']=SID return True else: LOGGEDIN = False Dict['sessionid']="" return False def Thumb(url): if url=='': return Redirect(R(ICON)) else: try: data = HTTP.Request(url, cacheTime=CACHE_1WEEK).content return DataObject(data, 'image/jpeg') except: return Redirect(R(ICON)) def Summary(id): url=API_URL +"media/details/"+str(id)+".json" obj=JSON.ObjectFromURL(url) summary=obj['media']['description'] return summary def About(sender): return MessageContainer(NAME+' (ver. ' + str(VERSION) + ')', 'Nice re/streamer')
357dc3aa2358313b2e4ea41f6d5beaca480dedc7
[ "Python" ]
1
Python
diddymac6499/nice.bundle
7ac75f18a54dea540982297a1533d82270a3ab62
60bd10bc4e252925537af109b8c23cd55d3ae820
refs/heads/master
<file_sep>#include "IntCell.h" using namespace std; IntCell::IntCell (int _initVal) { m_val = _initVal; } void IntCell::write ( int _newVal ) { m_val = _newVal; } int IntCell::get ( void ) const { return m_val; } IntCell IntCell::operator+( const IntCell & _rhs ) { IntCell res; res.m_val = this->m_val + _rhs.m_val; // IntCell res(m_val + _rhs.m_val); Equivalente as duas linhas anteriores return res; } IntCell IntCell::operator-( const IntCell & _rhs ) { IntCell res; res.m_val = this->m_val - _rhs.m_val; // IntCell res(m_val - _rhs.m_val); Equivalente as duas linhas anteriores return res; } IntCell IntCell::operator*( const IntCell & _rhs ) { IntCell res; res.m_val = this->m_val * _rhs.m_val; // IntCell res(m_val * _rhs.m_val); Equivalente as duas linhas anteriores return res; } IntCell IntCell::operator/( const IntCell & _rhs ) { IntCell res; res.m_val = this->m_val / _rhs.m_val; // IntCell res(m_val / _rhs.m_val); Equivalente as duas linhas anteriores return res; } bool IntCell::operator==( const IntCell & _rhs ) { return ( this->m_val == _rhs.m_val ); } bool IntCell::operator!=( const IntCell & _rhs ) { return !( this->m_val == _rhs.m_val ); } bool IntCell::operator>( const IntCell & _rhs ) { return ( this->m_val > _rhs.m_val ); } bool IntCell::operator<( const IntCell & _rhs ) { return ( this->m_val < _rhs.m_val ); } <file_sep>#ifndef DOUBLE_ARRAY_H #define DOUBLE_ARRAY_H #include <new> using std::bad_alloc; #include <stdexcept> #include <iostream> template< typename T > void DoubleArray ( T * A_ , int & iSz_ ) { // TODO } #endif /* ------------------- [ End of the doublearray.h source ] ------------------- */ /* =========================================================================== */ <file_sep>#include <iostream> #include <cstdlib> #include <ctime> using namespace std; #define times 10000 int main(int argc, char const *argv[]) { srand(time(NULL)); long double continuar= 0; //Vai ser incrementada caso o usuário queira continuar long double mudar= 0; //Vai ser incrementada caso o usuário queira mudar int P1, P2; for (int i = 0; i < times; ++i) { cout << i+1 << "ª vez: " << endl; P1 = rand() % 3; P2 = rand() % 3; if (P1 == P2) { continuar++; cout << "Participante decidiu continuar \n"; } else { mudar++; cout << "Participante decidiu mudar\n"; } cout << "Probabilidade de ganhar quando participante cotinua com a escolha original: " << int(continuar/(continuar+ mudar) * 100 + 0.5) << "%;" << endl << "Probabilidade de ganhar quando participante muda a escolha original: " << int(mudar/(continuar+ mudar) * 100 + 0.5) << "%\n" << endl; //Impressão das probabilidades } return 0; } //Percebe-se que quanto maior o número de vezes que o laço rodar, a probabilidade se aproxima mais de ganhar mudando a escolha de 67%<file_sep>#ifndef _INTCELL_H_ #define _INTCELL_H_ class IntCell { public: void write ( int _newVal ); int get () const; //Metedo constante, pois não modifica os membros da classe IntCell( int _newVal = -1); IntCell operator+( const IntCell & _rhs ); IntCell operator-( const IntCell & _rhs ); IntCell operator*( const IntCell & _rhs ); IntCell operator/( const IntCell & _rhs ); bool operator==( const IntCell & _rhs ); bool operator!=( const IntCell & _rhs ); bool operator>( const IntCell & _rhs ); bool operator<( const IntCell & _rhs ); private: int m_val; //Em C++, por padrão, os membros da classe já são privados }; #endif<file_sep>#include <iostream> #include "IntCell.h" #include <cassert> using namespace std; int main(int argc, char const *argv[]) { IntCell a; IntCell b(100); cout << ">>> O valor inicial de a é " << a.get() << endl; cout << ">>> O valor inicial de b é " << b.get() << endl; a.write( 5 ); b.write( 2 * a.get() ); cout << ">>> Novo valor de a é " << a.get() << endl; cout << ">>> Novo valor de b é " << b.get() << endl; IntCell c, d; c = a + b; d.write( a.get() + b.get() ); //assert( c.get() == d.get() ); assert (d == c); cout << ">>> Valor de c é " << c.get() << endl; return 0; } <file_sep>#include <iostream> #include <cassert> #include "MemoryCell.h" int main() { MemoryCell a; MemoryCell b(100); std::cout << ">>> Valor de a: " << a.get() << std::endl; std::cout << ">>> Valor de b: " << b.get() << std::endl; a.write( 5 ); b.write( 2 * a.get() ); std::cout << ">>> Valor de a: " << a.get() << std::endl; std::cout << ">>> Valor de b: " << b.get() << std::endl; MemoryCell c, d; c = a + b; //c = a.operator+( b ); d.write( a.get() + b.get() ); // Testando a validade da soma. assert( d.get() == c.get() ); if ( d == c ) std::cout << ">> Sao iguais! Yheeee!!!\n"; else std::cout << ">> Nao sao iguais! Dammit \n"; std::cout << ">>> Valor de c: " << c.get() << std::endl; MemoryCell e = a * b; return EXIT_SUCCESS; } <file_sep>#ifndef _MEMORYCELL_H_ #define _MEMORYCELL_H_ class MemoryCell { public: MemoryCell( int = -1 ); MemoryCell(const MemoryCell & clone); ~MemoryCell( ); void write( int _newVal ); int get( ) const; const MemoryCell & operator=( const MemoryCell & rhs ); MemoryCell & operator=( int rhs ); MemoryCell operator+( const MemoryCell & _rhs ); MemoryCell operator-( const MemoryCell & _rhs ); MemoryCell operator*( const MemoryCell & _rhs ); bool operator==( const MemoryCell & _rhs ); bool operator!=( const MemoryCell & _rhs ); bool operator>( const MemoryCell & _rhs ); private: int * m_pVal; }; #endif <file_sep>#include <iostream> using namespace::std; int max( int a, int b ) { return (a > b ? a : b); } int min( int a, int b ) { return (a < b ? a : b); } int main( ) { int x = 5, y = 10; cout << ">>> Max (a,b): " << max(x,y) << endl; cout << ">>> Min (a,b): " << min(x,y) << endl; return EXIT_SUCCESS; } void SwapInt( int& a, int& b ) { int aux = a; a = b; b = aux; } void imprimir( int a, int b, int (*p) (int, int) ) { cout << ">>> a: " << a << ", b: " << b << endl; cout << ">>> Func (a,b): " << p(a,b) << endl; } int main( ) { int x = 5, y = 10; //int (*p) (int, int) = nullptr; imprimir( x, y, max ); // cout << ">>> Max (a,b): " << max(x,y) << endl; return EXIT_SUCCESS; } <file_sep>/** Fragmento do programa para testar Swap. */ #include <iostream > using namespace std; int main( ) { int x = 5, y = 7; double a = 2.3, b = 4.5; cout << "Antes da troca:\n"; cout << x << " " << y << endl; cout << a << " " << b << endl; SwapInt( x, y ); // troca inteiros SwapDbl( a, b ); // troca n ́umeros em ponto flutuante cout << "Depois da troca:\n"; cout << x << " " << y << endl; cout << a << " " << b << endl; return EXIT_SUCCESS; } <file_sep>#include <iostream> using namespace std; template <typename T> T myMax (T lhs, T rhs) { if (lhs > rhs) return lhs; else return rhs; } int main(int argc, char const *argv[]) { int x = 5, y = 7; double a = 2.3, b = 4.5; string s = "Batman", t = "Antman"; cout << "Antes do myMax:\n"; cout << x << " " << y << endl; cout << a << " " << b << endl; cout << s << " " << t << endl; cout << "\nDepois do myMax:\n"; cout << "Maior dos inteiros: " << myMax(x, y) << endl; cout << "Maior dos doubles: " << myMax(a, b) << endl; cout << "Maior dos strings: " << myMax(s, t) << endl; return 0; }<file_sep>#include <iostream> using namespace::std; template <typename Object> void Swap ( Object & lhs , Object & rhs ) { Object tmp = lhs ; lhs = rhs ; rhs = tmp ; } int main( ) { int x = 5, y = 7; double a = 2.3, b = 4.5; string s = "Batman", t = "Demolidor"; cout << "Antes da troca:\n"; cout << x << " " << y << endl; cout << a << " " << b << endl; cout << s << " " << t << endl; Swap( x, y ); // troca inteiros Swap( a, b ); // troca números em ponto flutuante Swap(s, t); cout << "Depois da troca:\n"; cout << x << " " << y << endl; cout << a << " " << b << endl; cout << s << " " << t << endl; return EXIT_SUCCESS; } <file_sep>// RESOLVER BUG NA FUNÇÃO binsearch // IMPLEMENTAR COMPARAÇÃO DE TEMPO! // GENERALZIAR USANDO TEMPLATE #include <iostream> using namespace std; //Variavel global pra contar o nº de passos auto count(0); int binsearch (int target, int* A, int left, int right); int recursive_binsearch (int target, int* A, int left, int right); int linear_search (int target, int *Vet, int size); int main(int argc, char const *argv[]) { int V[] = {2, 4, 6, 8, 10, 12, 14}; int targ; int sz = sizeof(V) / sizeof(int); cout << ">>> Enter the element to be search in the vector: "; cin >> targ; cout << ">>> Searching the " << targ << " in: "; cout << "["; for (auto &e: V) cout << e << " "; cout <<"]\n"; cout << ">>> Binary search!" << endl; cout << ">>> Using a recursive function: \n"; cout << ">>> The element " << targ << " is on: " << recursive_binsearch(targ, V, 0, sz-1) << endl; cout << ">>> Number of steps: " << count << endl; cout << ">>> Using a iterative function: \n"; cout << ">>> The element " << targ << " is on: " << binsearch(targ, V, 0, sz-1) << endl; cout << ">>> Number of steps: " << count << endl; cout << ">>> Linear search!" << endl; cout << ">>> The element " << targ << " is on: " << linear_search (targ, V, sz) << endl; return 0; } int binsearch (int target, int* A, int left, int right) { if (left > right) return -1; auto mid = (left + right) / 2; while (left < right) { if (A[mid] == target) return mid; else if (target > A[mid]) { left = mid + 1; } else { right = mid -1; } } return mid; } int recursive_binsearch (int target, int* A, int left, int right) { count++; if (left > right) return -1; auto mid = (left + right) / 2; if (target == A[mid]) return mid; else if (target > A[mid]) // o 'target' está a direita do mid { return recursive_binsearch (target, A, mid+1, right); } else // o 'target' está a esquerda do mid { return recursive_binsearch (target, A, left, mid-1); } } int linear_search (int target, int *A, int size) { for (int i = 0; i < size; ++i) { if (target == A[i]) return i; } return -1; } <file_sep>#include <iostream> #include "MemoryCell.h" MemoryCell::MemoryCell( int _initVal ) : m_pVal( nullptr ) { std::cout << ">>>>> Entrei no construtor(" << this << ")\n"; // Alocar memoria para o inteiro. m_pVal = new int; // Inicializar com valor fornecido pelo usuario. *m_pVal = _initVal; } //Construtor cópia MemoryCell::MemoryCell (const MemoryCell & clone) { std::cout << ">>>>> Entrei no construtor cópia(" << this << ")\n"; //Criar nova memória para o objeto m_pVal = new int; //Copiar (profundamente) o valor do clone para o objeto de copia *(m_pVal) = *(clone.m_pVal); } MemoryCell::~MemoryCell( ) { std::cout << ">>>>> Entrei no destruidor(" << this << ")\n"; // Liberar memoria requisitada pelo construtor. delete m_pVal; } void MemoryCell::write( int _newVal ) { *m_pVal = _newVal; } int MemoryCell::get( void ) const { return *m_pVal; } MemoryCell MemoryCell::operator+( const MemoryCell & _rhs ) { // Calcular a soma em uma variavel temporaria MemoryCell resultado; *(resultado.m_pVal) = *(this->m_pVal) + *(_rhs.m_pVal); // REtornar a soma return resultado; } MemoryCell MemoryCell::operator*( const MemoryCell & _rhs ) { // Calcular a soma em uma variavel temporaria MemoryCell resultado; *(resultado.m_pVal) = *(this->m_pVal) * *(_rhs.m_pVal); // REtornar a soma return resultado; } MemoryCell MemoryCell::operator-( const MemoryCell & _rhs ) { // Calcular a soma em uma variavel temporaria MemoryCell resultado; *(resultado.m_pVal) = *(this->m_pVal) - *(_rhs.m_pVal); // REtornar a soma return resultado; } bool MemoryCell::operator==( const MemoryCell & _rhs ) { return ( *(this->m_pVal) == *(_rhs.m_pVal) ); } bool MemoryCell::operator!=( const MemoryCell & _rhs ) { return ( *(this->m_pVal) != *(_rhs.m_pVal) ); } bool MemoryCell::operator>( const MemoryCell & _rhs ) { return ( *(this->m_pVal) > *(_rhs.m_pVal) ); } const MemoryCell & MemoryCell::operator=( const MemoryCell & rhs ) { if ( *this != rhs ) // Teste padr~ao de auto-c ́opia *m_pVal = *(rhs.m_pVal); return *this; } MemoryCell & MemoryCell::operator=( int rhs ) { this->write( rhs ); return *this; }
1977ab2f9038a6189069584dd1e7bddd2afd1a60
[ "C++" ]
13
C++
Biramon/LP1-Codes
4f3ed05e8f10c98af34a5ad6cfa86efb9509e8d7
e91d7fe0fdd9814c0c0b55adda731d908343f4ac
refs/heads/master
<file_sep>// // RoundedButton.swift // smack // // Created by <NAME> on 15/02/2018. // Copyright © 2018 <NAME>. All rights reserved. // import UIKit class RoundedButton: UIButton { @IBInspectable var cornerRadius : CGFloat = 5.0 { didSet { self.layer.cornerRadius = cornerRadius } } } <file_sep>// // RoundedView.swift // smack // // Created by <NAME> on 19/02/2018. // Copyright © 2018 <NAME>. All rights reserved. // import UIKit class RoundedView: UIView { override func awakeFromNib() { super.awakeFromNib() self.layer.cornerRadius = 20 } } <file_sep>// // SocketService.swift // smack // // Created by <NAME> on 19/02/2018. // Copyright © 2018 <NAME>. All rights reserved. // import UIKit import SocketIO class SocketService: NSObject { static let instance = SocketService() override init() { super.init() } let socket = SocketManager(socketURL: (URL(string: BASE_URL)!), config: [.log(true), .compress]) func establishConnection() { socket.defaultSocket.connect() } func closeConnection() { socket.defaultSocket.disconnect() } func addChannel(channelName: String, channelDescription: String, completion: @escaping CompletionHandler){ socket.defaultSocket.emit(SOCKET_EVT_NEW_CHANNEL, channelName, channelDescription) completion(true) } func getChannel(completion: @escaping CompletionHandler) { socket.defaultSocket.on(SOCKET_EVT_CHANNEL_CREATED) { (dataArray, ack) in guard let channelName = dataArray[0] as? String else { return } guard let channelDescription = dataArray[1] as? String else { return } guard let channelId = dataArray[2] as? String else { return } let newChannel = Channel(channelTitle: channelName, channelDescription: channelDescription, id: channelId) MessageService.instanse.channels.append(newChannel) completion(true) } } } <file_sep>// // ChatVC.swift // smack // // Created by <NAME> on 14/02/2018. // Copyright © 2018 <NAME>. All rights reserved. // import UIKit class ChatVC: UIViewController { //Outlets @IBOutlet weak var channelNameLbl: UILabel! @IBOutlet weak var manuBtn: UIButton! override func viewDidLoad() { super.viewDidLoad() manuBtn.addTarget(self.revealViewController(), action: #selector(SWRevealViewController.revealToggle(_:)), for: .touchUpInside) NotificationCenter.default.addObserver(self, selector: #selector(ChatVC.userDataDidChange(_:)), name: NOTIF_USER_DATA_DID_CHANGE, object: nil) NotificationCenter.default.addObserver(self, selector: #selector(ChatVC.channelSelected(_:)), name: NOTIF_CHANNEL_SELECTED, object: nil) if AuthService.instance.isLoggedIn { AuthService.instance.findUserByEmail(completion: { (success) in NotificationCenter.default.post(name: NOTIF_USER_DATA_DID_CHANGE, object: nil) }) } self.view.addGestureRecognizer(self.revealViewController().panGestureRecognizer()) self.view.addGestureRecognizer(self.revealViewController().tapGestureRecognizer()) } @objc func userDataDidChange(_: Notification) { if AuthService.instance.isLoggedIn { channelNameLbl.text = "Smack" onLoginGetMessages() } else { channelNameLbl.text = "Please log in" } } @objc func channelSelected(_ notif: Notification) { updateWithChannel() } func updateWithChannel() { let channelName = MessageService.instanse.selectedChannel?.channelTitle ?? "" channelNameLbl.text = "#\(channelName)" getMessages() } func onLoginGetMessages() { MessageService.instanse.findAllChannel { (success) in if success { if MessageService.instanse.channels.count > 0 { MessageService.instanse.selectedChannel = MessageService.instanse.channels[0] self.updateWithChannel() }else { self.channelNameLbl.text = "No channels yet" } } } } func getMessages() { guard let channelId = MessageService.instanse.selectedChannel?.id else {return} MessageService.instanse.findAllMessagesForChannel(channelId: channelId) { (success) in } } }
ab05c05c70e0a5cb6c6f66dadba582d52d7161ff
[ "Swift" ]
4
Swift
memetriza/app-smack
db8d6d9a6341c56d462effc693ed67f01ab6ebd5
ceaac0b1e08a637f63ec958a1b91294c08924528
refs/heads/master
<repo_name>daxiangpanda/face_merge<file_sep>/core/triangulation.py # -*- coding: utf-8 -*- # @Time : 2018/05/18 13:40 # @Author : <NAME> import cv2 import numpy as np import pickle from PIL import Image, ImageDraw def draw_point(img, p, color): cv2.circle(img, (p[0], p[1]), 2, color, cv2.FILLED, cv2.LINE_AA, 0) def rect_contains(rect, point): if point[0] < rect[0]: return False elif point[1] < rect[1]: return False elif point[0] > rect[2]: return False elif point[1] > rect[3]: return False return True def measure_triangle(image, points,src_points,dst_points): # print("measure_triangle") rect = (0, 0, image.shape[1], image.shape[0]) sub_div = cv2.Subdiv2D(rect) for p in points: # if(p[0] < 0 or p[1] < 0): # return [] # if(p[0] > image.shape[1] or p[0] > image.shape[0] or p[1] > image.shape[1] or p[1] > image.shape[0]): # return [] sub_div.insert(p) triangle_list = sub_div.getTriangleList() # print("triangle_list") # print(len(triangle_list)) pickle.dump triangle = [] pt = [] # print(type(image)) pil_image = Image.fromarray(np.uint8(image)) d = ImageDraw.Draw(pil_image) p = 0 for t in triangle_list: pt.append((t[0], t[1])) pt.append((t[2], t[3])) pt.append((t[4], t[5])) pt1 = (t[0], t[1]) pt2 = (t[2], t[3]) pt3 = (t[4], t[5]) d.line(list(pt1) + list(pt2) + list(pt3),width = 5) # if rect_contains(rect, pt1) and rect_contains(rect, pt2) and rect_contains(rect, pt3): ind = [] for j in range(0, 3): for k in range(0, len(points)): if abs(pt[j][0] - points[k][0]) <= 2.0 and abs(pt[j][1] - points[k][1]) <= 2.0: ind.append(k) import itertools if len(ind) >= 3: # print(ind) triangle += list(itertools.combinations(ind,3)) pt = [] import os if os.path.exists("tri_lines.jpg"): os.remove("tri_lines.jpg") if os.path.exists("tri_lines_dst.jpg"): os.remove("tri_lines_dst.jpg") if(os.path.exists("tri_lines.jpg")): pil_image.save("tri_lines_dst.jpg") else: pil_image.save("tri_lines.jpg") # Image.fromarray(np.uint8(image)).save("tri.jpg") # print(image.shape) # print(type(image)) # print(len(points)) return triangle # return triangle def morph_triangle(src, dst, img, t_src, t_dst, t, alpha,inde): r1 = cv2.boundingRect(np.float32([t_src])) r2 = cv2.boundingRect(np.float32([t_dst])) r = cv2.boundingRect(np.float32([t])) t1_rect = [] t2_rect = [] t_rect = [] for i in range(0, 3): t_rect.append(((t[i][0] - r[0]), (t[i][1] - r[1]))) t1_rect.append(((t_src[i][0] - r1[0]), (t_src[i][1] - r1[1]))) t2_rect.append(((t_dst[i][0] - r2[0]), (t_dst[i][1] - r2[1]))) mask = np.zeros((r[3], r[2], 3), dtype=np.float32) cv2.fillConvexPoly(mask, np.int32(t_rect), (1.0, 1.0, 1.0), 16, 0) img1_rect = src[r1[1]:r1[1] + r1[3], r1[0]:r1[0] + r1[2]] img2_rect = dst[r2[1]:r2[1] + r2[3], r2[0]:r2[0] + r2[2]] size = (r[2], r[3]) warp_img1 = affine_transform(img1_rect, t1_rect, t_rect, size) # cv2.imwrite(str(inde) + "warp_img1"+".jpg",warp_img1) warp_img2 = affine_transform(img2_rect, t2_rect, t_rect, size) img_rect = (1.0 - alpha) * warp_img1 + alpha * warp_img2 img[r[1]:r[1] + r[3], r[0]:r[0] + r[2]] = img[r[1]:r[1] + r[3], r[0]:r[0] + r[2]] * (1 - mask) + img_rect * mask def affine_triangle(src, dst, t_src, t_dst): r1 = cv2.boundingRect(np.float32([t_src])) r2 = cv2.boundingRect(np.float32([t_dst])) t1_rect = [] t2_rect = [] t2_rect_int = [] for i in range(0, 3): t1_rect.append((t_src[i][0] - r1[0], t_src[i][1] - r1[1])) t2_rect.append((t_dst[i][0] - r2[0], t_dst[i][1] - r2[1])) t2_rect_int.append((t_dst[i][0] - r2[0], t_dst[i][1] - r2[1])) mask = np.zeros((r2[3], r2[2], 3), dtype=np.float32) cv2.fillConvexPoly(mask, np.int32(t2_rect_int), (1.0, 1.0, 1.0), 16, 0) img1_rect = src[r1[1]:r1[1] + r1[3], r1[0]:r1[0] + r1[2]] size = (r2[2], r2[3]) img2_rect = affine_transform(img1_rect, t1_rect, t2_rect, size) img2_rect = img2_rect * mask dst[r2[1]:r2[1] + r2[3], r2[0]:r2[0] + r2[2]] = dst[r2[1]:r2[1] + r2[3], r2[0]:r2[0] + r2[2]] * ( (1.0, 1.0, 1.0) - mask) dst[r2[1]:r2[1] + r2[3], r2[0]:r2[0] + r2[2]] = dst[r2[1]:r2[1] + r2[3], r2[0]:r2[0] + r2[2]] + img2_rect def affine_transform(src, src_tri, dst_tri, size): warp_mat = cv2.getAffineTransform(np.float32(src_tri), np.float32(dst_tri)) dst = cv2.warpAffine(src, warp_mat, (size[0], size[1]), None, flags=cv2.INTER_LINEAR, borderMode=cv2.BORDER_REFLECT_101) return dst <file_sep>/videoProcess.py # 1 分解视频 # 2 依次处理 # 3 合成视频 # 4 添加背景音乐 import cv2 import core import time def fetch_frame(video_path): video = cv2.VideoCapture(video_path) success,image = video.read() count = 0 frame_path_list = [] while success: cv2.imwrite("image/frame%d.jpg" % count, image) # save frame as JPEG file \ # try: start = time.time() changeFace("image/frame%d.jpg" % count,"images/model_zbll.jpg") print(time.time() - start) # except Exception as e: # count += 1 # continue success,image = video.read() frame_path_list.append("image/frame%d.jpg" % count) count += 1 return frame_path_list def changeFace(src_img,dst_img): core.face_merge_ret(src_img,dst_img,src_img) fetch_frame("./gesture.MP4")<file_sep>/test.py import core core.face_merge("images/temp_item.jpg","images/model_zbll.jpg","result/output_"+"test1.jpg") <file_sep>/core/recognizer.py # -*- coding: utf-8 -*- # @Time : 2018/05/08 # @Author : WangRong import json import os import requests import numpy as np # from core.youtuUtil import getFaceDataFromYoutu import face_recognition use_youtu = False if use_youtu: FACE_POINTS = list(range(0, 89)) JAW_POINTS = list(range(0, 20)) LEFT_EYE_POINTS = list(range(21, 28)) RIGHT_EYE_POINTS = list(range(29, 36)) LEFT_BROW_POINTS = list(range(37, 44)) RIGHT_BROW_POINTS = list(range(45, 52)) MOUTH_POINTS = list(range(53, 74)) NOSE_POINTS = list(range(75, 87)) LEFT_FACE = list(range(21, 28)) + list(range(37, 44)) RIGHT_FACE = list(range(29, 36)) + list(range(45, 52)) JAW_END = 20 FACE_START = 0 FACE_END = 89 OVERLAY_POINTS = [ LEFT_FACE, RIGHT_FACE, JAW_POINTS, ] else: FACE_POINTS = list(range(0, 72)) JAW_POINTS = list(range(0, 17)) LEFT_EYE_POINTS = list(range(36, 42)) RIGHT_EYE_POINTS = list(range(42, 48)) LEFT_BROW_POINTS = list(range(17, 22)) RIGHT_BROW_POINTS = list(range(22, 27)) MOUTH_POINTS = list(range(48, 72)) NOSE_POINTS = list(range(27, 36)) LEFT_FACE = list(range(36, 42)) + list(range(17, 22)) RIGHT_FACE = list(range(42, 48)) + list(range(22, 27)) JAW_END = 17 FACE_START = 0 FACE_END = 72 OVERLAY_POINTS = [ LEFT_FACE, RIGHT_FACE, JAW_POINTS, ] def face_points(image): points = [] points = landmarks_by_face__(image) faces = points if not faces: err = 404 return [], [], [], err else: err = 0 if(use_youtu): matrix_list = np.matrix(matrix_marks_youtu(str(points))) else: tmp = [] for i in points[:-1]: tmp.append([i[0],i[1]]) matrix_list = np.matrix(tmp) point_list = [] # print(matrix_list) for p in matrix_list.tolist(): # print(p) point_list.append((int(p[0]), int(p[1]))) return matrix_list, point_list, faces, err def landmarks_by_face__(image): if use_youtu: r = getFaceDataFromYoutu(image) if r["errorcode"] == 0: return r["face"][0] else: if isinstance(image,str): image = face_recognition.load_image_file(image) if not np.issubdtype(image.dtype,np.dtype('float')): image = image.astype(np.uint8) import time start = time.time() face_list = face_recognition.face_landmarks(image) if(len(face_list) == 0): return; res = face_recognition.face_landmarks(image)[0] end = time.time() - start print("face Time:"+str(end)) (top,right,bottom,left) = face_recognition.face_locations(image)[0] xywh = (left,top,right - left,bottom - top) points = [] points+=res["chin"] points+=res["left_eyebrow"] points+=res["right_eyebrow"] points+=res["nose_bridge"] points+=res["nose_tip"] points+=res["left_eye"] points+=res["right_eye"] points+=res["top_lip"] points+=res["bottom_lip"] points.append(xywh) return points def matrix_rectangle(left, top, width, height): pointer = [ (left, top),#x0 y0 (left + width / 2, top), (left + width - 1, top), (left + width - 1, top + height / 2), (left, top + height / 2), (left, top + height - 1), (left + width / 2, top + height - 1), (left + width - 1, top + height - 1) ] return pointer def matrix_marks_youtu(ress): # print(ress) rTemp = ress.replace("u'", "\"") rTemp = rTemp.replace("'", "\"") res = json.loads(rTemp) pointer = [ [int(res['face_shape']['face_profile'][0]['x']), int(res['face_shape']['face_profile'][0]['y'])], [int(res['face_shape']['face_profile'][1]['x']), int(res['face_shape']['face_profile'][1]['y'])], [int(res['face_shape']['face_profile'][2]['x']), int(res['face_shape']['face_profile'][2]['y'])], [int(res['face_shape']['face_profile'][3]['x']), int(res['face_shape']['face_profile'][3]['y'])], [res['face_shape']['face_profile'][4]['x'], res['face_shape']['face_profile'][4]['y']], [res['face_shape']['face_profile'][5]['x'], res['face_shape']['face_profile'][5]['y']], [res['face_shape']['face_profile'][6]['x'], res['face_shape']['face_profile'][6]['y']], [res['face_shape']['face_profile'][7]['x'], res['face_shape']['face_profile'][7]['y']], [res['face_shape']['face_profile'][8]['x'], res['face_shape']['face_profile'][8]['y']], [res['face_shape']['face_profile'][9]['x'], res['face_shape']['face_profile'][9]['y']], [res['face_shape']['face_profile'][10]['x'], res['face_shape']['face_profile'][10]['y']], [res['face_shape']['face_profile'][11]['x'], res['face_shape']['face_profile'][11]['y']], [res['face_shape']['face_profile'][12]['x'], res['face_shape']['face_profile'][12]['y']], [res['face_shape']['face_profile'][13]['x'], res['face_shape']['face_profile'][13]['y']], [res['face_shape']['face_profile'][14]['x'], res['face_shape']['face_profile'][14]['y']], [res['face_shape']['face_profile'][15]['x'], res['face_shape']['face_profile'][15]['y']], [res['face_shape']['face_profile'][16]['x'], res['face_shape']['face_profile'][16]['y']], [res['face_shape']['face_profile'][17]['x'], res['face_shape']['face_profile'][17]['y']], [res['face_shape']['face_profile'][18]['x'], res['face_shape']['face_profile'][18]['y']], [res['face_shape']['face_profile'][19]['x'], res['face_shape']['face_profile'][19]['y']], [res['face_shape']['face_profile'][20]['x'], res['face_shape']['face_profile'][20]['y']], [res['face_shape']['left_eye'][0]['x'], res['face_shape']['left_eye'][0]['y']], [res['face_shape']['left_eye'][1]['x'], res['face_shape']['left_eye'][1]['y']], [res['face_shape']['left_eye'][2]['x'], res['face_shape']['left_eye'][2]['y']], [res['face_shape']['left_eye'][3]['x'], res['face_shape']['left_eye'][3]['y']], [res['face_shape']['left_eye'][4]['x'], res['face_shape']['left_eye'][4]['y']], [res['face_shape']['left_eye'][5]['x'], res['face_shape']['left_eye'][5]['y']], [res['face_shape']['left_eye'][6]['x'], res['face_shape']['left_eye'][6]['y']], [res['face_shape']['left_eye'][7]['x'], res['face_shape']['left_eye'][7]['y']], [res['face_shape']['right_eye'][0]['x'], res['face_shape']['right_eye'][0]['y']], [res['face_shape']['right_eye'][1]['x'], res['face_shape']['right_eye'][1]['y']], [res['face_shape']['right_eye'][2]['x'], res['face_shape']['right_eye'][2]['y']], [res['face_shape']['right_eye'][3]['x'], res['face_shape']['right_eye'][3]['y']], [res['face_shape']['right_eye'][4]['x'], res['face_shape']['right_eye'][4]['y']], [res['face_shape']['right_eye'][5]['x'], res['face_shape']['right_eye'][5]['y']], [res['face_shape']['right_eye'][6]['x'], res['face_shape']['right_eye'][6]['y']], [res['face_shape']['right_eye'][7]['x'], res['face_shape']['right_eye'][7]['y']], [res['face_shape']['left_eyebrow'][0]['x'], res['face_shape']['left_eyebrow'][0]['y']], [res['face_shape']['left_eyebrow'][1]['x'], res['face_shape']['left_eyebrow'][1]['y']], [res['face_shape']['left_eyebrow'][2]['x'], res['face_shape']['left_eyebrow'][2]['y']], [res['face_shape']['left_eyebrow'][3]['x'], res['face_shape']['left_eyebrow'][3]['y']], [res['face_shape']['left_eyebrow'][4]['x'], res['face_shape']['left_eyebrow'][4]['y']], [res['face_shape']['left_eyebrow'][5]['x'], res['face_shape']['left_eyebrow'][5]['y']], [res['face_shape']['left_eyebrow'][6]['x'], res['face_shape']['left_eyebrow'][6]['y']], [res['face_shape']['left_eyebrow'][7]['x'], res['face_shape']['left_eyebrow'][7]['y']], [res['face_shape']['right_eyebrow'][0]['x'], res['face_shape']['right_eyebrow'][0]['y']], [res['face_shape']['right_eyebrow'][1]['x'], res['face_shape']['right_eyebrow'][1]['y']], [res['face_shape']['right_eyebrow'][2]['x'], res['face_shape']['right_eyebrow'][2]['y']], [res['face_shape']['right_eyebrow'][3]['x'], res['face_shape']['right_eyebrow'][3]['y']], [res['face_shape']['right_eyebrow'][4]['x'], res['face_shape']['right_eyebrow'][4]['y']], [res['face_shape']['right_eyebrow'][5]['x'], res['face_shape']['right_eyebrow'][5]['y']], [res['face_shape']['right_eyebrow'][6]['x'], res['face_shape']['right_eyebrow'][6]['y']], [res['face_shape']['right_eyebrow'][7]['x'], res['face_shape']['right_eyebrow'][7]['y']], [res['face_shape']['mouth'][0]['x'], res['face_shape']['mouth'][0]['y']], [res['face_shape']['mouth'][1]['x'], res['face_shape']['mouth'][1]['y']], [res['face_shape']['mouth'][2]['x'], res['face_shape']['mouth'][2]['y']], [res['face_shape']['mouth'][3]['x'], res['face_shape']['mouth'][3]['y']], [res['face_shape']['mouth'][4]['x'], res['face_shape']['mouth'][4]['y']], [res['face_shape']['mouth'][5]['x'], res['face_shape']['mouth'][5]['y']], [res['face_shape']['mouth'][6]['x'], res['face_shape']['mouth'][6]['y']], [res['face_shape']['mouth'][7]['x'], res['face_shape']['mouth'][7]['y']], [res['face_shape']['mouth'][8]['x'], res['face_shape']['mouth'][8]['y']], [res['face_shape']['mouth'][9]['x'], res['face_shape']['mouth'][9]['y']], [res['face_shape']['mouth'][10]['x'], res['face_shape']['mouth'][10]['y']], [res['face_shape']['mouth'][11]['x'], res['face_shape']['mouth'][11]['y']], [res['face_shape']['mouth'][12]['x'], res['face_shape']['mouth'][12]['y']], [res['face_shape']['mouth'][13]['x'], res['face_shape']['mouth'][13]['y']], [res['face_shape']['mouth'][14]['x'], res['face_shape']['mouth'][14]['y']], [res['face_shape']['mouth'][15]['x'], res['face_shape']['mouth'][15]['y']], [res['face_shape']['mouth'][16]['x'], res['face_shape']['mouth'][16]['y']], [res['face_shape']['mouth'][17]['x'], res['face_shape']['mouth'][17]['y']], [res['face_shape']['mouth'][18]['x'], res['face_shape']['mouth'][18]['y']], [res['face_shape']['mouth'][19]['x'], res['face_shape']['mouth'][19]['y']], [res['face_shape']['mouth'][20]['x'], res['face_shape']['mouth'][20]['y']], [res['face_shape']['mouth'][21]['x'], res['face_shape']['mouth'][21]['y']], [res['face_shape']['nose'][0]['x'], res['face_shape']['nose'][0]['y']], [res['face_shape']['nose'][1]['x'], res['face_shape']['nose'][1]['y']], [res['face_shape']['nose'][2]['x'], res['face_shape']['nose'][2]['y']], [res['face_shape']['nose'][3]['x'], res['face_shape']['nose'][3]['y']], [res['face_shape']['nose'][4]['x'], res['face_shape']['nose'][4]['y']], [res['face_shape']['nose'][5]['x'], res['face_shape']['nose'][5]['y']], [res['face_shape']['nose'][6]['x'], res['face_shape']['nose'][6]['y']], [res['face_shape']['nose'][7]['x'], res['face_shape']['nose'][7]['y']], [res['face_shape']['nose'][8]['x'], res['face_shape']['nose'][8]['y']], [res['face_shape']['nose'][9]['x'], res['face_shape']['nose'][9]['y']], [res['face_shape']['nose'][10]['x'], res['face_shape']['nose'][10]['y']], [res['face_shape']['nose'][11]['x'], res['face_shape']['nose'][11]['y']], [res['face_shape']['nose'][12]['x'], res['face_shape']['nose'][12]['y']], [res['face_shape']['pupil'][0]['x'], res['face_shape']['pupil'][0]['y']], [res['face_shape']['pupil'][1]['x'], res['face_shape']['pupil'][1]['y']], ] return pointer if __name__ == "__main__": path = "images/model.jpg" face_points(path) <file_sep>/cameraProcess.py import cv2 import core import time def fetch_frame(video_path): video = cv2.VideoCapture(video_path) success,image = video.read() count = 0 frame_path_list = [] while success: cv2.imwrite("image/frame%d.jpg" % count, image) # save frame as JPEG file \ # try: start = time.time() changeFace("image/frame%d.jpg" % count,"images/model_zbll.jpg") print(time.time() - start) # except Exception as e: # count += 1 # continue success,image = video.read() frame_path_list.append("image/frame%d.jpg" % count) count += 1 return frame_path_list def changeFace(src_img,dst_img): return core.face_merge_ret(src_img,dst_img) cap = cv2.VideoCapture(0) cap.set(3,640) cap.set(4,480) cap.set(1, 10.0) while True: ret,frame = cap.read() if ret == True: frame = cv2.flip(frame, 1) # a = out.write(frame) cv2.imshow("frame", changeFace(frame,"images/model_zbll.jpg")) if cv2.waitKey(1) & 0xFF == ord('q'): break else: break cap.release()
e6292e5c2bbf194f51f6ce0b67a5490c9707a011
[ "Python" ]
5
Python
daxiangpanda/face_merge
601e1959412ac05c18a178a853a5214cbf2bc8c3
d5536b334638f8cf9f940c2cc61fa89b5a11fa1f
refs/heads/master
<file_sep> ## First follow this tutorial to install proper fonts and make them available to R: https://rud.is/rpubs/building-pictograms.html library(waffle) library(hrbrthemes) library(extrafont) library(dplyr) ## modify plot theme mod.theme <-theme_ipsum_rc(base_family = "Arial", plot_title_margin = 0, subtitle_family = "Arial", subtitle_size = 10, subtitle_margin = 0, caption_margin = 0, grid="", plot_margin = margin(0, 0, 0, 0), panel_spacing = grid::unit(0, "lines")) + theme_enhance_waffle() + theme(legend.position = "none") theme(legend.text = element_text(size = 10, hjust = 0, vjust = 1)) ## ADL tibble( disability = factor( c("One independent person-year", "One dependent person-year not attributable to stroke", "One dependent person-year attributable to stroke"), levels=c("One independent person-year", "One dependent person-year not attributable to stroke", "One dependent person-year attributable to stroke") ), py = c(65.9, 33.3, .8) ) -> xdf xdf fig2.adl <- ggplot(xdf, aes(label = disability, values = py, color = disability)) + geom_pictogram(n_rows = 10, make_proportional = TRUE, size = 8) + scale_color_manual( name = NULL, values = c(`One independent person-year` = "#157696", `One dependent person-year not attributable to stroke` = "#F0881A", `One dependent person-year attributable to stroke` = "#F03B1A")) + scale_label_pictogram(name = NULL, values = c(Fruit = "female", Sandwiches = "female", Pizza = "female")) + coord_equal() + labs(x=NULL, subtitle="(A) ADL independence")+ mod.theme ##Create separate figure for legend fig2.adl.legend <- ggplot(xdf, aes(label = disability, values = py, color = disability)) + geom_pictogram(n_rows = 10, make_proportional = TRUE, size = 8) + scale_color_manual( name = NULL, values = c(`One independent person-year` = "#157696", `One dependent person-year not attributable to stroke` = "#F0881A", `One dependent person-year attributable to stroke` = "#F03B1A")) + scale_label_pictogram(name = NULL, values = c(Fruit = "female", Sandwiches = "female", Pizza = "female")) + coord_equal() + labs(x=NULL, subtitle="(A) ADL independence")+ mod.theme + theme(legend.position = "right") + theme(legend.key.height = unit(2.25, "line")) + theme(legend.text = element_text(size = 10, hjust = 0, vjust = 0.75)) legend <- cowplot::get_legend(fig2.adl.legend) #extract legend ## IADL tibble( disability = factor( c("Disability free years", "Disability years independent of stroke", "Disability years attributable to stroke"), levels=c("Disability free years", "Disability years independent of stroke", "Disability years attributable to stroke") ), py = c(54.9, 44.5, .6) ) -> xdf xdf fig2.iadl <- ggplot(xdf, aes(label = disability, values = py, color = disability)) + geom_pictogram(n_rows = 10, make_proportional = TRUE, size = 8) + scale_color_manual( name = NULL, values = c(`Disability free years` = "#157696", `Disability years independent of stroke` = "#F0881A", `Disability years attributable to stroke` = "#F03B1A")) + scale_label_pictogram(name = NULL, values = c(Fruit = "female", Sandwiches = "female", Pizza = "female")) + coord_equal() + labs(x=NULL, subtitle="(B) IADL independence")+ mod.theme ## NH tibble( disability = factor( c("Independent living years", "Nursing home years independent of stroke", "Nursing home years attributable to stroke"), levels=c("Independent living years", "Nursing home years independent of stroke", "Nursing home years attributable to stroke") ), py = c(93, 7, 1) ) -> xdf xdf fig2.nh <- ggplot(xdf, aes(label = disability, values = py, color = disability)) + geom_pictogram(n_rows = 10, make_proportional = TRUE, size = 8) + scale_color_manual( name = NULL, values = c(`Independent living years` = "#157696", `Nursing home years independent of stroke` = "#F0881A", `Nursing home years attributable to stroke` = "#F03B1A")) + scale_label_pictogram(name = NULL, values = c(Fruit = "female", Sandwiches = "female", Pizza = "female")) + coord_equal() + labs(x=NULL, subtitle="(C) Community dwelling")+ mod.theme ## stitch together library(gridExtra) library(grid) library(ggplot2) library(lattice) library(cowplot) text.title <- "Figure 2: Contribution of stroke to population ADL independence, IADL independence, and independent living over 100 person-years" text.title <- gsub('(.{1,100})(\\s|$)', '\\1\n', text.title) t.title <- textGrob(text.title, gp=gpar(fontsize=11), x = 0.01, hjust=0) text.caption <- "To estimate the population burden of dependence attributable to strokes, we used the regression model results to calculate the likelihood of independence for each person based on their comorbidities and accounting for their survey sampling weight over seven years (the mean follow-up time of the cohort). Next, we used the same parameters to estimate the dependent-years for the same population assuming no strokes had occurred. The difference between the two measures of dependent-years represents the dependent-years attributable to stroke over 100 person-years (red icon). The blue icons represent independent person-years over 100 person-years. The yellow icons represent dependent-years, not attributable to stroke." text.caption <- gsub('(.{1,140})(\\s|$)', '\\1\n', text.caption) text.caption <- paste("Legend:", "ADL – activity of daily living; IADL – instrumental activity of daily living", text.caption, sep="\n") t.caption <- textGrob(text.caption, gp=gpar(fontsize=9), x=0.01, hjust=0) ## Save images m <- grid.arrange(fig2.adl, fig2.iadl, fig2.nh, legend , ncol=2, top=t.title, bottom = t.caption) ggsave("/fig2-full.png", m, width = 8, height = 11) m1 <- grid.arrange(fig2.adl, fig2.iadl, fig2.nh, legend, ncol=2) ggsave("/fig2-ex.png", m1, width = 8, height = 9)
a54cf9a12fe1478390e1b633ef7a5e12316ed3c4
[ "R" ]
1
R
sachinjshah/pictogram-ex
d20b97545792c7536f7f65c43b1d0fe4658abf98
52476681f74911b39fe3c656fa9802c67b9786d2
refs/heads/master
<repo_name>MuhammedAlmaz/GetWeeksArrayOfYear<file_sep>/getWeeksOfYear.js function getWeeksOfYear(year){ var weeks=Array(); for(var i =0;;i++) { if(parseInt(new Date(geStartedDateOfWeek(year,i)).getFullYear())==year-1) { continue; } else if(parseInt(new Date(geStartedDateOfWeek(year,i)).getFullYear())==year+1) { break; } var week={ text:i+". Week", StartedDate:moment(geStartedDateOfWeek(year,i)).format('DD/MM/YYYY'), FinishedDate:moment(geStartedDateOfWeek(year,i)).add(6,'day').format('DD/MM/YYYY') } weeks.push(week); } return weeks; } function geStartedDateOfWeek(year, week) { var myDate = new Date(year, 0, 1); var datePosition = myDate.getDay(); var diff = --week * 7; if (!datePosition || datePosition > 4) { diff += 7; } myDate.setDate(myDate.getDate() - myDate.getDay() + ++diff); return myDate; } <file_sep>/README.md # GetWeeksArrayOfYear you can get the weeks array of year with this code block. # USAGE ``` var thisYearWeeks=getWeeksOfYear(2017); ```
fbc36597ad3887526e9cff7889696ea6f0fd7c4e
[ "JavaScript", "Markdown" ]
2
JavaScript
MuhammedAlmaz/GetWeeksArrayOfYear
50e920d798b1ed57e04ec6211f63fa87ee0ad0cc
2d42097bfc4ac64f8a4815833971324edb12de4b
refs/heads/master
<file_sep># LIRI-NODE-APP ### LIRI - Language Interpretation and Recognition Interface ### Intro This is my first project using node. This app will get information about a song from Node-Spotify-API, information about a movie from OMDB API, information about bands events from Bands In Town API. Continue reading for information on how to install and use the app. ### Install Clone or download the repository then run ```npm install``` in the terminal. This will install the following packages and their dependencies - request https://www.npmjs.com/package/request - moment https://www.npmjs.com/package/moment - node-spotify-api https://www.npmjs.com/package/node-spotify-api ### Usage After everything is install, run the following commands. Examples of what should be outputted in the terminal is displayed below. ##### Command ```node liri.js concert-this <artist/band name here>``` ##### Example ``` node liri.js concert-this <NAME> Name of the venue: ANZ Stadium Venue location: Sydney Olympic Park, Date of the Event: November 2nd 2018, 8:00:00 pm ``` ##### Command ```node liri.js spotify-this-song '<song name here>``` ##### Example ``` node liri.js concert-this Tears In Heaven Song Information: Song Name: Tears In Heaven Artist: <NAME> Album: Unplugged [Deluxe] Preview Here: https://p.scdn.co/mp3-preview/6db51a706aa23e959e1f3ee27f26848ec81ff812?cid=c63f28191a4944b1985043b4a253aac4 ``` ##### Command ```node liri.js movie-this '<movie name here>``` ##### Example ``` node liri.js movie-this The Godfather Movie Information: Movie Title: The Godfather Year Released: 24 Mar 1972 IMBD Rating: 9.2 Rotten Tomatoes Rating: N/A Country Produced: USA Language: English, Italian, Latin Plot: When the aging head of a famous crime family decides to transfer his position to one of his subalterns, a series of unfortunate events start happening to the family, and a war begins between all the well-known families leading to insolence, deportation, murder and revenge, and ends with the favorable successor being finally chosen. Actors: <NAME>, <NAME>, <NAME>, <NAME> ``` ##### Command ```node liri.js do-what-it-says``` This will grab the command from random.txt ##### Example ``` node liri.js do-what-it-says Song Information: Song Name: I Want It That Way Artist: Backstreet Boys Album: The Hits--Chapter One Preview Here: https://p.scdn.co/mp3-preview/e72a05dc3f69c891e3390c3ceaa77fad02f6b5f6?cid=c63f28191a4944b1985043b4a253aac4 ``` <file_sep>require("dotenv").config() let Spotify = require('node-spotify-api') let request = require('request') let moment = require('moment') let keys = require('./keys') let spotify = new Spotify(keys.spotify) let fs = require('fs') const inputs = process.argv let term = inputs.slice(3).join('+') function bandsInTown() { if (term === '') { console.log("Ender a band name/artist name") } else { search = term let queryStr = "https://rest.bandsintown.com/artists/" + search + "/events?app_id=codingbootcamp"; request(queryStr, function (error, response, body) { let data = JSON.parse(body)[0]; let info = "Name of the venue: " + data.venue.name + '\n'+ "Venue location: " + data.venue.city + ", " + data.venue.region + '\n'+ "Date of the Event: " + moment(data.datetime).format('MMMM Do YYYY, h:mm:ss a') fs.appendFile('./log.txt', 'node liri.js concert-this ' + term, (err) => { if (err) throw err; }); fs.appendFile('./log.txt', 'LIRI Response:\n\n' + info, (err) => { if (err) throw err; }); console.log(info); }) } } function spotifySearch() { if (term === '') { search = 'The+Sign+by+Ace+of+Base' } else { search = term } spotify.search({ type: 'track', query: search}, function(error, data) { let songInfo = data.tracks.items[0] let info = 'Song Information:\n' + 'Song Name: ' + songInfo.name + '\n'+ 'Artist: ' + songInfo.artists[0].name + '\n' + 'Album: ' + songInfo.album.name + '\n' + 'Preview Here: ' + songInfo.preview_url + '\n'; fs.appendFile('./log.txt', 'node liri.js spotify-this-song ' + term, (err) => { if (err) throw err; }); fs.appendFile('./log.txt', 'LIRI Response:\n\n' + info, (err) => { if (err) throw err; }); console.log(info); }) } function movie() { let search; if (term === '') { search = 'Mr+Nobody'; } else { search = term; } let queryStr = 'http://www.omdbapi.com/?apikey=trilogy&t=' + search + '&plot=full&tomatoes=true'; request(queryStr, function (error, response, body) { let data = JSON.parse(body); let output = 'Movie Title: ' + data.Title + '\n' + 'Year Released: ' + data.Released + '\n' + 'IMBD Rating: ' + data.imdbRating + '\n' + 'Rotten Tomatoes Rating: ' + data.tomatoRating + '\n' + 'Country Produced: ' + data.Country + '\n' + 'Language: ' + data.Language + '\n' + 'Plot: ' + data.Plot + '\n' + 'Actors: ' + data.Actors + '\n' fs.appendFile('./log.txt', 'User Command: node liri.js movie-this ' + search + '\n\n', (err) => { if (err) throw err; }); fs.appendFile('./log.txt', 'LIRI Response:\n\n' + output + '\n', (err) => { if (err) throw err; console.log(output); }); }) } function doWhatItSays() { fs.readFile('./random.txt', 'utf8', function(error, data) { let cmdString = data.split(',') let command = cmdString[0].trim() term = cmdString[1].trim() if (command === `concert-this`) { bandsInTown() } if (command === `spotify-this-song`) { spotifySearch() } if (command === `movie-this`) { movie() } }) } if (inputs[2] === `concert-this`) { bandsInTown() } if (inputs[2] === `spotify-this-song`) { spotifySearch() } if (inputs[2] === `movie-this`) { movie() } if (inputs[2] === `do-what-it-says`) { doWhatItSays() }
af6754cab4e02dc53520400d645bcc7c78181bee
[ "Markdown", "JavaScript" ]
2
Markdown
tsoogthoj/liri-node-app
27ee0a4bd9f5c9faa06566b1d73234cd9ee89fc4
3a80f2a5b5916bdf56a6199b7867e21d5b4304a4
refs/heads/master
<file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package algoproject3; import java.util.*; import java.lang.*; /** * * @author kyle */ public class closestPair { private static Random randomGenerator; // for random numbers public static class Point implements Comparable<Point> { public long x, y; // Constructor public Point(long x, long y) { this.x = x; this.y = y; } public int compareTo(Point p) { // compare this and p and there are three results: >0, ==0, or <0 if (this.x == p.x) { if (this.y == p.y) { return 0; } else { return (this.y > p.y) ? 1 : -1; } } else { return (this.x > p.x) ? 1 : -1; } } public String toString() { return " (" + Long.toString(this.x) + "," + Long.toString(this.y) + ")"; } public double distance(Point p) { long dx = (this.x - p.x); long dy = (this.y - p.y); return Math.sqrt(dx * dx + dy * dy); } } static class CompareY implements java.util.Comparator<Point> { public int compare(Point p1, Point p2) { if (p1.y < p2.y) { return -1; } else if (p1.y == p2.y) { // Secondary order on x-coordinates if (p1.x < p2.x) { return -1; } else if (p1.x == p2.x) { return 0; } else { return 1; } } else { return 1; } } } public static Point[] plane; public static Point[] planeY; public static Point[] aux; public static int N; // number of points in the plane public static double minDistance= Double.POSITIVE_INFINITY; public static Point min1, min2; public static void main(String[] args) { // Read in the Size of a maze Scanner scan = new Scanner(System.in); try { System.out.println("How many points in your plane? "); N = scan.nextInt(); } catch (Exception ex) { ex.printStackTrace(); } scan.close(); // Create plane of N points. plane = new Point[N]; randomGenerator = new Random(); for (int i = 0; i < N; ++i) { long x = randomGenerator.nextInt(N << 6); long y = randomGenerator.nextInt(N << 6); plane[i] = new Point(x, y); } Arrays.sort(plane); // sort points according to compareTo. for (int i = 1; i < N; ++i) // make all x's distinct. { if (plane[i - 1].x >= plane[i].x) { plane[i].x = plane[i - 1].x + 1; } } planeY = plane; Arrays.sort(planeY, new CompareY()); aux = new Point[N]; System.out.println(N + " points are randomly created."); System.out.println("The first two points are" + plane[0] + " and" + plane[1]); System.out.println("The distance of the first two points is " + plane[0].distance(plane[1])); // Compute the minimal distance of any pair of points by divide-and-conquer double min2 = minDisDivideConquer(plane, planeY, aux, 0, N - 1); System.out.println("The distance of the two closest points is " + min2); // Compute the minimal distance of any pair of points by exhaustive search. double min1 = minDisSimple(); System.out.println("The distance of the two closest points is " + min1); } static double minDisSimple() { // A straightforward method for computing the distance // of the two closest points in plane[0..N-1]. double minDist = -1; for (int i = 1; i < N - 1; i++) { for (int j = i + 1; j < N; j++) { Point p1 = plane[i]; Point p2 = plane[j]; double dist = p1.distance(p2); if (minDist == -1 || dist < minDist) { minDist = dist; } } } return minDist; } static void exchange(int i, int j) { Point x = plane[i]; plane[i] = plane[j]; plane[j] = x; } public static void merge(Point[] a, Point[] aux, int lo, int mid, int hi) { // copy to aux[] for (int k = lo; k <= hi; k++) { aux[k] = a[k]; } // merge back to a[] int i = lo, j = mid+1; for (int k = lo; k <= hi; k++) { if (i > mid) a[k] = aux[j++]; else if (j > hi) a[k] = aux[i++]; else if (aux[j].compareTo(aux[i]) < 0) a[k] = aux[j++]; else a[k] = aux[i++]; } } static double minDisDivideConquer(Point[] pointX, Point[] pointY, Point[] aux, int low, int high) { if (high == low + 1) { // two points if (plane[low].y > plane[high].y) { exchange(low, high); } return plane[low].distance(plane[high]); } else if (high == low + 2) { // three points // sort these points by y-coordinate if (plane[low].y > plane[high].y) { exchange(low, high); } if (plane[low].y > plane[low + 1].y) { exchange(low, low + 1); } else if (plane[low + 1].y > plane[high].y) { exchange(low + 1, high); } // compute pairwise distances double d1 = plane[low].distance(plane[high]); double d2 = plane[low].distance(plane[low + 1]); double d3 = plane[low + 1].distance(plane[high]); return ((d1 < d2) ? ((d1 < d3) ? d1 : d3) : (d2 < d3) ? d2 : d3); // return min(d1, d2, d3) } else { // 4 or more points: Divide and conquer if (high <= low) { return Double.POSITIVE_INFINITY; } int mid = low + (high - low) / 2; Point median = pointX[mid]; double dist1 = minDisDivideConquer(pointX, pointY, aux, low, mid); double dist2 = minDisDivideConquer(pointX, pointY, aux, mid + 1, high); double delta = Math.min(dist1, dist2); merge(pointY, aux, low, mid, high); int S = 0; for (int i = low; i <= high; i++) { if (Math.abs(pointY[i].x - median.x) < delta) { aux[S++] = pointY[i]; } } for (int i = 0; i < S; i++) { for (int j = i + 1; (j < S) && (aux[j].y - aux[i].y < delta); j++) { double distance = aux[i].distance(aux[j]); if (distance < delta) { delta = distance; if (distance < minDistance) { minDistance = delta; min1 = aux[i]; min2 = aux[j]; } } } } return delta; } } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package algoproj1; import java.util.Scanner; /** * * @author kyle */ public class modular { public static void main(String[] args){ Scanner scan = new Scanner(System.in); System.out.println("Please enter a number: \n"); int number = scan.nextInt(); for(int i = 2; i < number / 2; i++){ int result = number%i; if(result == 0){ System.out.println("Number:" + number + "\n" + "i:" + i + "\n" + number / i); //break; } System.out.println(number + "mod" + i + "= " + result); } } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package algoproj1; /** * * @author kyle */ import java.util.*; public class Maze { private static final int right = 0; private static final int down = 1; private static final int left = 2; private static final int up = 3; private static Random randomGenerator; // for random numbers public static int Size; public static class Point { // a Point is a position in the maze public int x, y; public boolean visited; // for DFS public Point parent; // for DFS // Constructor public Point(int x, int y) { this.x = x; this.y = y; } public void copy(Point p) { this.x = p.x; this.y = p.y; } } public static class Edge { // an Edge is a link between two Points: // For the grid graph, an edge can be represented by a point and a direction. Point point; int direction; boolean used; // for maze creation boolean deleted; // for maze creation // Constructor public Edge(Point p, int d) { this.point = p; this.direction = d; this.used = false; this.deleted = false; } } // A board is an SizexSize array whose values are Points public static Point[][] board; // A graph is simply a set of edges: graph[i][d] is the edge // where i is the index for a Point and d is the direction public static Edge[][] graph; public static int N; // number of points in the graph public static int[] Up; public static int[] Rank; public static void displayInitBoard() { System.out.println("\nInitial Configuration:"); for (int i = 0; i < Size; ++i) { System.out.print(" -"); for (int j = 0; j < Size; ++j) System.out.print("----"); System.out.println(); if (i == 0) System.out.print("Start"); else System.out.print(" |"); for (int j = 0; j < Size; ++j) { if (i == Size-1 && j == Size-1) System.out.print(" End"); else System.out.print(" |"); } System.out.println(); } System.out.print(" -"); for (int j = 0; j < Size; ++j) System.out.print("----"); System.out.println(); } public static Edge CreateMaze(Edge S, Edge E){ while(!S.used){ int p = randomGenerator.nextInt(N); int d = randomGenerator.nextInt(3); int u = findWithPC(p); int v = findWithPC(d); if (u != v){ } } return E; } public static void union(int[] up, int x, int y) { if(-1 == x){ if(-1 == y){ up[x] = y; } } } public static int findWithPC(int i){ int r = i; while (Up[r] != -1){ r = Up[r]; if(i != r){ int k = Up[1]; while (k != r){ Up[1] = k; i = k; k = Up[k]; } } } return r; } public void unionRank(int i,int j){ int ri = Rank [i]; int rj = Rank [j]; if (ri<rj) { Up[i] = j; } if (ri > rj) { Up[j] = 1; } } public static void main(String[] args) { // Read in the Size of a maze Scanner scan = new Scanner(System.in); try { System.out.println("What's the size of your maze? "); Size = scan.nextInt(); } catch(Exception ex){ ex.printStackTrace(); } scan.close(); // Create one dummy edge for all boundary edges. Edge dummy = new Edge(new Point(0, 0), 0); dummy.used = true; dummy.point.visited = true; // Create board and graph. board = new Point[Size][Size]; N = Size*Size; // number of points graph = new Edge[N][4]; for (int i = 0; i < Size; ++i) for (int j = 0; j < Size; ++j) { Point p = new Point(i, j); int pindex = i*Size+j; // Point(i, j)'s index is i*Size + j board[i][j] = p; graph[pindex][right] = (j < Size-1)? new Edge(p, right) : dummy; graph[pindex][down] = (i < Size-1)? new Edge(p, down) : dummy; graph[pindex][left] = (j > 0)? graph[pindex-1][right] : dummy; graph[pindex][up] = (i > 0)? graph[pindex-Size][down] : dummy; } displayInitBoard(); // Hint: To randomly pick an edge in the maze, you may // randomly pick a point first, then randomly pick // an edge associated with the point. randomGenerator = new Random(); int i = randomGenerator.nextInt(N); System.out.println("\nA random number between 0 and " + (N-1) + ": " + i); } }
80957da54e0ce6c449388f82059bb2fd2606e9f1
[ "Java" ]
3
Java
kdenhartog/Algorithms-CS3330
e6f3239320fe5951072f744fce5fe128f3f74128
45a500c817b56c1d67144ecee431b59241d69b05
refs/heads/master
<file_sep>module.exports = { /** * 返回数组每个项对应的频率 * @param {array} array */ arrayFrequencies(array) { return array.reduce((a, v) => { a[v] = a[v] ? a[v] + 1 : 1; return a; }, {}); }, /** * 将一定格式(带父级)的数组转化为obj树结构的方法 * @param {array} items 具有一定格式的obj数组 * @param {string} keyName 主键 * @param {string} parentKeyName 储存父级关系的属性 */ buildTree(items, keyName = 'id', parentKeyName = 'parent', value = null ) { return items.filter(item => item[parentKeyName] === value).map(item => ({ ...item, children: this.buildTree(items, keyName,parentKeyName, item[keyName]) })) }, /** * 数组全排列 * @param {array} arr */ arrayPermutations(arr) { if (arr.length <= 2) return arr.length === 2 ? [arr, [arr[1], arr[0]]] : arr; return arr.reduce( (acc, item, i) => acc.concat( this.arrayPermutations([...arr.slice(0, i), ...arr.slice(i + 1)]).map(val => [item, ...val]) ), [] ); }, /** * 根据arr中元素的某个属性或者方法,统计个数 * @param {array} arr * @param {prototype} fn */ countBy(arr, fn) { return arr.map(typeof fn === 'function' ? fn : val => val[fn]).reduce((acc, val) => { acc[val] = (acc[val] || 0) + 1; return acc; }, {}); }, /** * 数组交集 * @param {array} nums1 * @param {array} nums2 */ intersection (nums1, nums2) { return nums1.filter((v, i) => nums2.includes(v) && nums1.lastIndexOf(v) === i) } }<file_sep>module.exports = { /** * 获取字符串全排列 * @param {string} str */ strPermutations(str) { if (str.length <= 2) return str.length === 2 ? [str, str[1] + str[0]] : [str]; return str.split('').reduce((acc, letter, i) => acc.concat(this.anagrams(str.slice(0, i) + str.slice(i + 1)).map(val => letter + val)), []); }, /** * * @param {string} cc 需要处理的字符串 * @param {number} startNum 开头留几个 * @param {number} endNum 结尾几个 * @param {string} mask 替换字符 */ mask(cc, startNum, endNum, mask = '*'){ return `${cc}`.slice(0, startNum) + ''.padStart(`${cc}`.length - startNum - endNum, mask) + `${cc}`.slice(-endNum); } }<file_sep>let func = require('./index') let arr = [{ id: 1, name: '电单车', code: 'ebike', parentId: null }, { id: 2, name: '车篮', code: 'bucket', parentId: 1 }, { id: 3, name: '脚踏板', code: 'tt', parentId: 1 }, { id: 4, name: '螺丝', code: 'll', parentId: 3 }, { id: 5, name: '自行车', code: 'bike', parentId: null }, { id: 6, name: '坐垫', code: 'cushion', parentId: 5 }] let res = func.array.buildTree(arr, 'id', 'parentId'); console.log(JSON.stringify(res))<file_sep>module.exports = { /** * url参数转obj * @param {string} url */ getURLParams(url) { return (url.match(/([^?=&]+)(=([^&]*))/g) || []).reduce( (a, v) => ((a[v.slice(0, v.indexOf('='))] = v.slice(v.indexOf('=') + 1)), a), {} ) }, /** * obj转url参数 * @param {object} obj * @param {string} url */ objToQueryString(obj, url = '', encode = false) { let str = '' if(typeof obj == 'object'){ for(let i in obj){ if(typeof obj[i] != 'function' && typeof obj[i] != 'object'){ str += i + '=' + obj[i] + '&' ; }else if (typeof obj[i] == 'object'){ nextStr = ''; str += subFunc.objToQueryString.handelSon(i, obj[i], encode) } } } let res = str.replace(/&$/g, '') if (!url) return res; if (url && url.includes('?')) return url + res; if (url && !url.includes('?')) return url + '?' + res; }, /** * 验证url是否是绝对路径 * @param {string} url 需要校验的url */ isAbsoluteURL(url) { return /^[a-z][a-z0-9+.-]*:/.test(url); } } const subFunc = { objToQueryString: { handelSon(objName, objValue, encode = false){ if(typeof objValue == 'object'){ for(let i in objValue){ if(typeof objValue[i] != 'object'){ let value = objName + '[' + i + ']=' + objValue[i]; nextStr += encode ? encodeURI(value) + '&' : value + '&' ; }else{ this.handelSon(objName + '[' + i + ']', objValue[i]); } } } return nextStr; } } } <file_sep>### 我的自用lib,各种方法收集于网上或者自己实现的 #### obj.js -> obj处理相关 #### math.js -> 计算相关<file_sep>abstract class WindowLimiter { private _timeSpan: number; private _capacity: number; constructor(timeSpan: number, capacity: number) { this._timeSpan = timeSpan; this._capacity = capacity; } public getTimeSpan(): number { return this._timeSpan; } public getCapacity(): number { return this._capacity; } abstract getCurrentCapacity(): number; abstract insert(): boolean; } class WindowLimiterGlobal extends WindowLimiter { private _list: number[] = []; constructor(timeSpan: number, capacity: number) { super(timeSpan, capacity); } getCurrentCapacity(): number { return this._list.length; }; insert(): boolean { let timestamp: number = new Date().valueOf(); let first = this._list[0] || null; const timeSpan = this.getTimeSpan(); const capacity = this.getCapacity(); if (!first) { this._list.push(timestamp); return true } else { if (timestamp - first <= timeSpan) { if (this._list.length < capacity) { this._list.push(timestamp); return true; } else { return false; } } else { this._list = this._list.filter(x => x >= timestamp - capacity); if (this._list.length < capacity) { this._list.push(timestamp); return true; } else { return false; } } } }; } const limiter = new WindowLimiterGlobal(1000, 20); let counter = 0; setInterval(() => { counter ++; console.log(`第${counter}次请求开始`); const rs = limiter.insert(); console.log(`第${counter}次请求, 限制器返回结果${rs}`); }, 30) <file_sep>const objFunc = require('./obj'); const mathFunc = require('./math'); const urlFunc = require('./url'); const stringFunc = require('./string') const arrayFunc = require('./array') const timeFunc = require('./time') module.exports = { obj: objFunc, math: mathFunc, url: urlFunc, string: stringFunc, array: arrayFunc, time: timeFunc }<file_sep>module.exports = { format(date, format) { date = date || new Date(); let map ={ 'Y': date.getFullYear(), 'M': date.getMonth()+1,//month 'D': date.getDate(),//date 'H': date.getHours(),//hours 'm': date.getMinutes(),//minutes 's': date.getSeconds() //seconds }; for(let i in map){ if(map.hasOwnProperty(i)){ if(map[i]<10){ map[i] = '0'+map[i]; } } } format = format || 'YYYY-MM-DD HH:mm:ss'; let reg = new RegExp('Y+|M+|D+|H+|m+|s+','g'); let regY = new RegExp('Y'); format = format.replace(reg,function(v){ let old = v; if(regY.test(v)){ let y = ""+map['Y']; let len = 4-v.length; old = y.substr(len); }else{ let key = v.substr(0,1); old = map[key]; } return old; }); return format; } }
20439a4015fd84ba0c6690f9853dafbd6762c340
[ "JavaScript", "TypeScript", "Markdown" ]
8
JavaScript
gzx1996/jslib
d31ff31f79016f475a07a5d7f9b9a85ba696f101
24e5630eeeed2542677592b097414d138b971bce
refs/heads/master
<repo_name>markolo25/Python-Crash-Course<file_sep>/Alien Invasion/alien_invasion.py import sys import pygame from ship import Ship from settings import Settings def run_game(): pygame.init() #make game ai_settings = Settings() #make settings object which has settings screen = pygame.display.set_mode((ai_settings.screen_width,ai_settings.screen_height)) #make window pygame.display.set_caption("Alien Invasion") #title for window ship = Ship(screen) while True: #forever loop for the window for event in pygame.event.get(): #wait for user to exit if event.type == pygame.QUIT: sys.exit() screen.fill(ai_settings.bg_color) ship.blitme() pygame.display.flip() #redraw run_game()<file_sep>/Alien Invasion/ship.py import pygame class Ship(): def __init__(self, screen): self.screen = screen #load image to a rectangle self.image = pygame.image.load('images/ship.png') w,h = self.image.get_size() scale = .15 # scale image to 15% self.image = pygame.transform.scale(self.image, (int(w * scale), int(h * scale))) self.rect = self.image.get_rect() self.screen_rect = screen.get_rect() #place rectnagle at center bottom screen self.rect.centerx = self.screen_rect.centerx self.rect.bottom = self.screen_rect.bottom def blitme(self): #draw ship self.screen.blit(self.image, self.rect)
ee34707b69979295d722c88e669f4e97cbf7341c
[ "Python" ]
2
Python
markolo25/Python-Crash-Course
81dc6afd788fd124eb923a21e6f32a56d862a57a
696c2f71f83bd37895fc884cb86cd46337d17c6d
refs/heads/master
<repo_name>melchqt/phpPartie1<file_sep>/exo3/index.php <?php // <!-- declaration de la variable km --> $km = 1; ?> <!DOCTYPE html> <html lang="fr"> <head> <meta charset="utf-8"> <title>php exo3</title> </head> <body> <p> <?php // valeur initiale echo $km; ?> </p> <p> <?php // valeur modifiée à 3 echo $km=3; ?> </p> <p> <?php echo $km=125; ?> </p> </body> </html> <file_sep>/index.php <?php // Declaration de la variable object $object = 'Objet du message'; // declaration de la variable message $message = 'contenu du message'; ?> <!DOCTYPE html> <html lang="fr"> <head> <meta charset="utf-8"/> <title>Php partie1</title> </head> <body> <p> <?php echo $object; ?> </p> <p> <?php echo 'objet du message' //commentaire php ?> </p> <!-- <p> <?= $message; ?> le = peut remplacer le echo </p> --> </body> </html> <!-- commentaire html --> <file_sep>/exo1/index.php <?php //Déclaration de la variable object $object = 'Objet du message'; //Déclaration de la variable message $message = 'Contenu du message'; ?> <!DOCTYPE html> <html lang="fr" dir="ltr"> <head> <meta charset="utf-8" /> <title>PHP Partie 1 exercice 1</title> </head> <body> <h1>Exercice 1</h1> <p> <!-- Commentaire html --> <?php //Commentaire php echo $object; ?> </p> <p> <?php echo 'Objet du message'; ?> </p> <p><?= $message; ?></p> </body> </html> <file_sep>/exo6/index.php <?php $number = 140 ?> <!DOCTYPE html> <html lang="fr"> <head> <meta charset="utf-8"> <title>exo6</title> </head> <body> <p> <?php echo ($number+30)/2; ?> </p> </body> </html> <file_sep>/exo2/index.php <?php $lastname = 'Melanie'; $firstname= 'Choquet'; $old= 20; ?> <!DOCTYPE html> <html lang="fr"> <head> <meta charset="utf-8"> <title>Php exo2</title> </head> <body> <p> <?php echo $lastname; ?> <?php echo $firstname; ?> <?php echo $old; ?> </p> </body> </html> <file_sep>/exo5/index.php <?php $answer ='no'; ?> <!DOCTYPE html> <html lang="fr"> <head> <meta charset="utf-8"> <title>exo5</title> </head> <body> <p> <?php if ($answer == 'yes') { echo 'Vous avez répondu oui'; } elseif ($answer == 'no') { echo 'Vous avez répondu non'; } ?> </body> </html>
cf4d449603be079e1bd1fa8b47789c4476ffb479
[ "PHP" ]
6
PHP
melchqt/phpPartie1
fa110a390493808c0226de79fd6a1895c456c918
1e6ce94c0dee9d51f87efd04e63d0f3c29c08f11
refs/heads/master
<repo_name>Mastek-Zahid/visa_application<file_sep>/visa_application/src/main/java/com/mastek/visaapplication/apis/FamilyInfoAndDependantsAPI.java package com.mastek.visaapplication.apis; import javax.ws.rs.BeanParam; import javax.ws.rs.Consumes; import javax.ws.rs.FormParam; import javax.ws.rs.GET; import javax.ws.rs.POST; import javax.ws.rs.Path; import javax.ws.rs.PathParam; import javax.ws.rs.Produces; import javax.ws.rs.core.MediaType; import com.mastek.visaapplication.entities.FamilyInfoAndDependants; import com.mastek.visaapplication.entities.VisaDetails; import com.mastek.visaapplication.entities.YesOrNo; @Path("/visa_application/")// url pattern to access the current API interface public interface FamilyInfoAndDependantsAPI { @GET // http Method: GET to recieve data in requests @Path("/FamilyInfoAndDependants/list") // URL path to access this FamilyinfoandDependants @Produces({MediaType.APPLICATION_JSON,MediaType.APPLICATION_XML}) // formats the media type to which the method supports OUTPUT public Iterable<FamilyInfoAndDependants> listAllFamilyInfoAndDependants(); //Iterable FamilyInfoAndDependants capable of returning its members one at a time, permitting it to be iterated over in a for-loop. @GET // http Method: GET to recieve data in requests @Path("/FamilyInfoAndDependants/find/{familyInfoDepId}") // URL path to access FamilyInfoDepId @Produces({MediaType.APPLICATION_JSON}) // formats the media type to which the method supports OUTPUT public FamilyInfoAndDependants findByFamilyInfoDepId(@PathParam("familyInfoDepId") int familyInfoDepId); @POST // http method Post used to send data in requests @Path("/FamilyInfoAndDependants/register") // URL path to access this register path @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // formats the media type to which the method supports INPUT @Produces(MediaType.APPLICATION_JSON) // formats the media type to which the method supports OUTPUT public FamilyInfoAndDependants registerNewFamilyinfo(@BeanParam FamilyInfoAndDependants newFamilyInfoAndDependants); @POST // http method Post used to send data in requests @Path("/FamilyInfoAndDependants/update/{familyInfoDepId}") // URL path to access this register path @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // formats the media type to which the method supports INPUT @Produces(MediaType.APPLICATION_JSON) // formats the media type to which the method supports OUTPUT public FamilyInfoAndDependants updateFamilyinfo(@FormParam("familyInfoDepId") int familyInfoDepId, @FormParam("familyName") String familyName, @FormParam("depName") String depName, @FormParam("givenName") String givenName, @FormParam("relationConnection") String relationConnection, @FormParam("sameNationality") YesOrNo sameNationality, @FormParam("conuntryOfNationality") String conuntryOfNationality, @FormParam("dateOfBirth") String dateOfBirth, @FormParam("financalDependencies") YesOrNo financalDependencies); @POST @Path("/FamilyInfoAndDependants/assign") @Consumes(MediaType.APPLICATION_FORM_URLENCODED) @Produces(MediaType.APPLICATION_JSON) public VisaDetails assignVisaDetailsToFamilyInfo( @FormParam("visaId")int visaId, @FormParam("familyInfoDepId")int familyInfoDepId); @GET @Path("/FamilyInfoAndDependants/findbyvisaid/{visaId}") @Produces({MediaType.APPLICATION_JSON}) public FamilyInfoAndDependants findFamilyInfoByVisaId(@PathParam("visaId") int visaId); } <file_sep>/README.md # visa_application group project to create working visa application system <file_sep>/visa_application/visa-app/src/app/FinanceAndEmployment.ts export interface FinanceAndEmployment { financeAndEmploymentId: number payAmount: number incomeTypeUk: string employersName: string employerAddress: string dateOfEmployment: string employementStatus: string publicFundsReceivedUK: string totalMonthSpend: number personalBudgetUK: number incomeAndSavings: string jobDescription: string jobTitle: string employersTeleNumber: string payReason: string } <file_sep>/visa_application/visa-app/src/app/home-page/home-page.component.ts import { Component, OnInit } from '@angular/core'; import { VisaDetails } from '../VisaDetails'; import { VisaDetailsService } from '../visa-details.service'; import { HomePage } from '../home-page'; @Component({ selector: 'app-home-page', templateUrl: './home-page.component.html', styleUrls: ['./home-page.component.css'] }) export class HomePageComponent implements OnInit { currentVisaDetailsByEmail: VisaDetails[] registerNewVisaFormVisible: boolean findingPreviousApplications:boolean serverErrorMessage:string notComplete: boolean homePage:HomePage constructor(private visaDetailsService:VisaDetailsService) { this.findingPreviousApplications=false this.serverErrorMessage="" this.homePage={ email:"" } } ngOnInit(): void { } fetchVisaDetailsByEmail(homePage:HomePage){ console.log("fetched Visa Details by email") console.log(homePage.email) this.homePage.email=homePage.email this.visaDetailsService.findByEmail2(homePage.email).subscribe( response =>{ console.log("response received") this.currentVisaDetailsByEmail = response console.log(this.currentVisaDetailsByEmail) this.findingPreviousApplications=true }, ) } continueApplication(vd: number){ console.log("response received") sessionStorage.setItem("visaId",vd+"") console.log(parseInt(sessionStorage.getItem("visaId"))) } newApplication(){ console.log("removing item") sessionStorage.removeItem("visaId") sessionStorage.removeItem("yourVisitID") sessionStorage.removeItem("contactID") sessionStorage.removeItem("familyInfoDepId") sessionStorage.removeItem("financeAndEmploymentId") sessionStorage.removeItem("passportId") sessionStorage.removeItem("travelHistId") sessionStorage.removeItem("email") } } <file_sep>/visa_application/visa-app/src/app/passport-info/passport-info.component.ts import { Component, OnInit } from '@angular/core'; import { PassportInfoService } from '../passport-info.service'; import { PassportInfo } from '../PassportInfo'; import { VisaDetails } from '../VisaDetails'; @Component({ selector: 'app-passport-info', templateUrl: './passport-info.component.html', styleUrls: ['./passport-info.component.css'] }) export class PassportInfoComponent implements OnInit { currentPassportInfo:PassportInfo currentVisaDetails:VisaDetails isEditing:boolean registerNewDetails:boolean constructor(private passportInfoSvc:PassportInfoService) { this.isEditing=true this.registerNewDetails=false this.currentPassportInfo={ passportId: 1, passportNumber: "", issDate: "", expDate: "", gender: "", issueAuthority: "" // criminalCheck: "" } this.currentVisaDetails={ visaId:7, applicantName:"", familyName: "", countryOfNationality:"", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"", email: "" } } ngOnInit(): void { if (sessionStorage.getItem("passportId")==null) { } else { this.loadPassportInfo() this.isEditing=false this.registerNewDetails=true } } fetchPassportInfoByVisaId(){ this.passportInfoSvc.fetchPassportInfoByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentPassportInfo=response } ) } loadPassportInfo(){ this.passportInfoSvc.fetchPassportInfoByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentPassportInfo=response } ) } toggleRegisterNewDetails(){ this.registerNewDetails=!this.registerNewDetails } toggleisEditing(){ this.isEditing=!this.isEditing } addPassportInfo(newPassportInfo:PassportInfo){ console.log("response received") this.passportInfoSvc.registerPassportInfo( newPassportInfo).subscribe( response=>{ this.currentPassportInfo=response console.log(response.passportId) sessionStorage.setItem("passportId",this.currentPassportInfo.passportId+"") this.assignYourPassportInfoToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } assignYourPassportInfoToVisaDetails(){ this.passportInfoSvc.assignYourPassportInfoToVisaDetails(parseInt(sessionStorage.getItem("visaId")), this.currentPassportInfo.passportId).subscribe( response=>{ this.currentVisaDetails=response } ) } updateCurrentPassportInfo(updatedPassportInfo:PassportInfo){ this.passportInfoSvc.updatePassportInfo( parseInt(sessionStorage.getItem("passportId")), updatedPassportInfo.passportNumber, updatedPassportInfo.gender, updatedPassportInfo.expDate, updatedPassportInfo.issDate, updatedPassportInfo.issueAuthority).subscribe( response=>{ this.currentPassportInfo = response console.log(response) this.toggleisEditing() } ) } } <file_sep>/visa_application/visa-app/src/app/travel-history/travel-history.component.ts import { Component, OnInit } from '@angular/core'; import { TravelHistory } from '../TravelHistory'; import { TravelHistoryService } from '../travel-history.service'; import { IllegalStay } from '../illegal-stay'; import { VisaRefusal } from '../visa-refusal'; import { YourVisit } from '../YourVisit'; import { VisaDetails } from '../VisaDetails'; @Component({ selector: 'app-travel-history', templateUrl: './travel-history.component.html', styleUrls: ['./travel-history.component.css'] }) export class TravelHistoryComponent implements OnInit { currentTravelHistory: TravelHistory currentVisaDetails: VisaDetails isTravelHistEditing: boolean registerNewDetails: boolean newIllegalStay: IllegalStay newVisaRefusal: VisaRefusal constructor(private travelHistoryService: TravelHistoryService) { this.isTravelHistEditing = true this.registerNewDetails = false this.currentTravelHistory = { travelHistId: null, medTreat: "", otherNat: "", natId: "", issueAuthor: "", validId: "", // illegalStay: string decadeUK: "", visitedCountry: "", timesVsited: "", // visaRefusal: "", confirm: "", terrorSpread: "", terrorMember: "", warCrimes: "", behavInfo: "", badChar: "", dangerActivity: "", extremeView: "", extremeSupport: "", terrorSupport: "" } this.newIllegalStay = { breached: false, illegalEntry: false, overStay: false } this.newVisaRefusal = { asylumRefused: false, deported: false, entryRefused: false, excluded: false, leaveRequired: false, removed: false, stayRefused: false, visaRefused: false } } ngOnInit(): void { if (sessionStorage.getItem("travelHistId")==null) { } else { this.loadTravelHistory() this.isTravelHistEditing=false this.registerNewDetails=true } } loadTravelHistory(){ this.travelHistoryService.fetchTravelHistoryByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentTravelHistory=response } ) } toggleisEditing() { this.isTravelHistEditing = !this.isTravelHistEditing } showTravelHistoryForm() { this.isTravelHistEditing = true } toggleRegisterNewDetails() { this.registerNewDetails = !this.registerNewDetails } assignIllegalStay(illegalStay: IllegalStay) { this.newIllegalStay = illegalStay console.log(illegalStay) console.log("Response Received") } assignVisaRefusal(visaRefusal: VisaRefusal) { this.newVisaRefusal = visaRefusal console.log(visaRefusal) console.log("Response Received") } addNewTravHist(newTravHist: TravelHistory) { console.log("adding travel history") this.travelHistoryService.registerTravelHistory(this.newIllegalStay, this.newVisaRefusal, newTravHist).subscribe( response => { this.currentTravelHistory = response console.log("Response Received") sessionStorage.setItem("travelHistId",this.currentTravelHistory.travelHistId+"") this.assignTravelHistoryToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } assignTravelHistoryToVisaDetails() { this.travelHistoryService.assignTravelHistoryToVisaDetails(parseInt(sessionStorage.getItem("visaId")), this.currentTravelHistory.travelHistId).subscribe( response => { this.currentVisaDetails = response } ) } updateTravelHistory(updatedTravelHist: TravelHistory) { this.travelHistoryService.updateTravelHistory( parseInt(sessionStorage.getItem("travelHistId")), updatedTravelHist.medTreat, updatedTravelHist.otherNat, updatedTravelHist.natId, updatedTravelHist.issueAuthor, updatedTravelHist.validId, updatedTravelHist.decadeUK, updatedTravelHist.visitedCountry, updatedTravelHist.timesVsited, updatedTravelHist.confirm, updatedTravelHist.terrorSpread, updatedTravelHist.terrorMember, updatedTravelHist.warCrimes, updatedTravelHist.behavInfo, updatedTravelHist.badChar, updatedTravelHist.dangerActivity, updatedTravelHist.extremeView, updatedTravelHist.extremeSupport, updatedTravelHist.terrorSupport ).subscribe( response => { this.currentTravelHistory = response console.log(response) this.toggleisEditing() } ) } } <file_sep>/visa_application/visa-app/src/app/contact-details.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http' import { ContactDetails } from './ContactDetails'; import { Observable } from 'rxjs' import { VisaDetails } from './VisaDetails'; @Injectable({ providedIn: 'root' }) export class ContactDetailsService { serviceURL: string constructor(private httpSvc: HttpClient) { this.serviceURL = "http://localhost:7777/visa_application/ContactDetails" } fetchContactDetailsByVisaId(visaId: number): Observable<ContactDetails> { return this.httpSvc.get<ContactDetails>(this.serviceURL + "/findbyvisaid/" + visaId) } registerContactDetails(newContactDetails: ContactDetails): Observable<ContactDetails> { var contentData = +"contactID=" + newContactDetails.contactID + "&contactLanguage=" + newContactDetails.contactLanguage + "&altEmail=" + newContactDetails.altEmail + "&altEmailOwner=" + newContactDetails.altEmailOwner + "&telephoneNumber=" + newContactDetails.telephoneNumber + "&contactBySMS=" + newContactDetails.contactBySMS + "&contactByPhone=" + newContactDetails.contactByPhone + "&noUsedInUK=" + newContactDetails.noUsedInUK +"&noUsedOutOfUK="+ newContactDetails.noUsedOutOfUK +"&locationNumberUsed=" + newContactDetails.locationNumberUsed const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<ContactDetails>( this.serviceURL + "/register", //URL contentData, //data from the server httpOptions) //header options } assignContactDetailsToVisaDetails(visaId: number, contactID: number): Observable<VisaDetails> { var contendData = "visaId=" + visaId + "&contactID=" + contactID const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<VisaDetails>( this.serviceURL + "/assign", //URL contendData, // data for the server httpOptions) // header option } updateContactDetails( contactID: number, contactLanguage: string, altEmail: string, altEmailOwner: string, telephoneNumber: string, contactBySMS: string, contactByPhone: string, noUsedInUK: string, noUsedOutOfUK:string, locationNumberUsed: string): Observable<ContactDetails> { var contentData = "contactID=" + contactID + "&contactLanguage=" + contactLanguage + "&altEmail=" + altEmail + "&altEmailOwner=" + altEmailOwner + "&telephoneNumber=" + telephoneNumber + "&contactBySMS=" + contactBySMS + "&contactByPhone=" + contactByPhone + "&noUsedInUK=" + noUsedInUK + "&noUsedOutOfUK=" + noUsedOutOfUK + "&locationNumberUsed" + locationNumberUsed const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<ContactDetails>( this.serviceURL + "/update/" + contactID, //URL contentData, //data from the server httpOptions) //header options } } <file_sep>/visa_application/visa-app/src/app/finance-and-employment.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http'; import { FinanceAndEmployment } from './FinanceAndEmployment'; import { Observable } from 'rxjs'; import { VisaDetails } from './VisaDetails' @Injectable({ providedIn: 'root' }) export class FinanceAndEmploymentService { serviceURL: string constructor(private httpsvc: HttpClient) { this.serviceURL = "http://localhost:7777/visa_application/FinAndEmp" } registerFinanceEmp(newFinanceEmp: FinanceAndEmployment): Observable<FinanceAndEmployment> { var contentData = "financeAndEmploymentId=" + newFinanceEmp.financeAndEmploymentId + "&payAmount=" + newFinanceEmp.payAmount + "&incomeTypeUk=" + newFinanceEmp.incomeTypeUk + "&employersName=" + newFinanceEmp.employersName + "&employerAddress=" + newFinanceEmp.employerAddress + "&dateOfEmployment=" + newFinanceEmp.dateOfEmployment + "&employementStatus=" + newFinanceEmp.employementStatus + "&publicFundsReceivedUK=" + newFinanceEmp.publicFundsReceivedUK + "&totalMonthSpend=" + newFinanceEmp.totalMonthSpend + "&personalBudgetUK=" + newFinanceEmp.personalBudgetUK + "&jobDescription=" + newFinanceEmp.jobDescription + "&jobTitle=" + newFinanceEmp.jobTitle + "&employersTeleNumber=" + newFinanceEmp.employersTeleNumber + "&payReason=" + newFinanceEmp.payReason const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<FinanceAndEmployment>( this.serviceURL + "/register", //URL contentData, //data from the server httpOptions) //header options } assignFinanceAndEmploymentToVisaDetails(visaId:number,financeAndEmploymentId:number):Observable<VisaDetails>{ var contentdData = "visaId="+visaId +"&financeAndEmploymentId="+financeAndEmploymentId const httpOptions= { headers: new HttpHeaders( {"Content-Type":"application/x-www-form-urlencoded"}) } return this.httpsvc.post<VisaDetails>( this.serviceURL+"/assign", //URL contentdData, // data for the server httpOptions) // header option } updateFinanceInfo( financeAndEmploymentId: number, payAmount: number, incomeTypeUK: string, employersName: string, employerAddress: string, dateOfEmployemnt: string, employmentStatus: string, publicFundsReceivedUK: string, totalMonthSpend: number, personalBudgetUK: number, incomeAndSavings: string, jobDescription: string, jobTitle: string, employersTeleNumber: string, payReason: string): Observable<FinanceAndEmployment> { var contentData = "financeAndEmploymentId=" + financeAndEmploymentId + "&payAmount=" + payAmount + "&incomeTypeUk=" + incomeTypeUK + "&employersName=" + employersName + "&employerAddress=" + employerAddress + "&dateOfEmployment=" + dateOfEmployemnt + "&employementStatus=" + employmentStatus + "&publicFundsReceivedUK=" + publicFundsReceivedUK + "&totalMonthSpend=" + totalMonthSpend + "&personalBudgetUK=" + personalBudgetUK + "&incomeAndSavings=" + incomeAndSavings + "&jobDescription=" + jobDescription + "&jobTitle=" + jobTitle + "&employersTeleNumber=" + employersTeleNumber + "&payReason=" + payReason const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<FinanceAndEmployment>( this.serviceURL + "/update/" + financeAndEmploymentId, //URL contentData, //data from the server httpOptions) //header options } fetchFinanceAndEmploymentByVisaId(visaId: number): Observable<FinanceAndEmployment> { return this.httpsvc.get<FinanceAndEmployment>(this.serviceURL + "/findbyvisaid/" + visaId) } } <file_sep>/visa_application/visa-app/src/app/visa-refusal.ts export interface VisaRefusal { visaRefused: boolean, entryRefused: boolean, stayRefused: boolean, asylumRefused: boolean, deported: boolean, removed: boolean, leaveRequired: boolean, excluded: boolean } <file_sep>/visa_application/visa-app/src/app/family-info-and-dependents/family-info-and-dependents.component.html <body> <p class="form-heading">Please fill in the relevant details below to register for a new Visa Application</p> <table> <tr> <td [hidden]="!registerNewDetails"> <button (click)="toggleisEditing()" *ngIf="!isEditing">Edit</button> <button [hidden]="!isEditing" (click)="updateCurrentFamilyDependents({ familyInfoDepId:0, familyName:vfamdepname.value, depName:vdepname.value, givenName:vgivname.value, relationConnection:vrelcon.value, sameNationality:vsamnat.value, conuntryOfNationality:vcon.value, dateOfBirth:vdob.value, financalDependencies:vfindep.value})">Update</button> </td> </tr> </table> <form (submit)="addFamilyInfoAndDependents({ familyInfoDepId:0, familyName:vfamdepname.value, depName:vdepname.value, givenName:vgivname.value, relationConnection:vrelcon.value, sameNationality:vsamnat.value, conuntryOfNationality:vcon.value, dateOfBirth:vdob.value, financalDependencies:vfindep.value})"> <table> <tr> <th>3.01 What is your Family Dependents name? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.familyName}} </td> <td> <input name="familyDepName" #vfamdepname [hidden]="!isEditing" value="{{currentFamilyDependents.familyName}}"> </td> <td> <input type="submit" value="Save" [hidden]="registerNewDetails"> </td> </tr> <br> <tr> <th>3.02 What is your Dependents name? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.depName}} </td> <td> <input name="dependentName" #vdepname [hidden]="!isEditing" value="{{currentFamilyDependents.depName}}"> </td> </tr> <br> <tr> <th>3.03 What is your given name? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.givenName}} </td> <td> <input name="givenName" #vgivname [hidden]="!isEditing" value="{{currentFamilyDependents.givenName}}"> </td> </tr> <br> <tr> <th>3.04 What is this persons releationship to you ? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.relationConnection}} </td> <td> <input name="relationConnection" #vrelcon [hidden]="!isEditing" value="{{currentFamilyDependents.relationConnection}}"> </td> </tr> <br> <tr> <th>3.05 What is thier country of nationality ? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.conuntryOfNationality}} </td> <td> <input name="countryOfNationality" #vcon [hidden]="!isEditing" value="{{currentFamilyDependents.conuntryOfNationality}}"> </td> </tr> <br> <tr> <th>3.06 Do you have the same nationality? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.sameNationality}} </td> <td [hidden]="!isEditing"> <select name="sameNationality" #vsamnat> <option value="YES">Yes</option> <option value="NO" selected>No</option> </select> </td> </tr> <br> <tr> <th>3.07 What is this persons date of birth? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.dateOfBirth}} </td> <td> <input name="dateOfBirth" #vdob [hidden]="!isEditing" value="{{currentFamilyDependents.dateOfBirth}}"> </td> </tr> <br> <tr> <th>3.08 Does anyone rely on you for financial support? </th> <td [hidden]="isEditing"> {{currentFamilyDependents.financalDependencies}} </td> <td [hidden]="!isEditing"> <select name="financalDependencies" #vfindep> <option value="YES">Yes</option> <option value="NO" selected>No</option> </select> </td> </tr> <br> </table> <!-- <img src="/assets/images/visa-app-home-page.jpg" alt="Visa-App" width="100%" height="20%"> --><file_sep>/visa_application/visa-app/src/app/visa-details.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http' import { Observable } from 'rxjs'; import { VisaDetails } from './VisaDetails'; @Injectable({ providedIn: 'root' }) export class VisaDetailsService { serviceURL:string constructor(private httpsvc:HttpClient) { this.serviceURL="http://localhost:7777/visa_application/VisaDetails" } findVisaDetailsByVisaId(visaId:number):Observable<VisaDetails>{ return this.httpsvc.get<VisaDetails>(this.serviceURL+"/find/"+visaId) } registerVisaDetails(newVisaDetails:VisaDetails):Observable<VisaDetails>{ var contentData = "visaId="+newVisaDetails.visaId +"&applicantName="+newVisaDetails.applicantName +"&familyName="+newVisaDetails.familyName +"&email="+newVisaDetails.email +"&countryOfNationality="+newVisaDetails.countryOfNationality +"&dateOfBirth="+newVisaDetails.dateOfBirth +"&placeOfBirth="+newVisaDetails.placeOfBirth +"&countryOfBirth="+newVisaDetails.countryOfBirth +"&relationStatus="+newVisaDetails.relationStatus +"&address="+newVisaDetails.address +"&correspondanceAddress="+newVisaDetails.correspondanceAddress +"&homeOwnershipStatus="+newVisaDetails.homeOwnershipStatus +"&lengthYouHaveLivedAtThisAddress="+newVisaDetails.lengthYouHaveLivedAtThisAddress +"&doYouHaveUKNI="+newVisaDetails.doYouHaveUKNI +"&gender="+newVisaDetails.gender +"&dateOfApplication="+newVisaDetails.dateOfApplication +"&serviceOption="+newVisaDetails.serviceOption +"&durationOfVisa="+newVisaDetails.durationOfVisa +"&totalFee="+newVisaDetails.totalFee +"&knownByAnotherName="+newVisaDetails.knownByAnotherName +"&totalPrice="+newVisaDetails.totalPrice +"&agedOver18="+newVisaDetails.agedOver18 +"&language="+newVisaDetails.language +"&acceptTermsAndConditions="+newVisaDetails.acceptTermsAndConditions const httpOptions= { headers: new HttpHeaders( {"Content-Type":"application/x-www-form-urlencoded"}) } return this.httpsvc.post<VisaDetails>( this.serviceURL+"/register", //URL contentData, //data from the server httpOptions) //header options } findByEmail(email:String):Observable<VisaDetails>{ return this.httpsvc.get<VisaDetails>(this.serviceURL+"/findLastEntryByEmail/"+email) } findByEmail2(email:String):Observable<VisaDetails[]>{ return this.httpsvc.get<VisaDetails[]>(this.serviceURL+"/findEmail/"+email) } updateVisaDetail( visaId:number, applicantName: string, familyName: string, email: string, countryOfNationality: string, dateOfBirth: string, placeOfBirth: string, countryOfBirth: string, relationStatus: string, address: string, correspondanceAddress: string, homeOwnershipStatus: string, lengthYouHaveLivedAtThisAddress: string, doYouHaveUKNI: string, gender: string, dateOfApplication: string, serviceOption: string, durationOfVisa: string, totalFee: string, knownByAnotherName: string, totalPrice: string, agedOver18: string, language: string, acceptTermsAndConditions: string):Observable<VisaDetails>{ var contentData = "visaId="+visaId +"&email="+email +"&applicantName="+applicantName +"&familyName="+familyName +"&countryOfNationality="+countryOfNationality +"&dateOfBirth="+dateOfBirth +"&placeOfBirth="+placeOfBirth +"&countryOfBirth="+countryOfBirth +"&relationStatus="+relationStatus +"&address="+address +"&correspondanceAddress="+correspondanceAddress +"&homeOwnershipStatus="+homeOwnershipStatus +"&lengthYouHaveLivedAtThisAddress="+lengthYouHaveLivedAtThisAddress +"&doYouHaveUKNI="+doYouHaveUKNI +"&gender="+gender +"&dateOfApplication="+dateOfApplication +"&serviceOption="+serviceOption +"&durationOfVisa="+durationOfVisa +"&totalFee="+totalFee +"&knownByAnotherName="+knownByAnotherName +"&totalPrice="+totalPrice +"&agedOver18="+agedOver18 +"&language="+language +"&acceptTermsAndConditions="+acceptTermsAndConditions const httpOptions= { headers: new HttpHeaders( {"Content-Type":"application/x-www-form-urlencoded"}) } return this.httpsvc.post<VisaDetails>( this.serviceURL+"/update/"+visaId, //URL contentData, //data from the server httpOptions) //header options } } <file_sep>/visa_application/visa-app/src/app/passport-info.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http'; import { Observable } from 'rxjs'; import { PassportInfo } from './PassportInfo'; import { VisaDetails } from './VisaDetails'; @Injectable({ providedIn: 'root' }) export class PassportInfoService { serviceURL: string constructor(private httpsvc: HttpClient) { this.serviceURL = "http://localhost:7777/visa_application/PassportInfo" } registerPassportInfo(newPassportInfo: PassportInfo): Observable<PassportInfo> { var contentData = //"visaId="+nwPassportInfo.visaId +"&passportId=" + newPassportInfo.passportId + "&passportNumber=" + newPassportInfo.passportNumber + "&gender=" + newPassportInfo.gender + "&expDate=" + newPassportInfo.expDate + "&issDate=" + newPassportInfo.issDate + "&issueAuthority=" + newPassportInfo.issueAuthority + "&email=" + sessionStorage.getItem("email") const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<PassportInfo>( this.serviceURL + "/register", //URL contentData, //data from the server httpOptions) //header options } assignYourPassportInfoToVisaDetails(visaId: number, passportId: number): Observable<VisaDetails> { var contendData = "visaId=" + visaId + "&passportId=" + passportId const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<VisaDetails>( this.serviceURL + "/assign", //URL contendData, // data for the server httpOptions) // header option } updatePassportInfo( passportId: number, passportNumber: string, gender: string, expDate: string, issDate: string, issueAuthority: string): Observable<PassportInfo> { var contentData = "passportId=" + passportId + "&passportNumber=" + passportNumber + "&gender=" + gender + "&expDate=" + expDate + "&issDate=" + issDate + "&issueAuthority=" + issueAuthority const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<PassportInfo>( this.serviceURL+"/update/"+ passportId, //URL contentData, //data from the server httpOptions) //header options } fetchPassportInfoByVisaId(visaId: number): Observable<PassportInfo> { return this.httpsvc.get<PassportInfo>(this.serviceURL + "/findbyvisaid/" + visaId) } }<file_sep>/visa_application/src/main/java/com/mastek/visaapplication/dao/FamilyInfoAndDependantsJPADAO.java package com.mastek.visaapplication.dao; import org.springframework.data.repository.CrudRepository; import org.springframework.stereotype.Repository; import com.mastek.visaapplication.entities.FamilyInfoAndDependants; @Repository public interface FamilyInfoAndDependantsJPADAO extends CrudRepository<FamilyInfoAndDependants, Integer> { }<file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/PreviousApplicationsAndTravelHistory.java package com.mastek.visaapplication.entities; import javax.persistence.Entity; import javax.persistence.EnumType; import javax.persistence.Enumerated; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.OneToOne; import javax.persistence.Table; import javax.ws.rs.FormParam; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlTransient; @Entity @Table(name = "travel_history") @XmlRootElement public class PreviousApplicationsAndTravelHistory { private int travelHistId; //Travel History Id @FormParam("medTreat") private YesOrNo medTreat; //Have you ever been given medical treatment in the UK? y/n @FormParam("otherNat") private YesOrNo otherNat; //Do you currently hold, or have you ever held, any other nationality or citizenship? y/n @FormParam("natId") private String natId; // National identity card number-----would ideally connect to another DB but for now just making it right length. need if statements @FormParam("issueAuthor") private String issueAuthor; // Who is Issuing the authority @FormParam("validId") private YesOrNo validId; //Do you have a valid national identity card? @FormParam("illegalStay") private String illegalStay; //For either the UK or any other country, have you ever been: ------this has 3 options: entered, remained, breached. question can be null @FormParam("decadeUK") private YesOrNo decadeUk; // Have you been to the UK in the past 10 years? @FormParam("visitedCountry") private VisitedCountry visitedCountry; //Which country did you visit? ------- another one with a list of possible options. given it is country, could be an enum @FormParam("timesVsited") private String timesVisted; //How many times have you visited the following places in the past 10 years? -----can be null IF vistedCountry is null @FormParam("visaRefusal") private String visaRefusal; // Have you ever been? -------list of options again. @FormParam("confirm") private YesOrNo confirm; //I have read all of the information about terrorist activities, organisations and views. this needs to be a YES or else form not processed @FormParam("terrorSpread") private YesOrNo terrorSpread; //Have you, by any means or medium, expressed views that justify or glorify terrorist violence or that may encourage others to commit terrorist or other serious criminal acts? @FormParam("terrorMember") private YesOrNo terrorMember; //Have you ever been a member of, or given support to, an organisation which has been concerned I terrorism? @FormParam("terrorSupport") private YesOrNo terrorSupport; //Have you ever been involved in, supported or encouraged terrorist activities in any country? @FormParam("warCrimes") private YesOrNo warCrimes; //In either peace or war time have you ever been involved in, or suspected of involvement in, war crimes, crimes against humanity, or genocide? @FormParam("behavInfo") private String behavInfo; //Is there any other information about your character or behaviour which you would like to make us aware of? @FormParam("badChar") private YesOrNo badChar; //Have you ever engaged in any other activities which might indicate that you may not be considered to be a person of good character? @FormParam("dangerActivity") private YesOrNo dangerActivity; // Have you, as a part of your employment or otherwise, undertaken paid or unpaid activity on behalf of a non-UK government which you know to be dangerous to the interests or national security of the UK or its allies? @FormParam("extremeView") private YesOrNo extremeView; // Have you, by any means or medium, expressed any extremist views? @FormParam("extremeSupport") private YesOrNo extremeSupport; //Have you ever been a member of, or given support to, an organisation which is or has been concerned with extremism? public PreviousApplicationsAndTravelHistory() { } @Id //@Id specifies the primary key of the chosen entity. @GeneratedValue(strategy=GenerationType.AUTO) //@GeneratedValue provides for the specification of generation strategies for the values of primary keys. public int getTravelHistId() { return travelHistId; } VisaDetails visaDetails; @OneToOne(mappedBy="previous") @XmlTransient public VisaDetails getVisaDetails() { return visaDetails; } public void setVisaDetails(VisaDetails visaDetails) { this.visaDetails = visaDetails; } // public void setIllegalStay(String illegalStay) { // this.illegalStay = illegalStay; // } public void setVisaRefusal(String visaRefusal) { this.visaRefusal = visaRefusal; } public void setTravelHistId(int travelHistId) { this.travelHistId = travelHistId; } @Enumerated(EnumType.STRING) //Declare that its value should be converted from a String in the database to a Yes or No type. public YesOrNo getMedTreat() { return medTreat; } public void setMedTreat(YesOrNo medTreat) { this.medTreat = medTreat; } @Enumerated(EnumType.STRING) //Declare that its value should be converted from a String in the database to a Yes or No type. public YesOrNo getOtherNat() { return otherNat; } public void setOtherNat(YesOrNo otherNat) { this.otherNat = otherNat; } public String getNatId() { return natId; } public void setNatId(String natId) { if(isNum(natId)) { if (natId.length()>=6 || natId.length()<=11) { //some countries have national identity card numbers of between 6 to 11. this.natId = natId;} } } public boolean isNum(String natId) { try { Integer.parseInt(natId); return true; } catch (Exception e) { e.printStackTrace(); return false; } } public String getIssueAuthor() { return issueAuthor; } public void setIssueAuthor(String issueAuthor) { this.issueAuthor = issueAuthor; } @Enumerated(EnumType.STRING) // Declare that its value should be converted from a String in the database to a Yes or No type. public YesOrNo getValidId() { return validId; } public void setValidId(YesOrNo validId) { this.validId = validId; } public void setIllegalStay(String illegalStay) { this.illegalStay = illegalStay; } public String getIllegalStay() { return illegalStay; } // public void assignIllegalStayStatus(String illegalEntry, String overStay, String breached) { // if(illegalEntry.toUpperCase().equals("YES")||overStay.toUpperCase().equals("YES")|| breached.toUpperCase().equals("YES")) { // //System.out.println("REJECT APPLICATION"); // this.illegalStay = "REJECT"; // }else { // this.illegalStay = "ACCEPT"; // } // } public void assignIllegalStayStatus(boolean illegalEntry, boolean overStay, boolean breached) { if(illegalEntry==true || overStay == true || breached == true) { //System.out.println("REJECT APPLICATION"); this.illegalStay = "REJECT"; }else { this.illegalStay = "ACCEPT"; } } @Enumerated(EnumType.STRING) public YesOrNo getDecadeUk() { return decadeUk; } public void setDecadeUk(YesOrNo decadeUk) { this.decadeUk = decadeUk; } @Enumerated(EnumType.STRING) public VisitedCountry getVisitedCountry() { return visitedCountry; } public void setVisitedCountry(VisitedCountry visitedCountry) { this.visitedCountry = visitedCountry; } public String getTimesVsited() { return timesVisted; } public void setTimesVsited(String timesVsited) { this.timesVisted = timesVsited; } public String getVisaRefusal() { return visaRefusal; } public void assignVisaRefusalStatus(boolean visaRefused, boolean entryRefused, boolean stayRefused, boolean asylumRefused, boolean deported, boolean removed, boolean leaveRequired, boolean excluded) { if(visaRefused==true||entryRefused==true||stayRefused==true|| asylumRefused==true||deported==true||removed==true|| leaveRequired==true||excluded==true) { this.visaRefusal = "REJECT";} else { this.visaRefusal = "PASS"; } } @Enumerated(EnumType.STRING) public YesOrNo getConfirm() { return confirm; } public void setConfirm(YesOrNo confirm) { this.confirm = confirm; } @Enumerated(EnumType.STRING) public YesOrNo getTerrorSpread() { return terrorSpread; } public void setTerrorSpread(YesOrNo terrorSpread) { this.terrorSpread = terrorSpread; } @Enumerated(EnumType.STRING) public YesOrNo getTerrorMember() { return terrorMember; } public void setTerrorMember(YesOrNo terrorMember) { this.terrorMember = terrorMember; } @Enumerated(EnumType.STRING) public YesOrNo getTerrorSupport() { return terrorSupport; } public void setTerrorSupport(YesOrNo terrorSupport) { this.terrorSupport = terrorSupport; } @Enumerated(EnumType.STRING) public YesOrNo getWarCrimes() { return warCrimes; } public void setWarCrimes(YesOrNo warCrimes) { this.warCrimes = warCrimes; } public String getBehavInfo() { return behavInfo; } public void setBehavInfo(String behavInfo) { this.behavInfo = behavInfo; } @Enumerated(EnumType.STRING) public YesOrNo getBadChar() { return badChar; } public void setBadChar(YesOrNo badChar) { this.badChar = badChar; } @Enumerated(EnumType.STRING) public YesOrNo getDangerActivity() { return dangerActivity; } public void setDangerActivity(YesOrNo dangerActivity) { this.dangerActivity = dangerActivity; } @Enumerated(EnumType.STRING) public YesOrNo getExtremeView() { return extremeView; } public void setExtremeView(YesOrNo extremeView) { this.extremeView = extremeView; } @Enumerated(EnumType.STRING) public YesOrNo getExtremeSupport() { return extremeSupport; } public void setExtremeSupport(YesOrNo extremeSupport) { this.extremeSupport = extremeSupport; } @Override public int hashCode() { final int prime = 31; int result = 1; result = prime * result + travelHistId; return result; } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; PreviousApplicationsAndTravelHistory other = (PreviousApplicationsAndTravelHistory) obj; if (travelHistId != other.travelHistId) return false; return true; } @Override public String toString() { return "PreviousApplicationsAndTravelHistory [TravelHistId=" + travelHistId + ", medTreat=" + medTreat + ", otherNat=" + otherNat + ", natId=" + natId + ", issueAuthor=" + issueAuthor + ", validId=" + validId + ", illegalStay=" + illegalStay + ", decadeUk=" + decadeUk + ", vistedCountry=" + visitedCountry + ", timesVisited=" + timesVisted + ", visaRefusal=" + visaRefusal + ", confirm=" + confirm + ", terrorSpread=" + terrorSpread + ", terrorMember=" + terrorMember + ", terrorSupport=" + terrorSupport + ", warCrimes=" + warCrimes + ", behavInfo=" + behavInfo + ", badChar=" + badChar + ", dangerActivity=" + dangerActivity + ", extremeView=" + extremeView + ", extremeSupport=" + extremeSupport + "]"; } } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/DNA.java package com.mastek.visaapplication.entities; import org.springframework.data.annotation.Id; import org.springframework.data.mongodb.core.mapping.Document; @Document(collection = "DNA_DATABASE") public class DNA { int dnaId; String firstName; String lastName; String ethnicity; String nationality; String passportNo;// 9 digit number but we put it as string String dob;//date of birth String gender;//male or female String convDate;//date of conviction String convType; // Nature of conviction public DNA() { } @Id public int getDnaId() { return dnaId; } public void setDnaId(int dnaId) { this.dnaId = dnaId; } public String getConvDate() { return convDate; } public void setConvDate(String convDate) { this.convDate = convDate; } public String getConvType() { return convType; } public void setConvType(String convType) { this.convType = convType; } public String getFirstName() { return firstName; } public void setFirstName(String firstName) { this.firstName = firstName; } public String getLastName() { return lastName; } public void setLastName(String lastName) { this.lastName = lastName; } public String getEthnicity() { return ethnicity; } public void setEthnicity(String ethnicity) { this.ethnicity = ethnicity; } public String getNationality() { return nationality; } public void setNationality(String nationality) { this.nationality = nationality; } public String getPassportNo() { return passportNo; } public void setPassportNo(String passportNo) { if(isNum(passportNo)) { if(passportNo.length()==9) { this.passportNo = passportNo; } } } public boolean isNum(String passportNumber) { try { Integer.parseInt(passportNumber); return true; } catch (Exception e) { e.printStackTrace(); return false; } } public String getDob() { return dob; } public void setDob(String dob) { this.dob = dob; } public String getGender() { return gender; } public void setGender(String gender) { this.gender = gender; } @Override public String toString() { return "DNA [dnaId=" + dnaId + ", firstName=" + firstName + ", lastName=" + lastName + ", ethnicity=" + ethnicity + ", nationality=" + nationality + ", passportNo=" + passportNo + ", dob=" + dob + ", gender=" + gender + ", convDate=" + convDate + ", convType=" + convType + "]"; } @Override public int hashCode() { final int prime = 31; int result = 1; result = prime * result + dnaId; return result; } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; DNA other = (DNA) obj; if (dnaId != other.dnaId) return false; return true; } } <file_sep>/visa_application/visa-app/src/app/app-routing.module.ts import { NgModule } from '@angular/core'; import { Routes, RouterModule } from '@angular/router'; import { pathToFileURL } from 'url'; import { AppComponent } from './app.component'; import { VisaDetailsComponent } from './visa-details/visa-details.component'; import { YourVisitComponent } from './your-visit/your-visit.component'; import { FamilyInfoAndDependentsComponent } from './family-info-and-dependents/family-info-and-dependents.component'; import { PassportInfoComponent } from './passport-info/passport-info.component'; import { ContactDetailsComponent } from './contact-details/contact-details.component'; import { FinanceAndEmploymentComponent } from './finance-and-employment/finance-and-employment.component'; import { TravelHistoryComponent } from './travel-history/travel-history.component'; import { HomePageComponent } from './home-page/home-page.component'; const routes: Routes = [ // {path:"",component:AppComponent}, {path:"visa-details",component:VisaDetailsComponent}, {path:"your-visit",component:YourVisitComponent}, {path:"family-info-and-dependents",component:FamilyInfoAndDependentsComponent}, {path:"passport-info",component:PassportInfoComponent}, {path:"contact-details",component:ContactDetailsComponent}, {path:"finance-and-employment",component:FinanceAndEmploymentComponent}, {path:"travel-history",component:TravelHistoryComponent}, {path: "home-page",component:HomePageComponent} ]; @NgModule({ imports: [RouterModule.forRoot(routes)], exports: [RouterModule] }) export class AppRoutingModule { } <file_sep>/visa_application/visa-app/src/app/family-info-and-dependents.service.spec.ts import { TestBed } from '@angular/core/testing'; import { FamilyInfoAndDependentsService } from './family-info-and-dependents.service'; describe('FamilyInfoAndDependentsService', () => { let service: FamilyInfoAndDependentsService; beforeEach(() => { TestBed.configureTestingModule({}); service = TestBed.inject(FamilyInfoAndDependentsService); }); it('should be created', () => { expect(service).toBeTruthy(); }); }); <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/dao/PassportInfoJPADAO.java package com.mastek.visaapplication.dao; import org.springframework.data.repository.CrudRepository; import org.springframework.stereotype.Repository; import com.mastek.visaapplication.entities.PassportInfo; @Repository public interface PassportInfoJPADAO extends CrudRepository<PassportInfo, Integer>{ } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/VisaDetails.java package com.mastek.visaapplication.entities; import javax.persistence.Column; import javax.persistence.Entity; import javax.persistence.EnumType; import javax.persistence.Enumerated; import javax.persistence.FetchType; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.JoinColumn; import javax.persistence.NamedQueries; import javax.persistence.NamedQuery; //import javax.persistence.NamedQueries; //import javax.persistence.NamedQuery; import javax.persistence.OneToOne; import javax.persistence.Table; import javax.ws.rs.FormParam; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlTransient; //@NamedQueries({@NamedQuery(name="VisaDetails.findLastID", //query="" )}) @XmlRootElement // declares the entity to be transformed to XML/JSON @Entity //declared class as an entity to be managed by JPA @Table(name="JPA_VisaDetails") // declare the table name associated with this class @NamedQueries({ @NamedQuery(name="VisaDetails.findEmail", query = "select e from VisaDetails e where e.email=:email") // @NamedQuery(name="VisaDetails.findLastEntryByEmail", // query="select e from VisaDetails e where e.email=:email") }) public class VisaDetails { // private static final String TotalPrice = null; private int visaId; //Primary key @FormParam("applicantName") private String applicantName; // Q: Applicants name t @FormParam("familyName") private String familyName; @FormParam("countryOfNationality") private String countryOfNationality; @FormParam("dateOfBirth") private String dateOfBirth; @FormParam("placeOfBirth") private String placeOfBirth; @FormParam("countryOfBirth") private String countryOfBirth; @FormParam("relationStatus") private RelationStatus relationStatus; @FormParam("address") private String address; // Q: What is your address? @FormParam("correspondanceAddress") private String correspondanceAddress; @FormParam("homeOwnershipStatus") private HomeOwnershipStatus homeOwnershipStatus; // Q: Do you have home ownership? @FormParam("lengthYouHaveLivedAtThisAddress") private String lengthYouHaveLivedAtThisAddress; // Q: The length you have lived at your current address @FormParam("doYouHaveUKNI") private YesOrNo doYouHaveUKNI; // Created as an enum as yes/no answer @FormParam("gender") private Gender gender; // created an enum as limited options of answers. @FormParam("dateOfApplication") private String dateOfApplication; //created as a string as may be done as number and letters. @FormParam("serviceOption") private ServiceOption serviceOption; // created an enum as limited options of answers. @FormParam("durationOfVisa") private DurationOfVisa durationOfVisa; //created as an enum as only certain options for length of visa @FormParam("totalFee") private double totalFee; //depends on factors such as nhs cost and visa cost plus service and length of visa @FormParam("submissionMethod") private SubmissionMethod submissionMethod; //enum as methods of submission only has limited options. @FormParam("paymentReference") private String paymentReference; // refrence to your visa payment @FormParam("knownByAnotherName") private YesOrNo knownByAnotherName; @FormParam("totalPrice") private int totalPrice; @FormParam("agedOver18") private YesOrNo agedOver18; @FormParam("language") private String Language; @FormParam("acceptTermsAndConditions") private YesOrNo acceptTermsAndConditions; @FormParam("progress") private String progress; @FormParam("email") private String email; @Id //marking the property as primary Key for the table @Column(name="VisaId")//using column to provide the default column name @GeneratedValue(strategy=GenerationType.AUTO)//Auto numbering configuration as per DB public int getVisaId() { return visaId; } public void setVisaId(int visaId) { this.visaId = visaId; } public String getProgress() { return progress; } public void setProgress(String progress) { this.progress = progress; } public String getLanguage() { return Language; } public void setLanguage(String language) { this.Language = language; } @Enumerated(EnumType.STRING) public YesOrNo getKnownByAnotherName() { return knownByAnotherName; } public void setKnownByAnotherName(YesOrNo knownByAnotherName) { this.knownByAnotherName = knownByAnotherName; } public String getApplicantName() { return applicantName; } public void setApplicantName(String applicantName) { this.applicantName = applicantName; } public String getFamilyName() { return familyName; } public void setFamilyName(String familyName) { this.familyName = familyName; } public String getCountryOfNationality() { return countryOfNationality; } public void setCountryOfNationality(String countryOfNationality) { this.countryOfNationality = countryOfNationality; } public String getDateOfBirth() { return dateOfBirth; } public void setDateOfBirth(String dateOfBirth) { this.dateOfBirth = dateOfBirth; } public String getPlaceOfBirth() { return placeOfBirth; } public void setPlaceOfBirth(String placeOfBirth) { this.placeOfBirth = placeOfBirth; } public String getCountryOfBirth() { return countryOfBirth; } public void setCountryOfBirth(String countryOfBirth) { this.countryOfBirth = countryOfBirth; } @Enumerated(EnumType.STRING) public RelationStatus getRelationStatus() { return relationStatus; } public void setRelationStatus(RelationStatus relationStatus) { this.relationStatus = relationStatus; } public String getAddress() { return address; } public void setAddress(String address) { this.address = address; } public String getCorrespondanceAddress() { return correspondanceAddress; } public void setCorrespondanceAddress(String correspondanceAddress) { this.correspondanceAddress = correspondanceAddress; } @Enumerated(EnumType.STRING) public HomeOwnershipStatus getHomeOwnershipStatus() { return homeOwnershipStatus; } public void setHomeOwnershipStatus(HomeOwnershipStatus homeOwnershipStatus) { this.homeOwnershipStatus = homeOwnershipStatus; } public String getLengthYouHaveLivedAtThisAddress() { return lengthYouHaveLivedAtThisAddress; } public void setLengthYouHaveLivedAtThisAddress(String lengthYouHaveLivedAtThisAddress) { this.lengthYouHaveLivedAtThisAddress = lengthYouHaveLivedAtThisAddress; } @Enumerated(EnumType.STRING) // Declare that its value should be converted from a String in the database to a Yes or No type. public YesOrNo getDoYouHaveUKNI() { return doYouHaveUKNI; } public void setDoYouHaveUKNI(YesOrNo doYouHaveUKNI) { this.doYouHaveUKNI = doYouHaveUKNI; } public String getPaymentReference() { return paymentReference; } public void setPaymentReference(String paymentReference) { this.paymentReference = paymentReference; } public int getTotalPrice() { return totalPrice; } public void setTotalPrice(int totalPrice) { this.totalPrice = totalPrice; } @Enumerated(EnumType.STRING) public YesOrNo getAgedOver18() { return agedOver18; } public void setAgedOver18(YesOrNo agedOver18) { this.agedOver18 = agedOver18; } @Enumerated(EnumType.STRING) // Declare that its value should be converted from a String in the database to a Male or Female type. public Gender getGender() { return gender; } public void setGender(Gender gender) { this.gender = gender; } public String getDateOfApplication() { return dateOfApplication; } public void setDateOfApplication(String dateOfApplication) { this.dateOfApplication = dateOfApplication; } @Enumerated(EnumType.STRING) public ServiceOption getServiceOption() { return serviceOption; } public void setServiceOption(ServiceOption serviceOption) { this.serviceOption = serviceOption; } @Enumerated(EnumType.STRING) public DurationOfVisa getDurationOfVisa() { return durationOfVisa; } public void setDurationOfVisa(DurationOfVisa durationOfVisa) { this.durationOfVisa = durationOfVisa; } public double getTotalFee() { return totalFee; } public void setTotalFee(double totalFee) { this.totalFee = totalFee; } @Enumerated(EnumType.STRING) public SubmissionMethod getSubmissionMethod() { return submissionMethod; } public void setSubmissionMethod(SubmissionMethod submissionMethod) { this.submissionMethod = submissionMethod; } @Enumerated(EnumType.STRING) public YesOrNo getAcceptTermsAndConditions() { return acceptTermsAndConditions; } public void setAcceptTermsAndConditions(YesOrNo acceptTermsAndConditions) { this.acceptTermsAndConditions = acceptTermsAndConditions; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } // public static String getTotalprice() { // return TotalPrice; // } YourVisit yourVisit; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="your_visit_id") public YourVisit getYourVisit() { return yourVisit; } public void setYourVisit(YourVisit yourVisit) { this.yourVisit = yourVisit; } ContactDetails contactDetails; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="contactID") public ContactDetails getContactDetails() { return contactDetails; } public void setContactDetails(ContactDetails contactDetails) { this.contactDetails = contactDetails; } PassportInfo passportInfo; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="passportId") public PassportInfo getPassportInfo() { return passportInfo; } public void setPassportInfo(PassportInfo passportInfo) { this.passportInfo = passportInfo; } FamilyInfoAndDependants familyInfo; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="FamilyInfoDepId") public FamilyInfoAndDependants getFamilyInfo() { return familyInfo; } public void setFamilyInfo(FamilyInfoAndDependants familyInfo) { this.familyInfo = familyInfo; } FinanceAndEmployment finance; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="FinanceAndEmploymentId") public FinanceAndEmployment getFinance() { return finance; } public void setFinance(FinanceAndEmployment finance) { this.finance = finance; } PreviousApplicationsAndTravelHistory previous; @OneToOne(fetch=FetchType.EAGER) @XmlTransient @JoinColumn(name="TravelHistId") public PreviousApplicationsAndTravelHistory getPrevious() { return previous; } public void setPrevious(PreviousApplicationsAndTravelHistory previous) { this.previous = previous; } // @Override // public String toString() { // return "VisaDetails [visaId=" + visaId + ", ApplicantName=" + applicantName + ", FamilyName=" + familyName // + ", CountryOfNationality=" + countryOfNationality + ", DateOfBirth=" + dateOfBirth + ", PlaceOfBirth=" // + placeOfBirth + ", CountryOfBirth=" + countryOfBirth + ", RelationStatus=" + relationStatus // + ", Address=" + address + ", CorrespondanceAddress=" + correspondanceAddress + ", HomeOwnershipStatus=" // + homeOwnershipStatus + ", LengthYouHaveLivedAtThisAddress=" + lengthYouHaveLivedAtThisAddress // + ", DoYouHaveUKNI=" + doYouHaveUKNI + ", Gender=" + gender + ", DateOfApplication=" + dateOfApplication // + ", ServiceOption=" + serviceOption + ", DurationOfVisa=" + durationOfVisa + ", TotalFee=" + totalFee // + ", SubmissionMethod=" + submissionMethod + ", PaymentReference=" + paymentReference // + ", AreYouKnownByAnotherName=" + ", TotalPrice=" + TotalPrice // + ", AgedOver18=" + agedOver18 + ", Language=" + Language + ", acceptTermsAndConditions=" // + acceptTermsAndConditions + "]"; // } @Override public String toString() { return "VisaDetails [visaId=" + visaId + ", applicantName=" + applicantName + ", familyName=" + familyName + ", countryOfNationality=" + countryOfNationality + ", dateOfBirth=" + dateOfBirth + ", placeOfBirth=" + placeOfBirth + ", countryOfBirth=" + countryOfBirth + ", relationStatus=" + relationStatus + ", address=" + address + ", correspondanceAddress=" + correspondanceAddress + ", homeOwnershipStatus=" + homeOwnershipStatus + ", lengthYouHaveLivedAtThisAddress=" + lengthYouHaveLivedAtThisAddress + ", doYouHaveUKNI=" + doYouHaveUKNI + ", gender=" + gender + ", dateOfApplication=" + dateOfApplication + ", serviceOption=" + serviceOption + ", durationOfVisa=" + durationOfVisa + ", totalFee=" + totalFee + ", submissionMethod=" + submissionMethod + ", paymentReference=" + paymentReference + ", knownByAnotherName=" + knownByAnotherName + ", totalPrice=" + totalPrice + ", agedOver18=" + agedOver18 + ", Language=" + Language + ", acceptTermsAndConditions=" + acceptTermsAndConditions + ", progress=" + progress + ", email=" + email + "]"; } @Override public int hashCode() { //Overriding is a used feature that allows our subclass or child class to provide a specific implementation of a method that is already provided by one of its super-classes or parent classes. final int prime = 31; //allows an object to be managed by a hash-based data structure. int result = 1; //We know that hash code is an unique id number allocated to an object by JVM result = prime * result + visaId; return result; } @Override public boolean equals(Object obj) { // It returns true if the argument is not null and is a Boolean object that represents the same Boolean value as this object, else it returns false. if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; VisaDetails other = (VisaDetails) obj; if (visaId != other.visaId) return false; return true; } } <file_sep>/visa_application/visa-app/src/app/family-info-and-dependents.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http'; import { FamilyInfoAndDependents} from './FamilyInfoAndDependents'; import { Observable } from 'rxjs'; import { VisaDetails } from './VisaDetails'; @Injectable({ providedIn: 'root' }) export class FamilyInfoAndDependentsService { serviceURL:string constructor(private httpsvc:HttpClient) { this.serviceURL="http://localhost:7777/visa_application/FamilyInfoAndDependants" } registerFamilyDependents(newFamilyDependent:FamilyInfoAndDependents):Observable<FamilyInfoAndDependents>{ var contentData = "familyInfoDepId="+newFamilyDependent.familyInfoDepId +"&familyName="+newFamilyDependent.familyName +"&depName="+newFamilyDependent.depName +"&givenName="+newFamilyDependent.givenName +"&relationConnection="+newFamilyDependent.relationConnection +"&sameNationality="+newFamilyDependent.sameNationality +"&conuntryOfNationality="+newFamilyDependent.conuntryOfNationality +"&dateOfBirth="+newFamilyDependent.dateOfBirth +"&financalDependencies="+newFamilyDependent.financalDependencies const httpOptions= { headers: new HttpHeaders( {"Content-Type":"application/x-www-form-urlencoded"}) } return this.httpsvc.post<FamilyInfoAndDependents>( this.serviceURL+"/register", //URL contentData, //data from the server httpOptions) //header options } assignYourFamilyDependentsToVisaDetails(visaId: number, familyInfoDepId: number): Observable<VisaDetails> { var contendData = "visaId=" + visaId + "&familyInfoDepId=" + familyInfoDepId const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<VisaDetails>( this.serviceURL + "/assign", //URL contendData, // data for the server httpOptions) // header option } updateFamilyDependents( familyInfoDepId: number, familyDepName: string, dependentName: string, givenName: string, relationConnection: string, sameNationality: string, countryOfNationality: string, dateOfBirth: string, financalDependencies: string): Observable<FamilyInfoAndDependents> { var contentData = "familyInfoDepId=" + familyInfoDepId + "&familyName=" + familyDepName + "&depName=" + dependentName + "&givenName=" + givenName + "&relationConnection=" + relationConnection + "&sameNationality=" + sameNationality + "&conuntryOfNationality=" + countryOfNationality + "&dateOfBirth=" + dateOfBirth + "&financalDependencies=" + financalDependencies const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpsvc.post<FamilyInfoAndDependents>( this.serviceURL+"/update/"+familyInfoDepId, //URL contentData, //data from the server httpOptions) //header options } fetchFamilyDependentsByVisaId(visaId: number): Observable<FamilyInfoAndDependents> { return this.httpsvc.get<FamilyInfoAndDependents>(this.serviceURL + "/findbyvisaid/" + visaId) } } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/AdditionalInformation.java package com.mastek.visaapplication.entities; public class AdditionalInformation { } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/YesOrNo.java package com.mastek.visaapplication.entities; public enum YesOrNo {YES, NO } <file_sep>/visa_application/visa-app/src/app/passport-info.service.spec.ts import { TestBed } from '@angular/core/testing'; import { PassportInfoService } from './passport-info.service'; describe('PassportInfoService', () => { let service: PassportInfoService; beforeEach(() => { TestBed.configureTestingModule({}); service = TestBed.inject(PassportInfoService); }); it('should be created', () => { expect(service).toBeTruthy(); }); }); <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/apis/APIConfig.java package com.mastek.visaapplication.apis; import org.glassfish.jersey.server.ResourceConfig; import org.springframework.stereotype.Component; import com.mastek.visaapplication.services.VisaApplicationService; @Component //declared as a spring component public class APIConfig extends ResourceConfig { public APIConfig() { //register each service class to enable services as API register(VisaApplicationService.class); register(CORSFilter.class); } } <file_sep>/visa_application/visa-app/src/app/contact-details/contact-details.component.html <body> <p class="form-heading">Please fill in the relevant details below to register for a new Visa Application</p> <table> <tr> <td [hidden]="!registerNewDetails"> <button (click)="toggleisEditing()" *ngIf="!isEditing">Edit</button> <button [hidden]="!isEditing" (click)="updateCurrentContactDetails({ contactID:0, contactLanguage:vconlang.value, altEmail:valeml.value, altEmailOwner:valemlo.value, telephoneNumber:vteleNum.value, contactBySMS:vconbsms.value, contactByPhone:vconbph.value, noUsedInUK:vntinuk.value, noUsedOutOfUK:vntoutuk.value, locationNumberUsed:vlocnumused.value})">Update</button> </td> </tr> </table> <form (submit)="addContactDetails({ contactID:0, contactLanguage:vconlang.value, altEmail:valeml.value, altEmailOwner:valemlo.value, telephoneNumber:vteleNum.value, contactBySMS:vconbsms.value, contactByPhone:vconbph.value, noUsedInUK:vntinuk.value, noUsedOutOfUK:vntoutuk.value, locationNumberUsed:vlocnumused.value})"> <table> <tr> <th> 5.01 What is your contact language? </th> <td [hidden]="isEditing"> {{currentContactDetails.contactLanguage}} </td> <td> <input name="contactLanguage" #vconlang [hidden]="!isEditing" value="{{currentContactDetails.contactLanguage}}"> </td> <td> <input type="submit" value="Save" [hidden]="registerNewDetails"> </td> </tr> <br> <tr> <th> 5.02 Do you have an alternative email?</th> <td [hidden]="isEditing"> {{currentContactDetails.altEmail}} </td> <td [hidden]="!isEditing"> <select name="altEmail" #valeml> <option value="YES">Yes</option> <option value="NO" selected>No</option> </select> </td> </tr> <br> <tr> <th> 5.03 Who owns the Alternative email?</th> <td [hidden]="isEditing"> {{currentContactDetails.altEmailOwner}} </td> <td> <input name="email" #valemlo [hidden]="!isEditing" value="{{currentContactDetails.altEmailOwner}}"> </td> </tr> <br> <tr> <th>5.04 What is your telephone number?</th> <td [hidden]="isEditing"> {{currentContactDetails.telephoneNumber}} </td> <td> <input name="telephoneNumber" #vteleNum [hidden]="!isEditing" value="{{currentContactDetails.telephoneNumber}}"> </td> </tr> <br> <tr> <th> 5.05 Can you be contacted by SMS?</th> <td [hidden]="isEditing"> {{currentContactDetails.contactBySMS}} </td> <td [hidden]="!isEditing"> <select name="contactBySMS" #vconbsms> <option value="YES">Yes</option> <option value="NO" selected>No</option> </select> </td> </tr> <br> <tr> <th> 5.06 Can you be contacted by telephone?</th> <td [hidden]="isEditing"> {{currentContactDetails.contactByPhone}} </td> <td [hidden]="!isEditing"> <select name="contactByPhone" #vconbph> <option value="YES">Yes</option> <option value="NO" selected>No</option> </select> </td> </tr> <br> <tr> <th> 5.07 What is your UK telephone number?</th> <td [hidden]="isEditing"> {{currentContactDetails.noUsedInUK}} </td> <td> <input name="noUsedInUK" #vntinuk [hidden]="!isEditing" value="{{currentContactDetails.noUsedInUK}}"> </td> </tr> <br> <tr> <th> 5.08 What is your number used outside the UK?</th> <td [hidden]="isEditing"> {{currentContactDetails.noUsedOutOfUK}} </td> <td> <input name="noUsedOutOfUK" #vntoutuk [hidden]="!isEditing" value="{{currentContactDetails.noUsedOutOfUK}}"> </td> </tr> <br> <tr> <th> 5.09 What location was the mobile used in?</th> <td [hidden]="isEditing"> {{currentContactDetails.locationNumberUsed}} </td> <td> <input name="locationNumberUsed" #vlocnumused [hidden]="!isEditing" value="{{currentContactDetails.noUsedOutOfUK}}"> </td> </tr> </table> </form><file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/PassportInfoListener.java package com.mastek.visaapplication.entities; import javax.persistence.PostPersist; import org.springframework.stereotype.Component; import java.time.LocalDate; import java.util.List; import org.springframework.beans.BeansException; import org.springframework.context.ApplicationContext; import org.springframework.context.ApplicationContextAware; import com.mastek.visaapplication.dao.DNADAO; import com.mastek.visaapplication.dao.PassportInfoJPADAO; @Component // class is initialised by Spring Application context public class PassportInfoListener implements ApplicationContextAware{ ApplicationContext context; public DNADAO getDnaDAO() { return context.getBean(DNADAO.class); } public PassportInfoJPADAO getPassDAO() { return context.getBean(PassportInfoJPADAO.class); } DNADAO dnaDAO; PassportInfoJPADAO passDAO; @PostPersist // call this method after inserting each object in PassportInfo table public void afterInsert(PassportInfo e) { LocalDate now = LocalDate.now();// this gets the local time System.out.println(now);//just to check the local time String acceptReject =""; System.out.println(getDnaDAO()); List<DNA> list = getDnaDAO().findByPassportNo(e.getPassportNumber());//this looks inside the mongo database for a matching passport number that was added into SQL System.out.println(list); for (DNA dna : list) { String date = dna.getConvDate(); //gets the stringdate System.out.println(date); LocalDate conDate = LocalDate.parse(date);//turns it into a localdate System.out.println(conDate); conDate = now.minusYears(conDate.getYear());//gets the years as an integer and takes conviction date from current date String crime = dna.getConvType(); if (crime.equals( "verbal assult") || crime.equals("theft") || crime.equals("burglary")) { if(conDate.getYear()>10) { acceptReject = "ACCEPT";//if it is any of these crimes and over 10 years ago it'll print accept }else { acceptReject = "REJECT";//if it is any of these crimes and under 10 years ago it'll reject } } else { acceptReject = "REJECT";//if the crime is none of those other crimes it is deemed serious and so it'll reject } } System.out.println("After passport info insert"+acceptReject); PassportInfo edb = getPassDAO().findById(e.getPassportId()).get(); edb.setCriminalCheck(acceptReject); getPassDAO().save(edb); } @Override public void setApplicationContext(ApplicationContext applicationContext) throws BeansException { this.context = applicationContext; } } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/DurationOfVisa.java package com.mastek.visaapplication.entities; public enum DurationOfVisa {SIXMONTHS, TWOYEARS, FIVEYEARS, TENYEARS } <file_sep>/visa_application/visa-app/src/app/family-info-and-dependents/family-info-and-dependents.component.ts import { Component, OnInit } from '@angular/core'; import { FamilyInfoAndDependents} from '../FamilyInfoAndDependents' import { VisaDetails } from '../VisaDetails'; import { FamilyInfoAndDependentsService } from '../family-info-and-dependents.service'; @Component({ selector: 'app-family-info-and-dependents', templateUrl: './family-info-and-dependents.component.html', styleUrls: ['./family-info-and-dependents.component.css'] }) export class FamilyInfoAndDependentsComponent implements OnInit { isEditing:boolean currentFamilyDependents: FamilyInfoAndDependents registerNewDetails:boolean visaDetails:VisaDetails constructor(private familyInfoAndDependentSvc:FamilyInfoAndDependentsService){ this.isEditing=true this.registerNewDetails=false this.visaDetails={ visaId:7, applicantName:"", familyName: "", countryOfNationality:"", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"", email: "" } this.currentFamilyDependents={ familyInfoDepId:1, familyName:"", depName:"", givenName:"", relationConnection:"", sameNationality:"", conuntryOfNationality:"", dateOfBirth:"", financalDependencies:"" } } ngOnInit(): void { if (sessionStorage.getItem("familyInfoDepId")==null) { } else { this.loadFamilyInfo() this.isEditing=false this.registerNewDetails=true } } loadFamilyInfo(){ this.familyInfoAndDependentSvc.fetchFamilyDependentsByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentFamilyDependents=response } ) } toggleRegisterNewDetails(){ this.registerNewDetails=!this.registerNewDetails } toggleisEditing(){ this.isEditing=!this.isEditing } addFamilyInfoAndDependents(newFamilyDependent:FamilyInfoAndDependents){ console.log("response received") this.familyInfoAndDependentSvc.registerFamilyDependents( newFamilyDependent).subscribe( response =>{ this.currentFamilyDependents=response console.log(response.familyInfoDepId) sessionStorage.setItem("familyInfoDepId",this.currentFamilyDependents.familyInfoDepId+"") this.assignYourFamilyDependentsToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } assignYourFamilyDependentsToVisaDetails(){ this.familyInfoAndDependentSvc.assignYourFamilyDependentsToVisaDetails(parseInt(sessionStorage.getItem("visaId")), this.currentFamilyDependents.familyInfoDepId).subscribe( response=>{ this.visaDetails=response } ) } updateCurrentFamilyDependents(updatedFamilyDependents:FamilyInfoAndDependents){ this.familyInfoAndDependentSvc.updateFamilyDependents( parseInt(sessionStorage.getItem("familyInfoDepId")), updatedFamilyDependents.familyName, updatedFamilyDependents.depName, updatedFamilyDependents.givenName, updatedFamilyDependents.relationConnection, updatedFamilyDependents.sameNationality , updatedFamilyDependents.conuntryOfNationality, updatedFamilyDependents.dateOfBirth, updatedFamilyDependents.financalDependencies ).subscribe( response=>{ this.currentFamilyDependents = response console.log(response) this.toggleisEditing() } ) } fetchFamilyDependentsByVisaId(){ this.familyInfoAndDependentSvc.fetchFamilyDependentsByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentFamilyDependents=response } ) } }<file_sep>/visa_application/visa-app/src/app/ContactDetails.ts export interface ContactDetails { contactID: number contactLanguage: string altEmail: string altEmailOwner: string telephoneNumber: string contactBySMS: string contactByPhone: string noUsedInUK: string noUsedOutOfUK: string locationNumberUsed: string } <file_sep>/visa_application/visa-app/src/app/TravelHistory.ts export interface TravelHistory { travelHistId: number medTreat: string otherNat: string natId: string issueAuthor: string validId: string // illegalStay: string decadeUK: string visitedCountry: string timesVsited: string // visaRefusal: string confirm: string terrorSpread: string terrorMember: string warCrimes: string behavInfo: string badChar: string dangerActivity: string extremeView: string extremeSupport: string terrorSupport: string } <file_sep>/visa_application/visa-app/src/app/visa-details/visa-details.component.ts import { Component, OnInit } from '@angular/core'; import { VisaDetailsService } from '../visa-details.service'; import { from } from 'rxjs'; import { VisaDetails } from '../VisaDetails' @Component({ selector: 'app-visa-details', templateUrl: './visa-details.component.html', styleUrls: ['./visa-details.component.css'] }) export class VisaDetailsComponent implements OnInit { currentVisaDetailsByEmail: VisaDetails currentVisaDetails: VisaDetails isVisaDetailsEditing: boolean isVisaDetailsFormVisible: boolean visaDetails: VisaDetails isYourVisitFormVisible: boolean registerNewVisaFormVisible: boolean constructor(private visaDetailsService:VisaDetailsService) { this.isVisaDetailsEditing=true this.isVisaDetailsFormVisible=false this.isYourVisitFormVisible=false this.registerNewVisaFormVisible=true this.currentVisaDetailsByEmail={ visaId: 7, applicantName: "", familyName: "", email:"", countryOfNationality: "", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"" } } ngOnInit(): void { if (sessionStorage.getItem("visaId")==null) { } else { this.loadVisaDetails() this.isVisaDetailsEditing=false this.registerNewVisaFormVisible=false } } loadVisaDetails(){ this.visaDetailsService.findVisaDetailsByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentVisaDetailsByEmail = response console.log(response) } ) } fetchVisaDetailsFromSever(){ this.visaDetailsService.findVisaDetailsByVisaId(this.currentVisaDetailsByEmail.visaId).subscribe( response =>{ console.log("Response Recieved") this.currentVisaDetails = response } ) } toggleVisaDetailsRegisterForm(){ this.registerNewVisaFormVisible=!this.registerNewVisaFormVisible this.toggleVisaDetailsEditForm() this.fetchVisaDetailsByEmail() } toggleVisaDetailsEditForm(){ this.isVisaDetailsEditing=!this.isVisaDetailsEditing } showVisaDetailsForm(){ this.isVisaDetailsEditing=true } addVisaDetails(newVisaDetails:VisaDetails){ console.log("response received") this.visaDetailsService.registerVisaDetails( newVisaDetails).subscribe( response =>{ console.log("details added") this.currentVisaDetailsByEmail = response console.log(response) console.log(this.currentVisaDetailsByEmail.email) sessionStorage.setItem("email",this.currentVisaDetailsByEmail.email) this.fetchVisaDetailsByEmail() } )} fetchVisaDetailsByEmail(){ console.log("fetched Visa Details by email") console.log(this.currentVisaDetailsByEmail.email) this.visaDetailsService.findByEmail(this.currentVisaDetailsByEmail.email).subscribe( response =>{ console.log("response received") this.currentVisaDetailsByEmail = response console.log(this.currentVisaDetailsByEmail.email) sessionStorage.setItem("visaId",this.currentVisaDetailsByEmail.visaId+"") } ) this.registerNewVisaFormVisible=false this.toggleVisaDetailsEditForm() } updateCurrentVisaDetails(editedVisaDetails: VisaDetails){ editedVisaDetails.visaId=parseInt(sessionStorage.getItem("visaId")) this.visaDetailsService.updateVisaDetail( editedVisaDetails.visaId, editedVisaDetails.applicantName, editedVisaDetails.familyName, editedVisaDetails.email, editedVisaDetails.countryOfNationality, editedVisaDetails.dateOfBirth , editedVisaDetails.placeOfBirth, editedVisaDetails.countryOfBirth, editedVisaDetails.relationStatus, editedVisaDetails.address, editedVisaDetails.correspondanceAddress, editedVisaDetails.homeOwnershipStatus, editedVisaDetails.lengthYouHaveLivedAtThisAddress, editedVisaDetails.doYouHaveUKNI, editedVisaDetails.gender, editedVisaDetails.dateOfApplication, editedVisaDetails.serviceOption, editedVisaDetails.durationOfVisa, editedVisaDetails.totalFee, editedVisaDetails.knownByAnotherName, editedVisaDetails.totalPrice, editedVisaDetails.agedOver18, editedVisaDetails.language, editedVisaDetails.acceptTermsAndConditions).subscribe( response=>{ this.currentVisaDetailsByEmail = response console.log(this.currentVisaDetailsByEmail) } ) this.toggleVisaDetailsEditForm() } } <file_sep>/visa_application/visa-app/src/app/VisaDetails.ts export interface VisaDetails { visaId: number applicantName: string familyName: string email: string countryOfNationality: string dateOfBirth: string placeOfBirth: string countryOfBirth: string relationStatus: string address: string correspondanceAddress: string homeOwnershipStatus: string lengthYouHaveLivedAtThisAddress: string doYouHaveUKNI: string gender: string dateOfApplication: string serviceOption: string durationOfVisa: string totalFee: string knownByAnotherName: string totalPrice: string agedOver18: string language: string acceptTermsAndConditions: string } <file_sep>/visa_application/visa-app/src/app/your-visit.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http'; import { Observable } from 'rxjs'; import { VisaDetails } from './VisaDetails' import { YourVisit } from './YourVisit'; import { newArray } from '@angular/compiler/src/util'; @Injectable({ providedIn: 'root' }) export class YourVisitService { serviceURL: string constructor(private httpSvc: HttpClient) { this.serviceURL = "http://localhost:7777/visa_application/yourvisit" } registerNewYourVisit(newYourVisit: YourVisit): Observable<YourVisit> { var contentData = "yourVisitId=" + newYourVisit.yourVisitID + "&dateOfEntry=" + newYourVisit.dateOfEntry + "&dateOfExit=" + newYourVisit.dateOfExit + "&purposeOfVisit=" + newYourVisit.purposeOfVisit + "&visitLocation=" + newYourVisit.visitLocation + "&stayAddress=" + newYourVisit.stayAddress + "&familyInUK=" + newYourVisit.familyInUK + "&anyonePaying=" + newYourVisit.anyonePaying + "&whoIsPaying=" + newYourVisit.whoIsPaying + "&howMuchPaying=" + newYourVisit.howMuchPaying + "&whyPaying=" + newYourVisit.whyPaying const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<YourVisit>( this.serviceURL + "/register", //URL contentData, //data from the server httpOptions) //header options } assignYourVisitToVisaDetails(visaId: number, yourVisitId: number): Observable<VisaDetails> { var contendData = "visaId=" + visaId + "&yourVisitId=" + yourVisitId const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<VisaDetails>( this.serviceURL + "/assign", //URL contendData, // data for the server httpOptions) // header option } updateYourVisit( yourVisitID: number, dateOfEntry: string, dateOfExit: string, purposeOfVisit: string, visitLocation: string, stayAddress: string, familyInUK: string, anyonePaying: string, whoIsPaying: string, howMuchPaying: number, whyPaying: string): Observable<YourVisit> { var contentData = "yourVisitID=" + yourVisitID + "&dateOfEntry=" + dateOfEntry + "&dateOfExit=" + dateOfExit + "&purposeOfVisit=" + purposeOfVisit + "&visitLocation=" + visitLocation + "&stayAddress=" + stayAddress + "&familyInUK=" + familyInUK + "&anyonePaying=" + anyonePaying + "&whoIsPaying=" + whoIsPaying + "&howMuchPaying=" + howMuchPaying + "&whyPaying=" + whyPaying const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<YourVisit>( this.serviceURL + "/update/" + yourVisitID, //URL contentData, //data from the server httpOptions) //header options } fetchYourVisitByVisaId(visaId: number): Observable<YourVisit> { return this.httpSvc.get<YourVisit>(this.serviceURL + "/findbyvisaid/" + visaId) } } <file_sep>/visa_application/visa-app/src/app/PassportInfo.ts export interface PassportInfo { passportId: number passportNumber: string gender: string expDate: string issDate: string issueAuthority: string // criminalCheck: string } <file_sep>/visa_application/visa-app/src/app/contact-details/contact-details.component.ts import { Component, OnInit } from '@angular/core'; import { ContactDetails } from '../ContactDetails'; import { ContactDetailsService } from '../contact-details.service'; import { VisaDetails } from '../VisaDetails'; @Component({ selector: 'app-contact-details', templateUrl: './contact-details.component.html', styleUrls: ['./contact-details.component.css'] }) export class ContactDetailsComponent implements OnInit { currentContactDetails: ContactDetails currentVisaDetails: VisaDetails Yes: String No: String isEditing:boolean registerNewDetails:boolean constructor(private contactDetailsSvc:ContactDetailsService) { this.isEditing=true this.registerNewDetails=false this.Yes="YES" this.No="NO" this.currentVisaDetails={ visaId:7, applicantName:"", familyName: "", countryOfNationality:"", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"", email: "" } this.currentContactDetails= { contactID:1, altEmail: "", altEmailOwner: "", contactByPhone: "", contactBySMS: "", contactLanguage: "", locationNumberUsed: "", noUsedInUK: "", noUsedOutOfUK:"", telephoneNumber: "" } } ngOnInit(): void { if (sessionStorage.getItem("contactID")==null) { } else { this.loadContactInfo() this.isEditing=false this.registerNewDetails=true } } loadContactInfo(){ this.contactDetailsSvc.fetchContactDetailsByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentContactDetails=response } ) } fetchContactsDetailsByVisaId(){ this.contactDetailsSvc.fetchContactDetailsByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentContactDetails=response } ) } toggleRegisterNewDetails(){ this.registerNewDetails=!this.registerNewDetails } toggleisEditing(){ this.isEditing=!this.isEditing } addContactDetails(newContactDetails:ContactDetails){ console.log("response received") this.contactDetailsSvc.registerContactDetails( newContactDetails).subscribe( response=>{ this.currentContactDetails=response console.log(response) console.log(response.contactID) console.log(this.currentContactDetails.contactID) sessionStorage.setItem("contactID",this.currentContactDetails.contactID+"") this.assignContactDetailsToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } updateCurrentContactDetails(updatedCurrentContactDetails:ContactDetails){ this.contactDetailsSvc.updateContactDetails( parseInt(sessionStorage.getItem("contactID")), updatedCurrentContactDetails.contactLanguage, updatedCurrentContactDetails.altEmail, updatedCurrentContactDetails.altEmailOwner, updatedCurrentContactDetails.contactBySMS, updatedCurrentContactDetails.contactByPhone, updatedCurrentContactDetails.telephoneNumber, updatedCurrentContactDetails.noUsedInUK, updatedCurrentContactDetails.noUsedOutOfUK, updatedCurrentContactDetails.locationNumberUsed ).subscribe( response=>{ this.currentContactDetails=response console.log(response) this.toggleisEditing() } ) } assignContactDetailsToVisaDetails(){ this.contactDetailsSvc.assignContactDetailsToVisaDetails(parseInt(sessionStorage.getItem("visaId")), parseInt(sessionStorage.getItem("contactID"))).subscribe( response=>{ this.currentVisaDetails=response } ) } } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/VisitedCountry.java package com.mastek.visaapplication.entities; public enum VisitedCountry { USA,UK,POLAND,NORTH_KOREA,FRANCE,SPAIN,ITALY,INDIA,CHINA,JAPAN,GERMANY,RUSSIA,PORTUGAL,BELARUS,CROATIA,NONE } <file_sep>/visa_application/visa-app/src/app/finance-and-employment/finance-and-employment.component.ts import { Component, OnInit } from '@angular/core'; import { FinanceAndEmploymentService } from '../finance-and-employment.service' import { FinanceAndEmployment } from '../FinanceAndEmployment' import { VisaDetails } from '../VisaDetails'; @Component({ selector: 'app-finance-and-employment', templateUrl: './finance-and-employment.component.html', styleUrls: ['./finance-and-employment.component.css'] }) export class FinanceAndEmploymentComponent implements OnInit { currentFinanceEmp: FinanceAndEmployment isEditing: boolean financeEmp: FinanceAndEmployment registerNewDetails: boolean currentVisaDetails: VisaDetails constructor(private financeAndEmploymentService: FinanceAndEmploymentService) { this.isEditing = true this.registerNewDetails=false this.currentVisaDetails={ visaId:7, applicantName:"", familyName: "", countryOfNationality:"", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"", email: "" } this.currentFinanceEmp= { financeAndEmploymentId: null, payAmount: null, incomeTypeUk: "", employersName: "", employerAddress: "", dateOfEmployment: "", employementStatus: "", publicFundsReceivedUK: "", totalMonthSpend: null, personalBudgetUK: null, incomeAndSavings: "", jobDescription: "", jobTitle: "", employersTeleNumber: "", payReason: "", } } ngOnInit(): void { if (sessionStorage.getItem("financeAndEmploymentId")==null) { } else { this.loadFinanceAndEmp() this.isEditing=false this.registerNewDetails=true } } loadFinanceAndEmp(){ this.financeAndEmploymentService.fetchFinanceAndEmploymentByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentFinanceEmp=response } ) } toggleisEditing() { this.isEditing = !this.isEditing } toggleRegisterNewDetails() { this.registerNewDetails = !this.registerNewDetails } addFinanceAndEmployment(newFinanceAndEmployment: FinanceAndEmployment) { console.log("response received") this.financeAndEmploymentService.registerFinanceEmp( newFinanceAndEmployment).subscribe( response => { this.currentFinanceEmp = response console.log(response.financeAndEmploymentId) sessionStorage.setItem("financeAndEmploymentId", this.currentFinanceEmp.financeAndEmploymentId + "") this.assignFinanceAndEmploymentToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } assignFinanceAndEmploymentToVisaDetails() { this.financeAndEmploymentService.assignFinanceAndEmploymentToVisaDetails(parseInt(sessionStorage.getItem("visaId")), this.currentFinanceEmp.financeAndEmploymentId).subscribe( response => { this.currentVisaDetails = response } ) } updateFinanceInfo(editedFinanceInfo: FinanceAndEmployment) { this.financeAndEmploymentService.updateFinanceInfo( parseInt(sessionStorage.getItem("financeAndEmploymentId")), editedFinanceInfo.payAmount, editedFinanceInfo.incomeTypeUk, editedFinanceInfo.employersName, editedFinanceInfo.employerAddress, editedFinanceInfo.dateOfEmployment, editedFinanceInfo.employementStatus, editedFinanceInfo.publicFundsReceivedUK, editedFinanceInfo.totalMonthSpend, editedFinanceInfo.personalBudgetUK, editedFinanceInfo.incomeAndSavings, editedFinanceInfo.jobDescription, editedFinanceInfo.jobTitle, editedFinanceInfo.employersTeleNumber, editedFinanceInfo.payReason).subscribe( response => { this.currentFinanceEmp = response console.log(response) this.toggleisEditing() } ) } fetchFinanceAndEmploymentByVisaId(){ this.financeAndEmploymentService.fetchFinanceAndEmploymentByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentFinanceEmp=response } ) } } <file_sep>/visa_application/visa-app/src/app/your-visit/your-visit.component.ts import { Component, OnInit } from '@angular/core'; import { YourVisit } from '../YourVisit'; import { YourVisitService } from '../your-visit.service'; import { VisaDetails } from '../VisaDetails'; @Component({ selector: 'app-your-visit', templateUrl: './your-visit.component.html', styleUrls: ['./your-visit.component.css'] }) export class YourVisitComponent implements OnInit { currentYourVisit:YourVisit currentVisaDetails:VisaDetails isEditing:boolean registerNewDetails:boolean constructor(private yourVisitSvc:YourVisitService) { this.isEditing=true this.registerNewDetails=false this.currentVisaDetails={ visaId:7, applicantName:"", familyName: "", countryOfNationality:"", dateOfBirth: "", placeOfBirth:"", countryOfBirth:"", relationStatus:"", address:"", correspondanceAddress:"", homeOwnershipStatus:"", lengthYouHaveLivedAtThisAddress:"", doYouHaveUKNI:"", gender:"", dateOfApplication:"", serviceOption:"", durationOfVisa:"", totalFee:"", knownByAnotherName:"", totalPrice:"", agedOver18:"", language:"", acceptTermsAndConditions:"", email: "" } this.currentYourVisit= { yourVisitID: 2, dateOfEntry: "", dateOfExit: "", purposeOfVisit: "", visitLocation: "", stayAddress: "", familyInUK: "", anyonePaying: "", whoIsPaying: "", howMuchPaying: null, whyPaying: "", } } ngOnInit(): void { if (sessionStorage.getItem("yourVisitID")==null) { } else { this.loadYourVisit() this.isEditing=false this.registerNewDetails=true } } loadYourVisit(){ this.yourVisitSvc.fetchYourVisitByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentYourVisit = response console.log(response) } ) } toggleRegisterNewDetails(){ this.registerNewDetails=!this.registerNewDetails } toggleisEditing(){ this.isEditing=!this.isEditing } addYourVisit(newYourVisit: YourVisit){ console.log("response received") this.yourVisitSvc.registerNewYourVisit( newYourVisit).subscribe( response=>{ this.currentYourVisit=response console.log(response) console.log(response.yourVisitID) sessionStorage.setItem("yourVisitID",this.currentYourVisit.yourVisitID+"") this.assignYourVisitToVisaDetails() this.toggleRegisterNewDetails() this.toggleisEditing() } ) } assignYourVisitToVisaDetails(){ this.yourVisitSvc.assignYourVisitToVisaDetails(parseInt(sessionStorage.getItem("visaId")), this.currentYourVisit.yourVisitID).subscribe( response=>{ this.currentVisaDetails=response } ) } updateYourVisit(updatedYourVisit:YourVisit){ this.yourVisitSvc.updateYourVisit( parseInt(sessionStorage.getItem("yourVisitID")), updatedYourVisit.dateOfEntry, updatedYourVisit.dateOfExit, updatedYourVisit.purposeOfVisit, updatedYourVisit.visitLocation, updatedYourVisit.stayAddress, updatedYourVisit.familyInUK, updatedYourVisit.anyonePaying, updatedYourVisit.whoIsPaying, updatedYourVisit.howMuchPaying, updatedYourVisit.whyPaying ).subscribe( response=>{ this.currentYourVisit=response console.log(response) this.toggleisEditing() } ) } fetchYourVisitByVisaId(){ this.yourVisitSvc.fetchYourVisitByVisaId(parseInt(sessionStorage.getItem("visaId"))).subscribe( response=>{ this.currentYourVisit=response } ) } } <file_sep>/visa_application/visa-app/src/app/finance-and-employment.service.spec.ts import { TestBed } from '@angular/core/testing'; import { FinanceAndEmploymentService } from './finance-and-employment.service'; describe('FinanceAndEmploymentService', () => { let service: FinanceAndEmploymentService; beforeEach(() => { TestBed.configureTestingModule({}); service = TestBed.inject(FinanceAndEmploymentService); }); it('should be created', () => { expect(service).toBeTruthy(); }); }); <file_sep>/visa_application/visa-app/src/app/YourVisit.ts export interface YourVisit { yourVisitID: number dateOfEntry: string dateOfExit: string purposeOfVisit: string visitLocation: string stayAddress: string familyInUK: string anyonePaying: string whoIsPaying: string howMuchPaying: number whyPaying: string } <file_sep>/visa_application/visa-app/src/app/app.module.ts import { BrowserModule } from '@angular/platform-browser'; import { NgModule } from '@angular/core'; import { AppRoutingModule } from './app-routing.module'; import { AppComponent } from './app.component'; import { HttpClientModule } from '@angular/common/http' import { FormsModule } from '@angular/forms'; import { VisaDetailsComponent } from './visa-details/visa-details.component'; import { ContactDetailsComponent } from './contact-details/contact-details.component'; import { FamilyInfoAndDependentsComponent } from './family-info-and-dependents/family-info-and-dependents.component'; import { FinanceAndEmploymentComponent } from './finance-and-employment/finance-and-employment.component'; import { PassportInfoComponent } from './passport-info/passport-info.component'; import { TravelHistoryComponent } from './travel-history/travel-history.component'; import { YourVisitComponent } from './your-visit/your-visit.component'; import { from } from 'rxjs'; import { HomePageComponent } from './home-page/home-page.component'; @NgModule({ declarations: [ AppComponent, VisaDetailsComponent, ContactDetailsComponent, FamilyInfoAndDependentsComponent, FinanceAndEmploymentComponent, PassportInfoComponent, TravelHistoryComponent, YourVisitComponent, HomePageComponent, ], imports: [ BrowserModule, AppRoutingModule, FormsModule, HttpClientModule, ], providers: [], bootstrap: [AppComponent] }) export class AppModule { } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/VisaApplication.java package com.mastek.visaapplication.entities; public class VisaApplication { } <file_sep>/visa_application/visa-app/src/app/travel-history.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpHeaders } from '@angular/common/http' import { TravelHistory } from './TravelHistory'; import { Observable } from 'rxjs' import { IllegalStay } from './illegal-stay'; import { VisaRefusal } from './visa-refusal'; import { VisaDetails } from './VisaDetails'; @Injectable({ providedIn: 'root' }) export class TravelHistoryService { serviceURL: String constructor(private httpSvc: HttpClient) { this.serviceURL = "http://localhost:7777/visa_application/PreviousApplicationsAndTravelHistory" ///CHECK THIS PART } registerTravelHistory(newIllegalStay1: IllegalStay, newVisaRefusal: VisaRefusal, newTravHist: TravelHistory): Observable<TravelHistory> { // make this the register form var contentData = "illegalEntry=" + newIllegalStay1.illegalEntry + "&overStay=" + newIllegalStay1.overStay + "&breached=" + newIllegalStay1.breached + "&asylumRefused=" + newVisaRefusal.asylumRefused + "&deported=" + newVisaRefusal.deported + "&entryRefused=" + newVisaRefusal.entryRefused + "&excluded=" + newVisaRefusal.excluded + "&leaveRequired=" + newVisaRefusal.leaveRequired + "&removed=" + newVisaRefusal.removed + "&stayRefused=" + newVisaRefusal.stayRefused + "&visaRefused=" + newVisaRefusal.visaRefused + "&travelHistId=" + newTravHist.travelHistId + "&medTreat=" + newTravHist.medTreat + "&otherNat=" + newTravHist.otherNat + "&natId=" + newTravHist.natId + "&issueAuthor=" + newTravHist.issueAuthor + "&badChar=" + newTravHist.badChar + "&behavInfo=" + newTravHist.behavInfo + "&confirm=" + newTravHist.confirm + "&dangerActivity=" + newTravHist.dangerActivity + "&decadeUK=" + newTravHist.decadeUK + "&extremeSupport=" + newTravHist.extremeSupport + "&extremeView=" + newTravHist.extremeView + "&terrorMember=" + newTravHist.terrorMember + "&terrorSpread=" + newTravHist.terrorSpread + "&terrorSupport=" + newTravHist.terrorSupport + "&timesVsited=" + newTravHist.timesVsited + "&validId=" + newTravHist.validId + "&visitedCountry=" + newTravHist.visitedCountry + "&warCrimes=" + newTravHist.warCrimes const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" } ) } return this.httpSvc.post<TravelHistory>( this.serviceURL + "/register", contentData, httpOptions) } updateTravelHistory( travelHistId: number, medTreat: string, otherNat: string, natId: string, issueAuthor: string, validId: string, decadeUK: string, visitedCountry: string, timesVsited: string, confirm: string, terrorSpread: string, terrorMember: string, warCrimes: string, behavInfo: string, badChar: string, dangerActivity: string, extremeView: string, extremeSupport: string, terrorSupport: string): Observable<TravelHistory> { var contentData = "travelHistId=" + travelHistId + "&medTreat=" + medTreat + "&otherNat=" + otherNat + "&natId=" + natId + "&issueAuthor=" + issueAuthor + "&validId=" + validId + "&decadeUK=" + decadeUK + "&visitedCountry=" + visitedCountry + "&timesVsited=" + timesVsited + "&confirm=" + confirm + "&terrorSpread=" + terrorSpread + "&terrorMember=" + terrorMember + "&warCrimes=" + warCrimes + "&behavInfo=" + behavInfo + "&badChar=" + badChar + "&dangerActivity=" + dangerActivity + "&extremeView=" + extremeView + "&extremeSupport=" + extremeSupport + "&terrorSupport=" + terrorSupport const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<TravelHistory>( this.serviceURL + "/update/" + travelHistId, //URL contentData, //data from the server httpOptions) //header options } fetchTravelHistoryByVisaId(visaId: number): Observable<TravelHistory> { return this.httpSvc.get<TravelHistory>(this.serviceURL + "/findbyvisaid/" + visaId) } assignTravelHistoryToVisaDetails(visaId: number, travelHistId: number): Observable<VisaDetails> { var contendData = "visaId=" + visaId + "&travelHistId=" + travelHistId const httpOptions = { headers: new HttpHeaders( { "Content-Type": "application/x-www-form-urlencoded" }) } return this.httpSvc.post<VisaDetails>( this.serviceURL + "/assign", //URL contendData, // data for the server httpOptions) // header option } } <file_sep>/visa_application/visa-app/src/app/illegal-stay.ts export interface IllegalStay { illegalEntry: boolean overStay: boolean breached: boolean } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/dao/VisaAppServiceDAO.java package com.mastek.visaapplication.dao; public interface VisaAppServiceDAO { } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/Languages.java package com.mastek.visaapplication.entities; public enum Languages { ENGLISH, FRENCH, GERMAN } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/apis/TravelHitsoryAPI.java package com.mastek.visaapplication.apis; import javax.ws.rs.BeanParam; import javax.ws.rs.Consumes; import javax.ws.rs.FormParam; import javax.ws.rs.GET; import javax.ws.rs.POST; import javax.ws.rs.Path; import javax.ws.rs.PathParam; import javax.ws.rs.Produces; import javax.ws.rs.core.MediaType; import com.mastek.visaapplication.entities.PreviousApplicationsAndTravelHistory; import com.mastek.visaapplication.entities.VisaDetails; import com.mastek.visaapplication.entities.VisitedCountry; import com.mastek.visaapplication.entities.YesOrNo; @Path("/visa_application/")// url pattern to access the current API interface public interface TravelHitsoryAPI { @GET // http Method: GET to recieve data in requests @Path("/PreviousApplicationsAndTravelHistory/list") // URL path to access this PreviousApplicgionsandTravelHistory List @Produces({MediaType.APPLICATION_JSON,MediaType.APPLICATION_XML}) // formats which the method supports public Iterable<PreviousApplicationsAndTravelHistory> ListTravelHistory(); @GET //http method // http Method: GET to recieve data in requests @Path("/PreviousApplicationsAndTravelHistory/find/{travelHistId}") // URL path to access this PreviousApplicgionsandTravelHistory Find @Produces({MediaType.APPLICATION_JSON}) // formats the media type to which the method supports OUTPUT public PreviousApplicationsAndTravelHistory findByTravelHistId(@PathParam("travelHistId") int travelHistId); @POST // http method Post used to send data in requests @Path("/PreviousApplicationsAndTravelHistory/register") // URL path to access this PreviousApplicgionsandTravelHistory Register @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // formats the media type to which the method supports INPUT @Produces(MediaType.APPLICATION_JSON) // formats the media type to which the method supports OUTPUT public PreviousApplicationsAndTravelHistory registerNew(@BeanParam PreviousApplicationsAndTravelHistory newTravelHistory, @FormParam("illegalEntry") boolean illegalEntry, @FormParam("overStay") boolean overStay, @FormParam("breached") boolean breached, @FormParam("visaRefused") boolean visaRefused, @FormParam("entryRefused") boolean entryRefused, @FormParam("stayRefused") boolean stayRefused, @FormParam("asylumRefused") boolean asylumRefused, @FormParam("deported") boolean deported, @FormParam("removed") boolean removed, @FormParam("leaveRequired") boolean leaveRequired, @FormParam("excluded") boolean excluded); @GET @Path("/PreviousApplicationsAndTravelHistory/findbyvisaid/{visaId}") @Produces({MediaType.APPLICATION_JSON}) public PreviousApplicationsAndTravelHistory getTravelHistoryByVisaId(@PathParam("visaId") int visaId); @POST // http method Post used to send data in requests @Path("/PreviousApplicationsAndTravelHistory/update/{travelHistId}") // URL path to access this method @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // The @Consumes annotation is used to specify which MIME media types of representations a resource can accept, or consume, from the client. @Produces(MediaType.APPLICATION_JSON) // The @Produces annotation is used to specify the MIME media types or representations a resource can produce and send back to the client. public PreviousApplicationsAndTravelHistory updateTravelHistory( @FormParam("travelHistId") int travelHistId, @FormParam("medTreat")YesOrNo medTreat, @FormParam("otherNat")YesOrNo otherNat, @FormParam("natId") String natId, @FormParam("issueAuthor")String issueAuthor, @FormParam("validId")YesOrNo validId, @FormParam("illegalEntry") boolean illegalEntry, @FormParam("overStay") boolean overStay, @FormParam("breached") boolean breached, @FormParam("decadeUK")YesOrNo decadeUK, @FormParam("vistedCountry")VisitedCountry vistedCountry, @FormParam("timesVisited")String timesVisited, @FormParam("visaRefused") boolean visaRefused, @FormParam("entryRefused") boolean entryRefused, @FormParam("stayRefused") boolean stayRefused, @FormParam("asylumRefused") boolean asylumRefused, @FormParam("deported") boolean deported, @FormParam("removed") boolean removed, @FormParam("leaveRequired") boolean leaveRequired, @FormParam("excluded") boolean excluded, @FormParam("confirm")YesOrNo confirm, @FormParam("terrorSpread")YesOrNo terrorSpread, @FormParam("terrorMember")YesOrNo terrorMember, @FormParam("terrorSupport")YesOrNo terrorSupport, @FormParam("warCrimes")YesOrNo warCrimes, @FormParam("behavInfo")String behavInfo, @FormParam("badChar")YesOrNo badChar, @FormParam("dangerActivity")YesOrNo dangerActivity, @FormParam("extremeView")YesOrNo extremeView, @FormParam("extremeSupport")YesOrNo extremeSupport); @POST @Path("/PreviousApplicationsAndTravelHistory/assign") @Consumes(MediaType.APPLICATION_FORM_URLENCODED) @Produces(MediaType.APPLICATION_JSON) public VisaDetails assignVisaDetailsToTravelHistory( @FormParam("visaId")int visaId, @FormParam("travelHistId")int yourVisitId); } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/ContactDetails.java package com.mastek.visaapplication.entities; import javax.persistence.Column; import javax.persistence.Entity; import javax.persistence.EnumType; import javax.persistence.Enumerated; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.OneToOne; import javax.persistence.Table; import javax.ws.rs.FormParam; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlTransient; @XmlRootElement @Entity // declares the class as entity, to be managed by JPA @Table(name="contact_details") // name of the database table to be used for mapping. public class ContactDetails { private int contactId; @FormParam("email") private String email; // contact language? @FormParam("contactLanguage") private Languages contactLanguage; // Do you have another email address? @FormParam("altEmail") private YesOrNo altEmailYesNo; // Who does this email address belong to? @FormParam("altEmailOwner") private String altEmailOwner; // telephone number? @FormParam("telephoneNumber") private String telephoneNumber; // I can be contacted by telephone text message (SMS) @FormParam("contactBySMS") private String contactBySMS; // Are you able to be contacted by telephone? @FormParam("contactByPhone") private String contactByPhone; // For use whilst in the UK? @FormParam("noUsedInUK") private String noUsedInUK; // For use whilst out of the UK @FormParam("noUsedOutOfUK") private String noUsedOutOfUK; // Where do you use this telephone number? @FormParam("locationNumberUsed") private String locationNumberUsed; VisaDetails visaDetails; @OneToOne(mappedBy="contactDetails") @XmlTransient public VisaDetails getVisaDetails() { return visaDetails; } public void setVisaDetails(VisaDetails visaDetails) { this.visaDetails = visaDetails; } public ContactDetails() { } //Getters and Setters @Id // Marking the property as primary key for the table @Column(name="contact_id") // using column to provide the default column name @GeneratedValue(strategy=GenerationType.AUTO) // AUTO numbering configuration as per DB public int getContactID() { return contactId; } public void setContactID(int contactID) { this.contactId = contactID; } @Enumerated(EnumType.STRING) public Languages getContactLanguage() { return contactLanguage; } public void setContactLanguage(Languages contactLanguage) { this.contactLanguage = contactLanguage; } @Enumerated(EnumType.STRING) public YesOrNo getAltEmail() { return altEmailYesNo; } public void setAltEmail(YesOrNo altEmail) { this.altEmailYesNo = altEmail; } public String getAltEmailOwner() { return altEmailOwner; } public void setAltEmailOwner(String altEmailOwner) { this.altEmailOwner = altEmailOwner; } public String getTelephoneNumber() { return telephoneNumber; } public void setTelephoneNumber(String telephoneNumber) { if(isNum(telephoneNumber)) { if(telephoneNumber.length()==11) { this.telephoneNumber = telephoneNumber; } } } public boolean isNum(String telephoneNumber) { try { Long.parseLong(telephoneNumber); return true; } catch (Exception e) { e.printStackTrace(); return false; } } public String getContactBySMS() { return contactBySMS; } public void setContactBySMS(String contactBySMS) { if(contactBySMS.toUpperCase().equals("YES")||contactBySMS.toUpperCase().equals("NO")) { this.contactBySMS = contactBySMS; }else { System.out.println("Please answer YES or NO"); } } public String getContactByPhone() { return contactByPhone; } public void setContactByPhone(String contactByPhone) { if(contactByPhone.toUpperCase().equals("YES")||contactByPhone.toUpperCase().equals("NO")) { this.contactByPhone = contactByPhone; }else { System.out.println("Please answer YES or NO"); } } public String getNoUsedInUK() { return noUsedInUK; } public void setNoUsedInUK(String noUsedInUK) { if(isNum(noUsedInUK)) { if(noUsedInUK.length()==11) { this.noUsedInUK = noUsedInUK; } } } public String getNoUsedOutOfUK() { return noUsedOutOfUK; } public void setNoUsedOutOfUK(String noUsedOutOfUK) { if(isNum(noUsedOutOfUK)) { if(noUsedOutOfUK.length()==11) { this.noUsedOutOfUK = noUsedOutOfUK; } } } public String getLocationNumberUsed() { return locationNumberUsed; } public void setLocationNumberUsed(String locationNumberUsed) { this.locationNumberUsed = locationNumberUsed; } @Override //Overriding is a used feature that allows our subclass or child class to provide a specific implementation of a method that is already provided by one of its super-classes or parent classes. public int hashCode() { final int prime = 31; //allows an object to be managed by a hash-based data structure. int result = 1; //We know that hash code is an unique id number allocated to an object by JVM result = prime * result + contactId; return result; } @Override public boolean equals(Object obj) { // It returns true if the argument is not null and is a Boolean object that represents the same Boolean value as this object, else it returns false. if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; ContactDetails other = (ContactDetails) obj; if (contactId != other.contactId) return false; return true; } @Override public String toString() { return "ContactDetails [contactId=" + contactId + ", email=" + email + ", contactLanguage=" + contactLanguage + ", altEmailYesNo=" + altEmailYesNo + ", altEmailOwner=" + altEmailOwner + ", telephoneNumber=" + telephoneNumber + ", contactBySMS=" + contactBySMS + ", contactByPhone=" + contactByPhone + ", noUsedInUK=" + noUsedInUK + ", noUsedOutOfUK=" + noUsedOutOfUK + ", locationNumberUsed=" + locationNumberUsed + ", visaDetails=" + visaDetails + "]"; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/dao/DNADAO.java package com.mastek.visaapplication.dao; import java.util.List; import org.springframework.data.mongodb.repository.MongoRepository; import org.springframework.data.mongodb.repository.Query; import org.springframework.stereotype.Repository; import com.mastek.visaapplication.entities.DNA; @Repository public interface DNADAO extends MongoRepository<DNA, Integer>{ @Query(value = "{passportNo:?0}") List<DNA> findByPassportNo(String passportNo); } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/entities/RelationStatus.java package com.mastek.visaapplication.entities; public enum RelationStatus {SINGLE, MARRIED, CIVILPATNERSHIP, DIVORCED, WIDOWED } <file_sep>/visa_application/src/main/java/com/mastek/visaapplication/apis/FinanceAndEmploymentAPI.java package com.mastek.visaapplication.apis; import javax.ws.rs.BeanParam; import javax.ws.rs.Consumes; import javax.ws.rs.FormParam; import javax.ws.rs.GET; import javax.ws.rs.POST; import javax.ws.rs.Path; import javax.ws.rs.PathParam; import javax.ws.rs.Produces; import javax.ws.rs.core.MediaType; import com.mastek.visaapplication.entities.FinanceAndEmployment; import com.mastek.visaapplication.entities.VisaDetails; import com.mastek.visaapplication.entities.YesOrNo; @Path("/visa_application/")// url pattern to access the current API interface public interface FinanceAndEmploymentAPI { @GET // http Method: GET to recieve data in requests @Path("/FinAndEmp/list") // URL path to access the FinanceAndEmployment @Produces({MediaType.APPLICATION_JSON,MediaType.APPLICATION_XML}) // formats the media type to which the method supports OUTPUT public Iterable<FinanceAndEmployment> listAllFinanceAndEmployment(); @GET // http Method: GET to recieve data in requests @Path("/FinAndEmp/find/{financeAndEmploymentId}") // URL path to access FainanceAndEmployment @Produces({MediaType.APPLICATION_JSON}) // formats the media type to which the method supports OUTPUT public FinanceAndEmployment findByFinanceAndEmploymentId(@PathParam("financeAndEmploymentId") int financeAndEmploymentId); @POST // http method Post used to send data in requests @Path("/FinAndEmp/register") // URL path to access this register path @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // formats the media type to which the method supports INPUT @Produces(MediaType.APPLICATION_JSON) // formats the media type to which the method supports OUTPUT public FinanceAndEmployment registerNew(@BeanParam FinanceAndEmployment newFinanceAndEmployment); @GET @Path("/FinAndEmp/findbyvisaid/{visaId}") @Produces({MediaType.APPLICATION_JSON}) public FinanceAndEmployment getFinanceAndEmploymentByVisaId(@PathParam("visaId") int visaId); @POST // http method Post used to send data in requests @Path("/FinAndEmp/update/{financeAndEmploymentId}") // URL path to access this method @Consumes(MediaType.APPLICATION_FORM_URLENCODED) // The @Consumes annotation is used to specify which MIME media types of representations a resource can accept, or consume, from the client. @Produces(MediaType.APPLICATION_JSON) // The @Produces annotation is used to specify the MIME media types or representations a resource can produce and send back to the client. public FinanceAndEmployment updateFinanceAndEmployment( @FormParam("financeAndEmploymentId") int financeAndEmploymentId, @FormParam("payAmount")int payAmount, @FormParam("incomeTypeUk")String incomeTypeUk, @FormParam("employersName") String employersName, @FormParam("employerAddress")String employerAddress, @FormParam("dateOfEmployment")String dateOfEmployment, @FormParam("employementStatus")String employementStatus, @FormParam("publicFundsReceivedUK")YesOrNo publicFundsReceivedUK, @FormParam("totalMonthSpend")int totalMonthSpend, @FormParam("personalBudgetUK")double personalBudgetUK, @FormParam("incomeAndSavings")String incomeAndSavings, @FormParam("jobDescription")String jobDescription, @FormParam("jobTitle")String jobTitle, @FormParam("employersTeleNumber")String employersTeleNumber, @FormParam("payReason")String payReason); @POST @Path("/FinAndEmp/assign") @Consumes(MediaType.APPLICATION_FORM_URLENCODED) @Produces(MediaType.APPLICATION_JSON) public VisaDetails assignVisaDetailsToFinanceAndEmployment( @FormParam("visaId")int visaId, @FormParam("financeAndEmploymentId")int financeAndEmploymentId); } <file_sep>/visa_application/visa-app/src/app/your-visit.service.spec.ts import { TestBed } from '@angular/core/testing'; import { YourVisitService } from './your-visit.service'; describe('YourVisitService', () => { let service: YourVisitService; beforeEach(() => { TestBed.configureTestingModule({}); service = TestBed.inject(YourVisitService); }); it('should be created', () => { expect(service).toBeTruthy(); }); }); <file_sep>/visa_application/visa-app/src/app/family-info-and-dependents/family-info-and-dependents.component.spec.ts import { async, ComponentFixture, TestBed } from '@angular/core/testing'; import { FamilyInfoAndDependentsComponent } from './family-info-and-dependents.component'; describe('FamilyInfoAndDependentsComponent', () => { let component: FamilyInfoAndDependentsComponent; let fixture: ComponentFixture<FamilyInfoAndDependentsComponent>; beforeEach(async(() => { TestBed.configureTestingModule({ declarations: [ FamilyInfoAndDependentsComponent ] }) .compileComponents(); })); beforeEach(() => { fixture = TestBed.createComponent(FamilyInfoAndDependentsComponent); component = fixture.componentInstance; fixture.detectChanges(); }); it('should create', () => { expect(component).toBeTruthy(); }); }); <file_sep>/visa_application/visa-app/src/app/home-page.ts export interface HomePage { email: String } <file_sep>/visa_application/visa-app/src/app/FamilyInfoAndDependents.ts export interface FamilyInfoAndDependents { familyInfoDepId:number familyName:string depName:string givenName:string relationConnection:string sameNationality:string conuntryOfNationality:string dateOfBirth:string financalDependencies:string }
f526103f9e8b4723b1f72515a598791ec68ce28e
[ "Markdown", "Java", "TypeScript", "HTML" ]
55
Java
Mastek-Zahid/visa_application
a494f1621c3c325db2734e99d51485f422b2b44c
e0e009f762d43fe6fbdfbf767355409236e71c7d
refs/heads/main
<repo_name>efzeladat/testfiscalprint<file_sep>/fiscal_print/__manifest__.py # -*- coding: utf-8 -*- { 'name': "Fiscal Printer", 'summary': """Download xml receipt for Venezuela Fiscal Printer""", 'description': "", 'author': "<NAME>", 'website': "https://www.innovati.cl", 'category': 'Sales/Point of Sale', 'version': '14.0.1', 'depends': ['point_of_sale', 'base', 'web'], 'data': [ 'views/ReceiptScreenFiscal.xml' ], 'qweb': [ 'static/src/xml/ReceiptScreenFiscal.xml' ] } <file_sep>/README.md # testfiscalprint s
c88a7655e9ffb08754c5ebb8d18d6923cf5ddf46
[ "Markdown", "Python" ]
2
Python
efzeladat/testfiscalprint
0baa95d607b720466891a240ef9936ca38aa08b3
1e84aaaac44e1bf5eb2e5031e9c2636c5c538631
refs/heads/master
<file_sep>#ifndef TARGET_H #define TARGET_H #include <stdint.h> #include <vector> #include <memory> #include <algorithm> namespace amarlon { class Actor; typedef std::shared_ptr<Actor> ActorPtr; struct Target { Target(std::vector<ActorPtr> actors_, uint32_t x_, uint32_t y_ ) : actors(actors_) , x(x_) , y(y_) {} Target() : x(0) , y(0) {} ActorPtr firstActor(std::function<bool(ActorPtr)>* filter = nullptr) const { if ( filter ) { auto it = std::find_if(actors.begin(), actors.end(), *filter); return it != actors.end() ? *it : nullptr; } return actors.empty() ? nullptr : actors.front(); } std::vector<ActorPtr> actors; uint32_t x; uint32_t y; }; } #endif // TARGET_H <file_sep>#include "executor_selector.h" #include "actor/actor.h" namespace amarlon { ExecutorSelector::ExecutorSelector() { } Target ExecutorSelector::select(std::function<bool (amarlon::ActorPtr)>*) { return Target( std::vector<ActorPtr>{ Actor::Player }, Actor::Player->getX(), Actor::Player->getY() ); } } <file_sep>#ifndef CONTAINER_SERIALIZER_H #define CONTAINER_SERIALIZER_H #include <memory> #include <actor_feature_serializer.h> namespace amarlon { class ContainerSerializer : public ActorFeatureSerializer { public: ContainerSerializer(); ContainerSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~ContainerSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // CONTAINER_SERIALIZER_H <file_sep>#include "actor_parser.h" #include <string> #include <utils/xml_utils.h> #include <utils/utils.h> #include <races.h> namespace amarlon { using namespace rapidxml; using namespace std; ActorParser::ActorParser() { mapParsers(); } ActorParser::ActorParser(xml_node<> *xmlNode) : Parser(xmlNode) { mapParsers(); } void ActorParser::mapParsers() { _featureParsers[ActorFeature::CONTAINER] = [&](){ return parseContainerDsc(); }; _featureParsers[ActorFeature::OPENABLE] = [&](){ return parseOpenableDsc(); }; _featureParsers[ActorFeature::PICKABLE] = [&](){ return parsePickableDsc(); }; _featureParsers[ActorFeature::CHARACTER] = [&](){ return parseCharacterDsc(); }; _featureParsers[ActorFeature::WEARER] = [&](){ return parseWearerDsc(); }; _featureParsers[ActorFeature::AI] = [&](){ return parseAiDsc(); }; _featureParsers[ActorFeature::DESTROYABLE] = [&](){ return parseDestroyableDsc(); }; } DescriptionPtr ActorParser::parseFeatureDsc(const ActorFeature::Type featureType) { auto it = _featureParsers.find(featureType); return it != _featureParsers.end() ? (it->second)() : nullptr; } ActorDescriptionPtr ActorParser::parseActorDsc() { ActorDescriptionPtr actorDsc; if ( _xml != nullptr ) { actorDsc.reset( new ActorDescription ); actorDsc->id = (ActorType)getAttribute<int>(_xml, "id"); actorDsc->name = getAttribute<std::string>(_xml, "name"); std::string charStr = getAttribute<std::string>(_xml, "character"); if (charStr.size() > 1 || std::isdigit(charStr[0])) actorDsc->character = (unsigned char)std::stol(charStr); else actorDsc->character = charStr[0]; string colorStr = getAttribute<std::string>(_xml, "color"); actorDsc->color = strToColor(colorStr); actorDsc->blocks = getAttribute<bool>(_xml, "blocks"); actorDsc->fovOnly = getAttribute<bool>(_xml, "fovOnly"); actorDsc->transparent = getAttribute<bool>(_xml, "transparent"); if ( attributeExists(_xml, "tilePriority") ) actorDsc->tilePriority = getAttribute<int>(_xml, "tilePriority"); else actorDsc->tilePriority = -1; xml_node<>* dNode = _xml->first_node("Description"); if ( dNode != nullptr ) { actorDsc->description = getNodeValue<std::string>(dNode); } } return actorDsc; } void ActorParser::parseContainerContentNode(ContainerDescriptionPtr contDsc, xml_node<>* contentNode) { ActorParser aParser(contentNode); ContainerDescription::Content cActor; ActorDescriptionPtr aDsc = aParser.parseActorDsc(); if (aDsc != nullptr) { cActor.actorType = aDsc->id; cActor.container = aParser.parseContainerDsc() ; cActor.openable = aParser.parseOpenableDsc(); cActor.pickable = aParser.parsePickableDsc(); cActor.character = aParser.parseCharacterDsc(); cActor.ai = aParser.parseAiDsc(); cActor.destroyable = aParser.parseDestroyableDsc(); contDsc->content.push_back( cActor ); } } ContainerDescriptionPtr ActorParser::parseContainerDsc() { ContainerDescriptionPtr contDsc; if ( _xml != nullptr ) { xml_node<>* containerNode = _xml->first_node("Container"); if ( containerNode != nullptr) { contDsc.reset( new ContainerDescription ); contDsc->maxSize = getAttribute<int>(containerNode, "maxSize"); xml_node<>* contentNode = containerNode->first_node("Content"); while ( contentNode != nullptr) { parseContainerContentNode(contDsc, contentNode); contentNode = contentNode->next_sibling(); } } } return contDsc; } PickableDescriptionPtr ActorParser::parsePickableDsc() { PickableDescriptionPtr pickDsc; if ( _xml != nullptr ) { xml_node<>* pickableNode = _xml->first_node("Pickable"); if (pickableNode != nullptr) { pickDsc.reset( new PickableDescription ); pickDsc->stackable = getAttribute<bool>(pickableNode, "stackable"); pickDsc->amount = getAttribute<int>(pickableNode, "amount"); if ( pickDsc->amount == 0) pickDsc->amount = 1; pickDsc->itemSlot = (ItemSlotType)getAttribute<int>(pickableNode, "itemSlot"); pickDsc->category = (PickableCategory)getAttribute<int>(pickableNode, "category"); pickDsc->armorClass = getAttribute<int>(pickableNode, "armorClass"); pickDsc->weight = getAttribute<int>(pickableNode, "weight"); pickDsc->price = getAttribute<int>(pickableNode, "price"); pickDsc->uses = getAttribute<int>(pickableNode, "uses"); pickDsc->targetType = (TargetType)getAttribute<int>(pickableNode, "targetType"); pickDsc->damage = Damage( getAttribute<std::string>(pickableNode, "damage") ); // == effects == // xml_node<>* effectNode = pickableNode->first_node("Effect"); if ( effectNode != nullptr) { _effectParser.setSource( effectNode ); pickDsc->effect = _effectParser.parseEffectDsc(); } } } return pickDsc; } CharacterDescriptionPtr ActorParser::parseCharacterDsc() { CharacterDescriptionPtr dsc; if ( _xml != nullptr ) { //playable character parsing xml_node<>* characterNode = _xml->first_node("PlayableCharacter"); if (characterNode != nullptr) { PlayableCharacterDescriptionPtr pdsc( new PlayableCharacterDescription ); xml_node<>* attrNode = characterNode->first_node("AbilityScores"); if ( attrNode != nullptr) { for ( AbilityScore::Type as : AbilityScore::Type() ) { pdsc->abilityScores[as] = getAttribute<int>(attrNode, AbilityScore::toStr(as)); } } dsc = pdsc; } else { //monster character parsing characterNode = _xml->first_node("Monster"); if ( characterNode != nullptr ) { MonsterDescriptionPtr mdsc( new MonsterDescription ); mdsc->hitPointsBonus = getAttribute<int>(characterNode, "hitPointsBonus"); mdsc->morale = getAttribute<int>(characterNode, "morale"); mdsc->damage = Damage( getAttribute<std::string>(characterNode, "damage") ); dsc = mdsc; } } if ( dsc && characterNode ) { dsc->level = getAttribute<int>(characterNode, "level"); dsc->hitPoints = getAttribute<int>(characterNode, "hitPoints"); dsc->maxHitPoints = getAttribute<int>(characterNode, "maxHitPoints"); dsc->defaultArmorClass = getAttribute<int>(characterNode, "armorClass"); dsc->cClass = (CharacterClass)getAttribute<int>(characterNode, "class"); dsc->race = (Race)getAttribute<int>(characterNode, "race"); dsc->experience = getAttribute<int>(characterNode, "experience"); dsc->speed = getAttribute<int>(characterNode, "speed"); xml_node<>* spellsNode = characterNode->first_node("Spells"); if ( spellsNode ) { xml_node<>* spellNode = spellsNode->first_node("Spell"); while ( spellNode ) { dsc->spells.insert(static_cast<SpellId>(getAttribute<int>(spellNode, "id"))); spellNode = spellNode->next_sibling(); } } } } return dsc; } AiDescriptionPtr ActorParser::parseAiDsc() { AiDescriptionPtr aiDsc; if ( _xml != nullptr ) { xml_node<>* mobAiNode = _xml->first_node("MonsterAi"); if (mobAiNode != nullptr) { MonsterAiDescriptionPtr mobAiDsc = std::make_shared<MonsterAiDescription>(); aiDsc = mobAiDsc; } } return aiDsc; } OpenableDescriptionPtr ActorParser::parseOpenableDsc() { OpenableDescriptionPtr opDsc; if ( _xml != nullptr ) { //door xml_node<>* openableNode = _xml->first_node("OpenableDoor"); if (openableNode != nullptr) { opDsc = std::make_shared<OpenableDoorDescription>(); } else //container { openableNode = _xml->first_node("OpenableContainer"); if ( openableNode != nullptr ) { opDsc = std::make_shared<OpenableContainerDescription>(); } } //create common dsc if ( opDsc != nullptr ) { opDsc->lockId = getAttribute<int>(openableNode, "lockId"); opDsc->locked = getAttribute<bool>(openableNode, "locked"); } } return opDsc; } WearerDescriptionPtr ActorParser::parseWearerDsc() { WearerDescriptionPtr wrDsc; if (_xml != nullptr) { xml_node<>* wearerNode = _xml->first_node("Wearer"); if (wearerNode != nullptr) { wrDsc.reset( new WearerDescription ); xml_node<>* itemSlotNode = wearerNode->first_node("ItemSlot"); while (itemSlotNode != nullptr) { ItemSlotType slot = (ItemSlotType)getAttribute<int>(itemSlotNode, "type"); wrDsc->itemSlots.push_back(slot); xml_node<>* equippedNode = itemSlotNode->first_node("Equipped"); if (equippedNode != nullptr) { parseContainerContentNode(wrDsc->eqItems, equippedNode ); } itemSlotNode = itemSlotNode->next_sibling(); } wrDsc->eqItems->maxSize = wrDsc->itemSlots.size(); } } return wrDsc; } DestroyableDescriptionPtr ActorParser::parseDestroyableDsc() { DestroyableDescriptionPtr destrDsc; if (_xml != nullptr) { xml_node<>* destrNode = _xml->first_node("Destroyable"); if (destrNode != nullptr) { destrDsc.reset( new DestroyableDescription ); xml_node<>* dropRuleNode = destrNode->first_node("DropRule"); while (dropRuleNode != nullptr) { DropRule rule; rule.dropActorId = static_cast<ActorType>( getAttribute<int>(dropRuleNode, "dropActorId") ); rule.amountMin = getAttribute<uint32_t>(dropRuleNode, "amountMin"); rule.amountMax = getAttribute<uint32_t>(dropRuleNode, "amountMax"); rule.chance = getAttribute<float>(dropRuleNode, "chance"); destrDsc->dropRules.push_back( rule ); dropRuleNode = dropRuleNode->next_sibling(); } } } return destrDsc; } } <file_sep>#ifndef PICK_UP_WINDOW_H #define PICK_UP_WINDOW_H #include <vector> #include <functional> #include <libtcod.hpp> #include <amenu.h> #include <awindow.h> namespace amarlon { class Actor; class Container; typedef std::shared_ptr<Container> ContainerPtr; namespace gui { class PickUpWindow : public AWindow { private: friend class WindowManager; PickUpWindow(); public: virtual AWindow& show(); virtual AWindow& setDefaults(); static WindowId getId() { return AWindow::PICKUP; } /** * @param picker - actor who picks (player) */ PickUpWindow& setPicker(ActorPtr picker); /** * @param container - a container from which the items will be pulled */ PickUpWindow& setContainer(ContainerPtr container); /** * @param filterFunc - a function that filter the content of container */ PickUpWindow& setFilterFunction(std::function<bool(ActorPtr)> fun); /** * @brief given function will be called each time item has been successfully picked * it can be for example a message in log */ PickUpWindow& setAfterPickupAction(std::function<void(const std::string& itemName, int pickedAmount)> fun); /** * @brief given function will be called if item cannot be picked up because * inventory is full. It could be for example error message. */ PickUpWindow& setInventoryFullAction(std::function<void(const std::string& itemName)> fun); PickUpWindow& setWindowTitle(const std::string& title); private: ActorPtr _picker; ContainerPtr _container; std::function<bool(ActorPtr)> _filterFunc; //actions std::function<void(const std::string& itemName, int pickedAmount)> _afterPickUpAction; std::function<void(const std::string& itemName)> _inventoryFullAction; gui::AMenuPtr _menu; void fillMenuWithItems(); void choose(); ActorPtr getSelectedActor(); void init(); int getAmountToPickUp(ActorPtr toPick); }; }} #endif // PICK_UP_WINDOW_H <file_sep>#ifndef MAP_SERIALIZER_H #define MAP_SERIALIZER_H #include <serializer.h> #include <action_serializer.h> #include <actor_serializer.h> #include <memory> namespace amarlon { class Map; typedef std::shared_ptr<Map> MapPtr; class MapSerializer : public Serializer { public: MapSerializer(); MapSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~MapSerializer(); virtual bool serialize(MapPtr map); void serializeActors(); void serializeAttributes(); private: ActionSerializer _actionSerializer; ActorSerializer _actorSerializer; rapidxml::xml_node<>* _mapNode; MapPtr _map; void serializeExitActions(); }; } #endif // MAP_SERIALIZER_H <file_sep>#include <engine.h> #include <algorithm> #include <map.h> #include <actor.h> #include <gui.h> #include <spell.h> #include <utils/configuration.h> #include <utils/messenger.h> #include <spell_gateway.h> #include <world.h> #include <command_executor.h> #include <tile_db.h> namespace amarlon { int Engine::FovRadius = 20; int Engine::consoleWidth = 100; int Engine::consoleHeight = 60; int Engine::rightPanelWidth = 20; int Engine::bottomPanelHeight = 15; int Engine::screenWidth = 100 + Engine::rightPanelWidth; int Engine::screenHeight = 60 + Engine::bottomPanelHeight; Engine::Engine() : _config(nullptr) , _spellGateway(new SpellGateway ) , _tileDB( new TileDB ) { } Engine::~Engine() { } void Engine::prologue(Configuration* cfg) { _config = cfg; _cmdExecutor.reset( new CommandExecutor ); _windowManager.reset( new gui::WindowManager ); _gui.reset( new gui::Gui ); Engine::consoleWidth = std::stol( _config->get("console_width") ); Engine::consoleHeight = std::stol( _config->get("console_height") ); Engine::rightPanelWidth = std::stol( _config->get("right_panel_width") ); Engine::bottomPanelHeight = std::stol( _config->get("bottom_panel_height") );; Engine::screenWidth = Engine::consoleWidth + Engine::rightPanelWidth; Engine::screenHeight = Engine::consoleHeight + Engine::bottomPanelHeight; Actor::DB.loadActors( cfg->get("actors_file") ); getTileDB().loadTiles( cfg->get("tiles_file") ); getSpellGateway().load( cfg->get("spells_file") ); initializeWorld(); Messenger::message()->setGui(_gui.get()); if ( Actor::Player == nullptr ) { Actor::Player = Actor::create(ActorType::Player, 42, 28); getWorld().getCurrentMap()->addActor( Actor::Player ); } } void Engine::initializeWorld() { assert(_config); MapGatewayPtr mapGateway( new MapGateway ); mapGateway->load( _config->get("maps_file") ); _world.reset( new World(mapGateway) ); _world->load( _config->get("save_file") ); _world->changeMap( MapId::GameStart ); } void Engine::epilogue() { getWorld().store( _config->get("save_file") ); } void Engine::update() { updateAis(); } void Engine::render() { TCODConsole::root->clear(); MapPtr map = getWorld().getCurrentMap(); if ( map ) { map->computeFov(Actor::Player->getX(), Actor::Player->getY(), FovRadius); map->render(TCODConsole::root); } if (_gui) { _gui->setPlayerName(Actor::Player->getName()); if ( Actor::Player->isAlive() ) _gui->setHpBar(Actor::Player->getFeature<Character>()->getHitPoints(), Actor::Player->getFeature<Character>()->getMaxHitPoints()); _gui->setViewList(getActorsBenethPlayersFeet()); _gui->render(); } TCODConsole::root->putChar(Actor::Player->getX(), Actor::Player->getY(), Actor::Player->getChar()); TCODConsole::root->setCharForeground(Actor::Player->getX(), Actor::Player->getY(), Actor::Player->getColor()); } void Engine::updateAis() { MapPtr map = getWorld().getCurrentMap(); if ( map ) { std::function<bool(ActorPtr)> filter = [](ActorPtr a)->bool{ return a->hasFeature<Ai>();}; auto ais = map->getActors( &filter ); for ( ActorPtr actor : ais ) { actor->getFeature<Ai>()->update(); } } } void Engine::processKey(TCOD_key_t &key) { _cmdExecutor->execute(key); } gui::Gui& Engine::gui() const { return *_gui; } gui::WindowManager& Engine::windowManager() const { return *_windowManager; } World& Engine::getWorld() const { return *_world; } SpellGateway& Engine::getSpellGateway() const { return *_spellGateway; } TileDB &Engine::getTileDB() const { return *_tileDB; } std::vector<ColoredString> Engine::getActorsBenethPlayersFeet() { std::vector< ColoredString > items; MapPtr map = getWorld().getCurrentMap(); if ( map ) { std::function<bool(amarlon::ActorPtr)> filterFun = [&](ActorPtr a) -> bool { return a != Actor::Player; }; std::vector<ActorPtr> actorsOnTile = map->getActors(Actor::Player->getX(), Actor::Player->getY(), &filterFun); for ( ActorPtr actor : actorsOnTile ) { std::string msg = actor->getName(); PickablePtr pickable = actor->getFeature<Pickable>(); if ( pickable && pickable->getAmount() > 1 ) { msg = msg + " (" + std::to_string(pickable->getAmount()) + ")"; } items.push_back( ColoredString( msg, TCODColor::darkLime ) ); } } return items; } } <file_sep>#ifndef CHARACTER_CLASSES #define CHARACTER_CLASSES #include <string> namespace amarlon { enum class CharacterClass { NoClass = 0, Fighter = 1, Cleric = 2, MagicUser = 3, Thief = 4, Monster = 5 }; static inline std::string CharacterClass2Str(CharacterClass c) { std::string str = ""; switch ( c ) { case CharacterClass::Fighter: str = "Fighter"; break; case CharacterClass::Cleric: str = "Cleric"; break; case CharacterClass::MagicUser: str = "Magic User"; break; case CharacterClass::Thief: str = "Thief"; break; case CharacterClass::Monster: str = "Monster"; break; default:; } return str; } } #endif // CHARACTER_CLASSES <file_sep>if(GTEST_LIBRARIES AND GTEST_INCLUDE_DIRS) # it's in cache already set(GTEST_FOUND TRUE) else(GTEST_LIBRARIES AND GTEST_INCLUDE_DIRS) find_path(GTEST_INCLUDE_DIR NAMES gtest/gtest.h PATHS /usr/include /usr/local/include /opt/local/include "${CMAKE_CURRENT_SOURCE_DIR}/include" "${PROJECT_SOURCE_DIR}/include" ) set(GTEST_INCLUDE_DIRS ${GTEST_INCLUDE_DIR} "${GTEST_INCLUDE_DIR}/gtest") find_library(GTEST_CXX_LIBRARY NAMES gtest libgtest libgtest_main PATHS /usr/lib /usr/local/lib /opt/local/lib "${CMAKE_CURRENT_SOURCE_DIR}/lib" "${PROJECT_SOURCE_DIR}/lib" ) set(GTEST_LIBRARIES ${GTEST_LIBRARIES} ${GTEST_CXX_LIBRARY}) include(FindPackageHandleStandardArgs) find_package_handle_standard_args(libgtest DEFAULT_MSG GTEST_LIBRARIES GTEST_INCLUDE_DIRS) # show the GTEST_INCLUDE_DIRS and GTEST_LIBRARIES variables only in the advanced view mark_as_advanced(GTEST_INCLUDE_DIRS GTEST_LIBRARIES) endif(GTEST_LIBRARIES AND GTEST_INCLUDE_DIRS) <file_sep>#ifndef MESSAGEBOX_H #define MESSAGEBOX_H #include <string> #include <libtcod.hpp> #include <resizeable_text_window.h> #include <engine.h> namespace amarlon { namespace gui { enum class MsgType { Error, Warning, Info }; static inline void msgBox(const std::string& text, MsgType type = MsgType::Info) { TCODColor color; switch (type) { case MsgType::Error: color = TCODColor::red; break; case MsgType::Warning: color = TCODColor::yellow; break; case MsgType::Info: color = TCODColor::darkerOrange; break; } Engine::instance().windowManager() .getWindow<ResizeableTextWindow>() .setWindowFrameColor(color) .setWindowText(text) .setCenterGameScreen() .setMargin(1) .show(); } }} #endif // MESSAGEBOX_H <file_sep>#include <gtest/gtest.h> #include "utils/utils.h" #include "data_gateways/tile_db.h" #include <dices.h> #include <set> #include <thread> #include <experience_table.h> #include <damage.h> namespace amarlon { TEST(DamageTest, parseValid) { std::string str("3d4+2#3"); Damage dmg(str); ASSERT_EQ(dmg.value, 2); ASSERT_EQ(dmg.dice, dices::D4); ASSERT_EQ(dmg.diceCount, 3); ASSERT_EQ(dmg.type, DamageType::Fire ); } TEST(DamageTest, parseInvalid) { std::string str("3d4#3"); Damage dmg(str); ASSERT_EQ(dmg, Damage()); } TEST(DamageTest, serialize) { Damage d(4, 2, dices::D6, DamageType::Lighting); ASSERT_EQ( "2d6+4#5", std::string(d) ); } TEST(ExpDataTable, get) { Experience::getLevelData(CharacterClass::Fighter, 1); } TEST(UtilsTest, color2str) { TCODColor color(255,0,0); std::string s = colorToStr(color); ASSERT_EQ(s, "ff0000"); } TEST(UtilsTest, str2color) { std::string s = "0910FF"; TCODColor col = strToColor(s); EXPECT_EQ((int)col.r, (int)0x09); EXPECT_EQ((int)col.g, (int)0x10); EXPECT_EQ((int)col.b, (int)0xFF); } TEST(UtilsTest, loadTiles) { TileDB tiles; tiles.loadTiles("data/tiles.xml"); } TEST(UtilsTest, tolowers) { std::string str = "Cycki"; ASSERT_EQ(tolowers(str), "cycki"); } TEST(UtilsTest, diceTest) { std::set<int> rolls; for(int i=0; i<100; ++i) { int r = dices::roll(dices::D4); rolls.insert( r ); std::cout << r << " "; } for ( int i=1; i<=4; ++i) { EXPECT_TRUE( rolls.find(i) != rolls.end() ) << i; } } } <file_sep>#include "action_serializer.h" #include <teleport_action.h> #include <utils.h> #include <xml_utils.h> #include <amarlon_except.h> using namespace rapidxml; namespace amarlon { ActionSerializer::ActionSerializer() { } ActionSerializer::ActionSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* parentNode) : Serializer(document, parentNode) { } ActionSerializer::~ActionSerializer() { } bool ActionSerializer::serialize(ActorActionPtr action) { bool serialized = false; if ( _document && _xml ) { TeleportActionPtr tAction = std::dynamic_pointer_cast<TeleportAction>(action); if ( tAction ) { xml_node<>* actionNode = _document->allocate_node(node_element, "Teleport"); _xml->append_node( actionNode ); addAttributeEnum( actionNode, "mapId", tAction->getMapId() ); addAttribute( actionNode, "x", tAction->getX() ); addAttribute( actionNode, "y", tAction->getY() ); serialized = true; } else { // at the momment support only for teleport actions. // if try to seriazlize not supported action then throw // and remind to implement it first throw amarlon_exeption("This action serializing is not implemented!"); } } return serialized; } } <file_sep>#include "animation_serializer.h" #include <xml_utils.h> #include <animation.h> #include <blink.h> #include <utils.h> using namespace rapidxml; namespace amarlon { AnimationSerializer::AnimationSerializer() { } AnimationSerializer::AnimationSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : Serializer(document, xmlNode) { } AnimationSerializer::~AnimationSerializer() { } bool AnimationSerializer::serialize(animation::AnimationPtr anim) { bool serialized = false; if ( anim && _document && _xml ) { xml_node<>* _animNode = _document->allocate_node(node_element, "Animation"); _xml->append_node( _animNode ); addAttributeEnum( _animNode, "type", anim->getType() ); Params params = anim->toParams(); for ( auto& pair : params ) { xml_node<>* pNode = createNode( _document, "P", pair.second ); _animNode->append_node( pNode ); addAttribute( pNode, "name", pair.first ); } } return serialized; } } <file_sep>#ifndef EFFECT_DESCRIPTION #define EFFECT_DESCRIPTION #include <memory> #include <map> #include <string> #include <effect_type.h> #include <description.h> namespace amarlon { struct EffectDescription; typedef std::shared_ptr<EffectDescription> EffectDescriptionPtr; struct EffectDescription : Description { EffectDescription() : type(EffectType::Null) { } EffectType type; std::map<std::string, std::string> params; }; } #endif // EFFECT_DESCRIPTION <file_sep>#include "monster_serializer.h" #include <utils.h> #include <xml_utils.h> #include <monster.h> using namespace rapidxml; namespace amarlon { MonsterSerializer::MonsterSerializer() : MonsterSerializer(nullptr, nullptr) { } MonsterSerializer::MonsterSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : CharacterSerializer(document, xmlNode) { } MonsterSerializer::~MonsterSerializer() { } bool MonsterSerializer::serialize(ActorFeaturePtr af) { MonsterPtr mob = std::dynamic_pointer_cast<Monster>(af); if ( mob && _document && _xml ) { xml_node<>* _mobNode = _document->allocate_node(node_element, "Monster"); _xml->append_node( _mobNode ); addAttribute( _mobNode, "hitPointsBonus", mob->_hpMod ); addAttribute( _mobNode, "morale", mob->getMorale() ); addAttribute( _mobNode, "damage", std::string(mob->_damage) ); CharacterSerializer::serializeCharacterCommonPart(_mobNode, mob); } return mob != nullptr; } } <file_sep>#include "gtest/gtest.h" #include <memory> #include "data_gateways/map_gateway.h" #include <map.h> #include <engine.h> #include <configuration.h> #include <tile_db.h> namespace amarlon { typedef std::shared_ptr<Map> MapPtr; TEST(MapGatewayTest, fetchOfNonExistingMap_GivesNull) { MapGateway gateway; MapPtr map ( gateway.fetch(MapId::Null) ); ASSERT_TRUE(map == nullptr); } TEST(MapGatewayTest, fetchExistingMap_givesMap) { MapGateway gateway; gateway.load("data/maps.xml"); MapPtr map (gateway.fetch(MapId::GameStart)); ASSERT_TRUE(map != nullptr); ASSERT_EQ(map->getId(), MapId::GameStart ); } TEST(MapGatewayTest, mapHasValidTiles) { Configuration cfg; ASSERT_TRUE( cfg.load("config.cfg") ); Engine::instance().prologue(&cfg); MapGateway gateway; gateway.load("data/maps.xml"); MapPtr map ( gateway.fetch(MapId::GameStart) ); ASSERT_EQ(map->getChar(39,27), Engine::instance().getTileDB().getChar(TileType::PlainFloor)); } TEST(MapGatewayTest, mapHasValidTiles2) { Configuration cfg; ASSERT_TRUE( cfg.load("config.cfg") ); Engine::instance().prologue(&cfg); MapGateway gateway; gateway.load("data/maps.xml"); MapPtr map ( gateway.fetch(MapId::GameStart) ); ASSERT_EQ(map->getChar(1,1), Engine::instance().getTileDB().getChar(TileType::Tree)); } TEST(MapGatewayTest, saveMaps) { MapGateway gateway; gateway.load("data/maps.xml"); gateway.store("data/maps_saved.xml"); } } <file_sep>#ifndef ACTOR_H #define ACTOR_H #include <string> #include <memory> #include <libtcod.hpp> #include <actor_type.h> #include <actor_db.h> #include <actor_feature.h> #include <container.h> #include <pickable.h> #include <character.h> #include <ai.h> #include <openable.h> #include <wearer.h> #include <destroyable.h> #include <amarlon_except.h> namespace amarlon { class Map; class ActorAction; typedef std::shared_ptr<ActorAction> ActorActionPtr; typedef std::shared_ptr<Map> MapPtr; typedef std::weak_ptr<Map> MapWPtr; class Actor : public std::enable_shared_from_this<Actor> { public: static ActorDB DB; static ActorPtr Player; static unsigned InstanceCounter; static ActorPtr create(ActorType aId, int x = 0, int y = 0, MapPtr map = nullptr); ~Actor(); void init(); ActorPtr clone(); bool operator==(const Actor& rhs); //void move(int dx, int dy); void morph(ActorType newType); void changeType(ActorType newType); bool isAlive() const; bool isFovOnly() const; bool isTransparent() const; bool blocks() const; int getTileRenderPriority() const; /** * Actor ID is not an unique instance id, but a type id from <actor_type.h> */ ActorType getId() const; unsigned char getChar() const; TCODColor getColor() const; std::string getName() const; std::string getDescription(); int getX() const; int getY() const; void setPosition(int x, int y); MapPtr getMap() const; void setMap(MapPtr map); /** * @brief adds actor feature or overwrites existing one * @param feature to be inserted * @return overwriten feature if any, otherwise empty pointer */ ActorFeaturePtr insertFeature(ActorFeaturePtr feature); /** * @param feature type enum * @return actor feature as base class pointer */ ActorFeaturePtr getFeature(ActorFeature::Type afType) const; /** * @brief works similar to above getFeature, with the diference * that it returns a pointer to derived class, not base * example usage: getFeature<Pickable>() */ template<typename T> std::shared_ptr<T> getFeature() const; size_t getFeatureCount() const; const FeatureMap getFeatures() const; template<typename T> bool hasFeature(); unsigned getInstanceId() const; bool performAction(ActorActionPtr action); private: ActorType _id; int _x, _y; MapWPtr _map; unsigned _instanceId; FeatureMap _features; Actor(ActorType aId, int x = 0, int y = 0, MapPtr map = nullptr); }; typedef std::shared_ptr<Actor> ActorPtr; // === IMPLEMENTATION === // template<typename T> std::shared_ptr<T> Actor::getFeature() const { auto it = _features.find( T::featureType ); return it != _features.end() ? std::dynamic_pointer_cast<T>(it->second) : nullptr; } template<typename T> bool Actor::hasFeature() { return _features.find( T::featureType ) != _features.end(); } } #endif // ACTOR_H <file_sep>#ifndef PICKUP_ACTION_H #define PICKUP_ACTION_H #include <memory> #include <actor_action.h> namespace amarlon{ class Container; typedef std::shared_ptr<Container> ContainerPtr; class PickUpAction : public ActorAction { public: /** * @brief Makes actor pick up an item, and put it into inventory. * @param toPick - actor to be picked up * @param amount - usable if item is stackable, if not provided then max amount is picked up * @param sourceContainer - container to remove the item from, after successfull picking it up */ PickUpAction(ActorPtr toPick, int amount = -1, ContainerPtr sourceContainer = nullptr); virtual ~PickUpAction(); /** * @return True if picked up successfully. If performer has no container, or there is * no space left, then false. */ virtual bool perform(ActorPtr performer); virtual ActorActionUPtr clone(); private: ActorPtr _toPick; int _amount; ContainerPtr _sourceContainer; ActorPtr _performer; bool pickUpAll(); bool pickUpAmount(); }; typedef std::shared_ptr<PickUpAction> PickUpActionPtr; typedef std::unique_ptr<PickUpAction> PickUpActionUPtr; } #endif // PICKUP_ACTION_H <file_sep>#include "openable_container_serializer.h" #include <openable_container.h> using namespace rapidxml; namespace amarlon { OpenableContainerSerializer::OpenableContainerSerializer() : OpenableContainerSerializer(nullptr, nullptr) { } OpenableContainerSerializer::OpenableContainerSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : OpenableSerializer(document, xmlNode) { } OpenableContainerSerializer::~OpenableContainerSerializer() { } bool OpenableContainerSerializer::serialize(ActorFeaturePtr af) { OpenableContainerPtr cont = std::dynamic_pointer_cast<OpenableContainer>(af); if ( cont && _document && _xml ) { xml_node<>* _contNode = _document->allocate_node(node_element, "OpenableContainer"); _xml->append_node( _contNode ); OpenableSerializer::serializeOpenableCommonPart(_contNode, cont); } return cont != nullptr; } } <file_sep>#ifndef EFFECTTYPE_H #define EFFECTTYPE_H namespace amarlon { enum class EffectType { Null = 0, Lock = 1, Heal = 2, Damage = 3 }; } #endif // EFFECTTYPE_H <file_sep>#include "wearer.h" #include <algorithm> #include <iostream> #include "actor/actor.h" #include "amarlon_except.h" namespace amarlon { const ActorFeature::Type Wearer::featureType = ActorFeature::WEARER; Wearer::Wearer() : _equippedItems( new Container(0) ) { } WearerPtr Wearer::create(DescriptionPtr dsc) { /* REMEBER TO UPDATE CLONE, WHEN ADDING NEW ELEMENTS */ WearerPtr w = nullptr; WearerDescriptionPtr wearerDsc = std::dynamic_pointer_cast<WearerDescription>(dsc); if ( wearerDsc != nullptr ) { w.reset( new Wearer ); wearerDsc->eqItems->maxSize = wearerDsc->itemSlots.size(); std::for_each(wearerDsc->itemSlots.begin(), wearerDsc->itemSlots.end(), [&](ItemSlotType slot) { w->_itemSlots[slot] = nullptr; }); w->_equippedItems = Container::create(wearerDsc->eqItems); if ( w->_equippedItems ) { assignItemsToSlots( w ); } }else throw creation_error("Wrong wearer description!"); return w; } void Wearer::assignItemsToSlots(WearerPtr wearer) { std::vector<ActorPtr> toEquip = wearer->_equippedItems->content(); std::for_each(toEquip.begin(), toEquip.end(), [&](ActorPtr a) { if ( a && a->hasFeature<Pickable>()) { wearer->_itemSlots[ a->getFeature<Pickable>()->getItemSlot() ] = a; } else throw inventory_error("Unequippable item in wearer container!"); }); } ActorFeaturePtr Wearer::clone() { WearerPtr cloned( new Wearer ); for(auto i : _itemSlots) { cloned->_itemSlots[ i.first ] = nullptr; } cloned->_equippedItems = std::dynamic_pointer_cast<Container>(_equippedItems->clone()); assignItemsToSlots(cloned); return cloned; } bool Wearer::isEqual(ActorFeaturePtr rhs) { bool equal = false; WearerPtr crhs = std::dynamic_pointer_cast<Wearer>(rhs); if ( crhs != nullptr ) { equal = true; //compare item slots and equipped items for (auto slot : ItemSlotType()) { equal &= (hasSlot(slot) == crhs->hasSlot(slot)); equal &= (isEquipped(slot) == crhs->isEquipped(slot)); if ( equipped(slot) && crhs->equipped(slot) ) equal &= ( *(equipped(slot)) == *(crhs->equipped(slot)) ); } } return equal; } bool Wearer::equip(ActorPtr item) { bool r = false; if ( item != nullptr && item->hasFeature<Pickable>()) { ItemSlotType slot = item->getFeature<Pickable>()->getItemSlot(); if ( _itemSlots.count(slot) && !isEquipped(slot) ) { r = _equippedItems->add(item); if ( r ) _itemSlots[slot] = item; } } return r; } ActorPtr Wearer::unequip(ItemSlotType slot) { ActorPtr r = equipped(slot); if (r) { if (!_equippedItems->remove(r)) { throw std::logic_error("Item equipped in slot, but not present in container!"); } _itemSlots[slot] = nullptr; } return r; } bool Wearer::isEquipped(ItemSlotType slot) { return (equipped(slot) != nullptr); } ActorPtr Wearer::equipped(ItemSlotType slot) { ActorPtr r; auto it = _itemSlots.find(slot); if (it != _itemSlots.end()) { r = it->second; } return r; } bool Wearer::hasSlot(ItemSlotType slot) { return (_itemSlots.find(slot) != _itemSlots.end()); } } <file_sep>#include "cmd_inventory.h" #include <iostream> #include <algorithm> #include <memory> #include <engine.h> #include <inventory_window.h> namespace amarlon { CmdInventory::CmdInventory() { } bool CmdInventory::accept(TCOD_key_t &key) { return ( key.vk == TCODK_CHAR && key.c == 'i' ); } void CmdInventory::execute() { Engine::instance().windowManager() .getWindow<gui::InventoryWindow>() .show(); } } <file_sep>#ifndef EFFECT_SERIALIZER_H #define EFFECT_SERIALIZER_H #include <memory> #include <serializer.h> namespace amarlon { class Effect; typedef std::shared_ptr<Effect> EffectPtr; class EffectSerializer : public Serializer { public: EffectSerializer(); EffectSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~EffectSerializer(); virtual bool serialize(EffectPtr effect); }; } #endif // EFFECT_SERIALIZER_H <file_sep>#ifndef ACTORPARSER_H #define ACTORPARSER_H #include <map> #include "actor_descriptions.h" #include "parsers/parser.h" #include "actor_feature.h" #include <effect_parser.h> namespace amarlon { class ActorParser : public Parser { public: ActorParser(); ActorParser(rapidxml::xml_node<>* xmlNode); DescriptionPtr parseFeatureDsc(ActorFeature::Type featureType); ActorDescriptionPtr parseActorDsc(); ContainerDescriptionPtr parseContainerDsc(); PickableDescriptionPtr parsePickableDsc(); CharacterDescriptionPtr parseCharacterDsc(); AiDescriptionPtr parseAiDsc(); OpenableDescriptionPtr parseOpenableDsc(); WearerDescriptionPtr parseWearerDsc(); DestroyableDescriptionPtr parseDestroyableDsc(); private: std::map<ActorFeature::Type, std::function<DescriptionPtr ()> > _featureParsers; EffectParser _effectParser; void parseContainerContentNode(ContainerDescriptionPtr contDsc, rapidxml::xml_node<>* contentNode); void mapParsers(); }; } #endif // ACTORPARSER_H <file_sep>#include "heal_effect.h" #include <actor.h> #include <gui.h> #include <messenger.h> #include <executor_selector.h> #include <utils.h> namespace amarlon { HealEffect::HealEffect() { } bool HealEffect::apply(ActorPtr, const Target& target) { bool r = false; std::function<bool(ActorPtr)> filter = [](ActorPtr a)->bool{ return a->isAlive(); }; ActorPtr targetActor = target.firstActor(&filter); if ( targetActor ) { CharacterPtr character = targetActor->getFeature<Character>(); if ( character ) { int hpBeforeHeal = character->getHitPoints(); character->modifyHitPoints( _heal.roll() ); Messenger::message()->actorHealed(targetActor, character->getHitPoints() - hpBeforeHeal ); r = true; } } return r; } void HealEffect::load(const Params& params) { auto it = params.find("heal"); _heal = it != params.end() ? Damage( it->second ) : Damage(); } EffectPtr HealEffect::clone() { EffectPtr cloned( new HealEffect ); cloned->load( toParams() ); return cloned; } bool HealEffect::isEqual(EffectPtr rhs) { bool equal = false; HealEffectPtr crhs = std::dynamic_pointer_cast<HealEffect>(rhs); if (crhs != nullptr) { equal = _heal == crhs->_heal; } return equal; } EffectType HealEffect::getType() const { return EffectType::Heal; } Params HealEffect::toParams() const { return { { {"heal", _heal} } }; } } <file_sep>#include "ai.h" #include <iostream> #include <ai_factory.h> namespace amarlon { const ActorFeature::Type Ai::featureType = ActorFeature::AI; Ai::Ai() { } AiPtr Ai::create(DescriptionPtr dsc) { static AiFactory factory; return factory.produce( std::dynamic_pointer_cast<AiDescription>(dsc) ); } } <file_sep>#include "map_parser.h" #include <string> #include <xml_utils.h> #include <map.h> #include <actor_parser.h> #include <actor.h> #include <teleport_action.h> #include <base64.h> #include <fstream> namespace amarlon { MapParser::MapParser() : _actorParser( new ActorParser) { } MapParser::MapParser(rapidxml::xml_node<> *xmlNode) : Parser(xmlNode) , _actorParser( new ActorParser ) { } MapPtr MapParser::parse() { _map.reset(); if ( _xml ) { int x = getAttribute<int>(_xml, "width"); int y = getAttribute<int>(_xml, "height"); MapId id = static_cast<MapId>(getAttribute<int>(_xml, "id")); std::string tilesInStr = getNodeValue<std::string>( _xml->first_node("Tiles") ); if ( !tilesInStr.empty()) { _map.reset( new Map(x, y, id) ); std::string decoded_tiles = base64_decode( tilesInStr ); _map->deserializeTiles( std::vector<unsigned char>{decoded_tiles.begin(), decoded_tiles.end()} ); parseActors(); } parseActions(); } return _map; } void MapParser::parseActions() { rapidxml::xml_node<>* onExitNode = _xml->first_node("OnExit"); if ( onExitNode != nullptr ) { rapidxml::xml_node<>* directionNode = onExitNode->first_node("Direction"); while ( directionNode != nullptr ) { Direction dir = static_cast<Direction>( getAttribute<int>(directionNode, "id") ); rapidxml::xml_node<>* teleportNode = directionNode->first_node("Teleport"); if ( teleportNode != nullptr ) { MapId mapId = static_cast<MapId>( getAttribute<int>(teleportNode, "mapId") ); int x = getAttribute<int>(teleportNode, "x"); int y = getAttribute<int>(teleportNode, "y"); _map->_exitActions[dir] = std::make_shared<TeleportAction>(mapId, x, y); } directionNode = directionNode->next_sibling(); } } } void MapParser::parseActors() { rapidxml::xml_node<>* actorsRoot = _xml->first_node("Actors"); if (actorsRoot != nullptr) { rapidxml::xml_node<>* actorNode = actorsRoot->first_node("Actor"); while ( actorNode != nullptr ) { _map->addActor( parseActor(actorNode) ); actorNode = actorNode->next_sibling(); } } } ActorPtr MapParser::parseActor(rapidxml::xml_node<>* actorNode) { _actorParser->setSource( actorNode ); int aX = getAttribute<int>(actorNode, "x"); int aY = getAttribute<int>(actorNode, "y"); ActorType aId = static_cast<ActorType>(getAttribute<int>(actorNode, "id")); ActorPtr actor = Actor::create(aId, aX, aY, _map); overWriteActorFeatures(actor); if ( actor->getId() == ActorType::Player ) { Actor::Player = actor; } return actor; } void MapParser::overWriteActorFeatures(ActorPtr actor) { for (int f = ActorFeature::FT_NULL+1; f != ActorFeature::FT_END; ++f) { ActorFeature::Type featureType = static_cast<ActorFeature::Type>( f ); DescriptionPtr dsc( _actorParser->parseFeatureDsc(featureType) ); if ( dsc ) actor->insertFeature( ActorFeature::create(featureType, dsc) ); } } } <file_sep>#!/bin/bash sudo pacman -S sdl glu gtest mercurial hg clone https://bitbucket.org/jice/libtcod cd libtcod make -f makefiles/makefile-linux debug mkdir ../lib cp ./libtcod_debug.so ../lib/libtcod_debug.so cp ./libtcodxx_debug.so ../lib/libtcodxx_debug.so cp ./libtcod_debug.so ../lib/libtcod.so cp ./libtcodxx_debug.so ../lib/libtcodxx.so cd ../lib ln -s libtcod.so libtcod.so.1 ln -s libtcodxx.so libtcodxx.so.1 <file_sep>#ifndef MONSTER_SERIALIZER_H #define MONSTER_SERIALIZER_H #include <memory> #include <character_serializer.h> namespace amarlon { class MonsterSerializer : public CharacterSerializer { public: MonsterSerializer(); MonsterSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~MonsterSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // MONSTER_SERIALIZER_H <file_sep>#include "cmd_use.h" #include <target_type.h> #include <target_selector.h> #include <effect.h> #include <engine.h> #include <message_box.h> #include <menu_window.h> #include <use_action.h> namespace amarlon { CmdUse::CmdUse() { } bool CmdUse::accept(TCOD_key_t &key) { return ( key.vk == TCODK_CHAR && key.c == 'u' ); } void CmdUse::execute() { ActorPtr item = acquireItemToUse(); Engine::instance().render(); if (item != nullptr) { PickablePtr pickable = item->getFeature<Pickable>(); TargetSelector* tSelector = TargetSelector::create(pickable->getTargetType()); if ( tSelector != nullptr ) { Actor::Player->performAction( std::make_shared<UseAction>( tSelector->select(), item) ); } } } ActorPtr CmdUse::acquireItemToUse() { ActorPtr item; gui::MenuWindow& window = Engine::instance().windowManager().getWindow<gui::MenuWindow>(); window . setPosition(gui::AWidget::GAME_SCREEN_CENTER); window . setTitle("Choose item to use"); auto usableItems = getUsableItems(); if ( !usableItems.empty() ) { window.fill<Actor>( usableItems, [](ActorPtr a){ return a->getName(); } ); window.show(); if ( auto selected = window.getSelectedItem() ) { item = selected->getObject<Actor>(); } } else gui::msgBox("You don't have any usable items!", gui::MsgType::Warning); if ( item != nullptr && item->getFeature<Pickable>()->isStackable() ) item = item->getFeature<Pickable>()->spilt(1); return item; } std::vector<ActorPtr> CmdUse::getUsableItems() { std::function<bool(ActorPtr)> filter = [](ActorPtr a) { return a->getFeature<Pickable>() && a->getFeature<Pickable>()->getEffect(); }; return Actor::Player->getFeature<Container>()->content(&filter); } } <file_sep>#ifndef CHARACTER_FACTORY_H #define CHARACTER_FACTORY_H #include <memory> #include <vector> #include <character.h> namespace amarlon{ class CharacterFactory { public: CharacterFactory(); CharacterPtr produce(CharacterDescriptionPtr dsc); private: std::vector< std::shared_ptr<Character::Creator> > _creators; }; } #endif // CHARACTER_FACTORY_H <file_sep>#include "wearer_serializer.h" #include <wearer.h> #include <actor_serializer.h> #include <utils.h> #include <xml_utils.h> using namespace rapidxml; namespace amarlon { WearerSerializer::WearerSerializer() : WearerSerializer(nullptr, nullptr) { } WearerSerializer::WearerSerializer(xml_document<> *document, xml_node<> *xmlNode) : ActorFeatureSerializer(document, xmlNode) , _wearerNode(nullptr) { } WearerSerializer::~WearerSerializer() { } bool WearerSerializer::serialize(ActorFeaturePtr af) { _wearer = std::dynamic_pointer_cast<Wearer>(af); if ( _wearer && _document && _xml ) { _wearerNode = _document->allocate_node(node_element, "Wearer"); _xml->append_node( _wearerNode ); serializeItemSlots(); } return _wearer != nullptr; } void WearerSerializer::serializeItemSlots() { for ( auto slot : ItemSlotType() ) { if ( _wearer->hasSlot(slot) ) { xml_node<>* _slotNode = _document->allocate_node(node_element, "ItemSlot"); _wearerNode->append_node( _slotNode ); addAttributeEnum( _slotNode, "type", slot ); serializeEquippedItem(slot, _slotNode); } } } void WearerSerializer::serializeEquippedItem(ItemSlotType slot, xml_node<>* slotNode) { ActorPtr equipped = _wearer->equipped(slot); if ( equipped ) { ActorSerializer actorSerializer(_document, slotNode); actorSerializer.serialize(equipped, "Equipped"); } } } <file_sep>#include "unequip_action.h" #include <actor.h> namespace amarlon { UnEquipAction::UnEquipAction(ActorPtr toUnEquip) : _toUnEquip(toUnEquip) , _result(UnEquipResult::Nok) , _slot(ItemSlotType::Null) { } UnEquipAction::UnEquipAction(ItemSlotType slot) : _result(UnEquipResult::Nok) , _slot(slot) { } UnEquipAction::~UnEquipAction() { } bool UnEquipAction::perform(ActorPtr performer) { _result = UnEquipResult::Nok; _performer = performer; aquireItemSlotType(); if ( _slot != ItemSlotType::Null ) { WearerPtr wearer = _performer->getFeature<Wearer>(); if ( wearer && wearer->isEquipped( _slot ) ) { ActorPtr unequipped = wearer->unequip( _slot ); ContainerPtr inventory = performer->getFeature<Container>(); if ( inventory && inventory->add(unequipped) ) { _result = UnEquipResult::Ok; } else { wearer->equip(unequipped); _result = UnEquipResult::InventoryFull; } } else { _result = UnEquipResult::NotEquipped; } } return _result == UnEquipResult::Ok; } ActorActionUPtr UnEquipAction::clone() { UnEquipActionUPtr cloned = std::make_unique<UnEquipAction>(_toUnEquip); cloned->_slot = _slot; cloned->_performer = _performer; cloned->_result = _result; return std::move(cloned); } void UnEquipAction::aquireItemSlotType() { if ( _toUnEquip ) { PickablePtr pickable = _toUnEquip->getFeature<Pickable>(); if ( pickable ) { _slot = pickable->getItemSlot(); } } } UnEquipResult UnEquipAction::getResult() const { return _result; } } <file_sep>#include "carrying_capacity.h" namespace amarlon { namespace CarryingCapacity { Data get(int str, Race race) { return capacityTable[race][str]; } } } <file_sep>#include "attack_action.h" #include <actor.h> #include <dices.h> #include <messenger.h> namespace amarlon { AttackAction::AttackAction(ActorPtr target) : _target(target) { } AttackAction::~AttackAction() { } bool AttackAction::perform(ActorPtr performer) { _performer = performer; bool success = false; if ( _performer && _target ) { CharacterPtr attacker = _performer->getFeature<Character>(); CharacterPtr attacked = _target->getFeature<Character>(); if ( attacker && attacked ) { success = true; bool hit = false; int dieRoll = dices::roll( dices::D20 ); if ( dieRoll != dices::NATURAL_ONE ) //natural one is always a failure { if ( ( dieRoll == dices::NATURAL_TWENTY ) || //natural 20 is always a hit ( dieRoll + attacker->getMeleeAttackBonus() >= attacked->getArmorClass()) ) //hit success { hit = true; int exp = attacked->getExperience(); Messenger::message()->actorHit( _performer, _target, attacked->takeDamage(attacker->getDamage()) ); if ( !_target->isAlive() ) { Messenger::message()->actorGainedExp(_performer, exp); attacker->modifyExperience( exp ); } } } if ( !hit ) { Messenger::message()->actorMissed(_performer, _target); } } } return success; } ActorActionUPtr AttackAction::clone() { AttackActionUPtr cloned = std::make_unique<AttackAction>(_target); cloned->_performer = _performer; return std::move(cloned); } } <file_sep>#include "playable_character.h" #include <actor.h> #include <die_action.h> #include <attack_bonus_table.h> #include <experience_table.h> #include <messenger.h> namespace amarlon { PlayableCharacter::PlayableCharacter() { } PlayableCharacter::~PlayableCharacter() { } ActorFeaturePtr PlayableCharacter::clone() { return ActorFeaturePtr( new PlayableCharacter(*this) ); } bool PlayableCharacter::isEqual(ActorFeaturePtr rhs) { bool equal = false; PlayableCharacterPtr crhs = std::dynamic_pointer_cast<PlayableCharacter>(rhs); if (crhs != nullptr) { equal = Character::isEqual( rhs ); equal &= std::equal(_abilityScores.begin(), _abilityScores.end(), crhs->_abilityScores.begin()); } return equal; } CarryingCapacity::LoadLevel PlayableCharacter::getLoadLevel() { CarryingCapacity::Data cData = CarryingCapacity::get(getAbilityScore(AbilityScore::STR), getRace()); return getEquipmentWeight() >= cData.heavy ? CarryingCapacity::LoadLevel::Heavy : CarryingCapacity::LoadLevel::Light; } int PlayableCharacter::calculateLoadPenalty() { return getLoadLevel() == CarryingCapacity::LoadLevel::Heavy ? CarryingCapacity::HEAVY_LOAD_SPEED_PENALTY : 0; } int PlayableCharacter::getBaseAttackBonus() { return AttackBonus::get(getClass(), getLevel()); } int PlayableCharacter::getMeleeAttackBonus() { return AttackBonus::get(getClass(), getLevel()) + getModifier(AbilityScore::STR); } Damage PlayableCharacter::getDamage() { Damage damage; PickablePtr weapon = getEquippedItem(ItemSlotType::MainHand); if ( weapon ) { damage = weapon->getDamage(); } damage.value += getModifier( AbilityScore::STR ); return damage; } void PlayableCharacter::modifyExperience(int modifier) { Character::modifyExperience(modifier); if ( getLevel() < Experience::MAX_LEVEL ) { LevelData data = Experience::getLevelData(getClass(), getLevel() + 1); if ( data.expNeeded != 0 && getExperience() >= data.expNeeded) { advanceLevel(data); } } } int PlayableCharacter::getSpeed() { return std::max( Character::getSpeed() - calculateLoadPenalty(), 0 ); } void PlayableCharacter::advanceLevel(LevelData data) { setLevel( getLevel() + 1 ); int hpBonus = dices::roll( data.hitDice ); hpBonus += data.hpBonus; hpBonus += data.applyConModifier ? getModifier(AbilityScore::CON) : 0; setMaxHitPoints( getMaxHitPoints() + std::max(hpBonus, 1) ); modifyHitPoints( hpBonus ); Messenger::message()->actorLeveledUp(getOwner().lock(), getLevel()); //TODO: maybe popup some window or advance te level manually like BG/NWN? //Apply the spell levels } int PlayableCharacter::getEquipmentWeight() { int weight = 0; ActorPtr owner = getOwner().lock(); if ( owner ) { weight += calculateInventoryItemsWeight(); weight += calculateWearedItemsWeight(); } return weight; } int PlayableCharacter::calculateInventoryItemsWeight() { int weight = 0; ContainerPtr inventory = getOwner().lock()->getFeature<Container>(); if ( inventory ) { for ( ActorPtr i : inventory->content() ) { weight += i->getFeature<Pickable>()->getWeight(); } } return weight; } int PlayableCharacter::calculateWearedItemsWeight() { int weight = 0; WearerPtr wearer = getOwner().lock()->getFeature<Wearer>(); if ( wearer ) { for ( auto slot : ItemSlotType() ) { ActorPtr item = wearer->equipped(slot); if ( item ) { weight = item->getFeature<Pickable>()->getWeight(); } } } return weight; } int PlayableCharacter::getAbilityScore(AbilityScore::Type as) { return _abilityScores[ as ]; } int PlayableCharacter::getModifier(AbilityScore::Type as) { return AbilityScore::getModifier( getAbilityScore(as) ); } CharacterPtr PlayableCharacter::Creator::create(CharacterDescriptionPtr dsc) { PlayableCharacterPtr pc = nullptr; PlayableCharacterDescriptionPtr pcDsc = std::dynamic_pointer_cast<PlayableCharacterDescription>(dsc); if ( pcDsc != nullptr ) { pc = std::make_shared<PlayableCharacter>(); pc->setHitPoints( pcDsc->hitPoints ); pc->setMaxHitPoints( pcDsc->maxHitPoints ); pc->setLevel( pcDsc->level ); pc->_abilityScores = pcDsc->abilityScores; Character::Creator::fillCommonCharacterPart(pc, dsc); } return pc; } } <file_sep>#ifndef INVENTORY_PANEL #define INVENTORY_PANEL #include <memory> #include <apanel.h> namespace amarlon { namespace gui { class AInventoryPanel : public APanel { public: AInventoryPanel(int w, int h) : APanel(w, h) , _active(false) { } virtual ~AInventoryPanel() {} virtual bool isActive() const { return _active; } virtual void activate() { _active = true; } virtual void deactivate() { _active = false; } virtual bool isActivable() const { return true; } virtual void selectNext() = 0; virtual void selectPrevious() = 0; private: bool _active; }; typedef std::shared_ptr<AInventoryPanel> AInventoryPanelPtr; }} #endif // INVENTORY_PANEL <file_sep>#ifndef DESTROYABLE_SERIALIZER_H #define DESTROYABLE_SERIALIZER_H #include <actor_feature_serializer.h> #include <effect_serializer.h> namespace amarlon { class DestroyableSerializer : public ActorFeatureSerializer { public: DestroyableSerializer(); DestroyableSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~DestroyableSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // DESTROYABLE_SERIALIZER_H <file_sep>#ifndef OPENABLE_DOOR_SERIALIZER_H #define OPENABLE_DOOR_SERIALIZER_H #include <memory> #include <openable_serializer.h> namespace amarlon { class OpenableDoorSerializer : public OpenableSerializer { public: OpenableDoorSerializer(); OpenableDoorSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~OpenableDoorSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // OPENABLE_DOOR_SERIALIZER_H <file_sep>#ifndef EFFECT_PARSER_H #define EFFECT_PARSER_H #include <parsers/parser.h> #include <effect_description.h> namespace amarlon { class EffectParser : public Parser { public: EffectParser() {} EffectParser(rapidxml::xml_node<>* xmlNode); EffectDescriptionPtr parseEffectDsc(); }; } #endif // EFFECT_PARSER_H <file_sep>#ifndef UNEQUIP_ACTION_H #define UNEQUIP_ACTION_H #include <memory> #include <actor_action.h> #include <item_slot_type.h> namespace amarlon { enum class UnEquipResult { Ok, InventoryFull, NotEquipped, Nok }; class UnEquipAction : public ActorAction { public: UnEquipAction(ActorPtr toUnEquip); UnEquipAction(ItemSlotType slot); virtual ~UnEquipAction(); virtual bool perform(ActorPtr performer); virtual ActorActionUPtr clone(); UnEquipResult getResult() const; private: ActorPtr _toUnEquip; ActorPtr _performer; UnEquipResult _result; ItemSlotType _slot; void aquireItemSlotType(); }; typedef std::shared_ptr<UnEquipAction> UnEquipActionPtr; typedef std::unique_ptr<UnEquipAction> UnEquipActionUPtr; } #endif // UNEQUIP_ACTION_H <file_sep>#ifndef AI_FACTORY_H #define AI_FACTORY_H #include <memory> #include <vector> #include <ai.h> namespace amarlon{ class AiFactory { public: AiFactory(); AiPtr produce(AiDescriptionPtr dsc); private: std::vector< std::shared_ptr<Ai::Creator> > _creators; }; } #endif // AI_FACTORY_H <file_sep>#ifndef WORLD_H #define WORLD_H #include <memory> #include <map> #include <map_id.h> #include <map_gateway.h> namespace amarlon { class Map; typedef std::shared_ptr<Map> MapPtr; class World : public MapGateway { public: World(MapGatewayPtr mapGateway); virtual ~World(); virtual MapPtr fetch(MapId id); virtual MapPtr getCurrentMap(); virtual void changeMap(MapId id); private: MapId _currentMap; MapGatewayPtr _mapGateway; }; } #endif // WORLD_H <file_sep>#include "pickable.h" #include <iostream> #include <actor.h> #include <effect.h> #include <gui.h> #include <amarlon_except.h> #include <utils.h> namespace amarlon { const ActorFeature::Type Pickable::featureType = ActorFeature::PICKABLE; Pickable::Pickable(bool stackable, int amount) : _stackable(stackable) , _amount(amount) , _armorClass(0) , _weight(0) , _price(0) , _usesCount(0) , _targetType(TargetType::SINGLE_NEIGHBOUR) { } Pickable::~Pickable() { } PickablePtr Pickable::create(DescriptionPtr dsc) { /* REMEBER TO UPDATE CLONE, WHEN ADDING NEW ELEMENTS */ PickableDescriptionPtr pDsc = std::dynamic_pointer_cast<PickableDescription>(dsc); PickablePtr pickable = nullptr; if ( pDsc != nullptr ) { pickable.reset( new Pickable(pDsc->stackable, pDsc->amount) ); pickable->_itemSlot = pDsc->itemSlot; pickable->_category = pDsc->category; pickable->_armorClass = pDsc->armorClass; pickable->_weight = pDsc->weight; pickable->_price = pDsc->price; pickable->_damage = pDsc->damage; pickable->_usesCount = pDsc->uses; pickable->_targetType = pDsc->targetType; pickable->setEffect( Effect::create(pDsc->effect) ); } return pickable; } ActorPtr Pickable::spilt(int amount) { ActorPtr r = ActorPtr(getOwner().lock()); if ( isStackable() && amount < _amount && amount > 0 ) { setAmount(_amount - amount); assert( _amount > 0 ); assert( amount > 0 ); r = getOwner().lock()->clone(); r->getFeature<Pickable>()->setAmount(amount); } return r; } ActorFeaturePtr Pickable::clone() { PickablePtr cloned( new Pickable(isStackable(), getAmount()) ); cloned->setEffect( _effect ? _effect->clone() : nullptr ); cloned->_itemSlot = _itemSlot; cloned->_category = _category; cloned->_damage = _damage; cloned->_armorClass = _armorClass; cloned->_weight = _weight; cloned->_price = _price; cloned->_usesCount = _usesCount; cloned->_targetType = _targetType; return cloned; } bool Pickable::isEqual(ActorFeaturePtr rhs) { bool equal = false; PickablePtr crhs = std::dynamic_pointer_cast<Pickable>(rhs); if (crhs != nullptr) { equal = (_stackable == crhs->_stackable); equal &= (_armorClass == crhs->_armorClass); equal &= (_weight == crhs->_weight); equal &= (_price == crhs->_price); equal &= (_damage == crhs->_damage); equal &= (_targetType == crhs->_targetType); //equal &= _usesCount == crhs->_usesCount; //equal &= (_amount == crhs->_amount); no amount comparing if ( getEffect() ) equal &= (getEffect()->isEqual( crhs->getEffect() )); } return equal; } TargetType Pickable::getTargetType() const { return _targetType; } bool Pickable::use(ActorPtr executor, const Target& target) { bool r = false; if ( _effect != nullptr && _usesCount != 0 ) { if ( _effect->apply(executor, target) ) { --_usesCount; r = true; } } return r; } int Pickable::getUsesCount() const { return _usesCount; } bool Pickable::isStackable() const { return _stackable; } EffectPtr Pickable::getEffect() const { return _effect; } void Pickable::setEffect(EffectPtr effect) { _effect = effect; } ItemSlotType Pickable::getItemSlot() const { return _itemSlot; } void Pickable::setItemSlot(const ItemSlotType &itemSlot) { _itemSlot = itemSlot; } bool Pickable::isEquippable() { return ( _itemSlot != ItemSlotType::Null ); } PickableCategory Pickable::getCategory() const { return _category; } void Pickable::setCategory(const PickableCategory &category) { _category = category; } Damage Pickable::getDamage() const { return _damage; } int Pickable::getArmorClass() const { return _armorClass; } int Pickable::getWeight() const { return _weight; } int Pickable::getPrice() const { return _price; } std::string Pickable::getDescription() { std::string str = colorToStr(TCODColor::darkerTurquoise, true) + "Category: " + PickableCategory2Str( getCategory() ); if ( getItemSlot() != ItemSlotType::Null ) { str += " ("; str += ItemSlotType2Str( getItemSlot() ) ; str += ")"; } str += "\n"; str += colorToStr(TCODColor::darkerTurquoise, true) + "Weight: " + toStr( getWeight() ) + " lbs\n \n"; if ( getDamage() != Damage() ) { str += colorToStr(TCODColor::darkTurquoise, true) + "Damage: " + toStr(_damage.diceCount) + "d" + toStr(static_cast<int>(_damage.dice) ); if ( _damage.value != 0 ) { str += ( _damage.value >0 ? "+" : "-" ) + toStr(_damage.value); } str += "\n"; } if ( getArmorClass() != 0 ) { str += colorToStr(TCODColor::darkTurquoise, true) + "Armor class: " + toStr(getArmorClass()) + "\n"; } return str; } int Pickable::getAmount() const { return _amount; } void Pickable::setAmount(int amount) { _amount = amount; } } <file_sep>#ifndef ACTOR_ACTION #define ACTOR_ACTION #include <memory> namespace amarlon{ class Actor; class ActorAction; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<ActorAction> ActorActionPtr; typedef std::unique_ptr<ActorAction> ActorActionUPtr; /** * @brief Generic operation that can be performed on any Actor (Player, Mob or Item) */ class ActorAction { public: ActorAction() = default; virtual ~ActorAction() {} virtual bool perform(ActorPtr performer) = 0; virtual ActorActionUPtr clone() = 0; }; } #endif // ACTOR_ACTION <file_sep>#ifndef HEALEFFECT_H #define HEALEFFECT_H #include <memory> #include <effect.h> #include <damage.h> namespace amarlon { class HealEffect; typedef std::shared_ptr<HealEffect> HealEffectPtr; class HealEffect : public Effect { public: HealEffect(); virtual EffectPtr clone(); virtual bool isEqual(EffectPtr rhs); virtual bool apply(ActorPtr executor, const Target& target); virtual EffectType getType() const; virtual void load(const Params& params); virtual Params toParams() const; private: Damage _heal; }; } #endif // HEALEFFECT_H <file_sep>#ifndef MAP_PARSER_H #define MAP_PARSER_H #include <memory> #include "parsers/parser.h" namespace amarlon { class Actor; class Map; class ActorParser; typedef std::shared_ptr<Map> MapPtr; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<ActorParser> ActorParserPtr; class MapParser : public Parser { public: MapParser(); MapParser(rapidxml::xml_node<>* xmlNode); MapPtr parse(); private: ActorParserPtr _actorParser; MapPtr _map; void parseActors(); ActorPtr parseActor(rapidxml::xml_node<>* actorNode); void overWriteActorFeatures(ActorPtr actor); void parseActions(); }; } #endif // MAP_PARSER_H <file_sep>#ifndef SPELL_GATEWAY_H #define SPELL_GATEWAY_H #include <map> #include <memory> #include <spell_parser.h> #include <spell_id.h> namespace amarlon { class Spell; typedef std::shared_ptr<Spell> SpellPtr; class SpellGateway { public: SpellGateway(); virtual ~SpellGateway(); virtual SpellPtr fetch(SpellId id); virtual bool load(const std::string& fn); virtual bool store(const std::string& fn); protected: SpellParser _spellParser; std::map<SpellId, SpellPtr> _spells; void parseSpells(std::vector<char> &buf); std::shared_ptr<rapidxml::xml_document<> > serializeSpells(); }; } #endif // SPELL_GATEWAY_H <file_sep>#ifndef SINGLE_RANGE_SELECTOR_H #define SINGLE_RANGE_SELECTOR_H #include <target_selector.h> #include <functional> namespace amarlon { class SingleRangeSelector : public TargetSelector { public: SingleRangeSelector(const std::string& selectionMessage = "Select a tile..."); virtual Target select(std::function<bool (amarlon::ActorPtr)>* filterFun = nullptr); private: int _dx; int _dy; int _x; int _y; void render(); void initValues(); void highlightCurrentTile(); }; } #endif // SINGLE_RANGE_SELECTOR_H <file_sep>#include "window_manager.h" <file_sep>#ifndef OPENABLEDOOR_H #define OPENABLEDOOR_H #include <memory> #include "openable.h" namespace amarlon { class OpenableDoor; typedef std::shared_ptr<OpenableDoor> OpenableDoorPtr; class OpenableDoor : public Openable { public: class Creator : public Openable::Creator { public: virtual OpenablePtr create(OpenableDescriptionPtr dsc); }; OpenableDoor(); virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); virtual bool open(ActorPtr executor); virtual bool close(ActorPtr executor); virtual bool lock(); }; } #endif // OPENABLEDOOR_H <file_sep>find_package(gtest HINTS "${PROJECT_SOURCE_DIR}" REQUIRED) find_package(gmock HINTS "${PROJECT_SOURCE_DIR}" REQUIRED) include_directories(${GTEST_INCLUDE_DIRS}) include_directories(${GMOCK_INCLUDE_DIRS}) set(HEADER_FILES ${PROJECT_SOURCE_DIR}/src/actor/actor.h ${PROJECT_SOURCE_DIR}/src/actor/actor_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/actor_feature.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/container/container.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/character/character.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/pickable/pickable.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/ai/ai.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/ai/monster_ai.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable_container.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable_door.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/wearer/item_slot_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/wearer/wearer.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/destroyable/destroyable.h ${PROJECT_SOURCE_DIR}/src/effects/effect.h ${PROJECT_SOURCE_DIR}/src/effects/effect_type.h ${PROJECT_SOURCE_DIR}/src/effects/lock_effect.h ${PROJECT_SOURCE_DIR}/src/effects/heal_effect.h ${PROJECT_SOURCE_DIR}/src/data_gateways/actor_db.h ${PROJECT_SOURCE_DIR}/src/data_gateways/descriptions/actor_descriptions.h ${PROJECT_SOURCE_DIR}/src/data_gateways/descriptions/description.h ${PROJECT_SOURCE_DIR}/src/data_gateways/descriptions/effect_description.h ${PROJECT_SOURCE_DIR}/src/data_gateways/descriptions/spell_description.h ${PROJECT_SOURCE_DIR}/src/data_gateways/map_gateway.h ${PROJECT_SOURCE_DIR}/src/data_gateways/spell_gateway.h ${PROJECT_SOURCE_DIR}/src/data_gateways/tile_db.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/actor_parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/tile_parser.h ${PROJECT_SOURCE_DIR}/src/world/map.h ${PROJECT_SOURCE_DIR}/src/world/map_id.h ${PROJECT_SOURCE_DIR}/src/world/tile_type.h ${PROJECT_SOURCE_DIR}/src/world/tile.h ${PROJECT_SOURCE_DIR}/src/command_executor.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_help.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_close.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_fullscreen.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_inventory.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_move.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_open.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_pick.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_use.h ${PROJECT_SOURCE_DIR}/src/commands/command.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_put_into.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_look.h ${PROJECT_SOURCE_DIR}/src/engine.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/inventory_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/text_window/text_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/text_window/resizeable_text_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/bag_manager.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/body_manager.h ${PROJECT_SOURCE_DIR}/src/gui/window/pick_up_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/amount_window.h ${PROJECT_SOURCE_DIR}/src/gui/gui.h ${PROJECT_SOURCE_DIR}/src/utils/direction_selector.h ${PROJECT_SOURCE_DIR}/src/utils/amarlon_except.h ${PROJECT_SOURCE_DIR}/src/utils/messenger.h ${PROJECT_SOURCE_DIR}/src/utils/target_type.h ${PROJECT_SOURCE_DIR}/src/utils/utils.h ${PROJECT_SOURCE_DIR}/src/utils/xml_utils.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/executor_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/single_neighbour_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/target_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/single_range_selector.h ${PROJECT_SOURCE_DIR}/src/utils/configuration.h ${PROJECT_SOURCE_DIR}/src/utils/damage.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/map_parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/serializers/serializer.h ${PROJECT_SOURCE_DIR}/src/data_gateways/serializers/map_serializer.h ${PROJECT_SOURCE_DIR}/src/actor/actor_actions/actor_action.h ${PROJECT_SOURCE_DIR}/src/actor/actor_actions/move_action.h ${PROJECT_SOURCE_DIR}/src/rpg_system/saving_throws_table.h mock/map_mock.h ) set(SOURCE_FILES main.cpp actor_test.cpp command_executor_test.cpp utils_test.cpp data_gateway/map_gateway_test.cpp world/map_test.cpp wearer_test.cpp amenu_test.cpp character_test.cpp destroyable_test.cpp move_action_test.cpp spell_test.cpp ) set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -DGTEST_HAS_PTHREAD=1") add_executable(ut_amarlon ${SOURCE_FILES} ${HEADER_FILES}) target_link_libraries(ut_amarlon amarlon_core amarlon_widgets ${TCOD_LIBRARIES} ${GTEST_LIBRARIES} ${GMOCK_LIBRARIES}) add_custom_command(TARGET ut_amarlon POST_BUILD COMMAND ${CMAKE_COMMAND} -E copy_directory ${PROJECT_SOURCE_DIR}/resources $<TARGET_FILE_DIR:ut_amarlon>) <file_sep>#ifndef WEARER_H #define WEARER_H #include <map> #include <actor_feature.h> #include <actor_descriptions.h> #include <container.h> #include <item_slot_type.h> namespace amarlon { class Wearer; typedef std::shared_ptr<Wearer> WearerPtr; class Wearer : public ActorFeature { public: const static ActorFeature::Type featureType; Wearer(); virtual ~Wearer() {} static WearerPtr create(DescriptionPtr dsc); virtual ActorFeature::Type getType() { return featureType; } virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); bool equip(ActorPtr item); ActorPtr unequip(ItemSlotType slot); bool isEquipped(ItemSlotType slot); ActorPtr equipped(ItemSlotType slot); bool hasSlot(ItemSlotType slot); private: std::map<ItemSlotType, ActorPtr> _itemSlots; ContainerPtr _equippedItems; static void assignItemsToSlots(WearerPtr wearer); }; } #endif // WEARER_H <file_sep>#include "ability_scores.h" namespace amarlon { namespace AbilityScore { int getModifier(int abilityScoreValue) { int mod = 0; if ( abilityScoreValue >= MIN_VALUE && abilityScoreValue <= MAX_VALUE ) { mod = modifiersMap[ abilityScoreValue ]; } return mod; } }} <file_sep>#ifndef UTILS_H #define UTILS_H #include <string> #include <vector> #include <sstream> #include <iomanip> #include <iostream> #include <algorithm> #include <memory> #include "libtcod.hpp" namespace amarlon { class Actor; typedef std::shared_ptr<Actor> ActorPtr; static inline std::vector<std::string> explode(const std::string& str, char ch) { std::vector<std::string> result; std::string line; for (auto s : str) { if (s == ch) { if (!line.empty()) { result.push_back(line); line.clear(); } } else { line += s; } } if (!line.empty()) { result.push_back(line); line.clear(); } return result; } template<typename T> static T fromStr(const std::string& s) { std::istringstream is(s); T t; is >> t; return t; } template<typename T> static std::string toStr(const T& t) { std::ostringstream os; os << t; return os.str(); } template<typename T> std::string to_stringp(T t, int prec = 1) { std::stringstream ss; ss << std::setprecision(prec) << t; return ss.str(); } static inline std::string tolowers(const std::string& str) { std::string r(str); std::transform(r.begin(), r.end(), r.begin(), ::tolower); return r; } static inline std::string colorToStr(TCODColor color, bool braces = false) { std::stringstream ss; ss << std::setfill('0') << std::setw(2) << std::hex << (int)color.r << std::setw(2) << std::hex << (int)color.g << std::setw(2) << std::hex << (int)color.b; return braces ? "{"+ss.str()+"}" : ss.str(); } static inline TCODColor strToColor(const std::string& str) { TCODColor col; if (str.size() == 6) { std::stringstream ss; int r(0),g(0),b(0); ss << std::hex << str.substr(0,2); ss >> r; col.r = r; ss.clear(); ss << std::hex << str.substr(2,2); ss >> g; col.g = g; ss.clear(); ss << std::hex << str.substr(4,2); ss >> b; col.b = b; } return col; } static inline bool handleDirectionKey(TCOD_key_t &key, int& dx, int& dy) { bool handled = true; switch(key.vk) { case TCODK_DOWN: dy++; break; case TCODK_KP2: dy++; break; case TCODK_UP: dy--; break; case TCODK_KP8: dy--; break; case TCODK_LEFT: dx--; break; case TCODK_KP4: dx--; break; case TCODK_RIGHT: dx++; break; case TCODK_KP6: dx++; break; case TCODK_KP7: dx--; dy--; break; case TCODK_KP9: dx++; dy--; break; case TCODK_KP1: dx--; dy++; break; case TCODK_KP3: dx++; dy++; break; default: handled = false; break; } return handled; } std::string getItemNameAndAmount(ActorPtr a); } #endif // UTILS_H <file_sep>#include "tile.h" #include <container.h> #include <cstring> #include <actor.h> #include <tile_db.h> #include <engine.h> namespace amarlon { Tile::Tile(uint32_t x, uint32_t y) : explored(false) , type(TileType::Null) , actors( new Container(999) ) , x(x) , y(y) {} Tile::Tile(const Tile &tile) { *this = tile; } Tile &Tile::operator=(const Tile &rhs) { if ( this != &rhs ) { explored = rhs.explored; type = rhs.type; x = rhs.x; y = rhs.y; actors = std::dynamic_pointer_cast<Container>( rhs.actors->clone() ); } return *this; } std::vector<unsigned char> Tile::serialize() { SerializedTile t; memset(&t, 0, sizeof(t)); t.explored = explored; t.type = static_cast<int>(type); t.x = x; t.y = y; unsigned char* arr = reinterpret_cast<unsigned char*>(&t); return std::vector<unsigned char>{ arr, arr + sizeof(t) }; } void Tile::deserialize(const SerializedTile &t) { explored = t.explored; type = static_cast<TileType>(t.type); x = t.x; y = t.y; } ActorPtr Tile::top(std::function<bool(ActorPtr)> filterFun) { if ( !actors->empty() ) { //todo: move to add() function after its implementation or something else to not sort every time actors->sort([](ActorPtr a1, ActorPtr a2) { return a1->getTileRenderPriority() > a2->getTileRenderPriority(); }); auto filtered = actors->content(&filterFun); return filtered.empty() ? nullptr : filtered.front(); } return nullptr; } TCODColor Tile::getColor() { return Engine::instance().getTileDB().getColor(type); } char Tile::getChar() { return Engine::instance().getTileDB().getChar(type); } bool Tile::isWalkable() const { return Engine::instance().getTileDB().isWalkable(type); } bool Tile::isTransparent() const { return Engine::instance().getTileDB().isTransparent(type); } } <file_sep>#ifndef ANIMATION_DESCRIPTION #define ANIMATION_DESCRIPTION #include <memory> #include <animation_type.h> #include <description.h> #include <libtcod.hpp> #include <map> #include <string> namespace amarlon { struct AnimationDescription; typedef std::shared_ptr<AnimationDescription> AnimationDescriptionPtr; struct AnimationDescription : Description { AnimationDescription() : type(animation::Type::Null) { } animation::Type type; std::map<std::string, std::string> params; }; } #endif // ANIMATION_DESCRIPTION <file_sep>#ifndef MONSTER_AI_SERIALIZE_H #define MONSTER_AI_SERIALIZE_H #include <memory> #include <ai_serializer.h> namespace amarlon { class MonsterAiSerializer : public AiSerializer { public: MonsterAiSerializer(); MonsterAiSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~MonsterAiSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // MONSTER_AI_SERIALIZE_H <file_sep>#ifndef ACTORDESCRIPTIONS_H #define ACTORDESCRIPTIONS_H #include <memory> #include <cstring> #include <string> #include <vector> #include <map> #include <libtcod.hpp> #include <actor_type.h> #include <item_slot_type.h> #include <pickable_category.h> #include <drop_rule.h> #include <dices.h> #include <character_classes.h> #include <ability_scores.h> #include <races.h> #include <target_type.h> #include <description.h> #include <effect_description.h> #include <spell_id.h> #include <set> #include <damage.h> namespace amarlon { class Container; class Pickable; class Character; class Ai; class Openable; class Wearer; class Destroyable; struct ActorDescription; struct PickableDescription; struct PlayableCharacterDescription; struct AiDescription; struct MonsterAiDescription; struct OpenableDescription; struct OpenableContainerDescription; struct OpenableDoorDescription; struct WearerDescription; struct ContainerDescription; struct DestroyableDescription; struct MonsterDescription; struct CharacterDescription; typedef std::shared_ptr<ActorDescription> ActorDescriptionPtr; typedef std::shared_ptr<PickableDescription> PickableDescriptionPtr; typedef std::shared_ptr<PlayableCharacterDescription> PlayableCharacterDescriptionPtr; typedef std::shared_ptr<AiDescription> AiDescriptionPtr; typedef std::shared_ptr<MonsterAiDescription> MonsterAiDescriptionPtr; typedef std::shared_ptr<OpenableDescription> OpenableDescriptionPtr; typedef std::shared_ptr<OpenableContainerDescription> OpenableContainerDescriptionPtr; typedef std::shared_ptr<OpenableDoorDescription> OpenableDoorDescriptionPtr; typedef std::shared_ptr<WearerDescription> WearerDescriptionPtr; typedef std::shared_ptr<ContainerDescription> ContainerDescriptionPtr; typedef std::shared_ptr<DestroyableDescription> DestroyableDescriptionPtr; typedef std::shared_ptr<MonsterDescription> MonsterDescriptionPtr; typedef std::shared_ptr<CharacterDescription> CharacterDescriptionPtr; struct ActorDescription : Description { ActorDescription() : id(ActorType::Null) , character('X') , color(TCODColor::white) , blocks(false) , fovOnly(false) , transparent(false) , tilePriority(666) {} ActorType id; std::string name; unsigned char character; TCODColor color; bool blocks; bool fovOnly; bool transparent; int tilePriority; std::string description; }; struct PickableDescription : Description { PickableDescription() : stackable(false) , amount(1) , uses(0) , itemSlot(ItemSlotType::Null) , category(PickableCategory::Miscellaneous) , armorClass(0) , weight(0) , price(0) , targetType(TargetType::SINGLE_NEIGHBOUR) {} bool stackable; int amount; int uses; EffectDescriptionPtr effect; ItemSlotType itemSlot; PickableCategory category; int armorClass; int weight; int price; TargetType targetType; Damage damage; }; struct CharacterDescription : Description { CharacterDescription() : level(0) , hitPoints(0) , maxHitPoints(0) , defaultArmorClass(0) , experience(0) , cClass(CharacterClass::Fighter) , race(Race::NoRace) , speed(0) {} int level; int hitPoints; int maxHitPoints; int defaultArmorClass; int experience; CharacterClass cClass; Race race; int speed; std::set<SpellId> spells; }; struct PlayableCharacterDescription : CharacterDescription { std::map<AbilityScore::Type, int> abilityScores; }; struct MonsterDescription : CharacterDescription { MonsterDescription() : hitPointsBonus(0) , morale(0) {} int hitPointsBonus; int morale; Damage damage; }; struct AiDescription : Description { }; struct MonsterAiDescription : AiDescription { }; struct OpenableDescription : Description { OpenableDescription() : lockId(0) , locked(false) {} int lockId; bool locked; }; struct OpenableDoorDescription : OpenableDescription { }; struct OpenableContainerDescription : OpenableDescription { }; struct ContainerDescription : Description { ContainerDescription() : maxSize(0) {} struct Content { ActorType actorType; std::shared_ptr<ContainerDescription> container; std::shared_ptr<PickableDescription> pickable; std::shared_ptr<Description> character; std::shared_ptr<AiDescription> ai; std::shared_ptr<OpenableDescription> openable; std::shared_ptr<WearerDescription> wearer; std::shared_ptr<DestroyableDescription> destroyable; Content() : actorType(ActorType::Null) { } }; size_t maxSize; std::vector<Content> content; }; struct WearerDescription : Description { WearerDescription() : eqItems( new ContainerDescription ) {} std::vector<ItemSlotType> itemSlots; std::shared_ptr<ContainerDescription> eqItems; }; struct DestroyableDescription : Description { DestroyableDescription() {} std::vector<DropRule> dropRules; }; } #endif // ACTORDESCRIPTIONS_H <file_sep>#include "animation.h" #include <blink.h> #include <throw.h> namespace amarlon { namespace animation { Animation::Animation() { } Animation::~Animation() { } AnimationPtr Animation::create(AnimationDescriptionPtr dsc) { AnimationPtr a; if ( dsc ) { switch(dsc->type) { case Type::Blink: a.reset( new Blink ); break; case Type::Throw: a.reset( new Throw ); break; default:; } } if ( a ) a->load( dsc->params ); return a; } void Animation::setLocation(const Target &startLoc, const Target &endLoc) { _start = startLoc; _end = endLoc; } Target Animation::getStartLocation() const { return _start; } Target Animation::getEndLocation() const { return _end; } }} <file_sep>#ifndef MAP_H #define MAP_H #include <vector> #include <functional> #include <memory> #include <list> #include <stdexcept> #include <libtcod.hpp> #include <map_id.h> #include <container.h> #include <directions.h> #include <tile.h> namespace amarlon { typedef unsigned int u32; class Actor; class ActorAction; class Map; typedef std::shared_ptr<ActorAction> ActorActionPtr; typedef std::shared_ptr<Container> ContainerPtr; typedef std::shared_ptr<Map> MapPtr; typedef std::weak_ptr<Map> MapWPtr; typedef std::unique_ptr<Map> MapUPtr; class Map : public std::enable_shared_from_this<Map> { public: typedef std::vector< std::vector<Tile> > TileMatrix; typedef std::vector<Tile> TileRow; Map(u32 width, u32 height, MapId id = MapId::Null); virtual ~Map(); virtual MapPtr clone(); virtual bool isExplored(int x, int y); virtual bool isInFov(int x, int y); virtual bool isBlocked(int x, int y); virtual void addActor(ActorPtr actor); virtual bool removeActor(ActorPtr toRemove); virtual ActorPtr getFirstActor(int x, int y); virtual std::vector<ActorPtr> getActors(int x, int y, std::function<bool (amarlon::ActorPtr)>* filterFun = nullptr); virtual std::vector<ActorPtr> getActors(std::function<bool(ActorPtr)>* filterFun = nullptr); virtual ContainerPtr getActorsContainer(u32 x, u32 y); virtual void performActionOnActors(std::function<void(ActorPtr)> func); virtual void render(TCODConsole* console); virtual void updateTile(u32 x, u32 y); virtual void computeFov(int x, int y, int radius); virtual void deserializeTiles(std::vector<unsigned char> tiles); std::vector<unsigned char> serializeTiles(); virtual TCODColor getColor(u32 x, u32 y); virtual char getChar(u32 x, u32 y); virtual u32 getWidth() const; virtual void setWidth(const u32 &width); virtual u32 getHeight() const; virtual void setHeight(const u32 &height); virtual MapId getId() const; virtual void setId(const MapId &id); virtual void onExit(Direction direction, ActorPtr exiter); virtual const std::map<Direction, ActorActionPtr> getExitActions() const; friend class MapParser; private: MapId _id; u32 _width, _height; TileMatrix _tiles; TCODMap _codMap; std::map<Direction, ActorActionPtr> _exitActions; Tile& getTile(u32 x, u32 y); void dateMapCoords(u32 x, u32 y); void renderTile(u32 x, u32 y, TCODConsole *console); void validateMapCoords(u32 x, u32 y); void updateTiles(); void updateTile(Tile &tile); }; } #endif // MAP_H <file_sep>#ifndef ENGINE_H #define ENGINE_H #include <libtcod.hpp> #include <singleton.h> #include <colored_string.h> #include <window_manager.h> namespace amarlon { class Configuration; class Map; class Actor; class SpellGateway; class World; class CommandExecutor; class MapGateway; class TileDB; typedef std::shared_ptr<Map> MapPtr; typedef std::shared_ptr<SpellGateway> SpellGatewayPtr; typedef std::shared_ptr<World> WorldPtr; typedef std::shared_ptr<CommandExecutor> CommandExecutorPtr; typedef std::shared_ptr<TileDB> TileDBPtr; namespace gui { class Gui; typedef std::shared_ptr<Gui> GuiPtr; } class Engine : public Singleton<Engine> { friend class Singleton; Engine(); public: static int consoleWidth; static int consoleHeight; static int rightPanelWidth; static int bottomPanelHeight; static int screenWidth; static int screenHeight; static int FovRadius; ~Engine(); void prologue(Configuration *cfg); void epilogue(); void render(); void update(); void processKey(TCOD_key_t& key); gui::Gui& gui() const; gui::WindowManager& windowManager() const; World& getWorld() const; SpellGateway& getSpellGateway() const; TileDB& getTileDB() const; private: gui::GuiPtr _gui; CommandExecutorPtr _cmdExecutor; gui::WindowManagerPtr _windowManager; Configuration* _config; WorldPtr _world; SpellGatewayPtr _spellGateway; TileDBPtr _tileDB; void updateAis(); std::vector<ColoredString> getActorsBenethPlayersFeet(); void initializeWorld(); }; } #endif // ENGINE_H <file_sep>#ifndef SINGLENEIGHBOURSELECTOR_H #define SINGLENEIGHBOURSELECTOR_H #include "target_selector.h" namespace amarlon { class SingleNeighbourSelector : public TargetSelector { public: SingleNeighbourSelector(const std::string& selectionMessage = "Select a tile.."); virtual Target select(std::function<bool (amarlon::ActorPtr)>* filterFun = nullptr); }; } #endif // SINGLENEIGHBOURSELECTOR_H <file_sep>#include "openable_door_serializer.h" #include <openable_door.h> using namespace rapidxml; namespace amarlon { OpenableDoorSerializer::OpenableDoorSerializer() : OpenableDoorSerializer(nullptr, nullptr) { } OpenableDoorSerializer::OpenableDoorSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : OpenableSerializer(document, xmlNode) { } OpenableDoorSerializer::~OpenableDoorSerializer() { } bool OpenableDoorSerializer::serialize(ActorFeaturePtr af) { OpenableDoorPtr door = std::dynamic_pointer_cast<OpenableDoor>(af); if ( door && _document && _xml ) { xml_node<>* _doorNode = _document->allocate_node(node_element, "OpenableDoor"); _xml->append_node( _doorNode ); OpenableSerializer::serializeOpenableCommonPart(_doorNode, door); } return door != nullptr; } } <file_sep>#ifndef OPENABLECONTAINER_H #define OPENABLECONTAINER_H #include <memory> #include "openable.h" namespace amarlon { class OpenableContainer; typedef std::shared_ptr<OpenableContainer> OpenableContainerPtr; class OpenableContainer : public Openable { public: class Creator : public Openable::Creator { public: virtual OpenablePtr create(OpenableDescriptionPtr dsc); }; OpenableContainer(); virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); virtual bool open(ActorPtr executor); virtual bool close(ActorPtr executor); }; } #endif // OPENABLECONTAINER_H <file_sep>#ifndef ACTORTYPE_H #define ACTORTYPE_H namespace amarlon { enum class ActorType { Null, Player = 1, Orc = 2, DoorClosed = 3, DoorOpen = 4, Bed = 5, Locker = 6, Wardrobe = 7, Chair = 8, Furnace = 9, Table = 10, Worktop = 11, BootleOfWine = 12, HealthPotion = 13, CookBook = 14, Corpse = 15 , PantryKey = 16, LeatherBoots = 18, LeatherArmor = 20, GoldCoin = 22, BlackAle = 23, Dagger = 24, End }; } #endif // ACTORTYPE_H <file_sep>#ifndef OPENEFFECT_H #define OPENEFFECT_H #include <memory> #include <effect.h> namespace amarlon { class LockEffect; typedef std::shared_ptr<LockEffect> LockEffectPtr; class LockEffect : public Effect { public: LockEffect(); virtual EffectPtr clone(); virtual bool isEqual(EffectPtr rhs); virtual bool apply(ActorPtr executor, const Target& target); virtual EffectType getType() const; virtual int getLockId() const; virtual void load(const Params& params); virtual Params toParams() const; private: int _lockId; }; } #endif // OPENEFFECT_H <file_sep>#include "monster_move_action.h" #include <actor.h> #include <character.h> #include <monster.h> namespace amarlon { MonsterMoveAction::MonsterMoveAction(int dx, int dy) : MoveAction(dx, dy) , _moveCost(0) { CharacterPtr player = Actor::Player->getFeature<Character>(); _moveCost = player ? player->getSpeed() : 40; } MonsterMoveAction::~MonsterMoveAction() { } bool MonsterMoveAction::perform(ActorPtr performer) { _performer = performer; bool result = false; if ( _performer ) { CharacterPtr mob = _performer->getFeature<Character>(); if ( mob ) { if ( mob->getMovePoints() < _moveCost ) //normal move, otherwise it is 'extra' move { mob->setMovePoints( mob->getMovePoints() + mob->getSpeed() ); } while ( mob->getMovePoints() >= _moveCost ) { result = doMove(mob); } } } return result; } bool MonsterMoveAction::doMove(CharacterPtr mob) { mob->setMovePoints( mob->getMovePoints() - _moveCost ); bool result = MoveAction::perform(_performer); AiPtr ai = _performer->getFeature<Ai>(); if ( ai && mob->getMovePoints() >= _moveCost ) //check if extra move { ai->update(); } return result; } ActorActionUPtr MonsterMoveAction::clone() { MonsterMoveActionUPtr cloned = std::make_unique<MonsterMoveAction>(_dx,_dy); cloned->_performer = _performer; return std::move(cloned); } } <file_sep>#ifndef MAPGATEWAY_H #define MAPGATEWAY_H #include <map> #include <vector> #include <memory> #include <xml/rapidxml_print.hpp> #include <map_id.h> #include <map_parser.h> namespace amarlon { class Map; class Actor; typedef std::shared_ptr<Map> MapPtr; class MapGateway { public: MapGateway(); virtual ~MapGateway(); virtual MapPtr fetch(MapId id); virtual bool load(const std::string& fn); virtual bool store(const std::string& fn); protected: MapParser _mapParser; std::map<MapId, MapPtr> _maps; void parseMaps(std::vector<char> &buf); std::shared_ptr< rapidxml::xml_document<> > serializeMaps(); }; typedef std::shared_ptr<MapGateway> MapGatewayPtr; } #endif // MAPGATEWAY_H <file_sep>#include "utils.h" #include <actor.h> #include <pickable.h> namespace amarlon { std::string getItemNameAndAmount(ActorPtr a) { std::string value = a->getName(); if ( PickablePtr pickable = a->getFeature<Pickable>() ) { if ( pickable->getAmount() > 1 ) { value += " (" + std::to_string(pickable->getAmount()) + ")"; } } return value; } } <file_sep>#ifndef SPELL_DESCRIPTION #define SPELL_DESCRIPTION #include <memory> #include <set> #include <vector> #include <description.h> #include <effect_description.h> #include <animation_description.h> namespace amarlon { struct SpellDescription; typedef std::shared_ptr<SpellDescription> SpellDescriptionPtr; struct SpellDescription : Description { SpellDescription() : spellClass(0) , level(0) , targetType(0) , range(0) , id(0) {} std::string name; int spellClass; int level; int targetType; int range; int id; std::set< std::pair<int, std::vector<EffectDescriptionPtr> > > effects; AnimationDescriptionPtr animation; }; } #endif // SPELL_DESCRIPTION <file_sep>#include "character_serializer.h" #include <xml_utils.h> #include <character.h> #include <utils.h> #include <spell.h> using namespace rapidxml; namespace amarlon { CharacterSerializer::CharacterSerializer() : CharacterSerializer(nullptr, nullptr) { } CharacterSerializer::CharacterSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode) : ActorFeatureSerializer(document, xmlNode) { } CharacterSerializer::~CharacterSerializer() { } void CharacterSerializer::serializeCharacterCommonPart(xml_node<>* characterNode, CharacterPtr character) { if ( characterNode && character && _document ) { addAttribute ( characterNode, "level", character->getLevel() ); addAttribute ( characterNode, "hitPoints", character->getHitPoints() ); addAttribute ( characterNode, "maxHitPoints", character->getMaxHitPoints() ); addAttribute ( characterNode, "experience", character->getExperience() ); addAttribute ( characterNode, "armorClass", character->_defaultArmorClass ); addAttribute ( characterNode, "speed", character->_speed ); addAttributeEnum( characterNode, "class", character->getClass() ); addAttributeEnum( characterNode, "race", character->getRace() ); xml_node<>* spellsNode = _document->allocate_node(node_element, "Spells"); characterNode->append_node(spellsNode); for ( auto spell : character->getSpells() ) { xml_node<>* spellNode = _document->allocate_node(node_element, "Spell"); spellsNode->append_node(spellNode); addAttributeEnum(spellNode, "id", spell->getId() ); } } } } <file_sep>#include "messenger.h" #include "gui/gui.h" #include "actor/actor.h" #include "utils/utils.h" namespace amarlon { using namespace std; Messenger* Messenger::_msg(nullptr); Messenger::Messenger() : _gui(nullptr) { } Messenger *Messenger::message() { if (_msg == nullptr) _msg = new Messenger; return _msg; } void Messenger::setGui(gui::Gui *gui) { _gui = gui; } void Messenger::actorHit(ActorPtr atacker, ActorPtr victim, int amount) { if ( _gui ) { string msg = atacker->getName() + " hits " + tolowers(victim->getName()); if (amount > 0) { msg += " for " + to_string(amount) + "hp."; } else { msg += " but the attack took no effect."; } _gui->message(msg, TCODColor::darkRed); } } void Messenger::actorMissed(ActorPtr atacker, ActorPtr victim) { if ( _gui ) { string msg = atacker->getName() + " missed " + tolowers(victim->getName() + "."); _gui->message(msg, TCODColor::darkerYellow); } } void Messenger::actorDies(ActorPtr victim) { if ( _gui ) { string msg = victim->getName() + " dies."; _gui->message(msg, TCODColor::darkerRed); } } void Messenger::actorPutInto(const std::string& putterName, const string& container, const std::string& itemName, int amount) { if ( _gui ) { string msg = putterName + " put " + tolowers(itemName); if (amount > 1) msg += " (" + to_string(amount) + ")"; msg += " into " + tolowers(container); _gui->message(msg+".", TCODColor::darkYellow); } } void Messenger::actorGainedExp(ActorPtr gainer, int exp) { if ( _gui ) { _gui->message(gainer->getName() + " gained " + toStr(exp) + "xp.", TCODColor::sky); } } void Messenger::actorLeveledUp(ActorPtr leveler, int level) { if ( _gui ) { _gui->message(leveler->getName() + " advanced to level " + toStr(level) + "!", TCODColor::green); } } void Messenger::lookAtObject(ActorPtr object) { if ( _gui ) { _gui->message("You see a(n) " + object->getName(), TCODColor::lightViolet); } } void Messenger::lookAtSomeItems(bool plural) { if ( _gui ) { std::string msg = "You see some "; msg.append(plural ? "items" : "item"); msg.append(" laying here."); _gui->message(msg , TCODColor::lightViolet); } } void Messenger::actorPicked(const std::string& pickerName, const std::string& itemName, int amount, const string &from) { if ( _gui ) { string msg = pickerName + " picked " + tolowers(itemName); if (amount > 1) msg += " (" + to_string(amount) + ")"; if (!from.empty()) msg += " from " + tolowers(from); _gui->message(msg+".", TCODColor::darkYellow); } } void Messenger::actorDropped(ActorPtr dropper, ActorPtr dropped, int amount) { if ( _gui ) { string msg = dropper->getName() + " dropped " + tolowers(dropped->getName()); if (amount > 1) msg += " (" + to_string(amount) + ")."; else msg += "."; _gui->message(msg, TCODColor::darkYellow); } } void Messenger::actorPicked(ActorPtr picker, ActorPtr picked, int amount) { if ( _gui ) { actorPicked(picker->getName(), picked->getName(), amount); } } void Messenger::actorHealed(ActorPtr healed, int amount) { if ( _gui ) { string msg = healed->getName() + " has been healed for " + to_string(amount) + "."; _gui->message(msg, TCODColor::lighterBlue); } } void Messenger::actorHasBeenLocked(ActorPtr locker, ActorPtr locked) { if ( _gui ) { string msg = locker->getName() + " has locked the " + tolowers(locked->getName()); _gui->message(msg); } } void Messenger::actorHasBeenUnLocked(ActorPtr unlocker, ActorPtr unlocked) { if ( _gui ) { string msg = unlocker->getName() + " has unlocked the " + tolowers(unlocked->getName()); _gui->message(msg); } } } <file_sep>#include "effect.h" #include <lock_effect.h> #include <heal_effect.h> #include <damage_effect.h> #include <target_selector.h> #include <cassert> namespace amarlon { Effect::Effect() { } Effect::~Effect() { } EffectPtr Effect::create(EffectType type) { EffectPtr e; switch(type) { case EffectType::Lock: e.reset( new LockEffect ); break; case EffectType::Heal: e.reset( new HealEffect ); break; case EffectType::Damage: e.reset( new DamageEffect ); break; default:; } return e; } EffectPtr Effect::create(EffectDescriptionPtr dsc) { /* REMEBER TO UPDATE CLONE, WHEN ADDING NEW ELEMENTS */ EffectPtr e; if ( dsc != nullptr) { e = Effect::create(dsc->type); if ( e ) { e->load(dsc->params); } } return e; } } <file_sep>set(HEADER_FILES map_editor.h ${PROJECT_SOURCE_DIR}/src/actor/actor.h ${PROJECT_SOURCE_DIR}/src/actor/actor_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/actor_feature.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/container.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/fighter.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/pickable.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/ai/ai.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/ai/ai_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/ai/monster_ai.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable_container.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable_door.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/openable/openable_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/wearer/item_slot_type.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/wearer/wearer.h ${PROJECT_SOURCE_DIR}/src/actor/actor_features/destroyable.h ${PROJECT_SOURCE_DIR}/src/actor/effects/effect.h ${PROJECT_SOURCE_DIR}/src/actor/effects/effect_type.h ${PROJECT_SOURCE_DIR}/src/actor/effects/lock_effect.h ${PROJECT_SOURCE_DIR}/src/actor/effects/self_heal_effect.h ${PROJECT_SOURCE_DIR}/src/data_gateways/actor_db.h ${PROJECT_SOURCE_DIR}/src/data_gateways/actor_descriptions.h ${PROJECT_SOURCE_DIR}/src/data_gateways/map_gateway.h ${PROJECT_SOURCE_DIR}/src/data_gateways/tile_db.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/actor_parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/tile_parser.h ${PROJECT_SOURCE_DIR}/src/world/map.h ${PROJECT_SOURCE_DIR}/src/world/map_id.h ${PROJECT_SOURCE_DIR}/src/world/tile_type.h ${PROJECT_SOURCE_DIR}/src/command_executor.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_help.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_close.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_fullscreen.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_inventory.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_move.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_open.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_pick.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_use.h ${PROJECT_SOURCE_DIR}/src/commands/command.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_put_into.h ${PROJECT_SOURCE_DIR}/src/commands/cmd_look.h ${PROJECT_SOURCE_DIR}/src/engine.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/inventory_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/text_window/text_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/text_window/resizeable_text_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/bag_manager.h ${PROJECT_SOURCE_DIR}/src/gui/window/inventory_window/body_manager.h ${PROJECT_SOURCE_DIR}/src/gui/window/pick_up_window.h ${PROJECT_SOURCE_DIR}/src/gui/window/amount_window.h ${PROJECT_SOURCE_DIR}/src/gui/gui.h ${PROJECT_SOURCE_DIR}/src/utils/direction_selector.h ${PROJECT_SOURCE_DIR}/src/utils/amarlon_except.h ${PROJECT_SOURCE_DIR}/src/utils/messenger.h ${PROJECT_SOURCE_DIR}/src/utils/selector_type.h ${PROJECT_SOURCE_DIR}/src/utils/utils.h ${PROJECT_SOURCE_DIR}/src/utils/xml_utils.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/executor_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/single_neighbour_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/target_selector.h ${PROJECT_SOURCE_DIR}/src/utils/target_selector/single_range_selector.h ${PROJECT_SOURCE_DIR}/src/utils/configuration.h ${PROJECT_SOURCE_DIR}/src/data_gateways/parsers/map_parser.h ${PROJECT_SOURCE_DIR}/src/data_gateways/serializers/serializer.h ${PROJECT_SOURCE_DIR}/src/data_gateways/serializers/map_serializer.h ${PROJECT_SOURCE_DIR}/src/actor/actor_actions/actor_action.h ${PROJECT_SOURCE_DIR}/src/actor/actor_actions/move_action.h ) set(SOURCE_FILES main.cpp map_editor.cpp ) find_package(Qt5Core REQUIRED) find_package(Qt5Gui REQUIRED) find_package(Qt5Widgets REQUIRED) find_package(Qt5Declarative) set(MAP_EDITOR_UI ${PROJECT_SOURCE_DIR}/map_editor/map_editor.ui ) set(MAP_EDITOR_QT ${PROJECT_SOURCE_DIR}/map_editor/map_editor.h ) qt5_wrap_ui(MAP_EDITOR_UI_HDR ${MAP_EDITOR_UI}) qt5_wrap_cpp(MAP_EDITOR_MOC_SRC ${MAP_EDITOR_QT}) include_directories(${CMAKE_CURRENT_BINARY_DIR}) add_executable(mapeditor ${SOURCE_FILES} ${HEADER_FILES} ${MAP_EDITOR_UI_HDR} ${MAP_EDITOR_MOC_SRC}) target_link_libraries(mapeditor amarlon_core amarlon_widgets ${TCOD_LIBRARIES} ${QT_LIBRARIES}) add_custom_command(TARGET mapeditor POST_BUILD COMMAND ${CMAKE_COMMAND} -E copy_directory ${PROJECT_SOURCE_DIR}/resources $<TARGET_FILE_DIR:mapeditor>) qt5_use_modules(mapeditor Widgets Declarative) <file_sep>#include "body_manager.h" #include "actor/actor.h" #include <amenu_item.h> #include <aslot_menu_item.h> #include <alabel_menu_item.h> #include <gui/message_box.h> #include <menu_window.h> #include <unequip_action.h> #include <equip_action.h> const unsigned MARGIN = 2; namespace amarlon { namespace gui { BodyManager::BodyManager(int w, int h) : AInventoryPanel(w, h) , _bodyMenu( new AMenu ) { setTitle("Equipped items"); _bodyMenu->setPosition(MARGIN,MARGIN); addWidget(_bodyMenu); } void BodyManager::manage() { AMenuItemPtr item = _bodyMenu->getSelectedItem(); if ( item ) { ItemSlotType slot = static_cast<ItemSlotType>( item->getProperty<int>("ItemSlotType") ); if ( Actor::Player->getFeature<Wearer>()->isEquipped( slot ) ) { if ( unequipItem(slot) ) { item->setValue(""); } } else { ActorPtr toEquip = chooseItemToEquip(slot); if ( toEquip && equipItem(toEquip) ) { item->setValue( toEquip->getName() ); } } } } void BodyManager::fillBodySlots() { _bodyMenu->removeAllItems(); WearerPtr wearer = Actor::Player->getFeature<Wearer>(); if ( wearer ) { for (auto slot : ItemSlotType()) { if ( wearer->hasSlot(slot) ) { ActorPtr eItem = wearer->equipped(slot); ASlotMenuItemPtr slotMenuItem( new ASlotMenuItem( getWidth() - 2*MARGIN ) ); slotMenuItem->setProperty<int>( "ItemSlotType", static_cast<int>(slot) ); slotMenuItem->setName( ItemSlotType2Str(slot) ); slotMenuItem->setValue( eItem ? eItem->getName() : "" ); _bodyMenu->addItem( slotMenuItem ); } } } } bool BodyManager::unequipItem(ItemSlotType slot) { UnEquipActionPtr action = std::make_shared<UnEquipAction>(slot); Actor::Player->performAction( action ); UnEquipResult status = action->getResult(); switch ( status ) { case UnEquipResult::InventoryFull: msgBox("Item cannot be unequipped:\nNot enough space in inventory", gui::MsgType::Error); break; case UnEquipResult::Nok: msgBox("Item cannot be unequipped!", gui::MsgType::Error); break; default:; } return status == UnEquipResult::Ok; } ActorPtr BodyManager::chooseItemToEquip(ItemSlotType slot) { ActorPtr toEquip; std::vector<ActorPtr> equipableItems = getEquipableItemsList(slot); if ( !equipableItems.empty() ) { gui::MenuWindow& window = Engine::instance().windowManager().getWindow<gui::MenuWindow>(); window.setTitle("Choose item to equip"); window.setPosition(gui::AWidget::WINDOW_CENTER); window.fill<Actor>( equipableItems, [](ActorPtr a){ return a->getName(); } ); window.show(); if ( AMenuItemPtr mItem = window.getSelectedItem() ) { toEquip = mItem->getObject<Actor>(); } } else { msgBox("You don't have any item, that fit this slot.", gui::MsgType::Error); } return toEquip; } std::vector<ActorPtr > BodyManager::getEquipableItemsList(ItemSlotType slot) { std::function<bool(ActorPtr)> filterFun = [&](ActorPtr a)-> bool { return a->hasFeature<Pickable>() && a->getFeature<Pickable>()->getItemSlot() == slot; }; return Actor::Player->getFeature<Container>()->content( &filterFun ); } bool BodyManager::equipItem(ActorPtr toEquip) { EquipActionPtr action = std::make_shared<EquipAction>(toEquip); Actor::Player->performAction( action ); EquipResult result = action->getResult(); switch(result) { case EquipResult::Nok: msgBox( "Cannot equip item!", gui::MsgType::Error ); break; case EquipResult::AlreadyEquiped: msgBox( "Another item is already equipped on this slot!", gui::MsgType::Error ); break; case EquipResult::NoProperSlot: msgBox( "There is no proper slot to equip this item!", gui::MsgType::Error ); break; default:; } return result == EquipResult::Ok; } void BodyManager::selectNext() { _bodyMenu->selectNext(); } void BodyManager::selectPrevious() { _bodyMenu->selectPrevious(); } void BodyManager::activate() { AInventoryPanel::activate(); _bodyMenu->selectNext(); } void BodyManager::deactivate() { AInventoryPanel::deactivate(); _bodyMenu->deselect(); } }} <file_sep>#include "throw.h" #include <engine.h> #include <chrono> #include <thread> #include <utils.h> namespace amarlon { namespace animation { Throw::Throw() : _color(TCODColor::red) , _ch('*') , _frameDelay(15) { } AnimationPtr Throw::clone() { return ThrowPtr( new Throw(*this) ); } void Throw::run(TCODConsole& console) { Target loc = getStartLocation(); Target stop = getEndLocation(); while( loc.x != stop.x || loc.y != stop.y) { if (loc.x != stop.x ) loc.x < stop.x ? ++loc.x : --loc.x; if (loc.y != stop.y ) loc.y < stop.y ? ++loc.y : --loc.y; Engine::instance().render(); console.putChar(loc.x, loc.y, _ch); console.setCharForeground(loc.x, loc.y, _color); console.flush(); std::this_thread::sleep_for(std::chrono::milliseconds(_frameDelay)); } } Type Throw::getType() const { return Type::Throw; } void Throw::load(const Params &params) { auto it = params.find("color"); _color = it != params.end() ? strToColor( it->second ) : TCODColor::blue; it = params.find("delay"); _frameDelay = it != params.end() ? fromStr<int>( it->second ) : 15; it = params.find("char"); _ch = it != params.end() ? it->second.front() : 15; } Params Throw::toParams() const { return { {"color", colorToStr(_color) }, {"delay", toStr<int>(_frameDelay) }, {"char", std::string(_ch, 1) } }; } }} <file_sep>#include <gtest/gtest.h> #include <actor.h> #include <map.h> #define private public #include <heal_effect.h> #undef private namespace amarlon { class ActorTest : public ::testing::Test { virtual void SetUp() { Actor::DB.loadActors("data/actors.xml"); } virtual void TearDown() { } }; TEST_F(ActorTest, actorEqual) { std::shared_ptr<Actor> a1 = Actor::create( ActorType::Orc ); std::shared_ptr<Actor> a2 = Actor::create( ActorType::Orc ); ASSERT_TRUE( *a1 == *a2 ); } TEST_F(ActorTest, actorEqual_diferrent_id) { std::shared_ptr<Actor> a1 = Actor::create( ActorType::Orc ); std::shared_ptr<Actor> a2 = Actor::create( ActorType::Orc ); a2->changeType( ActorType::Bed ); ASSERT_FALSE( *a1 == *a2 ); } TEST_F(ActorTest, actorEqual_different_container) { std::shared_ptr<Actor> a1 = Actor::create( ActorType::Orc ); std::shared_ptr<Actor> a2 = Actor::create( ActorType::Orc ); ContainerPtr c1( new Container(10) ); ContainerPtr c2( new Container(10) ); a1->insertFeature(c1); a2->insertFeature(c2); //same containers ASSERT_TRUE( c1->isEqual(c2) ); //different slot count c2->setSlotCount(12); ASSERT_FALSE( c1->isEqual(c2) ); ASSERT_FALSE( *a1 == *a2 ); //existing, same content c2->setSlotCount( c1->slotCount() ); ActorPtr ca1 = Actor::create(ActorType::HealthPotion); ActorPtr ca2 = ca1->clone(); c1->add(ca1); c2->add(ca2); ASSERT_TRUE( c1->isEqual(c2) ); ASSERT_TRUE( *a1 == *a2 ); //existing, different content ActorPtr ca1b = Actor::create(ActorType::CookBook); ActorPtr ca2b = Actor::create(ActorType::BootleOfWine); c1->add(ca1b); c2->add(ca2b); ASSERT_FALSE( c1->isEqual(c2) ); ASSERT_FALSE( *a1 == *a2 ); c1->remove( ca1b ); c2->remove( ca2b ); //exisrting different content 2 ActorPtr ca1c = Actor::create(ActorType::CookBook); ActorPtr ca2c = ca1c->clone(); AiDescriptionPtr dsc = std::make_shared<MonsterAiDescription>(); ca1c->insertFeature( Ai::create( dsc )); c1->add(ca1c); c2->add(ca2c); ASSERT_FALSE( c1->isEqual(c2) ); ASSERT_FALSE( *a1 == *a2 ); } TEST_F(ActorTest, actorEqual_different_openable) { std::shared_ptr<Actor> a1 = Actor::create(ActorType::DoorOpen); std::shared_ptr<Actor> a2 ( a1->clone() ); ASSERT_TRUE( *a1 == *a2 ); a2->getFeature<Openable>()->setLockId(666); ASSERT_FALSE( *a1 == *a2 ); } TEST_F(ActorTest, actorEqual_different_pickable) { std::shared_ptr<Actor> a1 = Actor::create(ActorType::HealthPotion); std::shared_ptr<Actor> a2 ( a1->clone() ); ASSERT_TRUE( *a1 == *a2 ); HealEffectPtr e = std::dynamic_pointer_cast<HealEffect>(a1->getFeature<Pickable>()->getEffect()); e->_heal.value = 666; ASSERT_FALSE( *a1 == *a2 ); } TEST_F(ActorTest, actorEqual_different_fighter) { std::shared_ptr<Actor> a1 = Actor::create( ActorType::Orc ); std::shared_ptr<Actor> a2 ( a1->clone() ); ASSERT_TRUE( *a1 == *a2 ); MonsterDescriptionPtr mobDsc(new MonsterDescription ); mobDsc->level = 123; mobDsc->experience = 666; a1->insertFeature( Character::create(mobDsc) ); ASSERT_FALSE( *a1 == *a2 ); } TEST_F(ActorTest, spilt) { ActorPtr actor = Actor::create(ActorType::BootleOfWine); PickablePtr p = actor->getFeature<Pickable>(); p->setAmount(5); ActorPtr splited = actor->getFeature<Pickable>()->spilt(2); PickablePtr p2 = splited->getFeature<Pickable>(); EXPECT_EQ( p->getAmount(), 3 ); EXPECT_EQ( p2->getAmount(), 2 ); } } <file_sep>#ifndef CMDUSE_H #define CMDUSE_H #include <vector> #include <command.h> namespace amarlon { class CmdUse : public Command { public: CmdUse(); virtual bool accept(TCOD_key_t &key); virtual void execute(); private: ActorPtr acquireItemToUse(); std::vector<ActorPtr> getUsableItems(); }; } #endif // CMDUSE_H <file_sep>#include "monster_ai_serializer.h" #include <monster_ai.h> #include <xml_utils.h> using namespace rapidxml; namespace amarlon { MonsterAiSerializer::MonsterAiSerializer() : MonsterAiSerializer(nullptr, nullptr) { } MonsterAiSerializer::MonsterAiSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : AiSerializer(document, xmlNode) { } MonsterAiSerializer::~MonsterAiSerializer() { } bool MonsterAiSerializer::serialize(ActorFeaturePtr af) { MonsterAiPtr mobAi = std::dynamic_pointer_cast<MonsterAi>(af); if ( mobAi && _document && _xml ) { _xml->append_node( createNode( _document, "MonsterAi", "") ); } return mobAi != nullptr; } } <file_sep>#ifndef OPENABLE_FACTORY_H #define OPENABLE_FACTORY_H #include <memory> #include <vector> #include <openable.h> namespace amarlon{ class OpenableFactory { public: OpenableFactory(); OpenablePtr produce(OpenableDescriptionPtr dsc); private: std::vector< std::shared_ptr<Openable::Creator> > _creators; }; } #endif // OPENABLE_FACTORY_H <file_sep>#ifndef SPELL_PARSER_H #define SPELL_PARSER_H #include <parsers/parser.h> #include <spell_description.h> #include <effect_parser.h> #include <animation_parser.h> namespace amarlon { class SpellParser : public Parser { public: SpellParser() {} SpellParser(rapidxml::xml_node<>* xmlNode); SpellDescriptionPtr parseSpellDsc(); private: EffectParser _effectParser; AnimationParser _animationParser; }; } #endif // SPELL_PARSER_H <file_sep>#ifndef CONTAINER_H #define CONTAINER_H #include <memory> #include <vector> #include <list> #include <actor_feature.h> namespace amarlon { class Actor; class Container; struct Description; typedef std::shared_ptr<Description> DescriptionPtr; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<Container> ContainerPtr; class Container : public ActorFeature { public: typedef std::list<ActorPtr>::iterator iterator; const static ActorFeature::Type featureType; Container(size_t slotCount); virtual ~Container(); static ContainerPtr create(DescriptionPtr dsc); virtual ActorFeature::Type getType() { return featureType; } virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); bool add(ActorPtr actor); bool addFront(ActorPtr actor); bool remove(ActorPtr actor); std::vector<ActorPtr> content(std::function<bool(ActorPtr)>* filterFun = nullptr); size_t size() const; bool empty() const; void performActionOnActors(std::function<void(ActorPtr)> fun); void sort(std::function<bool(ActorPtr, ActorPtr)> pred); size_t slotCount() const; void setSlotCount(const size_t &slotCount); private: std::list<ActorPtr> _inventory; size_t _slotCount; bool _pushToFront; bool pushNewItem(ActorPtr actor); }; } #endif // CONTAINER_H <file_sep>#include "spell_parser.h" #include <xml_utils.h> namespace amarlon { SpellParser::SpellParser(rapidxml::xml_node<> *xmlNode) : Parser(xmlNode) { } SpellDescriptionPtr SpellParser::parseSpellDsc() { SpellDescriptionPtr spellDsc; if ( _xml != nullptr) { spellDsc.reset( new SpellDescription ); spellDsc->name = getAttribute<std::string>(_xml, "name"); spellDsc->level = getAttribute<int>(_xml, "level"); spellDsc->spellClass = getAttribute<int>(_xml, "class"); spellDsc->targetType = getAttribute<int>(_xml, "targetType"); spellDsc->range = getAttribute<int>(_xml, "range"); spellDsc->id = getAttribute<int>(_xml, "id"); rapidxml::xml_node<>* effectsNode = _xml->first_node("Effects"); while ( effectsNode != nullptr) { int level = getAttribute<int>(effectsNode, "level"); std::vector<EffectDescriptionPtr> effects; rapidxml::xml_node<>* effectNode = effectsNode->first_node("Effect"); while( effectNode != nullptr ) { _effectParser.setSource( effectNode ); effects.push_back( _effectParser.parseEffectDsc() ); effectNode = effectNode->next_sibling(); } spellDsc->effects.insert( std::make_pair(level, effects) ); effectsNode = effectsNode->next_sibling(); } rapidxml::xml_node<>* animationNode = _xml->first_node("Animation"); while( animationNode != nullptr ) { _animationParser.setSource( animationNode ); spellDsc->animation = _animationParser.parseAnimationDsc(); animationNode = animationNode->next_sibling(); } } return spellDsc; } } <file_sep>#include "lock_effect.h" #include <actor.h> #include <gui.h> #include <utils.h> #include <messenger.h> namespace amarlon { LockEffect::LockEffect() : _lockId(0) { } EffectPtr LockEffect::clone() { EffectPtr cloned( new LockEffect ); cloned->load( toParams() ); return cloned; } bool LockEffect::isEqual(EffectPtr rhs) { bool equal = false; LockEffectPtr crhs = std::dynamic_pointer_cast<LockEffect>(rhs); if (crhs != nullptr) { equal = _lockId == crhs->_lockId; } return equal; } void LockEffect::load(const Params &params) { auto it = params.find("lock"); _lockId = it != params.end() ? fromStr<int>( it->second ) : 0; } EffectType LockEffect::getType() const { return EffectType::Lock; } int LockEffect::getLockId() const { return _lockId; } Params LockEffect::toParams() const { return { { {"lock", std::to_string(_lockId)} } }; } bool LockEffect::apply(ActorPtr executor, const Target& target) { bool r = false; ActorPtr targetActor = target.firstActor(); if (targetActor != nullptr) { OpenablePtr toOpen = targetActor->getFeature<Openable>(); if (toOpen != nullptr) { if (toOpen->isLocked() && toOpen->getLockId() == _lockId) { if ( toOpen->unlock() ) { Messenger::message()->actorHasBeenUnLocked(executor, targetActor); } r = true; } else if ( toOpen->getLockId() == _lockId ) { if ( toOpen->lock() ) { Messenger::message()->actorHasBeenLocked(executor, targetActor); } r = true; } } } return r; } } <file_sep>#ifndef RACES #define RACES #include <string> namespace amarlon { enum class Race { NoRace = 0, Human = 1, Dwarf = 2, Elf = 3, Halfling = 4, Orc = 5, Goblin = 6, Undead = 7 }; static inline std::string Race2Str(Race r) { std::string str = ""; switch ( r ) { case Race::Human: str = "Human"; break; case Race::Dwarf: str = "Dwarf"; break; case Race::Elf: str = "Elf"; break; case Race::Halfling: str = "Halfling"; break; case Race::Orc: str = "Orc"; break; case Race::Goblin: str = "Goblin"; break; case Race::Undead: str = "Undead"; break; default:; } return str; } } #endif // RACES <file_sep>#ifndef OPENABLE_CONTAINER_SERIALIZER_H #define OPENABLE_CONTAINER_SERIALIZER_H #include <memory> #include <openable_serializer.h> namespace amarlon { class OpenableContainerSerializer : public OpenableSerializer { public: OpenableContainerSerializer(); OpenableContainerSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~OpenableContainerSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // OPENABLE_CONTAINER_SERIALIZER_H <file_sep>#ifndef ABILITY_SCORES #define ABILITY_SCORES #include <map> namespace amarlon { namespace AbilityScore { enum Type { STR, INT, WIS, DEX, CON, CHA }; const int MIN_VALUE = 3; const int MAX_VALUE = 18; static std::map<int, int> modifiersMap = { /* Value, Modifier */ {3, -3}, {4, -2}, {5, -2}, {6, -1}, {7, -1}, {8, -1}, {9, 0}, {10, 0}, {11, 0}, {12, 0}, {13, 1}, {14, 1}, {15, 1}, {16, 2}, {17, 2}, {18, 3} }; int getModifier( int abilityScoreValue ); inline Type operator++(Type& x) { return x = (Type)(std::underlying_type<Type>::type(x) + 1); } inline Type operator*(Type c) {return c;} inline Type begin(Type) {return Type::STR;} inline Type end(Type) {return Type::CHA;} static std::map< Type, std::string > asString { { STR, "STR" }, { INT, "INT" }, { WIS, "WIS" }, { DEX, "DEX" }, { CON, "CON" }, { CHA, "CHA" } }; static inline std::string toStr(Type as) { return asString[as]; } } } #endif // ABILITY_SCORES <file_sep>#ifndef SPELL_H #define SPELL_H #include <memory> #include <target.h> #include <character_classes.h> #include <target_type.h> #include <spell_description.h> #include <spell_id.h> namespace amarlon { class Actor; class Effect; class Spell; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<Effect> EffectPtr; typedef std::shared_ptr<Spell> SpellPtr; namespace animation { class Animation; typedef std::shared_ptr<Animation> AnimationPtr; } class Spell { public: Spell(); virtual ~Spell(); static SpellPtr create(SpellDescriptionPtr dsc); virtual SpellPtr clone(); virtual bool cast(ActorPtr caster, Target target); virtual SpellId getId() const; virtual std::string getName() const; virtual CharacterClass getClass() const; virtual int getLevel() const; virtual TargetType getTargetType() const; virtual int getRange() const; private: std::string _name; CharacterClass _class; int _level; TargetType _targetType; SpellId _id; int _range; std::set< std::pair<int, std::vector<EffectPtr> > > _effects; animation::AnimationPtr _animation; std::vector<EffectPtr> getEffectsFor(ActorPtr actor); friend class SpellSerializer; }; } #endif // SPELL_H <file_sep>#include "spell_serializer.h" #include <spell.h> #include <xml_utils.h> #include <utils.h> using namespace rapidxml; namespace amarlon { SpellSerializer::SpellSerializer() { } SpellSerializer::SpellSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : Serializer(document, xmlNode) { } SpellSerializer::~SpellSerializer() { } bool SpellSerializer::serialize(SpellPtr spell) { bool serialized = false; if ( spell && _document && _xml ) { xml_node<>* _spellNode = _document->allocate_node(node_element, "Spell"); _xml->append_node( _spellNode ); addAttributeEnum( _spellNode, "id", spell->getId() ); addAttributeEnum( _spellNode, "class", spell->getClass() ); addAttributeEnum( _spellNode, "targetType", spell->getTargetType() ); addAttribute ( _spellNode, "name", spell->getName() ); addAttribute ( _spellNode, "level", spell->getLevel() ); addAttribute ( _spellNode, "range", spell->getRange() ); //Serialize Effects for ( auto& pair : spell->_effects ) { xml_node<>* effectsNode = _document->allocate_node(node_element, "Effects"); _spellNode->append_node( effectsNode ); addAttribute( effectsNode, "level", pair.first ); _effectSerializer.setDestination( _document, effectsNode ); for( auto e : pair.second ) { _effectSerializer.serialize( e ); } } //Serialize Animation _effectSerializer.setDestination( _document, _spellNode ); _animationSerializer.serialize( spell->_animation ); } return serialized; } } <file_sep>#include "ai_serializer.h" using namespace rapidxml; namespace amarlon { AiSerializer::AiSerializer() : AiSerializer(nullptr, nullptr) { } AiSerializer::AiSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode) : ActorFeatureSerializer(document, xmlNode) { } AiSerializer::~AiSerializer() { } } <file_sep>#ifndef PICKABLE_H #define PICKABLE_H #include <vector> #include <actor_descriptions.h> #include <actor_feature.h> #include <item_slot_type.h> #include <pickable_category.h> #include <target_type.h> #include <target.h> #include <damage.h> namespace amarlon { class Actor; class Effect; class Pickable; class Effect; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<Pickable> PickablePtr; typedef std::shared_ptr<Effect> EffectPtr; class Pickable : public ActorFeature { public: const static ActorFeature::Type featureType; Pickable(bool stackable = false, int amount = 1); virtual ~Pickable(); static PickablePtr create(DescriptionPtr dsc); virtual ActorFeature::Type getType() { return featureType; } virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); virtual TargetType getTargetType() const; virtual bool use(ActorPtr executor, const Target& target); virtual int getUsesCount() const; ActorPtr spilt(int amount); int getAmount() const; void setAmount(int getAmount); bool isStackable() const; EffectPtr getEffect() const; void setEffect(EffectPtr getEffect); ItemSlotType getItemSlot() const; void setItemSlot(const ItemSlotType &getItemSlot); bool isEquippable(); PickableCategory getCategory() const; void setCategory(const PickableCategory &getCategory); Damage getDamage() const; int getArmorClass() const; int getWeight() const; int getPrice() const; virtual std::string getDescription(); private: bool _stackable; int _amount; EffectPtr _effect; ItemSlotType _itemSlot; PickableCategory _category; int _armorClass; int _weight; int _price; int _usesCount; TargetType _targetType; Damage _damage; }; typedef std::shared_ptr<Pickable> PickablePtr; } #endif // PICKABLE_H <file_sep>#include "effect_parser.h" #include <xml_utils.h> namespace amarlon { EffectParser::EffectParser(rapidxml::xml_node<> *xmlNode) : Parser(xmlNode) { } EffectDescriptionPtr EffectParser::parseEffectDsc() { EffectDescriptionPtr effectDsc; if ( _xml != nullptr) { effectDsc.reset( new EffectDescription ); effectDsc->type = (EffectType)getAttribute<int>(_xml, "type"); rapidxml::xml_node<>* pNode = _xml->first_node("P"); while( pNode ) { effectDsc->params[ getAttribute<std::string>(pNode, "name") ] = pNode->value(); pNode = pNode->next_sibling(); } } return effectDsc; } } <file_sep>#ifndef OPENABLE_H #define OPENABLE_H #include <actor_feature.h> #include <actor_descriptions.h> namespace amarlon { class Actor; class Openable; typedef std::shared_ptr<Openable> OpenablePtr; typedef std::unique_ptr<Openable> OpenableUPtr; class Openable : public ActorFeature { public: class Creator { public: virtual ~Creator() {} virtual OpenablePtr create(OpenableDescriptionPtr dsc) = 0; protected: void fillCommonOpenablePart(OpenablePtr openable, OpenableDescriptionPtr dsc); }; const static ActorFeature::Type featureType; Openable(); ~Openable() {} static OpenablePtr create(DescriptionPtr dsc); virtual ActorFeature::Type getType(); virtual bool open(ActorPtr executor) = 0; virtual bool close(ActorPtr executor) = 0; virtual bool lock(); virtual bool unlock(); virtual bool isLocked() const; virtual void setLocked(bool locked); int getLockId() const; void setLockId(int getLockId); protected: bool _locked; int _lockId; }; } #endif // OPENABLE_H <file_sep>#include "direction_selector.h" #include "utils/utils.h" namespace amarlon { DirectionSelector::DirectionSelector() { } TCOD_key_t DirectionSelector::select(int &dx, int &dy) { TCOD_key_t lastKey; TCODSystem::waitForEvent(TCOD_EVENT_KEY_PRESS|TCOD_EVENT_MOUSE,&lastKey,NULL, true); handleDirectionKey(lastKey, dx, dy); return lastKey; } } <file_sep>#include "monster_ai.h" #include <cmath> #include <map.h> #include <actor.h> #include <amarlon_except.h> #include <monster_move_action.h> #include <attack_action.h> namespace amarlon { int MonsterAi::TrackingTurns = 5; MonsterAi::MonsterAi() : _map(nullptr) , _trackCount(0) , _cX(0) , _cY(0) { } ActorFeaturePtr MonsterAi::clone() { MonsterAiPtr cloned( new MonsterAi ); cloned->_map = _map; cloned->_trackCount = _trackCount; cloned->_cX = _cX; cloned->_cY = _cY; return cloned; } bool MonsterAi::isEqual(ActorFeaturePtr rhs) { bool equal = false; MonsterAiPtr crhs = std::dynamic_pointer_cast<MonsterAi>(rhs); if (crhs) { equal = true; } return equal; } void MonsterAi::update() { ActorPtr owner = getOwner().lock(); if ( owner ) { MapPtr map = owner->getMap(); if ( map ) { _map = map; if (getOwner().lock()->isAlive() && _map) { updatePosition(); if (_map->isInFov(_cX, _cY)) { _trackCount = TrackingTurns; } else { --_trackCount; } if ( _trackCount > 0) { huntPlayer(); } } } } } void MonsterAi::huntPlayer() { int dx = Actor::Player->getX() - _cX; int dy = Actor::Player->getY() - _cY; int stepDx = (dx > 0 ? 1:-1); int stepDy = (dy > 0 ? 1:-1); ActorPtr monster = getOwner().lock(); float distance = sqrtf(dx*dx + dy*dy); if ( distance >= 2 ) { dx = (int)(round(dx/distance)); dy = (int)(round(dy/distance)); if ( !_map->isBlocked(_cX+dx, _cY+dy) ) { monster->performAction( std::make_shared<MonsterMoveAction>(dx, dy) ); } else if ( !_map->isBlocked(_cX+stepDx, _cY) ) { monster->performAction( std::make_shared<MonsterMoveAction>(stepDx, 0) ); } else if ( !_map->isBlocked(_cX, _cY+stepDy) ) { monster->performAction( std::make_shared<MonsterMoveAction>(0, stepDy) ); } } else if ( getOwner().lock()->hasFeature<Character>() ) { monster->performAction( std::make_shared<AttackAction>(Actor::Player) ); } } void MonsterAi::updatePosition() { _cX = getOwner().lock()->getX(); _cY = getOwner().lock()->getY(); } AiPtr MonsterAi::Creator::create(AiDescriptionPtr dsc) { AiPtr ai = nullptr; MonsterAiDescriptionPtr aiDsc = std::dynamic_pointer_cast<MonsterAiDescription>(dsc); if ( aiDsc != nullptr ) { ai = std::make_shared<MonsterAi>(); } return ai; } } <file_sep>#include "map_serializer.h" #include <string> #include <world/map.h> #include <utils.h> #include <xml_utils.h> #include <actor.h> #include <iostream> #include <libtcod.hpp> #include <base64.h> using namespace rapidxml; using namespace std; namespace amarlon { MapSerializer::MapSerializer() : _mapNode(nullptr) { } MapSerializer::MapSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : Serializer(document, xmlNode) , _mapNode(nullptr) { } MapSerializer::~MapSerializer() { } bool MapSerializer::serialize(MapPtr map) { bool serialized = false; _map = map; if ( _xml && _document && _map ) { _mapNode = _document->allocate_node(node_element, "Map"); _xml->append_node(_mapNode); serializeAttributes(); serializeExitActions(); serializeActors(); serialized = true; } return serialized; } void MapSerializer::serializeAttributes() { addAttribute(_mapNode, "height", _map->getHeight()); addAttribute(_mapNode, "width", _map->getWidth()); addAttributeEnum(_mapNode, "id", _map->getId()); auto tiles = _map->serializeTiles(); std::string encodedTiles = base64_encode(reinterpret_cast<const unsigned char*>(&tiles[0]), tiles.size()); _mapNode->append_node( createNode(_document, "Tiles", encodedTiles) ); } void MapSerializer::serializeExitActions() { xml_node<>* exitActionsNode = createNode(_document, "OnExit", ""); _mapNode->append_node( exitActionsNode ); for ( const auto& pair : _map->getExitActions() ) { xml_node<>* directionNode = createNode(_document, "Direction", ""); exitActionsNode->append_node(directionNode); addAttributeEnum( directionNode, "id", pair.first ); _actionSerializer.setDestination(_document, directionNode); _actionSerializer.serialize(pair.second); } } void MapSerializer::serializeActors() { xml_node<>* actorsNode = createNode(_document, "Actors", ""); _mapNode->append_node( actorsNode ); _actorSerializer.setDestination(_document, actorsNode); for ( ActorPtr actor : _map->getActors() ) { _actorSerializer.serialize(actor); } } } <file_sep>#include "cmd_put_into.h" #include <engine.h> #include <map.h> #include <actor.h> #include <messenger.h> #include <utils.h> #include <direction_selector.h> #include <single_neighbour_selector.h> #include <pick_up_window.h> #include <message_box.h> namespace amarlon { bool CmdPutInto::accept(TCOD_key_t &key) { return key.vk == TCODK_CHAR && key.c == 'p'; } void CmdPutInto::execute() { ActorPtr target = SingleNeighbourSelector("Select a container to put into...") .select() .firstActor(); if ( target != nullptr && target->hasFeature<Container>()) { auto afterPutIntoAction = [&](const std::string& item, int amount) { Messenger::message()->actorPutInto(Actor::Player->getName(), target->getName(), item, amount); }; auto containerFullAction = [&target](const std::string& item) { gui::msgBox("Cannot put "+item+" into "+tolowers(target->getName())+":\nNot enough space!", gui::MsgType::Error); }; Engine::instance().windowManager() .getWindow<gui::PickUpWindow>() .setPicker(target) .setContainer(Actor::Player->getFeature<Container>()) .setAfterPickupAction( afterPutIntoAction ) .setInventoryFullAction( containerFullAction ) .setWindowTitle("Select item to put") .show(); } else if ( target ) { gui::msgBox("You cannot put anything into "+tolowers(target->getName())+".", gui::MsgType::Error); } } } <file_sep>#include "playable_character_serializer.h" #include <utils.h> #include <xml_utils.h> #include <playable_character.h> using namespace rapidxml; namespace amarlon { PlayableCharacterSerializer::PlayableCharacterSerializer() : PlayableCharacterSerializer(nullptr, nullptr) { } PlayableCharacterSerializer::PlayableCharacterSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : CharacterSerializer(document, xmlNode) { } PlayableCharacterSerializer::~PlayableCharacterSerializer() { } bool PlayableCharacterSerializer::serialize(ActorFeaturePtr af) { PlayableCharacterPtr pc = std::dynamic_pointer_cast<PlayableCharacter>(af); if ( pc && _document && _xml ) { xml_node<>* _pcNode = _document->allocate_node(node_element, "PlayableCharacter"); _xml->append_node( _pcNode ); xml_node<>* _asNode = _document->allocate_node(node_element, "AbilityScores"); _pcNode->append_node( _asNode ); for ( AbilityScore::Type as : AbilityScore::Type() ) { addAttribute( _asNode, AbilityScore::toStr(as), pc->getAbilityScore(as) ); } CharacterSerializer::serializeCharacterCommonPart(_pcNode, pc); } return pc != nullptr; } } <file_sep>#include "cast_action.h" #include <actor.h> #include <spell.h> #include <message_box.h> namespace amarlon { CastAction::CastAction(SpellPtr spell, Target target) : _spell(spell) , _target(target) { } CastAction::~CastAction() { } bool CastAction::perform(ActorPtr caster) { _caster = caster; bool success = false; if ( _caster && _spell ) { CharacterPtr character = _caster->getFeature<Character>(); if ( character ) { if ( isClassCorrect() && isLevelCorrect() ) { _spell->cast(_caster, _target); success = true; //Casting action succedded, even if the spell failed } } } return success; } ActorActionUPtr CastAction::clone() { CastActionUPtr cloned = std::make_unique<CastAction>(_spell, _target); cloned->_caster = _caster; return std::move(cloned); } bool CastAction::isClassCorrect() const { CharacterPtr character = _caster->getFeature<Character>(); return _spell->getClass() == CharacterClass::NoClass || _spell->getClass() == character->getClass(); } bool CastAction::isLevelCorrect() const { CharacterPtr character = _caster->getFeature<Character>(); return _spell->getLevel() <= character->getLevel(); } } <file_sep>#include "spell.h" #include <libtcod.h> #include <actor.h> #include <effect.h> #include <animation.h> namespace amarlon { Spell::Spell() : _name("No name") , _class(CharacterClass::NoClass) , _level(0) , _targetType(TargetType::SINGLE_NEIGHBOUR) , _range(0) { } Spell::~Spell() { } SpellPtr Spell::create(SpellDescriptionPtr dsc) { SpellPtr spell; if ( dsc ) { spell.reset( new Spell ); spell->_name = dsc->name; spell->_level = dsc->level; spell->_class = static_cast<CharacterClass>(dsc->spellClass); spell->_targetType = static_cast<TargetType>(dsc->targetType); spell->_id = static_cast<SpellId>(dsc->id); spell->_range = dsc->range; for ( auto& pair : dsc->effects ) { std::vector<EffectPtr> effects; for ( auto effectDsc : pair.second ) { effects.push_back( Effect::create(effectDsc) ); } spell->_effects.insert( std::make_pair(pair.first, effects) ); } spell->_animation = animation::Animation::create( dsc->animation ); } return spell; } SpellPtr Spell::clone() { SpellPtr cloned = std::make_shared<Spell>(); cloned->_name = _name; cloned->_class = _class; cloned->_level = _level; cloned->_targetType = _targetType; cloned->_id = _id; cloned->_animation = _animation->clone(); cloned->_range = _range; for ( auto& pair : _effects ) { std::vector<EffectPtr> clonedEffects; for( auto e : pair.second ) { clonedEffects.push_back( e->clone() ); } cloned->_effects.insert( std::make_pair(pair.first, clonedEffects) ); } return cloned; } bool Spell::cast(ActorPtr caster, Target target) { bool success = true; if ( _animation ) { _animation->setLocation( Target({caster}, caster->getX(), caster->getY() ), target ); _animation->run(*TCODConsole::root); } for ( auto effect : getEffectsFor( caster ) ) { success &= effect->apply(caster, target); //TODO : revoke applied effect if any failed } return success; } SpellId Spell::getId() const { return _id; } std::string Spell::getName() const { return _name; } CharacterClass Spell::getClass() const { return _class; } int Spell::getLevel() const { return _level; } TargetType Spell::getTargetType() const { return _targetType; } int Spell::getRange() const { return _range; } std::vector<EffectPtr> Spell::getEffectsFor(ActorPtr actor) { CharacterPtr character = actor->getFeature<Character>(); if ( character ) { for(auto it = _effects.rbegin(); it != _effects.rend(); ++it ) { if ( it->first <= character->getLevel() ) return it->second; } } return std::vector<EffectPtr>{}; } } <file_sep>#ifndef PLAYABLE_CHARACTER_H #define PLAYABLE_CHARACTER_H #include <character.h> namespace amarlon { struct LevelData; class PlayableCharacter : public Character { public: class Creator : public Character::Creator { public: virtual ~Creator() {} virtual CharacterPtr create(CharacterDescriptionPtr dsc); }; PlayableCharacter(); ~PlayableCharacter(); virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); /* overriden functions */ virtual CarryingCapacity::LoadLevel getLoadLevel(); virtual int getBaseAttackBonus(); virtual int getMeleeAttackBonus(); virtual Damage getDamage(); virtual void modifyExperience(int modifier); virtual int getSpeed(); /* class specific functions */ virtual int getAbilityScore(AbilityScore::Type as); private: std::map<AbilityScore::Type, int> _abilityScores; int getModifier(AbilityScore::Type as); void advanceLevel(LevelData data); int getEquipmentWeight(); int calculateInventoryItemsWeight(); int calculateWearedItemsWeight(); int calculateLoadPenalty(); friend class PlayableCharacter::Creator; }; typedef std::shared_ptr<PlayableCharacter> PlayableCharacterPtr; } #endif // PLAYABLE_CHARACTER_H <file_sep>#include <iostream> #include <stdexcept> #include <engine.h> #include <map.h> #include <gui.h> #include <message_box.h> #include <configuration.h> using namespace std; int main() { try { amarlon::Configuration cfg; if (!cfg.load("config.cfg")) throw std::runtime_error("Missing configuration file [config.cfg]!"); amarlon::Engine::instance().prologue(&cfg); TCODConsole::root->setCustomFont(cfg.getFont(),TCOD_FONT_LAYOUT_TCOD | TCOD_FONT_TYPE_GREYSCALE); TCODConsole::initRoot(amarlon::Engine::screenWidth, amarlon::Engine::screenHeight, "Amarlon", false, TCOD_RENDERER_SDL); TCODConsole::root->setFullscreen( std::stol(cfg.get("fullscreen")) ); TCODMouse::showCursor(true); amarlon::Engine::instance().gui().message(":: Welcome to Amarlon! ::", TCODColor::sky); TCOD_key_t lastKey; while ( !TCODConsole::isWindowClosed() ) { try { amarlon::Engine::instance().update(); amarlon::Engine::instance().render(); TCODConsole::root->flush(); TCODSystem::waitForEvent(TCOD_EVENT_KEY_PRESS,&lastKey,NULL, true); amarlon::Engine::instance().processKey(lastKey); } catch(std::exception& e) { amarlon::gui::msgBox("Fatal error:\n"+std::string(e.what()), amarlon::gui::MsgType::Error); } } amarlon::Engine::instance().epilogue(); } catch(std::exception &e) { std::cout << "\nError: " << e.what() << std::endl; } catch(...) { std::cout << "\nUnknown error has occured."; } return 0; } <file_sep>#ifndef ACTOR_SERIALIZER_H #define ACTOR_SERIALIZER_H #include <memory> #include <vector> #include <serializer.h> #include <actor_feature_serializer.h> namespace amarlon { class Actor; typedef std::shared_ptr<Actor> ActorPtr; class ActorSerializer : public Serializer { public: ActorSerializer(); ActorSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~ActorSerializer(); virtual bool serialize(ActorPtr actor, const char* nodeName = "Actor" ); private: rapidxml::xml_node<>* _actorNode; std::vector<ActorFeatureSerializerPtr> _afSerializers; }; } #endif // ACTOR_SERIALIZER_H <file_sep>#include "single_range_selector.h" #include <cmath> #include "engine.h" #include "world/map.h" #include "gui/gui.h" #include "utils.h" #include "actor/actor.h" namespace amarlon { SingleRangeSelector::SingleRangeSelector(const std::string &selectionMessage) : TargetSelector(selectionMessage) { initValues(); } void SingleRangeSelector::initValues() { _dx = 0; _dy = 0; _x = Actor::Player->getX(); _y = Actor::Player->getY(); } Target SingleRangeSelector::select(std::function<bool (amarlon::ActorPtr)>* filterFun) { initValues(); bool accepted = false; TCOD_key_t key; Target target; MapPtr map = Actor::Player->getMap(); render(); if ( map ) { while ( key.vk != TCODK_ESCAPE && !accepted ) { Engine::instance().gui().setStatusMessage( _selectionMessage ); TCODSystem::waitForEvent(TCOD_KEY_PRESSED, &key, NULL, true); int dx_tmp(0), dy_tmp(0); handleDirectionKey(key, dx_tmp, dy_tmp); int calculatedRange = round( sqrt( pow(_dx+dx_tmp,2) + pow(_dy+dy_tmp,2)) ); if ( calculatedRange <= getRange() && map->isInFov(_x + _dx + dx_tmp, _y + _dy + dy_tmp) ) { _dx += dx_tmp; _dy += dy_tmp; if ( _updateFunction != nullptr) _updateFunction(); } render(); if ( key.vk == TCODK_ENTER || key.vk == TCODK_KPENTER ) { target.x = _x+_dx; target.y = _y+_dy; target.actors = map->getActors(target.x, target.y, filterFun); accepted = true; } } } return target; } void SingleRangeSelector::render() { Engine::instance().render(); highlightCurrentTile(); TCODConsole::root->flush(); } void SingleRangeSelector::highlightCurrentTile() { TCODColor fgcol = TCODConsole::root->getCharForeground(_x+_dx, _y+_dy); TCODColor bgcol = TCODConsole::root->getCharBackground(_x+_dx, _y+_dy); TCODConsole::root->setCharForeground(_x+_dx, _y+_dy, TCODColor::lerp(fgcol, TCODColor::yellow, 0.6)); TCODConsole::root->setCharBackground(_x+_dx, _y+_dy, TCODColor::lerp(bgcol, TCODColor::yellow, 0.1)); } } <file_sep>#include "spell_gateway.h" #include <fstream> #include <vector> #include <spell.h> #include <xml/rapidxml_print.hpp> #include <xml/rapidxml.hpp> #include <spell_serializer.h> namespace amarlon { SpellGateway::SpellGateway() { } SpellGateway::~SpellGateway() { } SpellPtr SpellGateway::fetch(SpellId id) { SpellPtr spell; auto sIter = _spells.find(id); if ( sIter != _spells.end() ) { spell = sIter->second->clone(); } return spell; } bool SpellGateway::load(const std::string &fn) { std::ifstream ifs(fn); if (ifs.is_open()) { std::vector<char> buf; buf.assign(std::istreambuf_iterator<char>(ifs), std::istreambuf_iterator<char>()); buf.push_back('\0'); parseSpells(buf); return true; } return false; } bool SpellGateway::store(const std::string& fn) { std::ofstream ofs(fn); if ( ofs.is_open() ) { ofs << *serializeSpells(); return true; } return false; } void SpellGateway::parseSpells(std::vector<char> &buf) { rapidxml::xml_document<> doc; doc.parse<0>(&buf[0]); rapidxml::xml_node<>* spells = doc.first_node("Spells"); rapidxml::xml_node<>* spellNode = spells ? spells->first_node("Spell") : nullptr; while(spellNode != nullptr) { _spellParser.setSource( spellNode ); SpellPtr spell = Spell::create( _spellParser.parseSpellDsc() ); if ( spell ) _spells[ spell->getId() ] = spell; spellNode = spellNode->next_sibling(); } } std::shared_ptr<rapidxml::xml_document<> > SpellGateway::serializeSpells() { std::shared_ptr<rapidxml::xml_document<> > doc(new rapidxml::xml_document<>); rapidxml::xml_node<>* spellsNode = doc->allocate_node(rapidxml::node_element, "Spells"); doc->append_node(spellsNode); SpellSerializer _spellSerializer(doc.get(), spellsNode); for (auto s : _spells) _spellSerializer.serialize( s.second ); return doc; } } <file_sep>#include "world.h" #include <map.h> namespace amarlon { World::World(MapGatewayPtr mapGateway) : _mapGateway(mapGateway) { } World::~World() { } MapPtr World::getCurrentMap() { return fetch(_currentMap); } MapPtr World::fetch(MapId id) { MapPtr map; auto mIter = _maps.find(id); if ( mIter != _maps.end() ) { map = mIter->second; } else { map = _mapGateway->fetch(id); _maps.insert( std::make_pair(id, map) ); } return map; } void World::changeMap(MapId id) { _currentMap = id; } } <file_sep>#ifndef ANIMATION_PARSER_H #define ANIMATION_PARSER_H #include <parsers/parser.h> #include <animation_description.h> namespace amarlon { class AnimationParser : public Parser { public: AnimationParser() {} AnimationParser(rapidxml::xml_node<>* xmlNode); AnimationDescriptionPtr parseAnimationDsc(); }; } #endif // ANIMATION_PARSER_H <file_sep>#include "damage_effect.h" #include <utils.h> #include <actor.h> #include <character.h> #include <messenger.h> namespace amarlon { DamageEffect::DamageEffect() { } bool DamageEffect::apply(ActorPtr executor, const Target& target) { bool r = false; std::function<bool(ActorPtr)> filter = [](ActorPtr a)->bool{ return a->isAlive(); }; ActorPtr targetActor = target.firstActor(&filter); if ( targetActor ) { CharacterPtr character = targetActor->getFeature<Character>(); if ( character ) { int hpBefore = character->getHitPoints(); character->takeDamage(_damage); Messenger::message()->actorHit(executor, targetActor, hpBefore - character->getHitPoints() ); r = true; } } return r; } void DamageEffect::load(const Params& params) { auto it = params.find("damage"); _damage = it != params.end() ? Damage( it->second ) : Damage(); } EffectPtr DamageEffect::clone() { EffectPtr cloned( new DamageEffect ); cloned->load( toParams() ); return cloned; } bool DamageEffect::isEqual(EffectPtr rhs) { bool equal = false; DamageEffectPtr crhs = std::dynamic_pointer_cast<DamageEffect>(rhs); if (crhs != nullptr) { equal = _damage == crhs->_damage; } return equal; } EffectType DamageEffect::getType() const { return EffectType::Damage; } Params DamageEffect::toParams() const { return { {"damage", _damage} }; } } <file_sep>#include "use_action.h" #include <actor.h> namespace amarlon { UseAction::UseAction(const Target& target, ActorPtr toUse) : _target(target) , _toUse(toUse) { } UseAction::~UseAction() { } bool UseAction::perform(ActorPtr performer) { bool used = false; _performer = performer; PickablePtr pickable = _toUse->getFeature<Pickable>(); if ( pickable != nullptr && pickable->use( _performer, _target ) ) { if ( pickable->getUsesCount() == 0 ) { removeUsedItemFromInventory(); } used = true; } return used; } void UseAction::removeUsedItemFromInventory() { PickablePtr pickable = _toUse->getFeature<Pickable>(); ContainerPtr container = _performer->getFeature<Container>(); if ( pickable && container ) { ActorPtr toRemove = pickable->spilt(1); container->remove( toRemove ); } } ActorActionUPtr UseAction::clone() { UseActionUPtr cloned = std::make_unique<UseAction>(_target, _toUse); cloned->_performer = _performer; return std::move(cloned); } } <file_sep>#include "map.h" #include <algorithm> #include <actor.h> #include <amarlon_except.h> #include <actor_action.h> #include <utils.h> #include <libtcod.hpp> namespace amarlon { using namespace std; Map::Map(u32 width, u32 height, MapId id) : _id(id) , _width(width) , _height(height) , _codMap(width, height) { for (u32 y = 0; y < height; ++y) { TileRow row; for(u32 x = 0; x < width; ++x) { row.push_back(Tile(x, y)); } _tiles.push_back(row); } } Map::~Map() { } bool Map::isExplored(int x, int y) { return getTile(x,y).explored; } bool Map::isInFov(int x, int y) { bool inFov = _codMap.isInFov(x,y); if (inFov) getTile(x,y).explored = true; return inFov; } bool Map::isBlocked(int x, int y) { return !_codMap.isWalkable(x,y); } void Map::addActor(ActorPtr actor) { u32 x( actor->getX() ); u32 y( actor->getY() ); Tile& tile = getTile(x, y); if ( !tile.actors->add(actor) ) throw amarlon_exeption("Failed to add actor to tile!"); actor->setMap( shared_from_this() ); } ActorPtr Map::getFirstActor(int x, int y) { Tile& tile = getTile(x, y); return tile.actors->size() > 0 ? tile.actors->content().front() : nullptr; } std::vector<ActorPtr > Map::getActors(int x, int y, std::function<bool (amarlon::ActorPtr)>* filterFun) { std::vector<ActorPtr> r; Tile& tile = getTile(x, y); for ( auto a : tile.actors->content() ) { if ( filterFun == nullptr || (*filterFun)(a)) { r.push_back(a); } } return r; } std::vector<ActorPtr > Map::getActors(std::function<bool(ActorPtr)>* filterFun) { std::vector<ActorPtr> r; for(auto& tileRow : _tiles) { for(auto& tile : tileRow) { for (auto a : tile.actors->content() ) { if ( filterFun == nullptr || (*filterFun)(a)) { r.push_back(a); } } } } return r; } bool Map::removeActor(ActorPtr toRemove) { Tile& tile = getTile(toRemove->getX(), toRemove->getY()); return tile.actors->remove( toRemove ); } void Map::render(TCODConsole *console) { for(u32 y = 0; y < _height; ++y) { for(u32 x = 0; x < _width; ++x) { renderTile(x, y, console); } } } void Map::renderTile(u32 x, u32 y, TCODConsole *console) { TCODColor color = TCODColor::black; unsigned char character = ' '; if ( isInFov(x,y) ) //Tile is in the field of view { Tile& tile = getTile(x, y); ActorPtr actor = tile.top(); color = actor ? actor->getColor() : tile.getColor(); character = actor ? actor->getChar() : tile.getChar(); updateTile(tile); } else if ( isExplored(x,y) ) //Tile is beyond the 'fog of war' { Tile& tile = getTile(x, y); ActorPtr actor = tile.top([](ActorPtr a){ return !a->isFovOnly(); }); color = actor ? actor->getColor() : tile.getColor() * 0.6; character = actor ? actor->getChar() : tile.getChar(); } console->setChar( x, y, character ); console->setCharForeground( x, y, color ); } void Map::updateTiles() { for ( auto row : _tiles ) { for ( auto tile : row ) { updateTile(tile); } } } void Map::updateTile(Tile& tile) { ActorPtr actor = tile.top(); bool walkable = actor ? tile.isWalkable() && !actor->blocks() : tile.isWalkable(); bool transparent = actor ? actor->isTransparent() : tile.isTransparent(); _codMap.setProperties( tile.x, tile.y, transparent, walkable ); } void Map::updateTile(u32 x, u32 y) { updateTile( getTile(x, y) ); } void Map::computeFov(int x, int y, int radius) { _codMap.computeFov(x,y,radius); } void Map::deserializeTiles(std::vector<unsigned char> tiles) { for (int pos = 0; pos + sizeof(SerializedTile) <= tiles.size(); pos += sizeof(SerializedTile) ) { SerializedTile* serialized = reinterpret_cast<SerializedTile*>(&tiles[pos]); Tile& tile = getTile(serialized->x, serialized->y); tile.deserialize( *serialized ); } updateTiles(); } std::vector<unsigned char> Map::serializeTiles() { std::vector<unsigned char> v; for (auto t = _tiles.begin(); t != _tiles.end(); ++t) { TileRow& trow = *t; for (auto ct = trow.begin(); ct != trow.end(); ++ct) { Tile& tile = *ct; auto serialized = tile.serialize(); v.insert( v.end(), serialized.begin(), serialized.end() ); } } return v; } TCODColor Map::getColor(u32 x, u32 y) { return getTile(x, y).getColor(); } char Map::getChar(u32 x, u32 y) { return getTile(x, y).getChar(); } Tile& Map::getTile(u32 x, u32 y) { validateMapCoords(x, y); TileRow& tRow = _tiles[y]; return tRow[x]; } void Map::validateMapCoords(u32 x, u32 y) { if (x >= _width || y >= _height) throw amarlon_exeption("Requested map coordinates beyond map borders!\n y=" + std::to_string(y) + ", height="+std::to_string(_height) + " x="+std::to_string(x) + " width=" + std::to_string(_width) + " mapId=" + std::to_string((int)_id) ); if (y >= _tiles.size()) throw amarlon_exeption("Tile not initalized!"); if (x >= _tiles[y].size()) throw amarlon_exeption("Tile not initalized!"); } u32 Map::getWidth() const { return _width; } void Map::setWidth(const u32 &width) { _width = width; } u32 Map::getHeight() const { return _height; } void Map::setHeight(const u32 &height) { _height = height; } MapId Map::getId() const { return _id; } void Map::setId(const MapId &id) { _id = id; } void Map::onExit(Direction direction, ActorPtr exiter) { auto dIter = _exitActions.find(direction); if ( dIter != _exitActions.end() ) { exiter->performAction( dIter->second ); } } const std::map<Direction, ActorActionPtr> Map::getExitActions() const { return _exitActions; } MapPtr Map::clone() { MapPtr cloned = std::make_unique<Map>(_width, _height); cloned->_id = _id; cloned->_tiles = _tiles; cloned->updateTiles(); cloned->performActionOnActors( [cloned](ActorPtr a) { a->setMap(cloned); }); for ( auto pair : _exitActions ) { cloned->_exitActions[ pair.first ] = ActorActionPtr{ pair.second->clone() }; } return cloned; } ContainerPtr Map::getActorsContainer(u32 x, u32 y) { return getTile(x,y).actors; } void Map::performActionOnActors(std::function<void(ActorPtr )> func) { for(auto& tileRow : _tiles) { for(auto& tile : tileRow) { tile.actors->performActionOnActors( func ); } } } } <file_sep>if(GMOCK_LIBRARIES AND GMOCK_INCLUDE_DIRS) # it's in cache already set(GMOCK_FOUND TRUE) else(GMOCK_LIBRARIES AND GMOCK_INCLUDE_DIRS) find_path(GMOCK_INCLUDE_DIR NAMES gmock/gmock.h PATHS /usr/include /usr/local/include /opt/local/include "${CMAKE_CURRENT_SOURCE_DIR}/include" "${PROJECT_SOURCE_DIR}/include" ) set(GMOCK_INCLUDE_DIRS ${GMOCK_INCLUDE_DIR} "${GMOCK_INCLUDE_DIR}/gmock") find_library(GMOCK_CXX_LIBRARY NAMES gmock libgmock libgmock_main PATHS /usr/lib /usr/local/lib /opt/local/lib "${CMAKE_CURRENT_SOURCE_DIR}/lib" "${PROJECT_SOURCE_DIR}/lib" ) set(GMOCK_LIBRARIES ${GMOCK_LIBRARIES} ${GMOCK_CXX_LIBRARY}) include(FindPackageHandleStandardArgs) find_package_handle_standard_args(libgmock DEFAULT_MSG GMOCK_LIBRARIES GMOCK_INCLUDE_DIRS) # show the GMOCK_INCLUDE_DIRS and GMOCK_LIBRARIES variables only in the advanced view mark_as_advanced(GMOCK_INCLUDE_DIRS GMOCK_LIBRARIES) endif(GMOCK_LIBRARIES AND GMOCK_INCLUDE_DIRS) <file_sep>#include "character_factory.h" #include <monster.h> #include <playable_character.h> namespace amarlon { CharacterFactory::CharacterFactory() { _creators.push_back( std::make_shared<Monster::Creator>() ); _creators.push_back( std::make_shared<PlayableCharacter::Creator>() ); } CharacterPtr CharacterFactory::produce(CharacterDescriptionPtr dsc) { CharacterPtr c = nullptr; if ( dsc != nullptr ) { for ( auto creator : _creators ) { c = creator->create(dsc); if ( c != nullptr ) break; } } return c; } } <file_sep>#ifndef DAMAGE_EFFECT_H #define DAMAGE_EFFECT_H #include <memory> #include <effect.h> #include <damage_type.h> #include <damage.h> namespace amarlon { class DamageEffect; typedef std::shared_ptr<DamageEffect> DamageEffectPtr; class DamageEffect : public Effect { public: DamageEffect(); virtual EffectPtr clone(); virtual bool isEqual(EffectPtr rhs); virtual bool apply(ActorPtr executor, const Target& target); virtual EffectType getType() const; virtual void load(const Params& params); virtual Params toParams() const; private: Damage _damage; }; } #endif // DAMAGE_EFFECT_H <file_sep>#ifndef TILE_H #define TILE_H #include <memory> #include <vector> #include <tile_type.h> #include <libtcod.hpp> namespace amarlon { class Container; class Map; class Actor; typedef std::shared_ptr<Container> ContainerPtr; typedef std::shared_ptr<Actor> ActorPtr; struct SerializedTile { bool explored; int type; uint32_t x; uint32_t y; }; struct Tile { constexpr static int defaultMonsterRenderPriority = 10; constexpr static int defaultItemRenderPriority = 20; bool explored; TileType type; // instead of vector mainly because of 'add' function - managing actor stacking // TODO: refactor to use rather a vector and Tile::add function ContainerPtr actors; uint32_t x; uint32_t y; Tile(uint32_t x = 0, uint32_t y = 0); Tile(const Tile& tile); Tile& operator=(const Tile& rhs); std::vector<unsigned char> serialize(); void deserialize(const SerializedTile& t); /** * @return Returns Actor with the highest tile render piority */ ActorPtr top(std::function<bool(ActorPtr)> filterFun = [](ActorPtr){return true;} ); /** * @return The tile color, basing on the Tile DB */ TCODColor getColor(); /** * @return The character representing this tile, basing on the Tile DB */ char getChar(); bool isWalkable() const; bool isTransparent() const; }; } #endif // TILE_H <file_sep>#include "container.h" #include <algorithm> #include <iostream> #include <actor.h> #include <amarlon_except.h> #include <actor_descriptions.h> namespace amarlon { const ActorFeature::Type Container::featureType = ActorFeature::CONTAINER; Container::Container(size_t maxSize) : _slotCount(maxSize) , _pushToFront(false) { } Container::~Container() { //std::for_each(_inventory.begin(), _inventory.end(), [](ActorPtr a){ delete a; }); } ContainerPtr Container::create(DescriptionPtr dsc) { /* REMEBER TO UPDATE CLONE, WHEN ADDING NEW ELEMENTS */ ContainerPtr cont; ContainerDescriptionPtr contDsc = std::dynamic_pointer_cast<ContainerDescription>(dsc); if ( contDsc != nullptr ) { cont.reset( new Container(contDsc->maxSize) ); std::for_each(contDsc->content.begin(), contDsc->content.end(), [&](ContainerDescription::Content ca) { ActorType aId = ca.actorType; if( aId != ActorType::Null ) { ActorPtr nActor = Actor::create(aId); if (ca.container) nActor->insertFeature ( Container::create( ca.container ) ); if (ca.openable) nActor->insertFeature ( Openable::create ( ca.openable ) ); if (ca.pickable) nActor->insertFeature ( Pickable::create ( ca.pickable ) ); if (ca.character) nActor->insertFeature ( Character::create( ca.character ) ); if (ca.ai) nActor->insertFeature ( Ai::create ( ca.ai ) ); if (ca.wearer) nActor->insertFeature ( Wearer::create ( ca.wearer ) ); cont->add( nActor ); } }); }else throw creation_error("Wrong container description!"); return cont; } ActorFeaturePtr Container::clone() { ContainerPtr cloned( new Container( _slotCount ) ); std::for_each(_inventory.begin(), _inventory.end(), [&](ActorPtr a) { cloned->add( a->clone() ); }); return cloned; } bool Container::isEqual(ActorFeaturePtr rhs) { bool equal = false; ContainerPtr crhs = std::dynamic_pointer_cast<Container>(rhs); if (crhs != nullptr) { equal = (_slotCount == crhs->_slotCount); equal &= std::equal(_inventory.begin(), _inventory.end(), crhs->_inventory.begin(), [](ActorPtr l, ActorPtr r){ return *l == *r; }); } return equal; } bool Container::add(ActorPtr actor) { bool added = false; //handle stackable if ( actor->hasFeature<Pickable>() && actor->getFeature<Pickable>()->isStackable() ) { auto invIter = find_if(_inventory.begin(), _inventory.end(), [&](ActorPtr iItem) { return *iItem == *actor; }); if (invIter != _inventory.end()) //merge { ActorPtr actorToStackWith = *invIter; int invAmount = actorToStackWith->getFeature<Pickable>()->getAmount(); int amountToStack = actor->getFeature<Pickable>()->getAmount(); actorToStackWith->getFeature<Pickable>()->setAmount( invAmount + amountToStack ); added = true; } else { added = pushNewItem(actor); } } //handle non-stackable else { added = pushNewItem(actor); } return added; } bool Container::addFront(ActorPtr actor) { _pushToFront = true; bool r = add(actor); _pushToFront = false; return r; } bool Container::pushNewItem(ActorPtr actor) { bool slotsAvail = (_inventory.size() < _slotCount); if (slotsAvail) { _pushToFront ? _inventory.push_front(actor) : _inventory.push_back(actor); } return slotsAvail; } bool Container::remove(ActorPtr actor) { auto aIter = std::find(_inventory.begin(), _inventory.end(),actor); bool found = (aIter != _inventory.end()); if (found) { _inventory.erase(aIter); } return found; } std::vector<ActorPtr> Container::content(std::function<bool(ActorPtr)>* filterFun) { std::vector<ActorPtr> items; for (auto i : _inventory) { if ( (filterFun == nullptr) || (filterFun && (*filterFun)(i))) { items.push_back(i); } } return items; } size_t Container::size() const { return _inventory.size(); } bool Container::empty() const { return _inventory.empty(); } void Container::performActionOnActors(std::function<void(ActorPtr)> fun) { std::for_each(_inventory.begin(), _inventory.end(), fun); } void Container::sort(std::function<bool(ActorPtr, ActorPtr)> pred) { _inventory.sort(pred); } size_t Container::slotCount() const { return _slotCount; } void Container::setSlotCount(const size_t &maxSize) { _slotCount = maxSize; } } <file_sep>#ifndef SPELL_SERIALIZER_H #define SPELL_SERIALIZER_H #include <memory> #include <serializer.h> #include <effect_serializer.h> #include <animation_serializer.h> namespace amarlon { class Spell; typedef std::shared_ptr<Spell> SpellPtr; class SpellSerializer : public Serializer { public: SpellSerializer(); SpellSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~SpellSerializer(); virtual bool serialize(SpellPtr spell); private: EffectSerializer _effectSerializer; AnimationSerializer _animationSerializer; }; } #endif // SPELL_SERIALIZER_H <file_sep>#ifndef ANIMATION_SERIALIZER_H #define ANIMATION_SERIALIZER_H #include <memory> #include <serializer.h> namespace amarlon { namespace animation { class Animation; typedef std::shared_ptr<Animation> AnimationPtr; } class AnimationSerializer : public Serializer { public: AnimationSerializer(); AnimationSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~AnimationSerializer(); virtual bool serialize(animation::AnimationPtr anim); }; } #endif // ANIMATION_SERIALIZER_H <file_sep>#include "actor_feature.h" #include <ai.h> #include <openable.h> #include <wearer.h> #include <character.h> #include <pickable.h> #include <destroyable.h> #include <actor.h> namespace amarlon { ActorFeature::ActorFeature() { } ActorFeaturePtr ActorFeature::create(Type featureType, DescriptionPtr dsc) { ActorFeaturePtr feature = nullptr; if ( dsc) { switch( featureType ) { case AI: feature = Ai::create(dsc); break; case OPENABLE: feature = Openable::create(dsc); break; case WEARER: feature = Wearer::create(dsc); break; case CONTAINER: feature = Container::create(dsc); break; case CHARACTER: feature = Character::create(dsc); break; case PICKABLE: feature = Pickable::create(dsc); break; case DESTROYABLE: feature = Destroyable::create(dsc); break; default:; } } return feature; } ActorFeature::~ActorFeature() { } void ActorFeature::setOwner(ActorWPtr owner) { _owner = owner; } ActorWPtr ActorFeature::getOwner() { return _owner; } std::string ActorFeature::getDescription() { return ""; } } <file_sep>set(HEADER_FILES actor/actor_features/ai/ai.h actor/actor_features/ai/ai_factory.h actor/actor_features/ai/monster_ai.h actor/actor_features/openable/openable.h actor/actor_features/openable/openable_container.h actor/actor_features/openable/openable_door.h actor/actor_features/openable/openable_factory.h actor/actor_features/wearer/item_slot_type.h actor/actor_features/wearer/wearer.h actor/actor_features/actor_feature.h actor/actor_features/container/container.h actor/actor_features/character/character.h actor/actor_features/character/monster.h actor/actor_features/character/playable_character.h actor/actor_features/character/character_factory.h actor/actor_features/pickable/pickable.h actor/actor_features/pickable/pickable_category.h actor/actor_features/destroyable/destroyable.h actor/actor_features/destroyable/drop_rule.h effects/effect.h effects/effect_type.h effects/lock_effect.h effects/heal_effect.h effects/damage_effect.h actor/actor.h actor/actor_type.h commands/cmd_help.h commands/cmd_close.h commands/cmd_fullscreen.h commands/cmd_inventory.h commands/cmd_move.h commands/cmd_open.h commands/cmd_pick.h commands/cmd_use.h commands/command.h commands/cmd_put_into.h commands/cmd_look.h commands/cmd_cast.h data_gateways/descriptions/tile_description.h data_gateways/parsers/parser.h data_gateways/parsers/tile_parser.h data_gateways/parsers/spell_parser.h data_gateways/parsers/effect_parser.h data_gateways/parsers/actor_parser.h data_gateways/parsers/map_parser.h data_gateways/parsers/animation_parser.h data_gateways/serializers/serializer.h data_gateways/serializers/animation_serializer.h data_gateways/serializers/map_serializer.h data_gateways/serializers/action_serializer.h data_gateways/serializers/actor_serializer.h data_gateways/serializers/effect_serializer.h data_gateways/serializers/spell_serializer.h data_gateways/serializers/actor_feature_serializers/actor_feature_serializer.h data_gateways/serializers/actor_feature_serializers/pickable_serializer.h data_gateways/serializers/actor_feature_serializers/destroyable_serializer.h data_gateways/serializers/actor_feature_serializers/container_serializer.h data_gateways/serializers/actor_feature_serializers/wearer_serializer.h data_gateways/serializers/actor_feature_serializers/openable_serializer.h data_gateways/serializers/actor_feature_serializers/openable_door_serializer.h data_gateways/serializers/actor_feature_serializers/openable_container_serializer.h data_gateways/serializers/actor_feature_serializers/character_serializer.h data_gateways/serializers/actor_feature_serializers/monster_serializer.h data_gateways/serializers/actor_feature_serializers/playable_character_serializer.h data_gateways/serializers/actor_feature_serializers/ai_serializer.h data_gateways/serializers/actor_feature_serializers/monster_ai_serializer.h data_gateways/actor_db.h data_gateways/descriptions/animation_description.h data_gateways/descriptions/actor_descriptions.h data_gateways/descriptions/effect_description.h data_gateways/descriptions/spell_description.h data_gateways/descriptions/description.h data_gateways/map_gateway.h data_gateways/tile_db.h data_gateways/spell_gateway.h gui/window/inventory_window/inventory_panel.h gui/window/inventory_window/bag_manager.h gui/window/inventory_window/body_manager.h gui/window/inventory_window/inventory_window.h gui/window/inventory_window/character_info_panel.h gui/window/amount_window.h gui/window/window_manager.h gui/gui.h gui/message_box.h gui/window/pick_up_window.h gui/window/text_window/text_window.h gui/window/text_window/fixed_size_text_window.h gui/window/text_window/resizeable_text_window.h gui/window/awindow.h gui/window/menu_window.h utils/target_selector/executor_selector.h utils/target_selector/single_neighbour_selector.h utils/target_selector/single_range_selector.h utils/target_selector/target_selector.h utils/colored_string.h utils/direction_selector.h utils/messenger.h utils/target_type.h utils/utils.h utils/configuration.h utils/xml_utils.h utils/amarlon_except.h utils/dices.h utils/text_formater.h utils/base64.h utils/target.h utils/damage.h world/map.h world/map_id.h world/tile_type.h world/tile.h command_executor.h engine.h actor/actor_actions/actor_action.h actor/actor_actions/move_action.h actor/actor_actions/monster_move_action.h actor/actor_actions/attack_action.h actor/actor_actions/pickup_action.h actor/actor_actions/drop_action.h actor/actor_actions/close_action.h actor/actor_actions/open_action.h actor/actor_actions/equip_action.h actor/actor_actions/unequip_action.h actor/actor_actions/teleport_action.h actor/actor_actions/use_action.h actor/actor_actions/die_action.h actor/actor_actions/cast_action.h world/directions.h world/world.h rpg_system/ability_scores.h rpg_system/character_classes.h rpg_system/attack_bonus_table.h rpg_system/saving_throws_table.h rpg_system/experience_table.h rpg_system/races.h rpg_system/carrying_capacity.h spells/spell.h spells/spell_id.h animations/animation.h animations/animation_type.h animations/blink.h animations/throw.h ) set(SOURCE_FILES actor/actor_features/ai/ai.cpp actor/actor_features/ai/ai_factory.cpp actor/actor_features/ai/monster_ai.cpp actor/actor_features/openable/openable.cpp actor/actor_features/openable/openable_container.cpp actor/actor_features/openable/openable_door.cpp actor/actor_features/openable/openable_factory.cpp actor/actor_features/wearer/wearer.cpp actor/actor_features/actor_feature.cpp actor/actor_features/container/container.cpp actor/actor_features/character/character.cpp actor/actor_features/character/monster.cpp actor/actor_features/character/playable_character.cpp actor/actor_features/character/character_factory.cpp actor/actor_features/pickable/pickable.cpp actor/actor_features/destroyable/destroyable.cpp effects/effect.cpp effects/lock_effect.cpp effects/heal_effect.cpp effects/damage_effect.cpp actor/actor.cpp commands/cmd_help.cpp commands/cmd_close.cpp commands/cmd_fullscreen.cpp commands/cmd_inventory.cpp commands/cmd_move.cpp commands/cmd_open.cpp commands/cmd_pick.cpp commands/cmd_use.cpp commands/command.cpp commands/cmd_put_into.cpp commands/cmd_look.cpp commands/cmd_cast.cpp data_gateways/parsers/animation_parser.cpp data_gateways/parsers/actor_parser.cpp data_gateways/parsers/tile_parser.cpp data_gateways/parsers/map_parser.cpp data_gateways/parsers/effect_parser.cpp data_gateways/parsers/spell_parser.cpp data_gateways/serializers/animation_serializer.cpp data_gateways/serializers/map_serializer.cpp data_gateways/serializers/action_serializer.cpp data_gateways/serializers/actor_serializer.cpp data_gateways/serializers/effect_serializer.cpp data_gateways/serializers/spell_serializer.cpp data_gateways/serializers/actor_feature_serializers/pickable_serializer.cpp data_gateways/serializers/actor_feature_serializers/destroyable_serializer.cpp data_gateways/serializers/actor_feature_serializers/container_serializer.cpp data_gateways/serializers/actor_feature_serializers/wearer_serializer.cpp data_gateways/serializers/actor_feature_serializers/openable_serializer.cpp data_gateways/serializers/actor_feature_serializers/openable_door_serializer.cpp data_gateways/serializers/actor_feature_serializers/openable_container_serializer.cpp data_gateways/serializers/actor_feature_serializers/character_serializer.cpp data_gateways/serializers/actor_feature_serializers/monster_serializer.cpp data_gateways/serializers/actor_feature_serializers/playable_character_serializer.cpp data_gateways/serializers/actor_feature_serializers/ai_serializer.cpp data_gateways/serializers/actor_feature_serializers/monster_ai_serializer.cpp data_gateways/actor_db.cpp data_gateways/map_gateway.cpp data_gateways/tile_db.cpp data_gateways/spell_gateway.cpp gui/window/inventory_window/bag_manager.cpp gui/window/inventory_window/body_manager.cpp gui/window/inventory_window/inventory_window.cpp gui/window/inventory_window/character_info_panel.cpp gui/window/amount_window.cpp gui/window/window_manager.cpp gui/window/menu_window.cpp gui/gui.cpp gui/window/pick_up_window.cpp gui/window/text_window/text_window.cpp gui/window/text_window/resizeable_text_window.cpp gui/window/text_window/fixed_size_text_window.cpp utils/target_selector/executor_selector.cpp utils/target_selector/single_neighbour_selector.cpp utils/target_selector/target_selector.cpp utils/target_selector/single_range_selector.cpp utils/direction_selector.cpp utils/messenger.cpp utils/utils.cpp utils/configuration.cpp utils/dices.cpp utils/text_formater.cpp utils/base64.cpp utils/damage.cpp world/map.cpp world/tile.cpp command_executor.cpp engine.cpp main.cpp actor/actor_actions/move_action.cpp actor/actor_actions/monster_move_action.cpp actor/actor_actions/attack_action.cpp actor/actor_actions/pickup_action.cpp actor/actor_actions/drop_action.cpp actor/actor_actions/close_action.cpp actor/actor_actions/open_action.cpp actor/actor_actions/equip_action.cpp actor/actor_actions/unequip_action.cpp actor/actor_actions/teleport_action.cpp actor/actor_actions/use_action.cpp actor/actor_actions/die_action.cpp actor/actor_actions/cast_action.cpp world/world.cpp rpg_system/ability_scores.cpp rpg_system/attack_bonus_table.cpp rpg_system/saving_throws_table.cpp rpg_system/experience_table.cpp rpg_system/carrying_capacity.cpp spells/spell.cpp animations/animation.cpp animations/blink.cpp animations/throw.cpp ) add_library(amarlon_core STATIC ${SOURCE_FILES} ${HEADER_FILES}) target_link_libraries(amarlon_core ${TCOD_LIBRARIES}) add_executable(amarlon main.cpp) target_link_libraries(amarlon amarlon_core amarlon_widgets ${TCOD_LIBRARIES}) add_custom_command(TARGET amarlon POST_BUILD COMMAND ${CMAKE_COMMAND} -E copy_directory ${PROJECT_SOURCE_DIR}/resources $<TARGET_FILE_DIR:amarlon>) <file_sep>#include "pickup_action.h" #include <actor.h> namespace amarlon{ PickUpAction::PickUpAction(ActorPtr toPick, int amount, ContainerPtr sourceContainer) : _toPick(toPick) , _amount(amount) , _sourceContainer(sourceContainer) { } PickUpAction::~PickUpAction() { } bool PickUpAction::perform(ActorPtr performer) { bool picked = false; _performer = performer; PickablePtr pickable = _toPick->getFeature<Pickable>(); if ( pickable ) { if ( pickable->isStackable() && _amount < pickable->getAmount() ) { picked = pickUpAmount(); } else { picked = pickUpAll(); } } return picked; } ActorActionUPtr PickUpAction::clone() { PickUpActionUPtr cloned = std::make_unique<PickUpAction>(_toPick, _amount, _sourceContainer); cloned->_performer = _performer; return std::move(cloned); } bool PickUpAction::pickUpAmount() { bool picked = false; PickablePtr pickable = _toPick->getFeature<Pickable>(); ActorPtr splitedItem = pickable->spilt(_amount); if ( _performer->getFeature<Container>()->add(splitedItem) ) { picked = true; } else //can't pickup - rollback { pickable->setAmount( pickable->getAmount() + _amount ); } return picked; } bool PickUpAction::pickUpAll() { bool picked = false; if ( _performer->getFeature<Container>()->add(_toPick) ) { if ( _sourceContainer ) _sourceContainer->remove(_toPick); picked = true; } return picked; } } <file_sep>#include "animation_parser.h" #include <xml_utils.h> #include <utils/utils.h> namespace amarlon { AnimationParser::AnimationParser(rapidxml::xml_node<> *xmlNode) : Parser(xmlNode) { } AnimationDescriptionPtr AnimationParser::parseAnimationDsc() { AnimationDescriptionPtr animDsc; if ( _xml != nullptr) { animDsc.reset( new AnimationDescription ); animDsc->type = (animation::Type)getAttribute<int>(_xml, "type"); rapidxml::xml_node<>* pNode = _xml->first_node("P"); while( pNode ) { animDsc->params[ getAttribute<std::string>(pNode, "name") ] = pNode->value(); pNode = pNode->next_sibling(); } } return animDsc; } } <file_sep>#ifndef MONSTERAI_H #define MONSTERAI_H #include <memory> #include <ai.h> namespace amarlon { class MonsterAi; class Map; typedef std::shared_ptr<MonsterAi> MonsterAiPtr; typedef std::shared_ptr<Map> MapPtr; class MonsterAi : public Ai { public: class Creator : public Ai::Creator { public: virtual ~Creator() {} virtual AiPtr create(AiDescriptionPtr dsc); }; static int TrackingTurns; MonsterAi(); virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); virtual void update(); void updatePosition(); private: MapPtr _map; int _trackCount; int _cX, _cY; void retrievePlayerPtr(); void huntPlayer(); }; } #endif // MONSTERAI_H <file_sep>#include "drop_action.h" #include <actor.h> #include <map.h> #include <messenger.h> namespace amarlon { DropAction::DropAction(ActorPtr toDrop, int amount) : _toDrop(toDrop) , _amount(amount) { } DropAction::~DropAction() { } bool DropAction::perform(ActorPtr performer) { bool dropped = false; if ( _toDrop ) { _performer = performer; PickablePtr pickable = _toDrop->getFeature<Pickable>(); if ( pickable->isStackable() && _amount < pickable->getAmount() ) { dropOnMap( pickable->spilt(_amount) ); dropped = true; } else { dropOnMap(_toDrop); _performer->getFeature<Container>()->remove(_toDrop); dropped = true; } } return dropped; } ActorActionUPtr DropAction::clone() { DropActionUPtr cloned = std::make_unique<DropAction>(_toDrop, _amount); cloned->_performer = _performer; return std::move(cloned); } void DropAction::dropOnMap(ActorPtr item) { MapPtr map = _performer->getMap(); if ( map ) { item->setPosition( _performer->getX(), _performer->getY() ); map->addActor( item ); Messenger::message()->actorDropped(_performer, item, _amount); } } } <file_sep>#ifndef MESSENGER_H #define MESSENGER_H #include <string> #include <memory> namespace amarlon { namespace gui { class Gui; } class Actor; typedef std::shared_ptr<Actor> ActorPtr; class Messenger { public: static Messenger* message(); void setGui(gui::Gui* gui); void actorHit(ActorPtr atacker, ActorPtr victim, int amount); void actorMissed(ActorPtr atacker, ActorPtr victim); void actorDies(ActorPtr victim); void actorPicked(ActorPtr picker, ActorPtr picked, int amount); void actorPicked(const std::string& pickerName, const std::string& itemName, int amount, const std::string& from = ""); void actorDropped(ActorPtr dropper, ActorPtr dropped, int amount); void actorHealed(ActorPtr healed, int amount); void actorHasBeenLocked(ActorPtr locker, ActorPtr locked); void actorHasBeenUnLocked(ActorPtr unlocker, ActorPtr unlocked); void actorPutInto(const std::string& putterName, const std::string& container, const std::string& itemName, int amount); void actorGainedExp(ActorPtr gainer, int exp); void actorLeveledUp(ActorPtr leveler, int level); void lookAtObject(ActorPtr object); void lookAtSomeItems(bool plural = false); private: Messenger(); Messenger& operator=(const Messenger&); static Messenger* _msg; gui::Gui* _gui; }; } #endif // MESSENGER_H <file_sep>#include "single_neighbour_selector.h" #include "utils/direction_selector.h" #include "world/map.h" #include "actor/actor.h" #include "engine.h" #include "gui/gui.h" namespace amarlon { SingleNeighbourSelector::SingleNeighbourSelector(const std::string& selectionMessage) : TargetSelector(selectionMessage) { } Target SingleNeighbourSelector::select(std::function<bool (amarlon::ActorPtr)>* filterFun) { Engine::instance().gui().setStatusMessage( _selectionMessage ); TCODConsole::root->flush(); MapPtr map = Actor::Player->getMap(); ActorPtr player = Actor::Player; int dx(0), dy(0); DirectionSelector dSelector; dSelector.select(dx, dy); Engine::instance().gui().clearStatusMessage(); Engine::instance().render(); assert( map != nullptr ); return Target(map->getActors(player->getX()+dx, player->getY()+dy, filterFun), player->getX()+dx, player->getY()+dy); } } <file_sep>#include "ai_factory.h" #include <monster_ai.h> namespace amarlon { AiFactory::AiFactory() { _creators.push_back( std::make_shared<MonsterAi::Creator>() ); } AiPtr AiFactory::produce(AiDescriptionPtr dsc) { AiPtr ai = nullptr; if ( dsc != nullptr ) { for ( auto creator : _creators ) { ai = creator->create(dsc); if ( ai != nullptr ) break; } } return ai; } } <file_sep>#ifndef AI_H #define AI_H #include <memory> #include <actor_feature.h> #include <actor_descriptions.h> namespace amarlon { class Ai; typedef std::shared_ptr<Ai> AiPtr; class Ai : public ActorFeature { public: class Creator { public: virtual ~Creator() {} virtual AiPtr create(AiDescriptionPtr dsc) = 0; }; const static ActorFeature::Type featureType; Ai(); virtual ~Ai() {} virtual ActorFeature::Type getType() { return featureType; } virtual void update() = 0; static AiPtr create(DescriptionPtr dsc); }; } #endif // AI_H <file_sep>#ifndef PICKABLE_SERIALIZER_H #define PICKABLE_SERIALIZER_H #include <actor_feature_serializer.h> #include <effect_serializer.h> namespace amarlon { class PickableSerializer : public ActorFeatureSerializer { public: PickableSerializer(); PickableSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~PickableSerializer(); virtual bool serialize(ActorFeaturePtr af); private: EffectSerializer _effectSerializer; }; } #endif // PICKABLE_SERIALIZER_H <file_sep>#ifndef DIRECTIONSELECTOR_H #define DIRECTIONSELECTOR_H #include <libtcod.hpp> namespace amarlon { class DirectionSelector { public: DirectionSelector(); TCOD_key_t select(int& dx, int& dy); }; } #endif // DIRECTIONSELECTOR_H <file_sep>#include "openable_container.h" #include "actor/actor.h" #include "engine.h" #include "utils/messenger.h" #include "utils/utils.h" #include "gui/window/pick_up_window.h" #include "gui/message_box.h" namespace amarlon { OpenableContainer::OpenableContainer() { } bool OpenableContainer::open(ActorPtr executor) { bool r = false; if ( getOwner().lock()->hasFeature<Container>() ) { auto afterPickupAction = [&](const std::string& item, int amount) { Messenger::message()->actorPicked(executor->getName(), item, amount, getOwner().lock()->getName()); }; auto inventoryFullAction = [&](const std::string& item) { gui::msgBox("Cannot pickup "+item+" from "+tolowers(getOwner().lock()->getName())+":\nInventory is full!", gui::MsgType::Error); }; Engine::instance().windowManager() .getWindow<gui::PickUpWindow>() .setPicker(executor) .setContainer(getOwner().lock()->getFeature<Container>()) .setFilterFunction( [](ActorPtr a){ return a && a->getFeature<Pickable>() != nullptr; } ) .setAfterPickupAction( afterPickupAction ) .setInventoryFullAction( inventoryFullAction ) .show(); r = true; } return r; } bool OpenableContainer::close(ActorPtr) { return true; } ActorFeaturePtr OpenableContainer::clone() { OpenableContainerPtr cloned( new OpenableContainer ); cloned->setLockId( getLockId() ); isLocked() ? cloned->lock() : cloned->unlock(); return cloned; } bool OpenableContainer::isEqual(ActorFeaturePtr rhs) { bool equal = false; OpenableContainerPtr crhs = std::dynamic_pointer_cast<OpenableContainer>(rhs); if (crhs) { equal = (_lockId == crhs->_lockId); } return equal; } OpenablePtr OpenableContainer::Creator::create(OpenableDescriptionPtr dsc) { OpenablePtr op = nullptr; OpenableContainerDescriptionPtr contDsc = std::dynamic_pointer_cast<OpenableContainerDescription>(dsc); if ( contDsc != nullptr ) { op = std::make_shared<OpenableContainer>(); Openable::Creator::fillCommonOpenablePart(op, dsc); } return op; } } <file_sep>#include "container_serializer.h" #include <container.h> #include <actor_serializer.h> #include <utils.h> #include <xml_utils.h> using namespace rapidxml; namespace amarlon { ContainerSerializer::ContainerSerializer() : ContainerSerializer(nullptr, nullptr) { } ContainerSerializer::ContainerSerializer(xml_document<> *document, xml_node<> *xmlNode) : ActorFeatureSerializer(document, xmlNode) { } ContainerSerializer::~ContainerSerializer() { } bool ContainerSerializer::serialize(ActorFeaturePtr af) { ContainerPtr container = std::dynamic_pointer_cast<Container>(af); if ( container && _document && _xml ) { xml_node<>* _containerNode = _document->allocate_node(node_element, "Container"); _xml->append_node( _containerNode ); addAttribute( _containerNode, "maxSize", container->slotCount() ); ActorSerializer actorSerializer(_document, _containerNode); for ( ActorPtr content : container->content() ) { actorSerializer.serialize(content, "Content"); } } return container != nullptr; } } <file_sep>#include "actor_db.h" #include <fstream> #include <vector> #include <algorithm> #include <utils.h> #include <actor.h> #include <effect.h> #include <map.h> namespace amarlon { using namespace std; using namespace rapidxml; ActorDB::ActorDB() { } string ActorDB::getName(ActorType type) { return getParam<std::string>(type, &ActorDescription::name, "No name"); } unsigned char ActorDB::getChar(ActorType type) { return getParam<unsigned char>(type, &ActorDescription::character, 'X'); } TCODColor ActorDB::getColor(ActorType type) { return getParam<TCODColor>(type, &ActorDescription::color, TCODColor::white); } bool ActorDB::blocks(ActorType type) { return getParam<bool>(type, &ActorDescription::blocks, false); } bool ActorDB::isFovOnly(ActorType type) { return getParam<bool>(type, &ActorDescription::fovOnly, false); } bool ActorDB::isTransparent(ActorType type) { return getParam<bool>(type, &ActorDescription::transparent, false); } int ActorDB::getTileRenderPriority(ActorType type) { int piority = getParam<int>(type, &ActorDescription::tilePriority, -1); //not set in xml, set default prority for particural actor type if ( piority == -1 ) { switch( type ) { case ActorType::DoorOpen: case ActorType::DoorClosed: { piority = Tile::defaultItemRenderPriority + 1; } break; default:; } } return piority; } string ActorDB::getDescription(ActorType type) { return getParam<std::string>(type, &ActorDescription::description, ""); } // === GET ALL FEATURES === // class FeatureGetter { public: FeatureGetter(ActorDB* actorDB) : _actorDB(actorDB) {} FeatureMap get(ActorType type) { _features.clear(); _aType = type; for (auto fType : ActorFeature::Type() ) { //TODO: find out more elegant and generic way switch(fType) { case ActorFeature::AI: addFeature<Ai>(); break; case ActorFeature::CONTAINER: addFeature<Container>(); break; case ActorFeature::CHARACTER: addFeature<Character>(); break; case ActorFeature::OPENABLE: addFeature<Openable>(); break; case ActorFeature::PICKABLE: addFeature<Pickable>(); break; case ActorFeature::WEARER: addFeature<Wearer>(); break; case ActorFeature::DESTROYABLE: addFeature<Destroyable>(); break; default:; } } return _features; } private: template<typename T> void addFeature() { std::shared_ptr<T> t = _actorDB->getFeature<T>(_aType); if ( t ) _features[T::featureType] = ActorFeaturePtr(t); } ActorDB* _actorDB; FeatureMap _features; ActorType _aType; }; FeatureMap ActorDB::getAllFeatures(ActorType type) { return FeatureGetter(this).get(type); } // === LOAD ACTORS === // void ActorDB::loadActors(const string &fn) { ifstream ifs(fn); if (ifs.is_open()) { vector<char> buffer; buffer.assign(istreambuf_iterator<char>(ifs), istreambuf_iterator<char>()); buffer.push_back('\0'); parseActors(buffer); } } void ActorDB::parseActors(vector<char>& dataToParse) { xml_document<> doc; doc.parse<0>(&dataToParse[0]); xml_node<>* root = doc.first_node("Actors"); if (root != nullptr) { xml_node<>* actorNode = root->first_node("Actor"); while( actorNode != nullptr ) { parseActor(actorNode); actorNode = actorNode->next_sibling(); } } doc.clear(); } void ActorDB::parseActor(xml_node<>* actorNode) { _actorParser.setSource( actorNode ); ActorDescriptionPtr actorDsc = _actorParser.parseActorDsc(); if ( actorDsc != nullptr ) { _actorDscs[actorDsc->id] = DescriptionPtr(actorDsc); parseActorFeatures(actorDsc->id); } } void ActorDB::parseActorFeatures(ActorType actorId) { FeatureDescriptionMap actorDescriptions; for (auto fType : ActorFeature::Type() ) { DescriptionPtr featureDsc( _actorParser.parseFeatureDsc(fType) ); if ( featureDsc ) actorDescriptions[ fType ] = featureDsc; } _featureDscs[actorId] = actorDescriptions; } } <file_sep>#ifndef ACTORDB_H #define ACTORDB_H #include <map> #include <string> #include <vector> #include <memory> #include <libtcod.hpp> #include "xml/rapidxml.hpp" #include "actor_descriptions.h" #include "actor_feature.h" #include "parsers/actor_parser.h" namespace amarlon { class Actor; class ActorDB { public: ActorDB(); std::string getName(ActorType type); unsigned char getChar(ActorType type); TCODColor getColor(ActorType type); bool blocks(ActorType type); bool isFovOnly(ActorType type); bool isTransparent(ActorType type); int getTileRenderPriority(ActorType type); std::string getDescription(ActorType type); template<typename T> std::shared_ptr<T> getFeature(ActorType type); FeatureMap getAllFeatures(ActorType type); /** * @brief loads given file, parses xml and creates actor descriptions * @param path to file to be loaded */ void loadActors(const std::string& fn); private: typedef std::shared_ptr<Description> DescriptionPtr; typedef std::map<ActorFeature::Type, DescriptionPtr> FeatureDescriptionMap; std::map<ActorType, FeatureDescriptionMap> _featureDscs; std::map<ActorType, DescriptionPtr> _actorDscs; ActorParser _actorParser; void parseActors(std::vector<char>& dataToParse); void parseActor(rapidxml::xml_node<>* actorNode); void parseActorFeatures(ActorType actorId); template<typename T> T getParam(ActorType type, T ActorDescription::*field, T defValue); template<typename T> DescriptionPtr findDescription(ActorType actorType); }; // === IMPLEMENTATION === // template<typename T> std::shared_ptr<T> ActorDB::getFeature(ActorType actorType) { DescriptionPtr featureDescription = findDescription<T>(actorType); return featureDescription ? T::create(featureDescription) : std::shared_ptr<T>(); } template<typename T> T ActorDB::getParam(ActorType type, T ActorDescription::*field, T defValue) { auto it = _actorDscs.find(type); ActorDescriptionPtr dsc = it != _actorDscs.end() ? std::dynamic_pointer_cast<ActorDescription>( it->second ) : nullptr; return dsc ? (*dsc).*field : defValue; } template<typename T> DescriptionPtr ActorDB::findDescription(ActorType actorType) { DescriptionPtr dsc; auto descriptionsIt = _featureDscs.find(actorType); if ( descriptionsIt != _featureDscs.end() ) { FeatureDescriptionMap& actorDescriptions = descriptionsIt->second; auto dscIt = actorDescriptions.find(T::featureType); if (dscIt != actorDescriptions.end()) { dsc = dscIt->second; } } return dsc; } } #endif // ACTORDB_H <file_sep>#include "effect_serializer.h" #include <xml_utils.h> #include <effect.h> #include <lock_effect.h> #include <heal_effect.h> #include <utils.h> using namespace rapidxml; namespace amarlon { EffectSerializer::EffectSerializer() { } EffectSerializer::EffectSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : Serializer(document, xmlNode) { } EffectSerializer::~EffectSerializer() { } bool EffectSerializer::serialize(EffectPtr effect) { bool serialized = false; if ( effect && _document && _xml ) { xml_node<>* _effectNode = _document->allocate_node(node_element, "Effect"); _xml->append_node( _effectNode ); addAttributeEnum( _effectNode, "type", effect->getType() ); Params params = effect->toParams(); for ( auto& pair : params ) { xml_node<>* pNode = createNode( _document, "P", pair.second ); _effectNode->append_node( pNode ); addAttribute( pNode, "name", pair.first ); } } return serialized; } } <file_sep>#include "openable.h" #include "openable_door.h" #include "openable_container.h" #include "amarlon_except.h" #include <openable_factory.h> namespace amarlon { const ActorFeature::Type Openable::featureType = ActorFeature::OPENABLE; Openable::Openable() : _locked(false) , _lockId(0) { } OpenablePtr Openable::create(DescriptionPtr dsc) { static OpenableFactory factory; return factory.produce( std::dynamic_pointer_cast<OpenableDescription>(dsc) ); } ActorFeature::Type Openable::getType() { return featureType; } bool Openable::lock() { _locked = true; return _locked; } bool Openable::unlock() { _locked = false; return !_locked; } bool Openable::isLocked() const { return _locked; } void Openable::setLocked(bool locked) { _locked = locked; } int Openable::getLockId() const { return _lockId; } void Openable::setLockId(int lockId) { _lockId = lockId; } void Openable::Creator::fillCommonOpenablePart(OpenablePtr openable, OpenableDescriptionPtr dsc) { if ( openable != nullptr && dsc != nullptr ) { openable->setLockId(dsc->lockId); openable->setLocked(dsc->locked); } } } <file_sep>#include "openable_factory.h" #include <openable_container.h> #include <openable_door.h> namespace amarlon { OpenableFactory::OpenableFactory() { _creators.push_back( std::make_shared<OpenableDoor::Creator>() ); _creators.push_back( std::make_shared<OpenableContainer::Creator>() ); } OpenablePtr OpenableFactory::produce(OpenableDescriptionPtr dsc) { OpenablePtr op = nullptr; if ( dsc != nullptr ) { for ( auto creator : _creators ) { op = creator->create(dsc); if ( op != nullptr ) break; } } return op; } } <file_sep>#ifndef MONSTER_H #define MONSTER_H #include <character.h> namespace amarlon { class Monster : public Character { public: class Creator : public Character::Creator { public: virtual ~Creator() {} virtual CharacterPtr create(CharacterDescriptionPtr dsc); }; Monster(int level, int hitPointsBonus = 0); ~Monster(); virtual ActorFeaturePtr clone(); virtual bool isEqual(ActorFeaturePtr rhs); /* overriden functions */ virtual CarryingCapacity::LoadLevel getLoadLevel(); virtual int getBaseAttackBonus(); virtual int getMeleeAttackBonus(); virtual Damage getDamage(); virtual std::string getDescription(); /* class specific functions */ virtual int getMorale(); private: int _morale; int _hpMod; Damage _damage; friend class Monster::Creator; friend class MonsterSerializer; }; typedef std::shared_ptr<Monster> MonsterPtr; } #endif // MONSTER_H <file_sep>#include "character.h" #include <actor.h> #include <die_action.h> #include <utils.h> #include <character_factory.h> #include <spell.h> #include <spell_gateway.h> #include <engine.h> namespace amarlon { const ActorFeature::Type Character::featureType = ActorFeature::CHARACTER; Character::Character() : _level(0) , _hitPoints(0) , _maxHitPoints(0) , _defaultArmorClass(11) //no-armor AC , _experience(0) , _class(CharacterClass::Monster) , _race(Race::NoRace) , _speed(0) , _movePoints(0) { } CharacterPtr Character::create(DescriptionPtr dsc) { static CharacterFactory factory; return factory.produce( std::dynamic_pointer_cast<CharacterDescription>(dsc) ); } bool Character::isEqual(ActorFeaturePtr rhs) { bool equal = false; CharacterPtr crhs = std::dynamic_pointer_cast<Character>(rhs); if (crhs != nullptr) { equal = _defaultArmorClass == crhs->_defaultArmorClass; equal &= _level == crhs->_level; //equal &= _maxHitPoints == crhs->_maxHitPoints; this is random equal &= _experience == crhs->_experience; equal &= _class == crhs->_class; equal &= _race == crhs->_race; equal &= _spells == crhs->_spells; } return equal; } bool Character::isAlive() const { return (_hitPoints > 0); } int Character::getHitPoints() const { return _hitPoints; } int Character::getMaxHitPoints() const { return _maxHitPoints; } void Character::setHitPoints(int newHp) { _hitPoints = newHp; if ( _hitPoints <= 0 ) { ActorPtr owner = getOwner().lock(); if ( owner ) { owner->performAction( std::make_shared<DieAction>() ); } } } void Character::modifyHitPoints(int modifier) { int toSet = getHitPoints() + modifier; if ( toSet > getMaxHitPoints() ) { toSet = getMaxHitPoints(); } else if ( toSet < 0 ) { toSet = 0; } setHitPoints( toSet ); } int Character::takeDamage(Damage dmg) { //TODO: handle damage resists int roll = dmg.roll(); modifyHitPoints(-1 * roll); return roll; } int Character::getExperience() const { return _experience; } void Character::modifyExperience(int modifier) { _experience += modifier; } int Character::getLevel() const { return _level; } CharacterClass Character::getClass() const { return _class; } Race Character::getRace() const { return _race; } int Character::getSavingThrow(SavingThrows::Type type) { return SavingThrows::get( type, getClass(), getLevel() ); } int Character::getSpeed() { return _speed; } int Character::getMovePoints() { return _movePoints; } void Character::setMovePoints(int points) { _movePoints = points; } int Character::getArmorClass() { PickablePtr armor = getEquippedItem(ItemSlotType::Armor); return armor ? armor->getArmorClass() : _defaultArmorClass; } std::vector<SpellPtr> Character::getSpells() const { return std::vector<SpellPtr>{_spells.begin(), _spells.end()}; } std::string Character::getDescription() { std::string str = colorToStr(TCODColor::darkerTurquoise, true) + "Class: " + (getRace() == Race::NoRace ? "" : Race2Str(getRace()) + " ") + CharacterClass2Str( getClass() ) +"\n \n" + colorToStr(TCODColor::darkTurquoise, true) + "AB: +" + toStr( getBaseAttackBonus() ) + "\n" + colorToStr(TCODColor::darkTurquoise, true) + "AC: " + toStr( getArmorClass() ) + "\n"; return str; } void Character::setLevel(int level) { _level = level; } void Character::setMaxHitPoints(int maxHp) { _maxHitPoints = maxHp; } PickablePtr Character::getEquippedItem(ItemSlotType slot) { PickablePtr item; ActorPtr owner = getOwner().lock(); if ( owner ) { WearerPtr wearer = owner->getFeature<Wearer>(); if ( wearer && wearer->isEquipped(slot) ) { item = wearer->equipped(slot)->getFeature<Pickable>(); } } return item; } void Character::Creator::fillCommonCharacterPart(CharacterPtr character, CharacterDescriptionPtr dsc) { if ( character != nullptr && dsc != nullptr ) { character->_experience = dsc->experience; character->_class = dsc->cClass; character->_race = dsc->race; character->_defaultArmorClass = dsc->defaultArmorClass; character->_speed = dsc->speed; for(auto id : dsc->spells ) { character->_spells.insert( Engine::instance().getSpellGateway().fetch(id) ); } } } } <file_sep>#include "command_executor.h" #include "commands/command.h" namespace amarlon { CommandExecutor::CommandExecutor() { for (int e = (int)CommandId::Null+1; e < (int)CommandId::End; ++e) { _commands.push_back( Command::create( static_cast<CommandId>(e) ) ); } } bool CommandExecutor::execute(TCOD_key_t &key) { bool r = false; for (auto c : _commands) { if (c->accept(key)) { c->execute(); r = true; break; } } return r; } } <file_sep>#ifndef TILE_DESCRIPTION_H #define TILE_DESCRIPTION_H #include <libtcod.hpp> #include <description.h> #include <tile_type.h> namespace amarlon { struct TileDescription : Description { TileType type; char character; TCODColor color; bool walkable; bool transparent; }; } #endif // TILE_DESCRIPTION_H <file_sep>#include "actor.h" #include <map.h> #include <iostream> #include <actor_action.h> #include <utils.h> namespace amarlon { ActorDB Actor::DB; ActorPtr Actor::Player(nullptr); unsigned Actor::InstanceCounter = 0; ActorPtr Actor::create(ActorType aId, int x, int y, MapPtr map) { ActorPtr actor( new Actor(aId, x, y, map) ); actor->init(); return actor; } Actor::Actor(ActorType aId, int x, int y, MapPtr map) : _id(aId) , _x(x) , _y(y) , _map(map) , _instanceId( ++Actor::InstanceCounter ) { } void Actor::init() { _features = Actor::DB.getAllFeatures(_id); for (auto f : _features) { f.second->setOwner( shared_from_this() ); } } Actor::~Actor() { } void Actor::morph(ActorType newType) { _id = newType; _features.clear(); _features = Actor::DB.getAllFeatures(_id); for (auto f : _features) f.second->setOwner( shared_from_this() ); } ActorPtr Actor::clone() { ActorPtr cloned( new Actor( getId(), getX(), getY() ) ); for ( auto af : _features ) { cloned->insertFeature( af.second->clone() ); } return cloned; } bool Actor::operator==(const Actor &rhs) { bool equal = true; equal &= ( getId() == rhs.getId() ); equal &= ( getFeatureCount() == rhs.getFeatureCount() ); for ( auto af : _features) { ActorFeaturePtr feature = af.second; equal &= ( feature->isEqual( rhs.getFeature( feature->getType() ) ) ); } return equal; } void Actor::changeType(ActorType newType) { _id = newType; } bool Actor::isAlive() const { const CharacterPtr f = getFeature<Character>(); return f && f->isAlive(); } bool Actor::isFovOnly() const { return Actor::DB.isFovOnly(_id); } bool Actor::isTransparent() const { return Actor::DB.isTransparent(_id); } bool Actor::blocks() const { return Actor::DB.blocks(_id);; } int Actor::getTileRenderPriority() const { int priority = Actor::DB.getTileRenderPriority(_id); //not set in xml, neither default value defined in ActorDB if ( priority == -1 ) { priority = isAlive() ? Tile::defaultMonsterRenderPriority : Tile::defaultItemRenderPriority; } return priority; } ActorType Actor::getId() const { return _id; } std::string Actor::getName() const { return Actor::DB.getName(_id);; } std::string Actor::getDescription() { std::string str = colorToStr(TCODColor::darkRed, true) + getName() + "\n \n"; str += Actor::DB.getDescription(_id) + "\n \n"; for ( auto& fPair : _features ) { str += fPair.second->getDescription(); } return str; } int Actor::getX() const { return _x; } int Actor::getY() const { return _y; } void Actor::setPosition(int x, int y) { MapPtr map = _map.lock(); if ( map ) map->removeActor( shared_from_this() ); _x = x; _y = y; if ( map ) map->addActor( shared_from_this() ); } MapPtr Actor::getMap() const { return _map.lock(); } void Actor::setMap(MapPtr map) { _map = map; } TCODColor Actor::getColor() const { return Actor::DB.getColor(_id);; } unsigned char Actor::getChar() const { return Actor::DB.getChar(_id);; } ActorFeaturePtr Actor::getFeature(ActorFeature::Type afType) const { auto it = _features.find( afType ); ActorFeaturePtr feature = it != _features.end() ? it->second : nullptr; return feature; } ActorFeaturePtr Actor::insertFeature(ActorFeaturePtr feature) { ActorFeaturePtr overwriten; if ( feature != nullptr ) { feature->setOwner( shared_from_this() ); auto it = _features.find( feature->getType() ); if ( it != _features.end() ) { overwriten = it->second; it->second = feature; } else { _features[ feature->getType() ] = ActorFeaturePtr(feature); } } return overwriten; } size_t Actor::getFeatureCount() const { return _features.size(); } const FeatureMap Actor::getFeatures() const { return _features; } unsigned Actor::getInstanceId() const { return _instanceId; } bool Actor::performAction(ActorActionPtr action) { return action ? action->perform( shared_from_this() ) : false; } } <file_sep>#ifndef CMDMOVE_H #define CMDMOVE_H #include "command.h" namespace amarlon { class CmdMoveOrAttack : public Command { public: CmdMoveOrAttack(); virtual bool accept(TCOD_key_t &key); virtual void execute(); virtual void setDirection(int dx, int dy); private: int _dx; int _dy; ActorPtr getActorToAttack(); }; } #endif // CMDMOVE_H <file_sep>#include "openable_door.h" #include "actor/actor.h" #include "gui/gui.h" #include "gui/message_box.h" namespace amarlon { OpenableDoor::OpenableDoor() { } bool OpenableDoor::open(ActorPtr) { bool r = false; if (getOwner().lock()->getId() == ActorType::DoorClosed) { if ( !isLocked() ) { getOwner().lock()->changeType(ActorType::DoorOpen); r = true; } else { gui::msgBox("The "+getOwner().lock()->getName()+" is locked.", gui::MsgType::Warning); } } return r; } bool OpenableDoor::close(ActorPtr) { bool r = false; if (getOwner().lock()->getId() == ActorType::DoorOpen) { getOwner().lock()->changeType(ActorType::DoorClosed); getOwner().lock()->getFeature<Openable>()->unlock(); r = true; } return r; } ActorFeaturePtr OpenableDoor::clone() { OpenableDoorPtr cloned( new OpenableDoor ); cloned->setLockId( getLockId() ); cloned->_locked = isLocked(); return cloned; } bool OpenableDoor::isEqual(ActorFeaturePtr rhs) { bool equal = false; OpenableDoorPtr crhs = std::dynamic_pointer_cast<OpenableDoor>(rhs); if (crhs != nullptr) { equal = (_lockId == crhs->_lockId); } return equal; } bool OpenableDoor::lock() { bool r = false; ActorPtr owner = getOwner().lock(); if (owner && owner->getId() == ActorType::DoorClosed) { r = Openable::lock(); } return r; } OpenablePtr OpenableDoor::Creator::create(OpenableDescriptionPtr dsc) { OpenablePtr op = nullptr; OpenableDoorDescriptionPtr doorDsc = std::dynamic_pointer_cast<OpenableDoorDescription>(dsc); if ( doorDsc != nullptr ) { op = std::make_shared<OpenableDoor>(); Openable::Creator::fillCommonOpenablePart(op, dsc); } return op; } } <file_sep>#include "close_action.h" #include <actor.h> #include <map.h> namespace amarlon { CloseAction::CloseAction(ActorPtr toClose) : _toClose(toClose) { } CloseAction::~CloseAction() { } bool CloseAction::perform(ActorPtr performer) { bool closed = false; if ( _toClose ) { OpenablePtr openable = _toClose->getFeature<Openable>(); if ( openable ) { if ( openable->close(performer) ) { MapPtr map = _toClose->getMap(); if ( map ) { map->updateTile( _toClose->getX(), _toClose->getY() ); } closed = true; } } } return closed; } ActorActionUPtr CloseAction::clone() { CloseActionUPtr cloned = std::make_unique<CloseAction>(_toClose); return std::move(cloned); } } <file_sep>#include <gtest/gtest.h> #include <actor.h> #include <move_action.h> #include <map.h> #include <configuration.h> #include <engine.h> namespace amarlon { class MoveActionTest : public ::testing::Test { public: MoveActionTest() { } virtual void SetUp() { cfg.load("config.cfg"); Engine::instance().prologue(&cfg); } virtual void TearDown() { } protected: Configuration cfg; }; TEST_F(MoveActionTest, actorWithoutMap) { ActorPtr orc = Actor::create(ActorType::Orc); EXPECT_FALSE(orc->performAction( std::make_shared<MoveAction>(1, 1))); } } <file_sep>#ifndef EQUIP_ACTION_H #define EQUIP_ACTION_H #include <memory> #include <actor_action.h> #include <item_slot_type.h> namespace amarlon { enum class EquipResult { Ok, AlreadyEquiped, NoProperSlot, Nok }; class EquipAction : public ActorAction { public: EquipAction(ActorPtr toEquip); virtual ~EquipAction(); virtual bool perform(ActorPtr performer); virtual ActorActionUPtr clone(); EquipResult getResult() const; private: ActorPtr _toEquip; ActorPtr _performer; EquipResult _result; ItemSlotType aquireItemSlotType(); void removeFromInventory(); }; typedef std::shared_ptr<EquipAction> EquipActionPtr; typedef std::unique_ptr<EquipAction> EquipActionUPtr; } #endif // EQUIP_ACTION_H <file_sep>#ifndef ANIMATION_TYPE #define ANIMATION_TYPE namespace amarlon { namespace animation { enum class Type { Null = 0, Blink = 1, Throw = 2 }; }} #endif // ANIMATION_TYPE <file_sep>#ifndef CHARACTER_SERIALIZER_H #define CHARACTER_SERIALIZER_H #include <memory> #include <actor_feature_serializer.h> namespace amarlon { class Character; typedef std::shared_ptr<Character> CharacterPtr; class CharacterSerializer : public ActorFeatureSerializer { public: CharacterSerializer(); CharacterSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~CharacterSerializer(); /** Character is an abstract class - here is just common serialization in protected section * which should be called in each serializer for given Character type */ virtual bool serialize(ActorFeaturePtr af) = 0; protected: void serializeCharacterCommonPart(rapidxml::xml_node<>* characterNode, CharacterPtr character); }; } #endif // CHARACTER_SERIALIZER_H <file_sep>#include "cmd_cast.h" #include <message_box.h> #include <actor.h> #include <spell.h> #include <cast_action.h> #include <target_selector.h> #include <menu_window.h> #include <engine.h> namespace amarlon { CmdCast::CmdCast() { } bool CmdCast::accept(TCOD_key_t &key) { return ( key.vk == TCODK_CHAR && key.c == 'C' ); } void CmdCast::execute() { SpellPtr spell = getSpell(); Engine::instance().render(); if ( spell ) { TargetSelectorPtr selector( TargetSelector::create( spell->getTargetType() ) ); if ( selector ) { selector->setRange( spell->getRange() ); ActorActionPtr action( new CastAction(spell, selector->select()) ); if ( !Actor::Player->performAction( action ) ) { gui::msgBox("Failed to cast spell!", gui::MsgType::Warning); } } } } SpellPtr CmdCast::getSpell() { SpellPtr spell; CharacterPtr character = Actor::Player->getFeature<Character>(); gui::MenuWindow& window = Engine::instance().windowManager().getWindow<gui::MenuWindow>(); window . setPosition(gui::AWidget::GAME_SCREEN_CENTER); window . setTitle("Choose spell to cast"); if ( character && !character->getSpells().empty() ) { window.fill<Spell>( character->getSpells(), [](SpellPtr s){ return s->getName(); } ); window.show(); if ( auto selected = window.getSelectedItem() ) { spell = selected->getObject<Spell>(); } } else gui::msgBox("You don't know any spells!", gui::MsgType::Warning); return spell; } } <file_sep>#include "openable_serializer.h" #include <openable.h> #include <utils.h> #include <xml_utils.h> using namespace rapidxml; namespace amarlon { OpenableSerializer::OpenableSerializer() : OpenableSerializer(nullptr, nullptr) { } OpenableSerializer::OpenableSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode) : ActorFeatureSerializer(document, xmlNode) { } OpenableSerializer::~OpenableSerializer() { } void OpenableSerializer::serializeOpenableCommonPart(xml_node<>* openableNode, OpenablePtr openable) { if ( openableNode && openable && _document ) { addAttribute( openableNode, "lockId", openable->getLockId() ); addAttribute( openableNode, "locked", static_cast<int>(openable->isLocked()) ); } } } <file_sep>#ifndef PLAYABLE_CHARACTER_SERIALIZER_H #define PLAYABLE_CHARACTER_SERIALIZER_H #include <memory> #include <character_serializer.h> namespace amarlon { class PlayableCharacterSerializer : public CharacterSerializer { public: PlayableCharacterSerializer(); PlayableCharacterSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~PlayableCharacterSerializer(); virtual bool serialize(ActorFeaturePtr af); }; } #endif // PLAYABLE_CHARACTER_SERIALIZER_H <file_sep>#ifndef PICKABLE_CATEGORY_H #define PICKABLE_CATEGORY_H namespace amarlon { enum class PickableCategory { Miscellaneous = 0, Weapon = 1, Armor = 2, Jewelery = 3, Potions = 4, Scrolls = 5, Amunition = 6, Wealth = 7 }; static inline const char* PickableCategory2Str(PickableCategory cat) { return (const char *[]){ "Miscellaneous", "Weapon", "Armor", "Jewelery", "Potions", "Scrolls", "Amunition", "Wealth" }[(int)cat]; } } #endif // PICKABLE_CATEGORY_H <file_sep>#include "monster.h" #include <actor.h> #include <die_action.h> #include <attack_bonus_table.h> #include <iostream> #include <utils.h> namespace amarlon { Monster::Monster(int level, int hitPointsBonus) : _morale(0) , _hpMod(hitPointsBonus) { setLevel(level); setMaxHitPoints( std::max( dices::roll(dices::D8, getLevel() ) + _hpMod, 1 ) ); setHitPoints( getMaxHitPoints() ); } Monster::~Monster() { } ActorFeaturePtr Monster::clone() { return ActorFeaturePtr( new Monster(*this) ); } bool Monster::isEqual(ActorFeaturePtr rhs) { bool equal = false; MonsterPtr crhs = std::dynamic_pointer_cast<Monster>(rhs); if (crhs != nullptr) { equal = Character::isEqual( rhs ); equal &= _damage == crhs->_damage; equal &= _morale == crhs->_morale; } return equal; } CarryingCapacity::LoadLevel Monster::getLoadLevel() { return CarryingCapacity::LoadLevel::Light; } int Monster::getBaseAttackBonus() { return getMeleeAttackBonus(); } int Monster::getMeleeAttackBonus() { return AttackBonus::get(CharacterClass::Monster, getLevel() ); } Damage Monster::getDamage() { PickablePtr weapon = getEquippedItem(ItemSlotType::MainHand); if ( weapon ) { return weapon->getDamage(); } return _damage; } std::string Monster::getDescription() { std::string str = Character::getDescription(); str += colorToStr(TCODColor::darkTurquoise, true) + "Hit points dice: " + toStr( getLevel() ) + "d8" + ( _hpMod >= 0 ? "+" : "") + toStr(_hpMod); return str; } int Monster::getMorale() { return _morale; } CharacterPtr Monster::Creator::create(CharacterDescriptionPtr dsc) { MonsterPtr mob = nullptr; MonsterDescriptionPtr mobDsc = std::dynamic_pointer_cast<MonsterDescription>(dsc); if ( mobDsc != nullptr ) { mob = std::make_shared<Monster>(mobDsc->level, mobDsc->hitPointsBonus); mob->_damage = mobDsc->damage; mob->_morale = mobDsc->morale; Character::Creator::fillCommonCharacterPart(mob, dsc); } return mob; } } <file_sep>#include "cmd_pick.h" #include <engine.h> #include <map.h> #include <actor.h> #include <pick_up_window.h> #include <message_box.h> #include <messenger.h> namespace amarlon { CmdPick::CmdPick() { } bool CmdPick::accept(TCOD_key_t &key) { return ( key.vk == TCODK_CHAR && key.c == ',' ); } void CmdPick::execute() { int x( Actor::Player->getX() ); int y( Actor::Player->getY() ); MapPtr map = Actor::Player->getMap(); if ( map ) { ContainerPtr container = map->getActorsContainer(x, y); auto afterPickupAction = [](const std::string& item, int amount) { Messenger::message()->actorPicked(Actor::Player->getName(), item, amount); }; auto inventoryFullAction = [](const std::string& item) { gui::msgBox("Cannot pickup "+item+":\nInventory is full!", gui::MsgType::Error); }; Engine::instance().windowManager() .getWindow<gui::PickUpWindow>() .setPicker(Actor::Player) .setContainer(container) .setFilterFunction( [](ActorPtr a){ return a->getFeature<Pickable>() != nullptr; } ) .setAfterPickupAction( afterPickupAction ) .setInventoryFullAction( inventoryFullAction ) .show(); } } } <file_sep>#ifndef SELECTORTYPE_H #define SELECTORTYPE_H namespace amarlon { enum class TargetType { SINGLE_NEIGHBOUR = 0, //single target in neighbouring tile SINGLE_RANGE = 1, //single target in any tile AREA_RANGE = 2, //multiple targets in circle with its center at any tile AREA_NEIGHBOUR = 3, //multiple targets in circle with its center at neighbouring tile SELF = 4 //the actor who uses the effect }; } #endif // SELECTORTYPE_H <file_sep>#include "target_selector.h" #include "executor_selector.h" #include "single_neighbour_selector.h" #include "single_range_selector.h" namespace amarlon { TargetSelector::TargetSelector(const std::string &selectionMessage) : _selectionMessage(selectionMessage) , _range(0) { } TargetSelector* TargetSelector::create(TargetType type) { TargetSelector* ts = nullptr; switch(type) { case TargetType::SELF: ts = new ExecutorSelector; break; case TargetType::SINGLE_NEIGHBOUR: ts = new SingleNeighbourSelector; break; case TargetType::SINGLE_RANGE: ts = new SingleRangeSelector; break; default:; } return ts; } TargetSelector& TargetSelector::setUpdateFunction(std::function<void ()> fun) { _updateFunction = fun; return *this; } TargetSelector &TargetSelector::setSelectionMessage(const std::string &msg) { _selectionMessage = msg; return *this; } void TargetSelector::setRange(int range) { _range = range; } int TargetSelector::getRange() const { return _range; } } <file_sep>#include "actor_serializer.h" #include <utils.h> #include <xml_utils.h> #include <actor.h> #include <pickable_serializer.h> #include <destroyable_serializer.h> #include <container_serializer.h> #include <wearer_serializer.h> #include <openable_door_serializer.h> #include <openable_container_serializer.h> #include <monster_serializer.h> #include <playable_character_serializer.h> #include <monster_ai_serializer.h> using namespace rapidxml; namespace amarlon { ActorSerializer::ActorSerializer() : ActorSerializer(nullptr, nullptr) { } ActorSerializer::ActorSerializer(xml_document<>* document, xml_node<>* xmlNode) : Serializer(document, xmlNode) , _actorNode(nullptr) { _afSerializers.push_back( std::make_shared<PickableSerializer>() ); _afSerializers.push_back( std::make_shared<DestroyableSerializer>() ); _afSerializers.push_back( std::make_shared<ContainerSerializer>() ); _afSerializers.push_back( std::make_shared<WearerSerializer>() ); _afSerializers.push_back( std::make_shared<OpenableDoorSerializer>() ); _afSerializers.push_back( std::make_shared<OpenableContainerSerializer>() ); _afSerializers.push_back( std::make_shared<MonsterSerializer>() ); _afSerializers.push_back( std::make_shared<PlayableCharacterSerializer>() ); _afSerializers.push_back( std::make_shared<MonsterAiSerializer>() ); } ActorSerializer::~ActorSerializer() { } bool ActorSerializer::serialize(ActorPtr actor, const char* nodeName) { bool serialized = false; if ( _document && _xml ) { _actorNode = _document->allocate_node(node_element, nodeName); _xml->append_node( _actorNode ); addAttributeEnum( _actorNode, "id", actor->getId() ); addAttribute( _actorNode, "x", actor->getX() ); addAttribute( _actorNode, "y", actor->getY() ); for ( const auto& afPair : actor->getFeatures() ) { for ( auto serializer : _afSerializers ) { serializer->setDestination(_document, _actorNode); if ( serializer->serialize(afPair.second) ) break; } } } return serialized; } } <file_sep>#include "cmd_move.h" #include <utils.h> #include <map.h> #include <move_action.h> #include <attack_action.h> namespace amarlon { CmdMoveOrAttack::CmdMoveOrAttack() : _dx(0) , _dy(0) { } bool CmdMoveOrAttack::accept(TCOD_key_t &key) { _dx = 0; _dy = 0; return handleDirectionKey(key, _dx, _dy); } void CmdMoveOrAttack::execute() { //if MoveAction failed then path is blocked if ( !Actor::Player->performAction( std::make_shared<MoveAction>(_dx, _dy) ) ) { Actor::Player->performAction( std::make_shared<AttackAction>( getActorToAttack() )); } } ActorPtr CmdMoveOrAttack::getActorToAttack() { ActorPtr toAttack; MapPtr map = Actor::Player->getMap(); if ( map ) { int targetX = Actor::Player->getX() + _dx; int targetY = Actor::Player->getY() + _dy; std::function<bool (amarlon::ActorPtr)> filterFun = [&](amarlon::ActorPtr a)->bool { return a->hasFeature<Character>() && a->getFeature<Character>()->isAlive(); }; auto targets = map->getActors(targetX, targetY, &filterFun); if ( !targets.empty() ) { toAttack = targets.front(); } } return toAttack; } void CmdMoveOrAttack::setDirection(int dx, int dy) { if (dx > 0) _dx = 1; else if (dx < 0) _dx = -1; if (dy > 0) _dy = 1; else if (dy < 0) _dy = -1; } } <file_sep>#ifndef OPENABLE_SERIALIZER_H #define OPENABLE_SERIALIZER_H #include <memory> #include <actor_feature_serializer.h> namespace amarlon { class Openable; typedef std::shared_ptr<Openable> OpenablePtr; class OpenableSerializer : public ActorFeatureSerializer { public: OpenableSerializer(); OpenableSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~OpenableSerializer(); /** Openable is an abstract class - here is just common serialization in protected section * which should be called in each serializer for given Openable type */ virtual bool serialize(ActorFeaturePtr af) = 0; protected: void serializeOpenableCommonPart(rapidxml::xml_node<>* openableNode, OpenablePtr openable); }; } #endif // OPENABLE_SERIALIZER_H <file_sep>#ifndef character_H #define character_H #include <actor_feature.h> #include <actor_descriptions.h> #include <map> #include <ability_scores.h> #include <character_classes.h> #include <saving_throws_table.h> #include <races.h> #include <carrying_capacity.h> #include <set> #include <spell_id.h> #include <damage.h> namespace amarlon { class Character; class Pickable; class Spell; typedef std::shared_ptr<Character> CharacterPtr; typedef std::shared_ptr<Pickable> PickablePtr; typedef std::shared_ptr<Spell> SpellPtr; class Character : public ActorFeature { public: class Creator { public: virtual ~Creator() {} virtual CharacterPtr create(CharacterDescriptionPtr dsc) = 0; protected: void fillCommonCharacterPart(CharacterPtr character, CharacterDescriptionPtr dsc); }; const static ActorFeature::Type featureType; virtual ActorFeature::Type getType() { return featureType; } Character(); static CharacterPtr create(DescriptionPtr dsc); virtual bool isEqual(ActorFeaturePtr rhs); virtual bool isAlive() const; virtual int getHitPoints() const; virtual int getMaxHitPoints() const; virtual void setHitPoints(int newHp); virtual void modifyHitPoints(int modifier); virtual int takeDamage(Damage dmg); virtual int getExperience() const; virtual void modifyExperience(int modifier); virtual int getLevel() const; virtual CharacterClass getClass() const; virtual Race getRace() const; virtual int getSavingThrow(SavingThrows::Type type); virtual int getSpeed(); virtual int getMovePoints(); virtual void setMovePoints(int points); virtual CarryingCapacity::LoadLevel getLoadLevel() = 0; virtual int getBaseAttackBonus() = 0; virtual int getMeleeAttackBonus() = 0; virtual Damage getDamage() = 0; virtual int getArmorClass(); virtual std::vector<SpellPtr> getSpells() const; virtual std::string getDescription(); protected: virtual void setLevel(int level); virtual void setMaxHitPoints(int maxHp); PickablePtr getEquippedItem(ItemSlotType slot); private: int _level; int _hitPoints; int _maxHitPoints; int _defaultArmorClass; int _experience; CharacterClass _class; Race _race; int _speed; int _movePoints; std::set<SpellPtr> _spells; friend class Character::Creator; friend class CharacterSerializer; }; } #endif // character_H <file_sep>#ifndef EFFECT_H #define EFFECT_H #include <memory> #include <vector> #include <effect_type.h> #include <actor_descriptions.h> #include <target.h> namespace amarlon { class Actor; class Effect; typedef std::shared_ptr<Actor> ActorPtr; typedef std::shared_ptr<Effect> EffectPtr; typedef std::map<std::string, std::string> Params; class Effect { public: Effect(); virtual ~Effect(); static EffectPtr create(EffectType type); static EffectPtr create(EffectDescriptionPtr dsc); virtual EffectPtr clone() = 0; virtual bool isEqual(EffectPtr rhs) = 0; virtual bool apply(ActorPtr executor, const Target& target) = 0; virtual EffectType getType() const = 0; /** * @brief Serialize all effect fields to key-value params. * Used to serialize effect into XML file. * @return A map with field name and its value */ virtual Params toParams() const = 0; /** * @brief Opposite to toParams */ virtual void load(const Params& params) = 0; }; } #endif // EFFECT_H <file_sep>#ifndef WEARER_SERIALIZER_H #define WEARER_SERIALIZER_H #include <memory> #include <actor_feature_serializer.h> #include <effect_serializer.h> #include <item_slot_type.h> namespace amarlon { class Wearer; typedef std::shared_ptr<Wearer> WearerPtr; class WearerSerializer : public ActorFeatureSerializer { public: WearerSerializer(); WearerSerializer(rapidxml::xml_document<>* document, rapidxml::xml_node<>* xmlNode); virtual ~WearerSerializer(); virtual bool serialize(ActorFeaturePtr af); private: rapidxml::xml_node<>* _wearerNode; WearerPtr _wearer; void serializeItemSlots(); void serializeEquippedItem(ItemSlotType slot, rapidxml::xml_node<>* slotNode); }; } #endif // WEARER_SERIALIZER_H <file_sep>#include "pickable_serializer.h" #include <pickable.h> #include <utils.h> #include <xml_utils.h> using namespace rapidxml; namespace amarlon { PickableSerializer::PickableSerializer() { } PickableSerializer::PickableSerializer(rapidxml::xml_document<> *document, rapidxml::xml_node<> *xmlNode) : ActorFeatureSerializer(document, xmlNode) { } PickableSerializer::~PickableSerializer() { } bool PickableSerializer::serialize(ActorFeaturePtr af) { PickablePtr pickable = std::dynamic_pointer_cast<Pickable>(af); if ( pickable && _document && _xml ) { xml_node<>* _pickableNode = _document->allocate_node(node_element, "Pickable"); _xml->append_node( _pickableNode ); addAttribute ( _pickableNode, "stackable", static_cast<int>(pickable->isStackable()) ); addAttribute ( _pickableNode, "amount", pickable->getAmount() ); addAttribute ( _pickableNode, "armorClass", pickable->getArmorClass() ); addAttribute ( _pickableNode, "weight", pickable->getWeight() ); addAttribute ( _pickableNode, "price", pickable->getPrice() ); addAttribute ( _pickableNode, "damage", std::string(pickable->getDamage()) ); addAttribute ( _pickableNode, "uses", pickable->getUsesCount() ); addAttributeEnum( _pickableNode, "itemSlot", pickable->getItemSlot() ); addAttributeEnum( _pickableNode, "category", pickable->getCategory() ); addAttributeEnum( _pickableNode, "targetType", pickable->getTargetType() ); _effectSerializer.setDestination(_document, _pickableNode); _effectSerializer.serialize( pickable->getEffect() ); } return pickable != nullptr; } } <file_sep>#ifndef EXECUTORSELECTOR_H #define EXECUTORSELECTOR_H #include "target_selector.h" namespace amarlon { class ExecutorSelector : public TargetSelector { public: ExecutorSelector(); virtual Target select(std::function<bool (amarlon::ActorPtr)>* filterFun = nullptr); }; } #endif // EXECUTORSELECTOR_H
a3fe5cb0fa81b5b59c70d5c10265209b8d0936f3
[ "CMake", "C++", "Shell" ]
165
C++
pelagos/amarlon
9375a519988e51bd2176b706e611a02b522818f7
5b31eee1052dd4d924074a526112848301bbbcd7
refs/heads/master
<repo_name>tamura2004/upload<file_sep>/app/models/plan.rb class Plan < ApplicationRecord validates :category, uniqueness: { scope: [:main_group_name, :project_number, :project_name, :accuracy, :dept_name, :group_name, :sub_number, :system_name, :contract_type, :company_name, :member_rank]} end <file_sep>/config/routes.rb Rails.application.routes.draw do get "plans/new", to: "plans#new" get "plans", to: "plans#index" post "plans", to: "plans#create" root "plans#new" end
ffde32e443a7593fe8e01e22df49956f43fe818f
[ "Ruby" ]
2
Ruby
tamura2004/upload
9bb2ae1bde5c083bf87fe45259a4861ca35958ea
a411e1d0053b236bc276e72c70121dd10aedb9f9
refs/heads/master
<repo_name>icdozen/toy_app<file_sep>/README.md == README web server. Built using Rails Tutorial <file_sep>/app/models/user.rb class User < ActiveRecord::Base has_many :microposts validates FILL_IN, presence: true validates FILL_IN, presence: true end
0cf873be79ee4cfa949715bcfae72e2ee9ebc465
[ "Markdown", "Ruby" ]
2
Markdown
icdozen/toy_app
451a32a3b031afad205567cbbd1300942be842b7
48cea607115b7ba903c038eefe373938649ba792
refs/heads/master
<repo_name>erike123/MyWebSiteBuilder<file_sep>/src/main/java/com/example/demo/domein/models/bindings/CategoryAddBindingModel.java package com.example.demo.domein.models.bindings; import javax.validation.constraints.NotNull; import javax.validation.constraints.Size; public class CategoryAddBindingModel { @NotNull @Size(min = 2,max =10,message = "category must be between 2 and 10 characters") private String name; public CategoryAddBindingModel() { } public String getName() { return name; } public void setName(String name) { this.name = name; } } <file_sep>/src/main/java/com/example/demo/validation/WebSiteValidationImpl.java package com.example.demo.validation; import com.example.demo.domein.models.service.WebSiteServiceModel; import org.springframework.stereotype.Component; import org.springframework.stereotype.Service; @Component public class WebSiteValidationImpl implements WebSiteValidation { @Override public boolean IsValid(WebSiteServiceModel webSiteServiceModel) { return !webSiteServiceModel.getCategories().isEmpty(); } } <file_sep>/src/main/java/com/example/demo/services/WebSiteServiceImpl.java package com.example.demo.services; import com.example.demo.domein.entities.Category; import com.example.demo.domein.entities.Website; import com.example.demo.domein.models.bindings.WebSiteAddBindingModel; import com.example.demo.domein.models.service.WebSiteServiceModel; import com.example.demo.domein.models.views.WebSiteViewModel; import com.example.demo.repository.WebSiteRepository; import com.example.demo.validation.WebSiteValidation; import org.modelmapper.ModelMapper; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.io.IOException; import java.util.List; import java.util.stream.Collectors; @Service public class WebSiteServiceImpl implements WebSiteService { private final WebSiteRepository webSiteRepository; private final CategoryService categoryService; private final WebSiteValidation webSiteValidation; private final ModelMapper modelMapper; private final CloudinaryService cloudinaryService; @Autowired public WebSiteServiceImpl(WebSiteRepository webSiteRepository, CategoryService categoryService, WebSiteValidation webSiteValidation, ModelMapper modelMapper, CloudinaryService cloudinaryService) { this.webSiteRepository = webSiteRepository; this.categoryService = categoryService; this.webSiteValidation = webSiteValidation; this.modelMapper = modelMapper; this.cloudinaryService = cloudinaryService; } @Override public WebSiteServiceModel createSite(WebSiteServiceModel webSiteServiceModel) { if (!this.webSiteValidation.IsValid(webSiteServiceModel)){ throw new IllegalArgumentException(); } Website website= this.modelMapper.map(webSiteServiceModel, Website.class); website = this.webSiteRepository.save(website); return this.modelMapper.map(website, WebSiteServiceModel.class); } @Override public List<WebSiteServiceModel> findAllWebSites() { return this.webSiteRepository.findAll() .stream() .map(p -> this.modelMapper.map(p, WebSiteServiceModel.class)) .collect(Collectors.toList()); } @Override public WebSiteServiceModel findById(String id){ Website website = this.webSiteRepository.findById(id).orElse(null); return this.modelMapper.map(website,WebSiteServiceModel.class); } @Override public Boolean deleteWebSite(String id) { Website website=this.webSiteRepository.findById(id).orElse(null); if (website!=null){ this.webSiteRepository.delete(website); } else{ return false; } return true; } @Override public WebSiteServiceModel editWebsite(String id, WebSiteAddBindingModel webSiteAddBindingModel) throws IOException { Website website = this.webSiteRepository.findById(id) .orElseThrow(() -> new IllegalArgumentException()); website.setName(webSiteAddBindingModel.getName()); website.setPrice(webSiteAddBindingModel.getPrice()); website.setCategories( this.categoryService.findAllCategories() .stream() .filter(c -> webSiteAddBindingModel.getCategories().contains(c.getId())) .map(c -> this.modelMapper.map(c, Category.class)) .collect(Collectors.toList()) ); website.setImageUrl( this.cloudinaryService.uploadImage(webSiteAddBindingModel.getImage()) ); return this.modelMapper.map(this.webSiteRepository.saveAndFlush(website), WebSiteServiceModel.class); } @Override public List<WebSiteViewModel> findAllByCategory(String category) { List<WebSiteViewModel> MyList = this.webSiteRepository.findAll().stream() .map(web -> { WebSiteViewModel webSiteViewModel = this.modelMapper.map(web, WebSiteViewModel.class); webSiteViewModel.getCategories().clear(); web.getCategories().forEach(category1 -> webSiteViewModel.getCategories().add(category1.getName())); return webSiteViewModel; }) .filter(web -> web.getCategories().contains(category)) .collect(Collectors.toList()); return MyList; } } <file_sep>/src/main/java/com/example/demo/repository/WebSiteRepository.java package com.example.demo.repository; import com.example.demo.domein.entities.Website; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.stereotype.Repository; import java.util.Optional; @Repository public interface WebSiteRepository extends JpaRepository<Website,String> { Optional<Website> findById(String id); } <file_sep>/src/main/java/com/example/demo/validation/WebSiteValidation.java package com.example.demo.validation; import com.example.demo.domein.models.service.WebSiteServiceModel; public interface WebSiteValidation { public boolean IsValid(WebSiteServiceModel webSiteServiceModel); } <file_sep>/src/main/java/com/example/demo/web/controllers/HomeController.java package com.example.demo.web.controllers; import com.example.demo.domein.models.views.CategoryViewModel; import com.example.demo.services.CategoryService; import org.hibernate.service.spi.InjectService; import org.modelmapper.ModelMapper; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.security.access.prepost.PreAuthorize; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.RestController; import org.springframework.web.servlet.ModelAndView; import java.util.stream.Collectors; @RestController public class HomeController extends BaseController{ private final CategoryService categoryService; private final ModelMapper modelMapper; @Autowired public HomeController(CategoryService categoryService, ModelMapper modelMapper) { this.categoryService = categoryService; this.modelMapper = modelMapper; } @GetMapping("/") @PreAuthorize("isAnonymous()") public ModelAndView Index(){ return super.view("index"); } @GetMapping("/home") @PreAuthorize("isAuthenticated()") public ModelAndView home(ModelAndView modelAndView) { modelAndView.addObject("categories", this.categoryService.findAllCategories().stream().map(category -> this.modelMapper.map(category, CategoryViewModel.class)).collect(Collectors.toList())); return super.view("home", modelAndView); } } <file_sep>/src/main/java/com/example/demo/domein/entities/Website.java package com.example.demo.domein.entities; import javax.persistence.*; import java.math.BigDecimal; import java.util.List; @Entity @Table(name = "website") public class Website extends BaseEntity { private String Name; private String LoginPage; private String IndexPage; private String RegisterPage; private BigDecimal price; private List<Category> categories; private Integer Likes; private String imageUrl; private Company company; @Enumerated @Column(name = "company") public Company getCompany() { return company; } public void setCompany(Company company) { this.company = company; } @Column(name = "name") public String getName() { return Name; } public void setName(String name) { Name = name; } @Column(name = "login_page") public String getLoginPage() { return LoginPage; } public void setLoginPage(String loginPage) { LoginPage = loginPage; } @Column(name = "index_page") public String getIndexPage() { return IndexPage; } public void setIndexPage(String indexPage) { IndexPage = indexPage; } @Column(name = "register_page") public String getRegisterPage() { return RegisterPage; } public void setRegisterPage(String registerPage) { RegisterPage = registerPage; } @Column(name = "price") public BigDecimal getPrice() { return price; } public void setPrice(BigDecimal price) { this.price = price; } @ManyToMany(targetEntity = Category.class) @JoinTable( name = "website_categories", joinColumns = @JoinColumn( name = "website_id", referencedColumnName = "id" ), inverseJoinColumns = @JoinColumn( name = "category_id", referencedColumnName = "id" ) ) public List<Category> getCategories() { return categories; } public void setCategories(List<Category> categories) { this.categories = categories; } @Column(name = "image") public String getImageUrl() { return imageUrl; } public void setImageUrl(String imageUrl) { this.imageUrl = imageUrl; } @Column(name = "likes") public Integer getLikes() { return Likes; } public void setLikes(Integer likes) { Likes = 0; } } <file_sep>/src/main/java/com/example/demo/domein/models/bindings/WebSiteAddBindingModel.java package com.example.demo.domein.models.bindings; import com.example.demo.domein.entities.Company; import org.springframework.web.multipart.MultipartFile; import java.math.BigDecimal; import java.util.List; public class WebSiteAddBindingModel { private String name; private String LoginPage; private String IndexPage; private String RegisterPage; private String company; private BigDecimal price; private MultipartFile image; private List<String> categories; public WebSiteAddBindingModel() { } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getLoginPage() { return LoginPage; } public void setLoginPage(String loginPage) { LoginPage = loginPage; } public String getIndexPage() { return IndexPage; } public void setIndexPage(String indexPage) { IndexPage = indexPage; } public String getRegisterPage() { return RegisterPage; } public void setRegisterPage(String registerPage) { RegisterPage = registerPage; } public BigDecimal getPrice() { return price; } public void setPrice(BigDecimal price) { this.price = price; } public MultipartFile getImage() { return image; } public void setImage(MultipartFile image) { this.image = image; } public List<String> getCategories() { return categories; } public void setCategories(List<String> categories) { this.categories = categories; } public String getCompany() { return company; } public void setCompany(String company) { this.company = company; } } <file_sep>/src/main/java/com/example/demo/web/controllers/CategoryController.java package com.example.demo.web.controllers; import com.example.demo.domein.entities.Company; import com.example.demo.domein.models.bindings.CategoryAddBindingModel; import com.example.demo.domein.models.service.CategoryServiceModel; import com.example.demo.domein.models.views.CategoryViewModel; import com.example.demo.services.CategoryService; import org.modelmapper.ModelMapper; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.security.access.prepost.PreAuthorize; import org.springframework.stereotype.Controller; import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.*; import org.springframework.web.servlet.ModelAndView; import javax.validation.Valid; import java.io.File; import java.io.IOException; import java.nio.file.Path; import java.nio.file.Paths; import java.util.ArrayList; import java.util.Arrays; import java.util.List; import java.util.stream.Collectors; @Controller @RequestMapping("/categories") public class CategoryController extends BaseController { private final CategoryService categoryService; private final ModelMapper modelMapper; private final Path rootPath = Paths.get("/tmp"); @Autowired public CategoryController(CategoryService categoryService, ModelMapper modelMapper) { this.categoryService = categoryService; this.modelMapper = modelMapper; } @GetMapping("/add") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView addCategory(ModelAndView modelAndView,@ModelAttribute(name = "bindingModel") CategoryAddBindingModel model) { modelAndView.addObject("bindingModel",model); return super.view("add-category",modelAndView); } @PostMapping("/add") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView addCategoryConfirm(@Valid@ModelAttribute CategoryAddBindingModel model, BindingResult bindingResult,ModelAndView modelAndView) { if (bindingResult.hasErrors()){ modelAndView.addObject("bindingModel",model); return super.view("add-category",modelAndView); } this.categoryService.addCategory(this.modelMapper.map(model, CategoryServiceModel.class)); return super.redirect("/categories/all"); } @GetMapping("/all") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView allCategories(ModelAndView modelAndView) { modelAndView.addObject("categories", this.categoryService.findAllCategories() .stream() .map(c -> this.modelMapper.map(c, CategoryViewModel.class)) .collect(Collectors.toList()) ); return super.view("all-categories", modelAndView); } @GetMapping("/edit/{id}") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView editCategory(@PathVariable String id, ModelAndView modelAndView) { modelAndView.addObject("model", this.modelMapper.map(this.categoryService.findCategoryById(id), CategoryViewModel.class) ); return super.view("edit-category", modelAndView); } @PostMapping("/edit/{id}") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView editCategoryConfirm(@PathVariable String id, @ModelAttribute CategoryAddBindingModel model) { this.categoryService.editCategory(id, this.modelMapper.map(model, CategoryServiceModel.class)); return super.redirect("/categories/all"); } @PostMapping("/delete/{id}") @PreAuthorize("hasRole('ROLE_MODERATOR')") public ModelAndView deleteCategoryConfirm(@PathVariable String id) { this.categoryService.deleteCategory(id); return super.redirect("/categories/all"); } @GetMapping("/fetch") @PreAuthorize("hasRole('ROLE_MODERATOR')") @ResponseBody public List<CategoryViewModel> fetchCategories() { return this.categoryService.findAllCategories() .stream() .map(c -> this.modelMapper.map(c, CategoryViewModel.class)) .collect(Collectors.toList()); } @GetMapping("/fetch/companies") @PreAuthorize("hasRole('ROLE_MODERATOR')") @ResponseBody public List<Company> fetchCompanies() { return Arrays.asList(Company.values()); } @GetMapping("/fetch/IndexPage") @PreAuthorize("hasRole('ROLE_MODERATOR')") @ResponseBody public List<String> fetchIndexPages() throws IOException { File f = new File("C:\\Users\\email\\Desktop\\Project-Product-Shop-master\\demo\\src\\main\\resources\\templates\\IndexPages"); File[] list = f.listFiles(); List<String> response = new ArrayList<>(); for (File file : list) { String [] array = file.toString().split("\\\\"); String page = array[array.length-1]; response.add(page); } return response; } @GetMapping("/fetch/LoginPage") @PreAuthorize("hasRole('ROLE_MODERATOR')") @ResponseBody public List<String> fetchLoginPages() throws IOException { File f = new File("C:\\Users\\email\\Desktop\\Project-Product-Shop-master\\demo\\src\\main\\resources\\templates\\LoginPages"); File[] list = f.listFiles(); List<String> response = new ArrayList<>(); for (File file : list) { String [] array = file.toString().split("\\\\"); String page = array[array.length-1]; response.add(page); } return response; } @GetMapping("/fetch/RegisterPage") @PreAuthorize("hasRole('ROLE_MODERATOR')") @ResponseBody public List<String> fetchRegisterPages() throws IOException { File f = new File("C:\\Users\\email\\Desktop\\Project-Product-Shop-master\\demo\\src\\main\\resources\\templates\\RegisterPages"); File[] list = f.listFiles(); List<String> response = new ArrayList<>(); for (File file : list) { String [] array = file.toString().split("\\\\"); String page = array[array.length-1]; response.add(page); } return response; } }
9376619430cedadcc7f601e752400f20d6f0f6b8
[ "Java" ]
9
Java
erike123/MyWebSiteBuilder
95ea6e0044268faf389a52e50b06b06c7d7ac2a0
3c5de67fba5d3465b36fbcef551348dba0cb8c2f
refs/heads/master
<repo_name>Yuseunghoon/asm<file_sep>/modules/gpiotimer/gpioirq_module.c #include <linux/fs.h> // open(), read(), write(), close() #include <linux/cdev.h> // register_chardev_region(), cdev_init() #include <linux/module.h> #include <linux/io.h> // ioremap(), iounmap() #include <linux/uaccess.h> // copy_from_user(), copy_to_user() #include <linux/gpio.h> // request_gpio(), gpio_set_value, gpio_get_value() #include <linux/interrupt.h> // gpio_to_irq(), request_riq() #include <linux/timer.h> // init_timer(), mod_timer(), del_timer(), add_timer() //#include <asm/siginfo.h> // siginfo 구조체를 사용하기위해 #include <linux/sched/signal.h> #define GPIO_MAJOR 200 #define GPIO_MINOR 0 #define GPIO_DEVICE "gpioled" //Raspi 0, 1 PHYSICAL I/O PERI BASE ADDR //#define BCM_IO_BASE 0x20000000 //Raspi 3 PHYSICAL I/O PERI BASE ADDR #define BCM_IO_BASE 0x3F000000 #define GPIO_BASE (BCM_IO_BASE + 0x200000) #define GPIO_SIZE 0xB4 #define GPIO_IN(g) (*(gpio+((g)/10))&=~(7<<(((g)%10)*3))) #define GPIO_OUT(g) (*(gpio+((g)/10))|=(1<<(((g)%10)*3))) #define GPIO_SET(g) (*(gpio+7) = (1<<g)) #define GPIO_CLR(g) (*(gpio+10) = (1<<g)) #define GPIO_GET(g) (*(gpio+13)&(1<<g)) #define GPIO_LED 17 #define GPIO_LED2 27 #define GPIO_SW 13 #define GPIO_SW2 6 #define BUF_SIZE 100 static char msg[BUF_SIZE] = {0}; static int switch_irq; static int switch_irq2; static struct timer_list timer; // timer 구조체 static struct task_struct *task; // 태스크를 위한 구조체 pid_t pid; char pid_valid; int key_value; // 모듈정보 등록 MODULE_LICENSE("GPL"); MODULE_AUTHOR("YSH"); MODULE_DESCRIPTION("Raspberry Pi First Device Driver"); struct cdev gpio_cdev; static int gpio_open(struct inode *inod, struct file *fil); static int gpio_close(struct inode *inod, struct file *fil); static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off); static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off); typedef struct Data_{ char data; }Data; static struct file_operations gpio_fops = { .owner = THIS_MODULE, .read = gpio_read, .write = gpio_write, .open = gpio_open, .release = gpio_close, }; volatile unsigned int *gpio; static void timer_func(unsigned long data) { printk(KERN_INFO "timer_func:%ld\n",data); // 일정시간에 맞게 LED가 켜지고 꺼지게 만듬 // 2개의 LED가 번갈아가며 깜빡거리기 gpio_set_value(GPIO_LED,data);// LED 핀의 OUTPUT 정의 gpio_set_value(GPIO_LED2,!data); if(data) timer.data=0; else timer.data=1; timer.expires=jiffies+(1*HZ); // 1 초 뒤 실행 add_timer(&timer);// 커널 타이머에 호출될 timer 구조체 등록 } static irqreturn_t isr_func(int irq, void *data) { static int count; static struct siginfo sinfo; memset(&sinfo,0,sizeof(struct siginfo)); sinfo.si_signo = SIGIO; // 시그널 지정 sinfo.si_code = SI_USER; send_sig_info(SIGIO,&sinfo,task); //sig_info 구조체를 이용하여 시그널 보내기 if(irq==switch_irq) // SW1이 눌렀을 때, key_value = 10 { key_value=10; } else if(irq==switch_irq2) // SW2이 눌렀을 때, key_value = 20 { key_value=20; } /* // IRQ발생 && LED가 OFF일때 if(irq==switch_irq && !gpio_get_value(GPIO_LED)) { gpio_set_value(GPIO_LED,1); static struct siginfo sinfo; memset(&sinfo,0,sizeof(struct siginfo)); sinfo.si_signo = SIGIO; sinfo.si_code = SI_USER; task = pid_task(find_vpid(pid),PIDTYPE_PID); if(task != NULL) { send_sig_info(SIGIO,&sinfo,task); //sig_info 구조체를 이용하여 시그널 보내기 } else { printk("Error: I don't know user pid\n"); } } // IRQ발생 && LED ON일때 else if(irq==switch_irq && gpio_get_value(GPIO_LED) && !gpio_get_value(GPIO_LED2)) gpio_set_value(GPIO_LED2,1); else { gpio_set_value(GPIO_LED,0); gpio_set_value(GPIO_LED2,0); } */ printk(KERN_INFO " called isr_func():%d\n",count); count++; return IRQ_HANDLED; } /* int GPIO_SET(int g) { if(g >31) *(gpio + 8) = (1 << (g - 31)); else *(gpio + 7) = (1 << (g)); return g; } */ // 유저단에서 open 함수 사용하면 작동 static int gpio_open(struct inode *inod, struct file *fil) { try_module_get(THIS_MODULE);//모듈 사용횟수 증가분을 측정 printk(KERN_INFO "GPIO Device opened()\n"); return 0; } // 유저단에서 close 함수 사용하면 작동 static int gpio_close(struct inode *inod, struct file *fil) { // 디바이스 드라이버는 제거되도 카운트는 남아있는다 // 시스템 초기화하기 전까지 카운트 초기화방법이 없기에 카운트 관리가 필요함 module_put(THIS_MODULE);//모듈 사용횟수 감소 printk(KERN_INFO "GPIO Device Closed()\n"); return 0; } // 유저단에서 write 함수 사용하면 작동 static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off) { short count; char *cmd, *str; char *sep = ":";// : 의 기준으로 버퍼값 앞 뒤 분리 및 구분 char *endptr, *pidstr; memset(msg, 0, BUF_SIZE); count = copy_from_user(msg, buff, len);// 유저단에서 값 가져오기 str=kstrdup(msg, GFP_KERNEL); // 버퍼 복사 cmd = strsep(&str, sep); // 앞 : cmd[1]='\0'; pidstr = strsep(&str, sep); // :뒤 printk("Command : %s, Pid : %s\n", cmd,pidstr); /* if((!strcmp(msg,"0"))) { del_timer_sync(&timer); } else { init_timer(&timer); timer.function=timer_func; // expire시 호출하는 함수 timer.data = 1L; // timer_func으로 전달하는 인자값 timer.expires = jiffies + (1*HZ); add_timer(&timer); } */ if(!strcmp(cmd,"end")) { pid_valid=0; } //gpio_set_value(GPIO_LED, (!strcmp(msg,"0"))?0:1); printk(KERN_INFO "GPIO Device write : %s\n", msg); //시그널 발생시 보낼 PID값을 등록 pid = simple_strtol(pidstr, &endptr, 10); printk("pid=%d\n",pid); if(endptr != NULL) { task = pid_task(find_vpid(pid),PIDTYPE_PID); //pid 구조체와 연관된 첫번째 task 구조체를 반환 if(task == NULL) { printk("Error: I don't know user pid\n"); } } return count; } // 유저단에서 read 함수 사용하면 작동 static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off) { short count; sprintf(msg,"%d",key_value); count = copy_to_user(buff, msg, strlen(msg)+1); // 유저단에 key_value 값 보내기 /* if(gpio_get_value(GPIO_LED)) msg[0]='1'; else msg[0]='0'; strcat(msg," from kernel"); count = copy_to_user(buff, msg, strlen(msg)+1); printk(KERN_INFO "GPIO Device read : %s\n", msg); */ /* if(buff[0] == '1') { GPIO_SET(GPIO_LED1); GPIO_SET(GPIO_LED2); } else { GPIO_CLR(GPIO_LED1); GPIO_CLR(GPIO_LED2); } */ return count; } // 커널 기본 시작단 static int initModule(void) { dev_t devno; unsigned int count; int re; int err; //함수 호출 유무를 확인하기 위해 printk(KERN_INFO "Init gpio_module\n"); //1. 문자 디바이스를 등록 devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); printk(KERN_INFO "devno=0x%x\n", devno); register_chrdev_region(devno,1, GPIO_DEVICE); //2. 문자 디바이스의 번호와 이름을 등록 cdev_init(&gpio_cdev, &gpio_fops); count = 1; //3. 문자 디바이스 추가 err = cdev_add(&gpio_cdev, devno, count); if(err < 0) { printk(KERN_INFO "Error : cdev_add()\n"); return -1; } printk(KERN_INFO "'mknod /dev/%s c %d 0'\n", GPIO_DEVICE, GPIO_MAJOR); printk(KERN_INFO "'chmod 666 /dev/%s'\n", GPIO_DEVICE); // gpio.h에 정의된 gpio_request함수의 사용 err = gpio_request(GPIO_LED,"LED");//특정핀이 사용 또는 설정되어 있는지 확인해준다. // GPIO_SW를 IRQ로 설정하기 err = gpio_request(GPIO_SW, "SW"); switch_irq = gpio_to_irq(GPIO_SW); re=request_irq(switch_irq, isr_func, IRQF_TRIGGER_RISING, "switch", NULL); err = gpio_request(GPIO_SW2, "SW2"); switch_irq2 = gpio_to_irq(GPIO_SW2); re=request_irq(switch_irq2, isr_func, IRQF_TRIGGER_RISING, "switch2", NULL); /* if(err==-EBUSY) { printk(KERN_INFO " Error gpio_request\n"); return -1; } */ //4. 물리메모리 번지를 인자로 전달하면 가상메모리 번지를 리턴한다. gpio_direction_output(GPIO_LED, 0); // 해당 핀을 OUTPUT 설정, 0을 출력 gpio_direction_output(GPIO_LED2, 0); //gpio_direction_input(GPIO_SW); //gpio_direction_input(GPIO_SW2); //GPIO_OUT(GPIO_LED1); //GPIO_OUT(GPIO_LED2); //GPIO_IN(GPIO_SW); return 0; } // 커널 종료단 static void __exit cleanupModule(void) { dev_t devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); del_timer_sync(&timer);// 타이머 삭제 //1. 문자 디바이스의 등록(장치번호, 장치명)을 해제한다. unregister_chrdev_region(devno, 1); //2. 문자 디바이스의 구조체를 제거한다. gpio_set_value(GPIO_LED,1); gpio_set_value(GPIO_LED2,0); cdev_del(&gpio_cdev); free_irq(switch_irq,NULL); //gpio_direction_output(GPIO_LED,0); gpio_set_value(GPIO_LED, 0); gpio_free(GPIO_LED); gpio_free(GPIO_LED2); gpio_free(GPIO_SW); gpio_free(GPIO_SW2); //3. 문자 디바이스의 가상번지를 삭제한다. if(gpio) iounmap(gpio); printk(KERN_INFO "Exit gpio_module : Good Bye\n"); } //my initialize function module_init(initModule); //my exit function module_exit(cleanupModule); <file_sep>/time.c #include<stdio.h> #include<time.h> #include<sys/time.h> #include<stdlib.h> int main(int argc, char **argv) { int i,j; time_t UTCtime; struct tm *tm; char buf[BUFSIZ]; struct timeval UTCtime_u; time(&UTCtime);//UTC 현재 시간 구하기 printf("time : %u\n", (unsigned)UTCtime);//UTC 현재 시간 출력 gettimeofday(&UTCtime_u, NULL);//UTC 현재 시간 구하기 (마이크로초까지) printf("gettimeofday : %ld/%d\n", UTCtime_u.tv_sec, UTCtime_u.tv_usec); printf("ctime : %s", ctime(&UTCtime)); //putenv("TZ=PST3PDT");//환경변수를 설정한다 //tzset();TZ변수를 설정한다 tm = localtime(&UTCtime);//tm = gmtime(&UTCtime) printf("asctime : %s", asctime(tm));//현재의 시간을 tm 구조체를 이용해서 출력 strftime(buf, sizeof(buf), "%A %m %e %H:%M:%S %Y", tm);//사용자 정의 문자열 정지 //날짜 일로 %e는 01은 \1, %d는 01로 나온다. printf("strftime : %s\n", buf); strftime(buf, sizeof(buf), "%Y%H%M%S", tm);//사용자 정의 문자열 정지 printf("atoi : %d\n",atoi(buf)); return 0; } <file_sep>/pthread/counter.c #include<pthread.h> #include<stdio.h> #include<stdlib.h> #include<unistd.h> static int count = 0; static pthread_mutex_t countlock = PTHREAD_MUTEX_INITIALIZER; void *increment(void*arg) { int error; while(1) { pthread_mutex_lock(&countlock); printf("increment %d\n",count); count++; pthread_mutex_unlock(&countlock); sleep(1); } return 0; } void *decrement(void*arg) { int error; while(1) { pthread_mutex_lock(&countlock); printf("decrement %d\n", count); count--; pthread_mutex_unlock(&countlock); sleep(2); } return 0; } void *getcount(void *countp) { int error; while(1) { pthread_mutex_lock(&countlock); printf("getcount %d\n",count); countp=(void *)&count; pthread_mutex_unlock(&countlock); sleep(3); } return 0; } int main() { pthread_t p_thread[3]; int value[3]; int err; int a; if((err=pthread_create(&p_thread[0],NULL,increment,(void *)NULL))<0) { perror("thread 0 error\n"); exit(1); } if((err=pthread_create(&p_thread[1],NULL,decrement,(void *)NULL))<0) { perror("thread 1 error\n"); exit(1); } if((err=pthread_create(&p_thread[2],NULL,getcount,(void *)NULL))<0) { perror("thread 2 error\n"); exit(1); } pthread_detach(p_thread[0]); pthread_detach(p_thread[1]); pthread_detach(p_thread[2]); pause(); } <file_sep>/signal_t.c #include<stdio.h> #include<stdlib.h> #include<unistd.h> #include<fcntl.h> #include<signal.h> #include<string.h> int fd; void sigHandler(int sig) { static int count=0; char buf[10]; printf("I got signal %d.\n",count++); switch(sig) { case SIGUSR1: strcpy(buf,"SIGUER1"); break; case SIGUSR2: strcpy(buf,"SIGUER2"); break; case SIGINT: strcpy(buf,"SIGINT"); break; default: ; } write(fd,buf,10); } int main(int argc, int *argv[]) { int i=10; fd=open("./test2.txt",O_RDWR | O_CREAT | O_TRUNC, \ S_IRWXU | S_IWGRP | S_IRGRP | S_IROTH); signal(SIGINT, sigHandler); signal(SIGUSR1, sigHandler); signal(SIGUSR2, sigHandler); printf("%d\n",getpid()); while(i--) { pause(); } close(fd); exit(0); } <file_sep>/shm3/writer.c #include<stdio.h> #include<stdlib.h> #include<signal.h> #include<unistd.h> #include<string.h> #include<fcntl.h> #include<sys/types.h> #include<sys/wait.h> #include<sys/shm.h> #define SHMSIZ 1024 int main() { pid_t pid; pid_t pid_c; int shmid; int i=0,fd; char buf[SHMSIZ]; void *shared_Mem; char *shmaddr; fd=open("./a.txt",O_RDONLY); // 0x1234 아이디의 공유메모리 만들기 shmid=shmget((key_t)0x1234, sizeof(SHMSIZ)*2, 0666 | IPC_CREAT); if(shmid==-1) { fprintf(stderr,"shmeid error why?????\n"); exit(EXIT_FAILURE); } // 공유메모리 가져오기 shared_Mem = shmat(shmid, NULL,0); if(shared_Mem == (void *)-1) { fprintf(stderr,"shared_Mem error\n"); exit(EXIT_FAILURE); } printf("Memory is activated\n"); pid_c=fork(); if(pid_c==-1) { fprintf(stderr,"fork error\n"); exit(EXIT_FAILURE); } //자식프로세서에서 작동 else if(pid_c==0) { printf("fork done\n"); execlp("./reader","reader","",(char *)NULL); } else { shmaddr = shared_Mem; //shmaddr = (char *)malloc(sizeof(buf)); strcpy((char *)(shmaddr+0),"0"); strcpy((char *)(shmaddr+2),"0"); strcpy((char *)(shmaddr+4),"0"); printf("shm 0 : %s\n",(char *)(shmaddr+0)); printf("shm 2 : %s\n",(char *)(shmaddr+2)); printf("shm 4 : %s\n",(char *)(shmaddr+4)); memset(buf,0,sizeof(buf)); while(read(fd,buf,sizeof(buf))>0) { sprintf((char*)(shmaddr+6),"%s", buf); //printf("shmaddr %p = %s\n",shmaddr+6,(char*)(shmaddr+6)); printf("data is updated\n"); strcpy((char *)(shmaddr+0),"1");//메모리 입력완료 printf("shm 0 : %s\n",(char *)shmaddr+0); printf("shm 2 : %s\n",(char *)shmaddr+2); printf("shm 4 : %s\n",(char *)shmaddr+4); memset(buf,0,sizeof(buf)); while(!strcmp((char *)shmaddr+4,"0"));//reader에서 메모리확인할 때까지 멈춤 strcpy((char *)(shmaddr+4),"0");//reader 읽기flag 초기화 printf("\nwriter return!!!!!!!!!!!!!!!!!!!!!!!!!\n"); } printf("Memory writing is done\n"); strcpy((char *)(shmaddr+2),"1");//파일 읽기 끝 close(fd); wait(&pid); //free(shmaddr); shmdt(shared_Mem); shmctl(shmid, IPC_RMID,0); } exit(EXIT_SUCCESS); } <file_sep>/turnled.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<fcntl.h> #include<sys/mman.h> #define SW 17 #define LED 27 //Raspi3 PHYSICAL I/O peri base addr #define BCM_IO_BASE 0x3f000000 //Raspi3 GPIO BASE ADDR #define GPIO_BASE (BCM_IO_BASE+0x200000) #define GPFSEL0 *(gpio+1) #define GPFSEL1 *(gpio+2) //GPIO MODE SELECT #define GPIO_IN(g) (*(gpio+((g)/10))&=~(7<<(((g)%10)*3))) #define GPIO_OUT(g) (*(gpio+((g)/10))&=(1<<(((g)%10)*3))) //#define GPIO_SET(g) (*gpio+7)=(1<<g) //GPIO Pin Output SET / CLR #define GPIO_SIZE 0xB4 volatile unsigned int *gpio; int GPIO_GET(int gno) { int value; if(gno>31) value=*(gpio+14)&(1<<(gno-32)); else value=*(gpio+13)=(1<<(gno)); return value; } int GPIO_CLR(int gno) { if(gno>31) *(gpio+11)=(1<<(gno-32)); else *(gpio+10)=(1<<(gno)); return 0; } int GPIO_SET(int gno) { if(gno>31) *(gpio+8)=(1<<(gno-32)); else *(gpio+7)=(1<<(gno)); return 0; } int main(int argc, char **argv) { int gno, i, mem_fd; int regValue; void *gpio_map; /* if(argc<2) { printf("Error : %s GPIO_NO\n",argv[0]); return -1; } */ //gno=atoi(argv[1]); //device open /dev/mem if((mem_fd=open("/dev/mem",O_RDWR |O_SYNC))<0) { printf("Error : open() /dev/mem\n"); return -1; } gpio_map = mmap(NULL,GPIO_SIZE,PROT_READ|PROT_WRITE,MAP_SHARED,mem_fd,GPIO_BASE); if(gpio_map==MAP_FAILED) { printf("Error : mmap() %d\n",(int)gpio_map); return -1; } gpio = (volatile unsigned int *)gpio_map; /* regValue=*(gpio+1); printf("GPFSEL1 = 0x%x\n",regValue); regValue = regValue&0xFF1FFFFF; *(gpio+1)=regValue; printf("GPFSEL1 = 0x%x\n",regValue); */ regValue=GPIO_IN(SW); GPIO_OUT(LED); for(i=0;i<5;i++) { GPIO_GET(SW); printf("SW Value = %d\n",regValue); GPIO_SET(LED); usleep(500000); //500ms GPIO_CLR(LED); usleep(500000); //500ms } munmap(gpio_map,GPIO_SIZE); close(mem_fd); return 0; } <file_sep>/signal_g.c #include<stdio.h> #include<stdlib.h> #include<unistd.h> #include<fcntl.h> #include<signal.h> #include<time.h> #include<string.h> int main(int argc, char *argv[]) { int r; int sig; int i; pid_t pid=atoi(argv[1]); srand(time(NULL)); for(i=0;i<10;i++) { r=rand()%3; printf("rand : %d\n",r); switch(r) { case 0: sig=SIGUSR1; break; case 1: sig=SIGUSR2; break; case 2: sig=SIGINT; break; default: ; } printf("sig: %d\n",sig); kill(pid,sig); sleep(1); } } <file_sep>/opencv/match/backup/echo_client.cpp #include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <arpa/inet.h> #include <sys/socket.h> #include <termios.h> #include "opencv2/opencv.hpp" #define BUF_SIZE 1024 void error_handling(char *message); int port_all; char *ip_all; using namespace cv; int getch(void) { int ch; struct termios buf, save; tcgetattr(0,&save); buf=save; buf.c_lflag &=~(ICANON|ECHO); buf.c_cc[VMIN]=1; buf.c_cc[VTIME]=0; tcsetattr(0,TCSAFLUSH,&buf); ch=getchar(); tcsetattr(0,TCSAFLUSH,&save); return ch; } void *openthread(void *aa) { //-------------------------------------------------------- //networking stuff: socket , connect //-------------------------------------------------------- int sokt; char* serverIP; int serverPort; serverIP = ip_all; serverPort = port_all+1; struct sockaddr_in serverAddr; socklen_t addrLen = sizeof(struct sockaddr_in); if ((sokt = socket(PF_INET, SOCK_STREAM, 0)) < 0) { std::cerr << "socket() failed" << std::endl; } serverAddr.sin_family = PF_INET; serverAddr.sin_addr.s_addr = inet_addr(serverIP); serverAddr.sin_port = htons(serverPort); if (connect(sokt, (sockaddr*)&serverAddr, addrLen) < 0) { std::cerr << "connect() failed!" << std::endl; } //---------------------------------------------------------- //OpenCV Code //---------------------------------------------------------- Mat img; img = Mat::zeros(480 , 640, CV_8UC1); int imgSize = img.total() * img.elemSize(); uchar *iptr = img.data; int bytes = 0; int key; //make img continuos if ( ! img.isContinuous() ) { img = img.clone(); } std::cout << "Image Size:" << imgSize << std::endl; namedWindow("CV Video Client",1); while (key != 'q') { if ((bytes = recv(sokt, iptr, imgSize , MSG_WAITALL)) == -1) { std::cerr << "recv failed, received bytes = " << bytes << std::endl; } cv::imshow("CV Video Client", img); if (key = cv::waitKey(10) >= 0) break; } close(sokt); return 0; } int main(int argc, char *argv[]) { int sock; //char message[BUF_SIZE]; char ch; int str_len; struct sockaddr_in serv_adr; pthread_t open; if(argc!=3) { printf("Usage : %s <IP> <port>\n", argv[0]); exit(1); } port_all=atoi(argv[2]); ip_all=argv[1]; sock=socket(PF_INET, SOCK_STREAM, 0); if(sock==-1) error_handling("socket() error"); memset(&serv_adr, 0, sizeof(serv_adr)); serv_adr.sin_family=AF_INET; serv_adr.sin_addr.s_addr=inet_addr(argv[1]); serv_adr.sin_port=htons(atoi(argv[2])); if(connect(sock, (struct sockaddr*)&serv_adr, sizeof(serv_adr))==-1) error_handling("connect() error!"); else puts("Connected..........."); pthread_create(&open,NULL,openthread,(void *)NULL); while(1) { //fputs("Input message(Q to quit): ", stdout); //fgets(message, BUF_SIZE, stdin); //if(!strcmp(message,"q\n") || !strcmp(message,"Q\n")) // break; ch=getch(); printf("ch %c\n",ch); write(sock, &ch, sizeof(ch)); //str_len=read(sock, message, BUF_SIZE-1); //message[str_len]=0; //printf("Message from server: %s", message); } pthread_join(open, NULL); close(sock); return 0; } void error_handling(char *message) { fputs(message, stderr); fputc('\n', stderr); exit(1); }<file_sep>/msgwork/msg_s.c #include<stdlib.h> #include<stdio.h> #include<string.h> #include<errno.h> #include<unistd.h> #include<sys/types.h> #include<sys/ipc.h> #include<sys/msg.h> struct msg_data{ long int msg_type; char name[10]; int age; int id; }; int main() { struct msg_data msg; int msgid; char buffer[10]; char end[2]; int running =1; msgid=msgget((key_t)1234, 0666 | IPC_CREAT); if(msgid == -1) { fprintf(stderr,"msgid error : %d\n", errno); exit(EXIT_FAILURE); } while(running) { printf("put the name : "); msg.msg_type=1; scanf("%s",&msg.name); printf("put the age : "); scanf("%d",&msg.age); msg.id++; printf("conutine(y/n) : "); scanf("%s",&end); if(strncmp(end,"n",1)==0) { running=0; msg.msg_type=2; } if(msgsnd(msgid, (void *)&msg, sizeof(msg), 0)==-1) { fprintf(stderr, "msgsnd failed\n"); exit(EXIT_FAILURE); } } exit(EXIT_SUCCESS); } <file_sep>/msgwork/msg_r.c #include<stdlib.h> #include<stdio.h> #include<string.h> #include<errno.h> #include<unistd.h> #include<fcntl.h> #include<sys/types.h> #include<sys/ipc.h> #include<sys/msg.h> struct msg_data{ long int msg_type; char name[10]; int age; int id; char end[2]; }; int main() { int running=1; int msgid; int fd; char buf[10]; struct msg_data msg; long int msg_to_receive=0; msgid=msgget((key_t)1234, 0666 | IPC_CREAT); fd=open("./msgdata.txt",O_RDWR| O_CREAT| O_TRUNC,\ S_IRWXU| S_IRWXG| S_IRWXO); if(msgid == -1) { fprintf(stderr, "msgget failed with error: %d\n", errno); exit(EXIT_FAILURE); } while(running) { if(msgrcv(msgid, (void *)&msg, sizeof(msg), msg_to_receive, 0)==-1) { fprintf(stderr, "msgrcv failed with error: %d\n", errno); exit(EXIT_FAILURE); } printf("Name : %s\n",msg.name); write(fd,msg.name,sizeof(msg.name)); printf("Age : %d\n",msg.age); sprintf(buf,"%d",msg.age); write(fd,buf,sizeof(buf)); printf("Id : %d\n",msg.id); sprintf(buf,"%d",msg.id); write(fd,buf,sizeof(buf)); if(msg.msg_type==2) running=0; } close(fd); if(msgctl(msgid, IPC_RMID, 0)==-1) { fprintf(stderr, "msgctl(IPC_RMID) failed\n"); exit(EXIT_FAILURE); } exit(EXIT_SUCCESS); } <file_sep>/modules/gpio.c #include <stdio.h> #include <fcntl.h> #include <string.h> #include <unistd.h> #define BUF_SIZE 100 int main(int argc, char **argv) { char buf[BUF_SIZE]; int count; int fd=-1; memset(buf,0,BUF_SIZE); printf("GPIO Set : %s\n", argv[1]); fd=open("/dev/gpioled", O_RDWR); if(fd<0) { printf("Error : open()\n"); return -1; } count = write(fd, argv[1], strlen(argv[1])); if(count<0) printf("Error : write()\n"); count = read(fd,buf, BUF_SIZE); printf("Read data : %s\n",buf); close(fd); printf("/dev/gpioled closed\n"); return 0; } <file_sep>/Makefile #Makefile OBJECTS = work01.o TARGET = work01 SRCS = $(OBJECTS:.o=.s) $(TARGET): $(OBJECTS) gcc -o $@ $+ $(OBJECTS): $(SRCS) as -o $@ $< clean: rm -vf $(TARGET) *.o <file_sep>/modules/gpio_module.c #include <linux/fs.h> #include <linux/cdev.h> #include <linux/module.h> #include <linux/io.h> #include <linux/uaccess.h> #define GPIO_MAJOR 200 #define GPIO_MINOR 0 #define GPIO_DEVICE "gpioled" // Raspi 0,1 PHYSICAL I/O PERI BASE ADDR //#define BCM_IO_BASE 0x20000000 // Raspi 3 PHYSICAL I/O PERI BASE ADDR #define BCM_IO_BASE 0x3F000000 #define GPIO_BASE (BCM_IO_BASE + 0x200000) #define GPIO_SIZE 0xB4 #define GPIO_IN(g) (*(gpio+((g)/10)) &= (1<<(((g)%10)*3))) #define GPIO_OUT(g) (*(gpio+((g)/10)) |= (1<<(((g)%10)*3))) //#define GPIO_SET(g) (*(gpio+7) = (1<<g)) #define GPIO_CLR(g) (*(gpio+10) = (1<<g)) #define GPIO_GET(g) (*(gpio+13)&(1<<g)) #define GPIO_LED1 17 #define GPIO_LED2 27 #define BUF_SIZE 100 #define GPIO_SW 22 static char msg[BUF_SIZE]={0}; MODULE_LICENSE("GPL"); MODULE_AUTHOR("<NAME>"); MODULE_DESCRIPTION("Raspberry Pi First Device Driver"); volatile unsigned int *gpio; struct cdev gpio_cdev; int GPIO_SET(int g) { if(g>31) *(gpio+8)=(1<<(g-32)); else *(gpio+7)=(1<<(g)); return 0; } static int gpio_open(struct inode *inod, struct file *fil); static int gpio_close(struct inode *inod, struct file *fil); static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off); static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off); static struct file_operations gpio_fops = { .owner = THIS_MODULE, .read = gpio_read, .write = gpio_write, .open = gpio_open, .release = gpio_close, }; static int gpio_open(struct inode *inod, struct file *fil) { try_module_get(THIS_MODULE); printk(KERN_INFO "GPIO DEVICE opened()\n"); return 0; } static int gpio_close(struct inode *inod, struct file *fil) { module_put(THIS_MODULE); printk(KERN_INFO "GPIO DEVICE closed()\n"); return 0; } static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off) { short count; memset(msg, 0, BUF_SIZE); count = copy_from_user(msg, buff, len); printk(KERN_INFO "GPIO DEVICE Write : %s\n", msg); return count; } static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off) { int count; strcat(msg, "from kernel"); count = copy_to_user(buff,msg,strlen(msg)+1); printk(KERN_INFO "GPIO DEVICE read : %s\n", msg); GPIO_SET(17); GPIO_SET(27); return count; } static int __inint_initModule(void) { dev_t devno; unsigned int count; static void *map; int err; //함수 호출 유무를 확인하기 printk(KERN_INFO "Init gpio_module\n"); //1. 문자 디바이스를 이름 등록 devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); printk(KERN_INFO "devno=0x%x\n",devno); register_chrdev_region(devno,1,GPIO_DEVICE); //2. 문자 디바이스를 위한 구조체를 초기화 한다. cdev_init(&gpio_cdev, &gpio_fops); count = 1; //3. 문자 디바이스 추 err = cdev_add(&gpio_cdev, devno, count); if(err<0) { printk(KERN_INFO "Error : cdev_add()\n"); return -1; } printk(KERN_INFO "'mknod /dev/%s c %d 0'\n",GPIO_DEVICE, GPIO_MAJOR); printk(KERN_INFO "'chmod 666 /dev/%s '\n",GPIO_DEVICE); //4. 물리메모리 번지를 인자로 전달하면 가상메모리 번지를 리턴한다 map = ioremap(GPIO_BASE, GPIO_SIZE); if(!map) { printk(KERN_INFO "Error : mapping GPIO memory\n"); iounmap(map); return -EBUSY; } gpio = (volatile unsigned int *)map; GPIO_OUT(17); GPIO_OUT(27); GPIO_IN(GPIO_SW); return 0; } static void __exit_cleanipModule(void) { dev_t devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); // 1. 문자 디바이스의 등록(장치번호, 정치명)을 해제한다. unregister_chrdev_region(devno,1); // 2. 문자 디바이스의 구조체를 제거한다. cdev_del(&gpio_cdev); // 3. 문 자디바이스의 가상번지를 삭제한다. if(gpio) iounmap(gpio); printk(KERN_INFO "Exit gpio_module : Goodbye!\n"); } //내가 생성하고자 하는 초기화함수 이름을 적어준다 module_init(__inint_initModule); //내가 생성하고자 하는 종료함수 이름을 적어준다 module_exit(__exit_cleanipModule); <file_sep>/pthread/pthreadtest.c #include<pthread.h> #include<stdio.h> #include<stdlib.h> #include<unistd.h> #include<time.h> #include<sys/time.h> struct thd{ long long start; long long end; }; int sum() { int i,sum; for(i=0;i<200000;i++) { sum+=i; } return sum; } void *t_function(void * data) { int id; int i=0; int a =1; int sum_t; pthread_t t_id; id =*((int *)data); t_id=pthread_self(); sum_t=sum(); return 0; } int main(int argc[], char *argv[]) { pthread_t p_thread[2]; int err; int a,b; int status1, status2; struct thd thd_data; switch(atoi(argv[1])) { case 1: printf("1\n"); if(err=pthread_create(&p_thread[0],NULL, t_function, (void *)&a)<0) { perror("thread create error 0\n"); exit(1); } pthread_join(p_thread[0],(void **)&status); break; case 2: if(err=pthread_create(&p_thread[0],NULL, t_function, (void *)&a)<0) { perror("thread create error 0\n"); exit(1); } if(err=pthread_create(&p_thread[1],NULL, t_function, (void *)&b)<0) { perror("thread create error 1\n"); exit(1); } pthread_join(p_thread[0],(void **)&status); pthread_join(p_thread[1],(void **)&status2); break; default: ; } printf("thd sum%d\n",status); return 0; } <file_sep>/pthread/kernelThread.c #include<linux/kernel.h> #include<linux/module.h> #include<linux/interrupt.h> static int __init myinit(void) { printk("my_init\n"); return 0; } void my_exit(void) { printk("my_exit\n"); } module_init(my_init); module_exit(my_exit); MODULE_AUTHOR("<NAME> <<EMAIL>>"); MODULE_LICENSE("GPL"); <file_sep>/producer.c #include<stdio.h> #include<stdlib.h> #include<sys/types.h> #include<sys/stat.h> #include<fcntl.h> #include<limits.h> #include<unistd.h> #define BUFFER_SIZE PIPE_BUF #define TEN_MEG 256 #define FIFO_NAME "/tmp/fifo" int main() { int pipe_fd; int bytes_sent=0; int res,fd; char buffer[BUFFER_SIZE +1]; printf("Process %d opening FIFO O_WRONLY\n",getpid()); if(access(FIFO_NAME, F_OK)== -1){ res = mkfifo(FIFO_NAME, 0777); if(res !=0){ fprintf(stderr, "Could not create fifo %s\n", FIFO_NAME); exit(EXIT_FAILURE); } } pipe_fd = open(FIFO_NAME, O_WRONLY); printf("Process %d result %d\n",getpid(),pipe_fd); if(pipe_fd != -1){ while(bytes_sent < TEN_MEG){ res=write(pipe_fd, buffer, BUFFER_SIZE); if(res==-1){ fprintf(stderr, "Wrtie error on pipe\n"); exit(EXIT_FAILURE); } bytes_sent += res; } (void)close(pipe_fd); } } <file_sep>/blackbox/blackbox2.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<wait.h> #include<signal.h> #include<time.h> #include<string.h> #include<sys/stat.h> #include<sys/time.h> void sigint(int sig) { printf("blackbox end\n"); exit(0); } int main() { pid_t pid; int status; time_t UTCtime; struct tm *tm; FILE *fp; char cmd[BUFSIZ]; char time_num[BUFSIZ]; char filename[BUFSIZ]; char buf[BUFSIZ]; char mkdirname[BUFSIZ]; while(1) { time(&UTCtime); memset(cmd,'\0',sizeof(cmd)); memset(time_num,'\0',sizeof(time_num)); memset(buf,'\0',sizeof(time_num)); time(&UTCtime); tm = localtime(&UTCtime); strftime(time_num,sizeof(time_num),"%Y%m%d_%H%M%S", tm); strncpy(filename,time_num,11); //mem pid=fork(); if(pid<0) { perror("mem fork error\n"); exit(0); } if(pid==0) { execlp("./mem","mem",NULL); } wait(&status); //make folder int makefile = mkdir(filename,0766); printf("filename %s\n",filename); if(makefile==0) { printf("%s file had been successfully made\n",filename); } else if(makefile==-1) { printf("%s file is already existing\n",filename); } //video sprintf(cmd,"raspivid -o /home/pi/asm/blackbox/%s/%s.h264 -w 1280 -h 720 -t 60000",filename,time_num); printf("cmd : %s\n",cmd); printf("time : %s\n",time_num); fp = popen(cmd,"r"); if(fp<0) { perror("makefile popen error\n"); exit(1); } fclose(fp); printf("==============================================\n\n"); } exit(1); } <file_sep>/sigprocmask.c #include<signal.h> #include<stdio.h> #include<stdlib.h> #include<unistd.h> static void sigHandler(int signo) { printf("signal no : %d\n",signo); } int main(void) { sigset_t newmask, oldmask,pendmask; if(signal(SIGQUIT, sigHandler)==SIG_ERR) printf("can't catch SIGQUIT"); if(signal(SIGINT, sigHandler)==SIG_ERR) printf("can't catch SIGQUIT"); sigemptyset(&newmask); sigaddset(&newmask, SIGQUIT); if(sigprocmask(SIG_BLOCK,&newmask,&oldmask) <0) printf("SIG_BLOCK error"); printf("SIGQUIT is blocked\n"); sleep(10); if(sigpending(&pendmask)<0) printf("sigpending error"); if(sigismember(&pendmask, SIGQUIT)) printf("\nSIGQUIT pending\n"); if(sigprocmask(SIG_SETMASK, &oldmask, NULL)<0) printf("SIG_SETMASK error"); printf("SIGQUIT unblocked\n"); sleep(5); exit(0); } static void sig_quit(int signo) { printf("caught SIGQUIT\n"); if(signal(SIGQUIT,SIG_DFL)==SIG_ERR) perror("can't reset SIGQUIT"); } <file_sep>/blackbox/makefile.sh #!/bin/bash DATE=$(date +"%Y%m%d_%H") mkdir $DATE <file_sep>/shm2/writer.c #include<stdio.h> #include<stdlib.h> #include<signal.h> #include<unistd.h> #include<string.h> #include<fcntl.h> #include<sys/types.h> #include<sys/wait.h> #include<sys/shm.h> #define SHMSIZ 1024 int main() { pid_t pid; pid_t pid_c; int shmid; int i; void *shared_Mem=(void *)0; int *shmaddr; // 공유메모리 만들기 shmid=shmget((key_t)123, sizeof(int)*SHMSIZ, 0666 | IPC_CREAT); if(shmid==-1) { fprintf(stderr,"shmeid error why?????\n"); exit(EXIT_FAILURE); } // 공유메모리 가져오기 shared_Mem = shmat(shmid, (void *)0,0); if(shared_Mem == (void *)-1) { fprintf(stderr,"shared_Mem error\n"); exit(EXIT_FAILURE); } printf("Memory activated\n"); // 공유메모리 주소 시작지점 파악 shmaddr = (int *)shared_Mem; for(i=0;i<SHMSIZ;i++) { *(shmaddr+i)=i; //printf("shmaddr %p = %d\n",shmaddr+i, *(shmaddr+i)); } printf("Memory writing is done\n"); pid_c=fork(); //printf("mine : %d\n",getpid()); //printf("child : %d\n",pid_c); if(pid_c==-1) { fprintf(stderr,"fork error\n"); exit(EXIT_FAILURE); } //자식프로세서에서 작동 else if(pid_c==0) { printf("fork done\n"); execlp("./reader","reader","",(char *)NULL); } else { //pause(); //wait(&pid); while(*(shmaddr+0)==0); shmdt(shared_Mem); shmctl(shmid, IPC_RMID,0); } exit(EXIT_SUCCESS); } <file_sep>/test.c #include<stdio.h> #include<unistd.h> #include<wiringPi.h> #include<stdlib.h> int ledControl(int gpio1, int gpio2) { int i; //gpio : pint number, OUTPUT : assign as Output pinMode(gpio1, OUTPUT); pinMode(gpio2, OUTPUT); for(i=0;i<5;i++) { digitalWrite(gpio1, HIGH); usleep(500000); //500ms digitalWrite(gpio1, LOW); digitalWrite(gpio2, HIGH); usleep(500000); //500ms digitalWrite(gpio2, LOW); usleep(500000); //500ms } return 0; } int main(int argc, char **argv) { int gpioNum[2]; int sw; wiringPiSetup();// the first write it! if(argc<2) { printf("Error : %s GPIONum\n",argv[0]); return -1; } //pinMode(24,INPUT); //digitalRead(24); /* while((sw=digitalRead(24))==0) { printf("%d\n",sw); sleep(1); } */ gpioNum[0] = atoi(argv[1]); gpioNum[1] = atoi(argv[2]); ledControl(gpioNum[0], gpioNum[1]); return 0; } <file_sep>/fifowork/consumer.c #include<stdio.h> #include<stdlib.h> #include<sys/types.h> #include<string.h> #include<sys/stat.h> #include<fcntl.h> #include<limits.h> #include<unistd.h> #define BUFFER_SIZE PIPE_BUF #define FIFO_NAME "/tmp/fifo" int main() { int pipe_fd, res, fd; int doc1,doc2; int doc1_r, doc2_r; int open_mode = O_RDONLY; int cnt=0; char buffer[BUFFER_SIZE + 1]; char buffer_doc1[BUFFER_SIZE + 1]; char buffer_doc2[BUFFER_SIZE + 1]; int bytes_read = 0; memset(buffer, '\0', sizeof(buffer)); printf("Process %d opening FIFO O_RDONLY\n", getpid()); if (access(FIFO_NAME, F_OK) == -1) { res = mkfifo(FIFO_NAME, 0777); if (res != 0) { fprintf(stderr, "Could not create fifo %s\n", FIFO_NAME); exit(EXIT_FAILURE); } } pipe_fd = open(FIFO_NAME, open_mode); fd=open("./doc2.txt",O_RDWR | O_CREAT | O_TRUNC,\ S_IRWXU | S_IWGRP | S_IWGRP | S_IROTH); printf("Process %d result %d\n", getpid(), pipe_fd); if (pipe_fd != -1) { while((res = read(pipe_fd, buffer, sizeof(buffer)))>0); { printf("%s\n",buffer); write(fd, buffer, sizeof(buffer)); bytes_read += res; } close(fd); (void)close(pipe_fd); } else { exit(EXIT_FAILURE); } doc1=open("./doc.txt",O_RDONLY); doc2=open("./doc2.txt",O_RDONLY); while((doc1_r=read(doc1,buffer_doc1, sizeof(buffer_doc1)))>0) { doc2_r=read(doc2,buffer_doc2, sizeof(buffer_doc2)); if(strcmp(buffer_doc1,buffer_doc2)==0) printf("same\n"); else if(strcmp(buffer_doc1,buffer_doc2)!=0) printf("not same\n"); } } <file_sep>/pwm/pwmmotor.c #include <unistd.h> #include <fcntl.h> #include <sys/ioctl.h> #include <linux/i2c-dev.h> #include <stdio.h> #include <stdint.h> #include <termio.h> #include <wiringPi.h> #define I2C_DEV "/dev/i2c-1" #define CLOCK_FREQ 25000000.0 #define PCA_ADDR 0x40 #define LED_STEP 50 // Register Addr #define MODE1 0x00 #define MODE2 0x01 #define PRE_SCALE 0xFE #define LED15_ON_L 0x42 #define LED15_ON_H 0x43 #define LED15_OFF_L 0x44 #define LED15_OFF_H 0x45 #define LED14_ON_L 0x3E #define LED14_ON_H 0x3F #define LED14_OFF_L 0x40 #define LED14_OFF_H 0x41 #define LED13_ON_L 0x3A #define LED13_ON_H 0x3B #define LED13_OFF_L 0x3C #define LED13_OFF_H 0x4D //5 #define SPEED_L_ON_L 0x1A #define SPEED_L_ON_H 0x1B #define SPEED_L_OFF_L 0x1C #define SPEED_L_OFF_H 0x1D //4 #define SPEED_R_ON_L 0x16 #define SPEED_R_ON_H 0x17 #define SPEED_R_OFF_L 0x18 #define SPEED_R_OFF_H 0x19 int fd; unsigned char buffer[3]={0}; int reg_read8(unsigned char addr) { buffer[0]=addr; int length = 1; if(write(fd,buffer,length)!=length) { printf("Failed to write from the i2c bus\n"); } if(read(fd,buffer,length)!=length) { printf("Failed to read from the i2c bus\n"); } printf("addr[%d] = %d\n",addr,buffer[0]); return 0; } int reg_write8(unsigned char addr, unsigned short data) { int length=2; buffer[0]=addr; buffer[1]=data; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } return 0; } int pca9685_restart(void) { int length; reg_write8(MODE1, 0x00); reg_write8(MODE2, 0x04); return 0; /* buffer[0] = MODE1; buffer[1] = 0x00; length = 2; // [S][PCA_ADDR][W][ACK][MODE1][ACK][0x00][ACK][p] // MODE1 레지스터에 0x00을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return 0; } else { printf("Data Mode1 %x\n",biffer[0]); } buffer[0] = MODE2; buffer[1] = 0x04; length = 2; // MODE2 레지스터에 0x04을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return -1; } else { printf("Data Mode2 %x\n",biffer[1]); } */ } int pca9685_freq() { int length = 2, freq = 50; uint8_t pre_val = (CLOCK_FREQ / 4096/ freq)-1; printf("pre_val = %d\n",pre_val); // OP : OSC OFF reg_write8(MODE1, 0x10); // OP : WRITE PRE_SCALE VALUE reg_write8(PRE_SCALE,pre_val); // OP : RESTART reg_write8(MODE1, 0x80); // OP : TOTEM POLE reg_write8(MODE2, 0x04); return 0; /* // OP : OSC OFF buffer[0]=MODE1; buffer[1]=0x10; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : WRITE PRE_SCALE VALUE buffer[0]=PRE_SCALE; buffer[1]=prescale_val; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : RESTART buffer[0]=MODE1; buffer[1]=0x80; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : TOTEM POLE buffer[0]=MODE2; buffer[1]=0x04; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } */ } int reg_read16(unsigned char addr) { unsigned short temp; reg_read8(addr); temp = 0xff & buffer[0]; reg_read8(addr+1); temp |= (buffer[0]<<8); printf("addr=0x%x, data=0x%x\n",addr, temp); return 0; } int reg_write16(unsigned char addr, unsigned short data) { int length =2; reg_write8(addr,(data & 0xff)); reg_write8(addr+1,(data>>8) &0xff); return 0; } int blinkLED(void) { int i; unsigned short value; unsigned short max=4095; unsigned short zero=307, left=205, right=409; while(1) { for(i=0;i<max;i+=5) { if(i>1024) i+=15; reg_write16(LED15_ON_L,max-i); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,max); reg_read16(LED15_OFF_L); reg_write16(LED14_ON_L,max-i); reg_read16(LED14_ON_L); reg_write16(LED14_OFF_L,max); reg_read16(LED14_OFF_L); reg_write16(LED13_ON_L,max-i); reg_read16(LED13_ON_L); reg_write16(LED13_OFF_L,max); reg_read16(LED13_OFF_L); usleep(200); } for(i=0;i<max;i+=5) { if(i>1024) i+=15; reg_write16(LED15_ON_L,i); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,max); reg_read16(LED15_OFF_L); reg_write16(LED14_ON_L,i); reg_read16(LED14_ON_L); reg_write16(LED14_OFF_L,max); reg_read16(LED14_OFF_L); reg_write16(LED13_ON_L,i); reg_read16(LED13_ON_L); reg_write16(LED13_OFF_L,max); reg_read16(LED13_OFF_L); usleep(200); } } } int getch(void) { int ch; struct termios buf, save; tcgetattr(0,&save); buf=save; buf.c_lflag &=~(ICANON|ECHO); buf.c_cc[VMIN]=1; buf.c_cc[VTIME]=0; tcsetattr(0,TCSAFLUSH,&buf); ch=getchar(); tcsetattr(0,TCSAFLUSH,&save); return ch; } int led_on(unsigned short value) { unsigned short time_val=4000; int i; unsigned short wheel,cam,reset,speed; // left 205, rigth 409 unsigned short zero=307, left=150, right=750; char key; char sw=1; wheel=zero, cam=zero, speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); while(key != 'b') { printf("speed = %d, wheel = %d, sw = %d\n",speed,wheel,sw); //printf("key insert : "); key=getch(); switch(key) { // wheel 14 case 'a': if(wheel>=left) { wheel-=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel<left) { printf("wheel left value is Maximum\n"); wheel=left; } break; case 'd': if(wheel<=right) { wheel+=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel>right) { printf("wheel right value is Maximum\n"); wheel=right; } break; // cam up case 65: if(cam<right) { cam+=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam>left) { printf("Cam up value is Maximum\n"); cam-=LED_STEP*2; } break; // cam down case 66: if(cam>left) { cam-=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam<left) { printf("Cam down value is Maximum\n"); cam+=LED_STEP; } break; //reset case 'r': cam=zero,wheel=zero,speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,zero); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,zero); break; case 'f': reg_write8(MODE1, 0x10); printf("sleep\n"); break; case 'o': reg_write8(MODE1, 0x80); printf("wake up\n"); break; case 'q': if(sw==0) { sw=1; digitalWrite(0,0); digitalWrite(2,0); } else if(sw==1) { sw=0; digitalWrite(0,1); digitalWrite(2,1); } break; // sw=1 forword, sw=0 back // speed up ^ case 'w': if(sw==1) { if(zero<=speed && speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } else if(sw==0) { if(zero<speed) { speed-=LED_STEP; } else { sw=1; speed=zero; } } break; // speed down case 's': if(sw == 1) { if(speed>=zero) { speed-=LED_STEP; if(speed<zero) sw=0; } } else if(sw==0) { printf("go to back\n"); if(speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } break; default: ; } //wheel //reg_write16(LED14_ON_L,0); //reg_write16(LED14_OFF_L,wheel); // speed reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,speed); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,speed); if(sw==1) { digitalWrite(0,0); digitalWrite(2,0); } else if(sw==0) { digitalWrite(0,1); digitalWrite(2,1); } } } int main(void) { int value = 2047; wiringPiSetup(); pinMode(0, OUTPUT); pinMode(2, OUTPUT); if((fd=open(I2C_DEV,O_RDWR))<0) { printf("Failed open i2c-1 bus\n"); return -1; } if(ioctl(fd,I2C_SLAVE,PCA_ADDR)<0) { printf("Failed to acquire bus access and/or talk to slave\n"); return -1; } pca9685_restart(); pca9685_freq(); led_on(value); //blinkLED(); return 0; } <file_sep>/netProgramming-master/ch1/op_server.c #include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <arpa/inet.h> #include <sys/socket.h> #include "cal.h" void error_handling(char *message); int main(int argc, char *argv[]) { struct cal c1; int serv_sock; int clnt_sock; int result; int i; struct sockaddr_in serv_addr; struct sockaddr_in clnt_addr; socklen_t clnt_addr_size; // 클라이언트로 전송할 메시지 문자열 //char message[]="Hello World!"; // 실행시 PORT번호가 설정되었는지 확인 // PORT번호가 없다면 프로그램 종료 if(argc!=2){ printf("Usage : %s <port>\n", argv[0]); exit(1); } // STEP 1. 소켓을 생성한다. serv_sock=socket(PF_INET, SOCK_STREAM, 0); if(serv_sock == -1) error_handling("socket() error"); // 서버 자신의 주소값과 포트 번호값을 serv_addr에 저장한다. memset(&serv_addr, 0, sizeof(serv_addr)); serv_addr.sin_family=AF_INET; serv_addr.sin_addr.s_addr=htonl(INADDR_ANY); serv_addr.sin_port=htons(atoi(argv[1])); // STEP 2. 서버 소켓과 서버의 주소를 연결한다. if(bind(serv_sock, (struct sockaddr*) &serv_addr, sizeof(serv_addr))==-1 ) error_handling("bind() error"); // 서버 소켓 대기열의 크기를 설정한다. if(listen(serv_sock, 5)==-1) error_handling("listen() error"); // 클라이언트 주소 구조체의 크기를 설정한다. clnt_addr_size=sizeof(clnt_addr); // STEP 3. 클라이언트로부터 접속요청을 처리한다. clnt_sock=accept(serv_sock, (struct sockaddr*)&clnt_addr,&clnt_addr_size); if(clnt_sock==-1) error_handling("accept() error"); // STEP 4. 데이터 송수신 // 접속된 클라이언트로부터 데이터(메시지 문자열)를 수신한다. read(clnt_sock, &c1, sizeof(c1)); result=0; printf("op:%c\n",c1.op); for(i=0;i<c1.num;i++) { printf("operand1:%d\n",c1.operand[i]); if(i==0) { result=c1.operand[0]; } else { switch(c1.op) { case '+': result+=c1.operand[i]; break; case '-': result-=c1.operand[i]; break; default: break; } } } printf("result=%d\n",result); // STEP 5. 소켓을 닫는다. // 클라이언트와 서버의 소켓을 순서대로 닫는다. close(clnt_sock); close(serv_sock); return 0; } void error_handling(char *message) { fputs(message, stderr); fputc('\n', stderr); exit(1); } <file_sep>/SimpleGrab.cpp #include <stdio.h> #include <opencv2/opencv.hpp> #include <opencv2/highgui.hpp> using namespace cv; using namespace std; int grayImage(Mat gray); int main(int argc,char ** argv) { int ret; VideoCapture cap(0); if (!cap.isOpened()) { cerr << "ERROR: Unable to open the camera" << endl; return 0; } Mat frame; cout << "Start grabbing, press a key on Live window to terminate" << endl; while(1) { cap >> frame; if (frame.empty()) { cerr << "ERROR: Unable to grab from the camera" << endl; break; } Mat gray; cvtColor(frame,gray,CV_BGR2GRAY); imshow("Live",frame); //imshoaw("Gray", frame); ret=grayImage(gray); if(ret !=0) return 0; int key = cv::waitKey(5); key = (key==255) ? -1 : key; //#Solve bug in 3.2.0 if (key>=0) break; } cout << "Closing the camera" << endl; cap.release(); destroyAllWindows(); cout << "bye!" <<endl; return 0; } int grayImage(Mat src) { //Mat src = imread("lena.jpg",IMREAD_GRAYSCALE); if(src.empty()) return -1; int histSize = 256; float valueRange[]={0,256}; const float *ranges[]= {valueRange}; int channels = 0; int dims = 1; Mat hist; calcHist(&src,1,&channels,Mat(),hist,dims,&histSize,ranges); Mat histImage(512,512,CV_8U); normalize(hist,hist,0,histImage.rows,NORM_MINMAX,CV_32F); histImage = Scalar(255); int binW = cvRound((double)histImage.cols /histSize); int x1,y1,x2,y2; for(int i=0; i<histSize;i++) { x1 = i*binW; y1 = histImage.rows; x2 = (i+1)*binW; y2 = histImage.rows-cvRound(hist.at<float>(i)); rectangle(histImage, Point(x1,y1),Point(x2,y2),Scalar(0),-1); } imshow("original",src); imshow("histImage",histImage); return 0; } <file_sep>/cdev.c #include <linux/fs.h> #include <linux/cdev.h> #include <linux/module.h> #include <linux/io.h> #include <asm/uaccess.h> MODULE_LICENSE("GPL"); MODULE_AUTHOR("<NAME>"); MODULE_DESCRIPTION("Raspberry Pi First Device Driver"); int initModule(void) { printk(KERN_INFO "Init gpio_module\n"); return 0; } void cleanupModule(void) { printk(KERN_INFO "Exit gpio_module\n"); } //내가 생성하고 하는 초기화함수 이름을 적어준다. module_init(initModule); //내가 생성하고 하는 종료함수 이름을 적어준다. module_exit(cleanupModule); <file_sep>/killTranceiver.c #include<signal.h> #include<string.h> #include<stdio.h> #include<stdlib.h> #include<unistd.h> #include<errno.h> int main(int argc, char *argv[]) { int s, sig; if(argc != 3 || strcmp(argv[1],"--help")==0) printf("%s pid sig-num\n",argv[0]); sig=atoi(argv[2]); s = kill(atoi(argv[1]),sig); if(sig!=0) { if(s==-1) exit(-1); } else { if(s==0) printf("Process exists and we can send it a signal\n"); else { if(errno == EPERM) printf("Process exists, but we don't have permission to send ot a signal\n"); else if(errno == ESRCH) printf("Process does not exist\n"); else exit(-1); } } exit(EXIT_SUCCESS); } <file_sep>/shm3/reader.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<string.h> #include<signal.h> #include<fcntl.h> #include<sys/types.h> #include<sys/shm.h> #define SHMSIZ 1024 void sigint(int sig) { printf("Shared Memory is already"); } int main() { int shmid; int i,fd; char buf[SHMSIZ+1]; void *shared_Mem=(void *)0; char *shmaddr; pid_t pid_p=getppid(); signal(SIGINT, sigint); shmid=shmget((key_t)0x1234, sizeof(SHMSIZ), 0666| IPC_CREAT); if(shmid==-1) { fprintf(stderr,"shmid error\n"); exit(EXIT_FAILURE); } shared_Mem = shmat(shmid, (void *)0,0); if(shared_Mem== (void *)-1) { fprintf(stderr,"shared_Mem error\n"); exit(EXIT_FAILURE); } //shmaddr=(char *)malloc(sizeof(buf)); shmaddr = shared_Mem; printf("open\n"); fd=open("./b.txt",O_RDWR|O_CREAT | O_TRUNC,S_IRWXU| S_IRWXG| S_IRWXO); //memset(buf,0,sizeof(buf)); while(strcmp((char *)(shmaddr+0),"1")); while(!strcmp((char *)(shmaddr+2),"0")) { memset(buf,0,sizeof(buf)); strcpy(buf, (char *)(shmaddr+6));//데이터 읽기 printf("reader shm 0 : %s\n",(char *)(shmaddr+0)); printf("reader shm 2 : %s\n",(char *)shmaddr+2); printf("reader shm 4 : %s\n",(char *)shmaddr+4); //printf("%p data : %s\n",shmaddr+6,buf); printf("data is being wrote to file\n"); write(fd,buf,sizeof(buf)); memset(buf,0,sizeof(buf)); strcpy((char *)(shmaddr+4),"1");//reader flag 읽기완료 if(!strcmp((char *)(shmaddr+2),"1"))// a.txt 파일을 다 읽었으면 종료 break; printf("-----------------reader return\n"); } printf("write is finished\n"); //free(shmaddr); shmdt(shared_Mem); close(fd); exit(EXIT_SUCCESS); } <file_sep>/shmwriter.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<sys/types.h> #include<sys/ipc.h> #include<sys/shm.h> #define SHMSIZE 100 int main(void) { void *shared_Mem=(void *)0; int shmid; int *shmaddr; int i; // 1. shmget /making memory and check id // using 0x---- the key number is more comfortable to check the memory shmid=shmget((key_t)1234, sizeof(int)*SHMSIZE, 0666 | IPC_CREAT); if(shmid== -1) { fprintf(stderr, "shmget failed\n"); exit(EXIT_FAILURE); } // 2. shmat / bring the shared memory matched with key_t shared_Mem = shmat(shmid,(void *)0, 0); if(shared_Mem ==(void *)-1) { fprintf(stderr,"shmat failed\n"); exit(EXIT_FAILURE); } printf("Memory attached at 0x%p\n",shared_Mem); shmaddr = (int *)shared_Mem; // 3. memory access / put in the data to addr from the shared memory for(i=0;i<SHMSIZE;i++) { *(shmaddr+i)=i+1; printf("*shmaddr:%p, data:%d\n", shmaddr+i, *(shmaddr+i)); } sleep(4); // 4. shmdt / cut the shared memory in process if(shmdt(shared_Mem)==-1) { fprintf(stderr,"shmdt failed\n"); exit(EXIT_FAILURE); } // 5. shmctl : IPC_RMID / remove the shared memory if(shmctl(shmid, IPC_RMID,0)==-1) { fprintf(stderr,"shmctl(IPC_RMID) failed\n"); exit(EXIT_FAILURE); } exit(EXIT_SUCCESS); } <file_sep>/netProgramming-master/ch1/op_client.c #include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <arpa/inet.h> #include <sys/socket.h> #include "cal.h" void error_handling(char *message); int main(int argc, char* argv[]) { struct cal c1; int sock; int i; int temp; struct sockaddr_in serv_addr; char message[30]; int str_len; char * testAddr; // 프로그램 실행시 IP번지와 PORT번호를 설정했는지 확인 if(argc!=3){ printf("Usage : %s <IP> <port>\n", argv[0]); exit(1); } // STEP 1. 소켓을 생성한다. sock=socket(PF_INET, SOCK_STREAM, 0); if(sock == -1) error_handling("socket() error"); // 서버의 주소값과 포트 번화를 설정한다. memset(&serv_addr, 0, sizeof(serv_addr)); serv_addr.sin_family=AF_INET; serv_addr.sin_addr.s_addr=inet_addr(argv[1]); serv_addr.sin_port=htons(atoi(argv[2])); testAddr = inet_ntoa(serv_addr.sin_addr); printf("serv_addr = %s\n",testAddr); // STEP 2. 서버에 연결을 요청한다. if(connect(sock, (struct sockaddr*)&serv_addr, sizeof(serv_addr))==-1) error_handling("connect() error!"); printf("operand num:"); scanf("%d",&temp); printf("operation:"); scanf("%c",&c1.op); scanf("%c",&c1.op); c1.num = (char)temp; for(i=0; i<c1.num; i++) { printf("Operand %d: ", i+1); scanf("%d", &c1.operand[i]); } // STEP 3. 서버로 데이터를 송신한다. str_len = write(sock, &c1, sizeof(c1)); if(str_len==-1) error_handling("read() error!"); // STEP 4. 서버와의 연결을 닫는다. close(sock); return 0; } void error_handling(char *message) { fputs(message, stderr); fputc('\n', stderr); exit(1); } <file_sep>/sigprocmask2.c #include<signal.h> #include<stdio.h> #include<stdlib.h> #include<unistd.h> static void sigHandler(int signo) { printf("signal no : %d\n",signo); } int main(void) { sigset_t newmask, oldmask,pendmask; struct sigaction act; act.sa_handler = sigHandler; sigemptyset(&act.sa_mask); act.sa_flags=0; if(sigaction(SIGINT,&act,0)==-1) printf("can't catch SIGQUIT"); if(sigaction(SIGQUIT, &act, 0)==-1) printf("can't catch SIGQUIT"); sigemptyset(&newmask); sigaddset(&newmask, SIGQUIT); if(sigprocmask(SIG_BLOCK,&newmask,&oldmask) <0) printf("SIG_BLOCK error"); printf("SIGQUIT is blocked\n"); sleep(10); if(sigpending(&pendmask)<0) printf("sigpending error"); if(sigismember(&pendmask, SIGQUIT)) printf("\nSIGQUIT pending\n"); if(sigprocmask(SIG_SETMASK, &oldmask, NULL)<0) printf("SIG_SETMASK error"); printf("SIGQUIT unblocked\n"); sleep(5); exit(0); } static void sig_quit(int signo) { printf("caught SIGQUIT\n"); if(signal(SIGQUIT,SIG_DFL)==SIG_ERR) perror("can't reset SIGQUIT"); } <file_sep>/pipe2.c #include<stdio.h> #include<string.h> #include<unistd.h> #include<stdlib.h> #include<wait.h> int main() { int data_processed; int file_pipes[2]; const char some_data[]="123"; const char some_data2[]="456"; char buffer[BUFSIZ + 1]; int status; pid_t fork_result; memset(buffer,'\0',sizeof(buffer)); if(pipe(file_pipes)==0){ fork_result=fork(); if(fork_result==-1){ fprintf(stderr,"Fork failure"); exit(EXIT_FAILURE); } if(fork_result==0){ data_processed = read(file_pipes[0],buffer,BUFSIZ); printf("Read %d bytes: %s\n", data_processed, buffer); data_processed = write(file_pipes[1],some_data2, strlen(some_data2)); exit(EXIT_SUCCESS); } else{ data_processed = write(file_pipes[1],some_data,strlen(some_data)); printf("Wrote %d bytes\n", data_processed); data_processed = read(file_pipes[0],buffer, BUFSIZ); printf("Read %d bytes: %s\n", data_processed, buffer); wait(&status); } } exit(EXIT_SUCCESS); } <file_sep>/swtichtest.c #include<wiringPi.h> #include<stdio.h> #define SW 0 //p17 -> wiringPi 0 #define LED 2 //p27 -> wiringPi 2 // define Pin function int MyPinSetup(void) { pinMode(SW,INPUT); pinMode(LED,OUTPUT); return 0; } int switchcontrol(void) { while(1) { int value=digitalRead(SW); printf("value = %d\n",value); if(value==HIGH) digitalWrite(LED,HIGH); else digitalWrite(LED,LOW); usleep(100000); } } int main(void) { wiringPisetup(); MypinSetup(); switchcontrol(); return 0; } <file_sep>/blackbox/video_rec.cpp #include <time.h> #include <iostream> #include "opencv2/opencv.hpp" #include <sys/time.h> #include <stdio.h> #include <signal.h> using namespace cv; using namespace std; void signal(int sig) { printf("blackbox end\n"); exit(0); } int main() { time_t UTCtime; struct tm *tm; char buf_s[BUFSIZ]; char buf_e[BUFSIZ]; char name[BUFSIZ]; char pwd[BUFSIZ]; time(&UTCtime); //웹캡으로 부터 데이터 읽어오기 위해 준비 VideoCapture video(0); if (!video.isOpened()) { cout << "웹캠을 열수 없습니다." << endl; return 1; } Mat frame; namedWindow("input", 1); //웹캠에서 캡쳐되는 이미지 크기를 가져옴 Size size = Size((int)video.get(CAP_PROP_FRAME_WIDTH), (int)video.get(CAP_PROP_FRAME_HEIGHT)); video.set(CAP_PROP_FPS, 30.0); //파일로 동영상을 저장하기 위한 준비 VideoWriter outputVideo; tm= localtime(&UTCtime); strftime(buf_s,sizeof(buf_s),"%H%M%S", tm); strftime(name,sizeof(name),"%Y%m%e_%H%M%S", tm); strcat(name,".mpg"); memset(pwd,'\0',sizeof(pwd)); strncat(pwd,name,11); strcat(pwd,"/"); strcat(pwd,name); printf("pwd : %s\n",pwd); printf("file name : %s\n",name); printf("buf_s : %s\n",buf_s); outputVideo.open(pwd, VideoWriter::fourcc('X', 'V', 'I', 'D'), 30, size, true); if (!outputVideo.isOpened()) { cout << "동영상을 저장하기 위한 초기화 작업 중 에러 발생" << endl; return 1; } while (1) { //웹캡으로부터 한 프레임을 읽어옴 video >> frame; //웹캠에서 캡처되는 속도를 가져옴 int fps = video.get(CAP_PROP_FPS); int wait = int(1.0 / fps * 1000); cout << "fps : " << fps << endl; //화면에 영상을 보여줌 imshow("input", frame); //동영상 파일에 한프레임을 저장함. outputVideo << frame; //ESC키 누르면 종료 if (waitKey(wait) == 27) break; time(&UTCtime); tm= localtime(&UTCtime); strftime(buf_e,sizeof(buf_e),"%H%M%S",tm); printf("end time = %s\n",buf_e); int start = atoi(buf_s); int end = atoi(buf_e); printf("strat %d\n",start); printf("end %d\n",end); if(end-start>=20) { printf("finished\n"); break; } } return 0; } <file_sep>/pthread_basic.c #include<stdio.h> #include<pthread.h> #include<unistd.h> #include<stdlib.h> int glob_var = 6; void *t_function(void *data) { int id; int i=0; pthread_t t_id; id =*((int *)data); glob_var++; t_id=pthread_self(); printf("pid = %d, t_td = %lu, id = %d, i=%d, glob_var=%d\n",getpid(),t_id,id,i,glob_var); sleep(2); return (void *)(id*id); } int main() { pthread_t p_thread[2]; int err; int status; int a = 1; int b = 2; printf("before pthread_create() pid = %d, glob_var = %d\n", getpid(), glob_var); if((err = pthread_create(&p_thread[0], NULL, t_function, (void *)&a)) < 0) { perror("thread create error : "); exit(1); } if((err = pthread_create(&p_thread[1],NULL,t_function, (void *)&b))<0) { perror("thread create error : "); exit(2); } pthread_join(p_thread[0],(void **)&status); printf("thread join : %d\n",status); pthread_join(p_thread[1],(void **)&status); printf("thread join : %d\n",status); printf("after ptherad_create() glob_var = %d\n",glob_var); return 0; } <file_sep>/modules/gpiotimer/gpio.c #include <stdio.h> #include <fcntl.h> #include <string.h> #include <unistd.h> #include <errno.h> #include <stdlib.h> #include <signal.h> #define BUF_SIZE 100 #define DEVICE_ROUTE "/dev/gpioled" #define MODULE_CMD "sudo insmod /home/pi/asm/modules/gpiotimer/gpioirq_module.ko" #define MKNOD_CMD "sudo mknod /dev/gpioled c 200 0" #define CHMOD_CMD "sudo chmod 666 /dev/gpioled" char buf[BUF_SIZE]; int fd = -1; void signal_handler(int signum) { int count; printf("user app : signal is catched\n"); if(signum==SIGIO) { count = read(fd, buf, 20); printf("sig = %s\n",buf); } return; } int main(int argc, char **argv) { int count; memset(buf, 0, BUF_SIZE); signal(SIGIO,signal_handler); printf("GPIO Set : %s\n", argv[1]); while(0 > (fd = open(DEVICE_ROUTE, O_RDWR))) { switch(errno) { case ENXIO://6 system(MODULE_CMD); break; case ENOENT://2 system(MKNOD_CMD); system(CHMOD_CMD); break; default: printf("Error : open failed %d \n", errno); return -1; } } sprintf(buf,"%s:%d",argv[1],getpid()); count = write(fd, buf, strlen(buf)); printf("device opened()\n"); if(count < 0) { printf("Error : write failed %d \n", errno); return -1; } count = read(fd, buf, 20); printf("Read data : %s\n", buf); while(1); close(fd); printf("device closed()\n"); return 0; } <file_sep>/modules/gpiotimer/gpiotimer.c #include <linux/init.h> #include <linux/kernel.h> #include <linux/module.h> #include <linux/timer.h> static struct timer_list my_timer; void my_timer_callback(unsigned long data) { printk("%s called (%ld),\n",__FUNCTION__,jiffies); } static int __init my_init(void) { int retval; printk("Timer module loaded\n"); //Step 1. Setting up the timer setup_timer(&my_timer,my_timer_callback,0); printk("Setup timer to fire in 300ms (%ld)\n",jiffies); //Step 2. Setting the expiration time retval = mod_timer(&my_timer, jiffies+msecs_to_jiffies(300));//my_time 일정시간 뒤에 발생 if(retval) printk("Timer firing failed\n"); return 0; } static void my_exit(void) { int retval; //Step 3. Releasing the timer retval = del_timer(&my_timer); /* Is timer still active (1) or no (0) */ if(retval) printk("The timer is still in use...\n"); pr_info("Timer module unloaded\n"); } module_init(my_init); module_exit(my_exit); MODULE_AUTHOR("<NAME> <<EMAIL>>"); MODULE_DESCRIPTION("Standard timer example"); MODULE_LICENSE("GPL"); <file_sep>/netProgramming-master/ch1/coreTemp.c #include <stdio.h> #include <sys/types.h> #include <sys/stat.h> #include <fcntl.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <arpa/inet.h> #include <sys/socket.h> #define buf_size 10 void error_handling(char *message); int main(int argc, char **argv) { int fd; double T; int flag; int count; char buf[buf_size]; int i; double temp; int sock; struct sockaddr_in serv_addr; int str_len; char * testaddr; if(argc!=3){ printf("usage : %s <IP port>\n", argv[0]); } sock=socket(PF_INET, SOCK_STREAM, 0); if(sock == -1) error_handling("socket() error"); memset(&serv_addr, 0, sizeof(serv_addr)); serv_addr.sin_family=AF_INET; serv_addr.sin_addr.s_addr=inet_addr(argv[1]); serv_addr.sin_port=htons(atoi(argv[2])); if(connect(sock, (struct sockaddr*)&serv_addr, sizeof(serv_addr))== -1) error_handling("connect() error!"); while(1) { memset(buf,0,buf_size); // RaspberryPi CPU Temp fd = open("/sys/class/thermal/thermal_zone0/temp",O_RDONLY); if(fd<2) printf("Can not open File\n"); count = read(fd, buf, 5); //fscanf(fd,"%3f", &T); temp = atoi(buf); temp /= 1000; printf("The temperature is %6.3f C.\n", temp); write(sock, &buf, sizeof(buf)); close(fd); sleep(1); } close(sock); return 0; } void error_handling(char *message) { fputs(message, stderr); fputc('\n', stderr); exit(1); } <file_sep>/shm2/reader.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<string.h> #include<signal.h> #include<fcntl.h> #include<sys/types.h> #include<sys/shm.h> #define SHMSIZ 1024 void sigint(int sig) { printf("Shared Memory is already"); } int main() { int shmid; int i,fd; char buffer[5]; void *shared_Mem=(void *)0; int *shmaddr; int a; pid_t pid_p=getppid(); signal(SIGINT, sigint); shmid=shmget((key_t)123, sizeof(int)*SHMSIZ, 0666| IPC_CREAT); if(shmid==-1) { fprintf(stderr,"shmid error\n"); exit(EXIT_FAILURE); } shared_Mem = shmat(shmid, (void *)0,0); if(shared_Mem== (void *)-1) { fprintf(stderr,"shared_Mem error\n"); exit(EXIT_FAILURE); } shmaddr = (int *)shared_Mem; fd=open("./a.txt",O_RDWR|O_CREAT | O_TRUNC,S_IRWXU| S_IRWXG| S_IRWXO); for(i=0;i<SHMSIZ;i++) { sprintf(buffer,"%d\n",*(shmaddr+i)); //printf("buffer input %s",buffer); write(fd,buffer,strlen(buffer)); } printf("write is finished\n"); *(shmaddr+0) = 1;//flag로 공유메모리0번지가 1이면 부모 프로세서 가동 shmdt(shared_Mem); close(fd); //kill(pid_p,SIGINT); exit(EXIT_SUCCESS); } <file_sep>/blackbox/blackbox.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<wait.h> #include<signal.h> void sigint(int sig) { printf("blackbox end\n"); exit(0); } int main() { pid_t pid; int status; FILE *fp; signal(SIGINT,sigint); while(1) { //make folder with date fp = popen("./makefile.sh", "r"); if(fp<0) { perror("makefile popen error\n"); exit(0); } fclose(fp); //mem pid=fork(); if(pid<0) { perror("mem fork error\n"); exit(0); } if(pid==0) { execlp("./mem","mem",NULL); } wait(&status); //video pid=fork(); if(pid<0) { perror("video fork error\n"); exit(0); } if(pid==0) { execlp("./video_rec","video",NULL); } wait(&status); } exit(1); } <file_sep>/shm/shmwriter.c #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<sys/types.h> #include<string.h> #include<signal.h> #include<fcntl.h> #include<sys/ipc.h> #include<sys/shm.h> #include<sys/msg.h> int msgid,shmid; void *shared_Mem=(void *)0; int *shmaddr; struct data_str{ long msg_type; pid_t pid; }; void shardMem() { int i; // 공유메모리 활성화 shmid=shmget((key_t)1234, sizeof(int)*100, 0666 | IPC_CREAT); if(shmid==-1) { fprintf(stderr,"shmget failed\n"); exit(EXIT_FAILURE); } // 공유메모리 동기화 shared_Mem = shmat(shmid, (void *)0,0); if(shared_Mem == (void *)-1) { fprintf(stderr,"shmat failed\n"); exit(EXIT_FAILURE); } printf("Memory attached\n"); // 공유메모리 주소값으로 값 입력 shmaddr = (int *)shared_Mem; for(i=0;i<50;i++) { *(shmaddr+i)=i+1; printf("*shmaddr:%p, data:%d\n", shmaddr+i, *(shmaddr+i)); } sleep(1); } void sigint(int sig) { printf("release\n"); } int main() { struct data_str data; pid_t shmr_pid; signal(SIGINT,sigint); msgid=msgget((key_t)1234, 0666 | IPC_CREAT); data.msg_type=1; data.pid=getpid(); // first write start // give write pid to reader msgsnd(msgid, (void *)&data, sizeof(data), 0); printf("shmw signal pid = %d\n",data.pid); pause(); // reader 메세지 큐 읽기 msgrcv(msgid, (void *)&data, sizeof(data),0,0); shmr_pid=data.pid; printf("shmr signal pid : %d\n",shmr_pid); msgctl(msgid, IPC_RMID, 0); shardMem(); kill(shmr_pid,SIGUSR1); pause(); //공유메모리 비동기화 shmdt(shared_Mem); //공유메모리 삭제 shmctl(shmid, IPC_RMID,0); printf("The end\n"); exit(EXIT_SUCCESS); } <file_sep>/opencv/pwmmotor2.c #include <unistd.h> #include <fcntl.h> #include <sys/ioctl.h> #include <linux/i2c-dev.h> #include <stdio.h> #include <stdint.h> #include <termio.h> #include <wiringPi.h> #include <pthread.h> #include <arpa/inet.h> #include <sys/socket.h> #include <stdlib.h> #include <string.h> #define I2C_DEV "/dev/i2c-1" #define CLOCK_FREQ 25000000.0 #define PCA_ADDR 0x40 #define LED_STEP 50 // Register Addr #define MODE1 0x00 #define MODE2 0x01 #define PRE_SCALE 0xFE #define LED15_ON_L 0x42 #define LED15_ON_H 0x43 #define LED15_OFF_L 0x44 #define LED15_OFF_H 0x45 #define LED14_ON_L 0x3E #define LED14_ON_H 0x3F #define LED14_OFF_L 0x40 #define LED14_OFF_H 0x41 #define LED13_ON_L 0x3A #define LED13_ON_H 0x3B #define LED13_OFF_L 0x3C #define LED13_OFF_H 0x4D //5 #define SPEED_L_ON_L 0x1A #define SPEED_L_ON_H 0x1B #define SPEED_L_OFF_L 0x1C #define SPEED_L_OFF_H 0x1D //4 #define SPEED_R_ON_L 0x16 #define SPEED_R_ON_H 0x17 #define SPEED_R_OFF_L 0x18 #define SPEED_R_OFF_H 0x19 #define BUF_SIZE 100 #define MAX_CLNT 256 void * handle_clnt(void * arg); void send_msg(char * msg, int len); void error_handling(char * msg); int clnt_cnt=0; int clnt_socks[MAX_CLNT]; pthread_mutex_t mutx; char msg[BUF_SIZE]; int fd; unsigned char buffer[3]={0}; char key; int reg_read8(unsigned char addr) { buffer[0]=addr; int length = 1; if(write(fd,buffer,length)!=length) { printf("Failed to write from the i2c bus\n"); } if(read(fd,buffer,length)!=length) { printf("Failed to read from the i2c bus\n"); } printf("addr[%d] = %d\n",addr,buffer[0]); return 0; } int reg_write8(unsigned char addr, unsigned short data) { int length=2; buffer[0]=addr; buffer[1]=data; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } return 0; } int pca9685_restart(void) { int length; reg_write8(MODE1, 0x00); reg_write8(MODE2, 0x04); return 0; /* buffer[0] = MODE1; buffer[1] = 0x00; length = 2; // [S][PCA_ADDR][W][ACK][MODE1][ACK][0x00][ACK][p] // MODE1 레지스터에 0x00을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return 0; } else { printf("Data Mode1 %x\n",biffer[0]); } buffer[0] = MODE2; buffer[1] = 0x04; length = 2; // MODE2 레지스터에 0x04을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return -1; } else { printf("Data Mode2 %x\n",biffer[1]); } */ } int pca9685_freq() { int length = 2, freq = 50; uint8_t pre_val = (CLOCK_FREQ / 4096/ freq)-1; printf("pre_val = %d\n",pre_val); // OP : OSC OFF reg_write8(MODE1, 0x10); // OP : WRITE PRE_SCALE VALUE reg_write8(PRE_SCALE,pre_val); // OP : RESTART reg_write8(MODE1, 0x80); // OP : TOTEM POLE reg_write8(MODE2, 0x04); return 0; /* // OP : OSC OFF buffer[0]=MODE1; buffer[1]=0x10; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : WRITE PRE_SCALE VALUE buffer[0]=PRE_SCALE; buffer[1]=prescale_val; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : RESTART buffer[0]=MODE1; buffer[1]=0x80; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : TOTEM POLE buffer[0]=MODE2; buffer[1]=0x04; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } */ } int reg_read16(unsigned char addr) { unsigned short temp; reg_read8(addr); temp = 0xff & buffer[0]; reg_read8(addr+1); temp |= (buffer[0]<<8); printf("addr=0x%x, data=0x%x\n",addr, temp); return 0; } int reg_write16(unsigned char addr, unsigned short data) { int length =2; reg_write8(addr,(data & 0xff)); reg_write8(addr+1,(data>>8) &0xff); return 0; } int getch(void) { int ch; struct termios buf, save; tcgetattr(0,&save); buf=save; buf.c_lflag &=~(ICANON|ECHO); buf.c_cc[VMIN]=1; buf.c_cc[VTIME]=0; tcsetattr(0,TCSAFLUSH,&buf); ch=getchar(); tcsetattr(0,TCSAFLUSH,&save); return ch; } void *led_on(void) { unsigned short time_val=4000; int i; unsigned short wheel,cam,reset,speed; // left 205, rigth 409 unsigned short zero=307, left=150, right=750; //char key; char sw=1; wheel=zero, cam=zero, speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); while(key != 'b') { //printf("key = %c, speed = %d, wheel = %d, sw = %d\n",msg[0],speed,wheel,sw); //printf("key insert : "); //key=getch(); switch(msg[0]) { // wheel 14 case 'a': if(wheel>=left) { wheel-=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel<left) { printf("wheel left value is Maximum\n"); wheel=left; } break; case 'd': if(wheel<=right) { wheel+=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel>right) { printf("wheel right value is Maximum\n"); wheel=right; } break; // cam up case 65: if(cam<right) { cam+=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam>left) { printf("Cam up value is Maximum\n"); cam-=LED_STEP*2; } break; // cam down case 66: if(cam>left) { cam-=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam<left) { printf("Cam down value is Maximum\n"); cam+=LED_STEP; } break; //reset case 'r': cam=zero,wheel=zero,speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,zero); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,zero); break; case 'f': reg_write8(MODE1, 0x10); printf("sleep\n"); break; case 'o': reg_write8(MODE1, 0x80); printf("wake up\n"); break; case 'q': if(sw==0) { sw=1; digitalWrite(0,0); digitalWrite(2,0); } else if(sw==1) { sw=0; digitalWrite(0,1); digitalWrite(2,1); } break; // sw=1 forword, sw=0 back // speed up ^ case 'w': if(sw==1) { if(zero<=speed && speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } else if(sw==0) { if(zero<speed) { speed-=LED_STEP; } else { sw=1; speed=zero; } } break; // speed down case 's': if(sw == 1) { if(speed>=zero) { speed-=LED_STEP; if(speed<zero) sw=0; } } else if(sw==0) { printf("go to back\n"); if(speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } break; default: ; } memset(msg,0,sizeof(msg)); //wheel //reg_write16(LED14_ON_L,0); //reg_write16(LED14_OFF_L,wheel); // speed reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,speed); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,speed); if(sw==1) { digitalWrite(0,0); digitalWrite(2,0); } else if(sw==0) { digitalWrite(0,1); digitalWrite(2,1); } } } void *TCP(void *arg) { char *port= (char *)arg; int serv_sock, clnt_sock; struct sockaddr_in serv_adr, clnt_adr; int clnt_adr_sz; pthread_t t_id; pthread_mutex_init(&mutx, NULL); serv_sock=socket(PF_INET, SOCK_STREAM, 0); memset(&serv_adr, 0, sizeof(serv_adr)); serv_adr.sin_family=AF_INET; serv_adr.sin_addr.s_addr=htonl(INADDR_ANY); serv_adr.sin_port=htons(atoi(port)); if(bind(serv_sock, (struct sockaddr*) &serv_adr, sizeof(serv_adr))==-1) error_handling("bind() error"); if(listen(serv_sock, 5)==-1) error_handling("listen() error"); while(1) { clnt_adr_sz=sizeof(clnt_adr); clnt_sock=accept(serv_sock, (struct sockaddr*)&clnt_adr,&clnt_adr_sz); pthread_mutex_lock(&mutx); clnt_socks[clnt_cnt++]=clnt_sock; pthread_mutex_unlock(&mutx); pthread_create(&t_id, NULL, handle_clnt, (void*)&clnt_sock); pthread_detach(t_id); printf("Connected client IP: %s \n", inet_ntoa(clnt_adr.sin_addr)); } close(serv_sock); } int main(int argc, char *argv[]) { pthread_t id_key, id_TCP; wiringPiSetup(); pinMode(0, OUTPUT); pinMode(2, OUTPUT); if(argc!=2) { printf("Usage : %s <port>\n", argv[0]); exit(1); } if((fd=open(I2C_DEV,O_RDWR))<0) { printf("Failed open i2c-1 bus\n"); return -1; } if(ioctl(fd,I2C_SLAVE,PCA_ADDR)<0) { printf("Failed to acquire bus access and/or talk to slave\n"); return -1; } //pthread_create(&id_key,NULL,led_on,NULL); pthread_create(&id_TCP,NULL,TCP,(void *)argv[1]); pca9685_restart(); pca9685_freq(); led_on(); pthread_join(id_key,NULL); pthread_join(id_TCP,NULL); return 0; } void * handle_clnt(void * arg) { int clnt_sock=*((int*)arg); int str_len=0, i; //char msg[BUF_SIZE]; while((str_len=read(clnt_sock, msg, sizeof(msg)))!=0) { //send_msg(msg, str_len); printf("key = %c\n",msg[0]); } pthread_mutex_lock(&mutx); for(i=0; i<clnt_cnt; i++) // remove disconnected client { if(clnt_sock==clnt_socks[i]) { while(i++<clnt_cnt-1) clnt_socks[i]=clnt_socks[i+1]; break; } } clnt_cnt--; pthread_mutex_unlock(&mutx); close(clnt_sock); return NULL; } void send_msg(char * msg, int len) // send to all { int i; pthread_mutex_lock(&mutx); for(i=0; i<clnt_cnt; i++) write(clnt_socks[i], msg, len); pthread_mutex_unlock(&mutx); } void error_handling(char * msg) { fputs(msg, stderr); fputc('\n', stderr); exit(1); }<file_sep>/modules/yj/gpio_module.c #include <linux/fs.h> #include <linux/cdev.h> #include <linux/module.h> #include <linux/io.h> #include <linux/uaccess.h> #include <linux/gpio.h> #define GPIO_MAJOR 200 #define GPIO_MINOR 0 #define GPIO_DEVICE "gpioled" //Raspi 0, 1 PHYSICAL I/O PERI BASE ADDR //#define BCM_IO_BASE 0x20000000 //Raspi 3 PHYSICAL I/O PERI BASE ADDR #define BCM_IO_BASE 0x3F000000 #define GPIO_BASE (BCM_IO_BASE + 0x200000) #define GPIO_SIZE 0xB4 #define GPIO_IN(g) (*(gpio+((g)/10))&=~(7<<(((g)%10)*3))) #define GPIO_OUT(g) (*(gpio+((g)/10))|=(1<<(((g)%10)*3))) #define GPIO_SET(g) (*(gpio+7) = (1<<g)) #define GPIO_CLR(g) (*(gpio+10) = (1<<g)) #define GPIO_GET(g) (*(gpio+13)&(1<<g)) #define GPIO_LED 17 #define GPIO_LED2 27 #define GPIO_SW 13 #define BUF_SIZE 100 static char msg[BUF_SIZE] = {0}; static int stat=0; MODULE_LICENSE("GPL"); MODULE_AUTHOR("YSH"); MODULE_DESCRIPTION("Raspberry Pi First Device Driver"); struct cdev gpio_cdev; static int gpio_open(struct inode *inod, struct file *fil); static int gpio_close(struct inode *inod, struct file *fil); static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off); static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off); typedef struct Data_{ char data; }Data; static struct file_operations gpio_fops = { .owner = THIS_MODULE, .read = gpio_read, .write = gpio_write, .open = gpio_open, .release = gpio_close, }; volatile unsigned int *gpio; /* int GPIO_SET(int g) { if(g >31) *(gpio + 8) = (1 << (g - 31)); else *(gpio + 7) = (1 << (g)); return g; } */ static int gpio_open(struct inode *inod, struct file *fil) { try_module_get(THIS_MODULE); printk(KERN_INFO "GPIO Device opened()\n"); return 0; } static int gpio_close(struct inode *inod, struct file *fil) { module_put(THIS_MODULE); printk(KERN_INFO "GPIO Device Closed()\n"); return 0; } static ssize_t gpio_write(struct file *inode, const char *buff, size_t len, loff_t *off) { short count; memset(msg, 0, BUF_SIZE); count = copy_from_user(msg, buff, len);//유저에서 커널로 데이터 가져오 if(stat==1) { gpio_set_value(GPIO_LED,1); gpio_set_value(GPIO_LED2,0); } else if(stat==2) { gpio_set_value(GPIO_LED,1); gpio_set_value(GPIO_LED2,1); } else { gpio_set_value(GPIO_LED,0); gpio_set_value(GPIO_LED2,0); } //gpio_set_value(GPIO_LED, (!strcmp(msg,"0"))? 0:1); printk(KERN_INFO "GPIO Device write : %s\n", msg); return count; } static ssize_t gpio_read(struct file *inode, char *buff, size_t len, loff_t *off) { short count; /* if(gpio_get_value(GPIO_LED)) msg[0]='1'; else msg[0]='0'; */ if(gpio_get_value(GPIO_SW)) { if(stat==0) stat++; else if(stat==1) stat++; else stat=0; } sprintf(msg,"%d",stat); strcat(msg," from kernel"); count = copy_to_user(buff, msg, strlen(msg)+1); printk(KERN_INFO "GPIO Device read : %s\n", msg); /* if(buff[0] == '1') { GPIO_SET(GPIO_LED1); GPIO_SET(GPIO_LED2); } else { GPIO_CLR(GPIO_LED1); GPIO_CLR(GPIO_LED2); } */ return count; } static int initModule(void) { dev_t devno; unsigned int count; int err; //함수 호출 유무를 확인하기 위해 printk(KERN_INFO "Init gpio_module\n"); //1. 문자 디바이스를 등록 devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); printk(KERN_INFO "devno=0x%x\n", devno); register_chrdev_region(devno,1, GPIO_DEVICE); //2. 문자 디바이스의 번호와 이름을 등록 cdev_init(&gpio_cdev, &gpio_fops); count = 1; //3. 문자 디바이스 추가 err = cdev_add(&gpio_cdev, devno, count); if(err < 0) { printk(KERN_INFO "Error : cdev_add()\n"); return -1; } printk(KERN_INFO "'mknod /dev/%s c %d 0'\n", GPIO_DEVICE, GPIO_MAJOR); printk(KERN_INFO "'chmod 666 /dev/%s'\n", GPIO_DEVICE); // gpio.h에 정의된 gpio_request함수의 사용 err = gpio_request(GPIO_LED,"LED"); if(err==-EBUSY) { printk(KERN_INFO " Error gpio_request\n"); return -1; } //4. 물리메모리 번지를 인자로 전달하면 가상메모리 번지를 리턴한다. gpio_direction_output(GPIO_LED, 0); gpio_direction_output(GPIO_LED2, 0); gpio_direction_input(GPIO_SW); //GPIO_OUT(GPIO_LED1); //GPIO_OUT(GPIO_LED2); //GPIO_IN(GPIO_SW); return 0; } static void __exit cleanupModule(void) { dev_t devno = MKDEV(GPIO_MAJOR, GPIO_MINOR); //1. 문자 디바이스의 등록(장치번호, 장치명)을 해제한다. unregister_chrdev_region(devno, 1); //2. 문자 디바이스의 구조체를 제거한다. gpio_set_value(GPIO_LED,1); gpio_set_value(GPIO_LED2,0); cdev_del(&gpio_cdev); gpio_direction_output(GPIO_LED,0); gpio_free(GPIO_LED); //3. 문자 디바이스의 가상번지를 삭제한다. if(gpio) iounmap(gpio); printk(KERN_INFO "Exit gpio_module : Good Bye\n"); } //my initialize function module_init(initModule); //my exit function module_exit(cleanupModule); <file_sep>/msg1.c #include<stdlib.h> #include<stdio.h> #include<string.h> #include<errno.h> #include<unistd.h> #include<sys/types.h> #include<sys/ipc.h> #include<sys/msg.h> struct my_msg_st{ long int my_msg_type; char some_text[BUFSIZ]; }; int main() { int running=1; int msgid; struct my_msg_st some_data; long int msg_to_receive=0; //메세지큐 활성 msgid=msgget((key_t)1234, 0666 |IPC_CREAT); if(msgid == -1){ fprintf(stderr, "msgget failed with error: %d\n", errno); exit(EXIT_FAILURE); } while(running){ //메세지 받기 if(msgrcv(msgid, (void *)&some_data, BUFSIZ, msg_to_receive,0)== -1){ fprintf(stderr, "msgrcv failed with error: %d\n", errno); exit(EXIT_FAILURE); } printf("You wrote: %s", some_data.some_text); //end 입력시 프로그램 종료 if(strncmp(some_data.some_text, "end", 3)==0){ running=0; } } //메세지 삭제 if(msgctl(msgid, IPC_RMID, 0)==-1){ fprintf(stderr, "msgctl(IPC_RMID) failed\n"); exit(EXIT_FAILURE); } exit(EXIT_SUCCESS); } <file_sep>/opencv/match/backup/pwmmotor2.cpp #include <unistd.h> #include <fcntl.h> #include <sys/ioctl.h> #include <linux/i2c-dev.h> #include <stdio.h> #include <stdint.h> #include <termio.h> #include <wiringPi.h> #include <pthread.h> #include <arpa/inet.h> #include <sys/socket.h> #include <stdlib.h> #include <string.h> #include "opencv2/opencv.hpp" #define I2C_DEV "/dev/i2c-1" #define CLOCK_FREQ 25000000.0 #define PCA_ADDR 0x40 #define LED_STEP 50 // Register Addr #define MODE1 0x00 #define MODE2 0x01 #define PRE_SCALE 0xFE #define LED15_ON_L 0x42 #define LED15_ON_H 0x43 #define LED15_OFF_L 0x44 #define LED15_OFF_H 0x45 #define LED14_ON_L 0x3E #define LED14_ON_H 0x3F #define LED14_OFF_L 0x40 #define LED14_OFF_H 0x41 #define LED13_ON_L 0x3A #define LED13_ON_H 0x3B #define LED13_OFF_L 0x3C #define LED13_OFF_H 0x4D //5 #define SPEED_L_ON_L 0x1A #define SPEED_L_ON_H 0x1B #define SPEED_L_OFF_L 0x1C #define SPEED_L_OFF_H 0x1D //4 #define SPEED_R_ON_L 0x16 #define SPEED_R_ON_H 0x17 #define SPEED_R_OFF_L 0x18 #define SPEED_R_OFF_H 0x19 #define BUF_SIZE 100 #define MAX_CLNT 256 void * handle_clnt(void * arg); void send_msg(char * msg, int len); void error_handling(char * msg); int clnt_cnt=0; int clnt_socks[MAX_CLNT]; pthread_mutex_t mutx; char msg[BUF_SIZE]; int fd; unsigned char buffer[3]={0}; char key; char *ip_all; int port_all; using namespace cv; void *display(void *); int capDev = 0; VideoCapture cap(capDev); int reg_read8(unsigned char addr) { buffer[0]=addr; int length = 1; if(write(fd,buffer,length)!=length) { printf("Failed to write from the i2c bus\n"); } if(read(fd,buffer,length)!=length) { printf("Failed to read from the i2c bus\n"); } printf("addr[%d] = %d\n",addr,buffer[0]); return 0; } int reg_write8(unsigned char addr, unsigned short data) { int length=2; buffer[0]=addr; buffer[1]=data; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } return 0; } int pca9685_restart(void) { int length; reg_write8(MODE1, 0x00); reg_write8(MODE2, 0x04); return 0; /* buffer[0] = MODE1; buffer[1] = 0x00; length = 2; // [S][PCA_ADDR][W][ACK][MODE1][ACK][0x00][ACK][p] // MODE1 레지스터에 0x00을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return 0; } else { printf("Data Mode1 %x\n",biffer[0]); } buffer[0] = MODE2; buffer[1] = 0x04; length = 2; // MODE2 레지스터에 0x04을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return -1; } else { printf("Data Mode2 %x\n",biffer[1]); } */ } int pca9685_freq() { int length = 2, freq = 50; uint8_t pre_val = (CLOCK_FREQ / 4096/ freq)-1; printf("pre_val = %d\n",pre_val); // OP : OSC OFF reg_write8(MODE1, 0x10); // OP : WRITE PRE_SCALE VALUE reg_write8(PRE_SCALE,pre_val); // OP : RESTART reg_write8(MODE1, 0x80); // OP : TOTEM POLE reg_write8(MODE2, 0x04); return 0; /* // OP : OSC OFF buffer[0]=MODE1; buffer[1]=0x10; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : WRITE PRE_SCALE VALUE buffer[0]=PRE_SCALE; buffer[1]=prescale_val; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : RESTART buffer[0]=MODE1; buffer[1]=0x80; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : TOTEM POLE buffer[0]=MODE2; buffer[1]=0x04; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } */ } int reg_read16(unsigned char addr) { unsigned short temp; reg_read8(addr); temp = 0xff & buffer[0]; reg_read8(addr+1); temp |= (buffer[0]<<8); printf("addr=0x%x, data=0x%x\n",addr, temp); return 0; } int reg_write16(unsigned char addr, unsigned short data) { int length =2; reg_write8(addr,(data & 0xff)); reg_write8(addr+1,(data>>8) &0xff); return 0; } int getch(void) { int ch; struct termios buf, save; tcgetattr(0,&save); buf=save; buf.c_lflag &=~(ICANON|ECHO); buf.c_cc[VMIN]=1; buf.c_cc[VTIME]=0; tcsetattr(0,TCSAFLUSH,&buf); ch=getchar(); tcsetattr(0,TCSAFLUSH,&save); return ch; } void *led_on(void) { unsigned short time_val=4000; int i; unsigned short wheel,cam,reset,speed; // left 205, rigth 409 unsigned short zero=307, left=150, right=750; //char key; char sw=1; wheel=zero, cam=zero, speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); while(key != 'b') { //printf("key = %c, speed = %d, wheel = %d, sw = %d\n",msg[0],speed,wheel,sw); //printf("key insert : "); //key=getch(); switch(msg[0]) { // wheel 14 case 'a': if(wheel>=left) { wheel-=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel<left) { printf("wheel left value is Maximum\n"); wheel=left; } break; case 'd': if(wheel<=right) { wheel+=LED_STEP; reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,wheel); } else if(wheel>right) { printf("wheel right value is Maximum\n"); wheel=right; } break; // cam up case 65: if(cam<right) { cam+=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam>left) { printf("Cam up value is Maximum\n"); cam-=LED_STEP*2; } break; // cam down case 66: if(cam>left) { cam-=LED_STEP; reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,cam); } else if(cam<left) { printf("Cam down value is Maximum\n"); cam+=LED_STEP; } break; //reset case 'r': cam=zero,wheel=zero,speed=zero; reg_write16(LED13_ON_L,0); reg_write16(LED13_OFF_L,zero); reg_write16(LED14_ON_L,0); reg_write16(LED14_OFF_L,zero); reg_write16(LED15_ON_L,0); reg_write16(LED15_OFF_L,zero); reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,zero); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,zero); break; case 'f': reg_write8(MODE1, 0x10); printf("sleep\n"); break; case 'o': reg_write8(MODE1, 0x80); printf("wake up\n"); break; case 'q': if(sw==0) { sw=1; digitalWrite(0,0); digitalWrite(2,0); } else if(sw==1) { sw=0; digitalWrite(0,1); digitalWrite(2,1); } break; // sw=1 forword, sw=0 back // speed up ^ case 'w': if(sw==1) { if(zero<=speed && speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } else if(sw==0) { if(zero<speed) { speed-=LED_STEP; } else { sw=1; speed=zero; } } break; // speed down case 's': if(sw == 1) { if(speed>=zero) { speed-=LED_STEP; if(speed<zero) sw=0; } } else if(sw==0) { printf("go to back\n"); if(speed<=time_val) { speed+=LED_STEP; } else if(speed>time_val) { printf("speed up value is Maximum\n"); speed=time_val; } } break; default: ; } memset(msg,0,sizeof(msg)); //wheel //reg_write16(LED14_ON_L,0); //reg_write16(LED14_OFF_L,wheel); // speed reg_write16(SPEED_R_ON_L,0); reg_write16(SPEED_R_OFF_L,speed); reg_write16(SPEED_L_ON_L,0); reg_write16(SPEED_L_OFF_L,speed); if(sw==1) { digitalWrite(0,0); digitalWrite(2,0); } else if(sw==0) { digitalWrite(0,1); digitalWrite(2,1); } } } void *TCP(void *arg) { char *port= (char *)arg; int serv_sock, clnt_sock; struct sockaddr_in serv_adr, clnt_adr; socklen_t clnt_adr_sz; pthread_t t_id; pthread_mutex_init(&mutx, NULL); serv_sock=socket(PF_INET, SOCK_STREAM, 0); memset(&serv_adr, 0, sizeof(serv_adr)); serv_adr.sin_family=AF_INET; serv_adr.sin_addr.s_addr=htonl(INADDR_ANY); serv_adr.sin_port=htons(atoi(port)); if(bind(serv_sock, (struct sockaddr*) &serv_adr, sizeof(serv_adr))==-1) error_handling("bind() error"); if(listen(serv_sock, 5)==-1) error_handling("listen() error"); while(1) { clnt_adr_sz=sizeof(clnt_adr); clnt_sock=accept(serv_sock, (struct sockaddr*)&clnt_adr,&clnt_adr_sz); pthread_mutex_lock(&mutx); clnt_socks[clnt_cnt++]=clnt_sock; pthread_mutex_unlock(&mutx); pthread_create(&t_id, NULL, handle_clnt, (void*)&clnt_sock); pthread_detach(t_id); printf("Connected client IP: %s \n", inet_ntoa(clnt_adr.sin_addr)); } close(serv_sock); } void *openthread(void * aa) { //-------------------------------------------------------- //networking stuff: socket, bind, listen //-------------------------------------------------------- int localSocket, remoteSocket, port = 4097; struct sockaddr_in localAddr, remoteAddr; pthread_t thread_id; int addrLen = sizeof(struct sockaddr_in); /* if ( (argc > 1) && (strcmp(argv[1],"-h") == 0) ) { std::cerr << "usage: ./cv_video_srv [port] [capture device]\n" << "port : socket port (4097 default)\n" << "capture device : (0 default)\n" << std::endl; exit(1); } */ port = port_all+1; localSocket = socket(AF_INET , SOCK_STREAM , 0); if (localSocket == -1){ perror("socket() call failed!!"); } localAddr.sin_family = AF_INET; localAddr.sin_addr.s_addr = INADDR_ANY; localAddr.sin_port = htons( port ); if( bind(localSocket,(struct sockaddr *)&localAddr , sizeof(localAddr)) < 0) { perror("Can't bind() socket"); exit(1); } //Listening listen(localSocket , 3); std::cout << "Waiting for connections...\n" << "Server Port:" << port << std::endl; //accept connection from an incoming client while(1){ //if (remoteSocket < 0) { // perror("accept failed!"); // exit(1); //} remoteSocket = accept(localSocket, (struct sockaddr *)&remoteAddr, (socklen_t*)&addrLen); //std::cout << remoteSocket<< "32"<< std::endl; if (remoteSocket < 0) { perror("accept failed!"); exit(1); } std::cout << "Connection accepted" << std::endl; pthread_create(&thread_id,NULL,display,&remoteSocket); //pthread_join(thread_id,NULL); } //pthread_join(thread_id,NULL); //close(remoteSocket); return 0; } void *display(void *ptr){ int socket = *(int *)ptr; //OpenCV Code //---------------------------------------------------------- Mat img, imgGray; img = Mat::zeros(480 , 640, CV_8UC1); //make it continuous if (!img.isContinuous()) { img = img.clone(); } int imgSize = img.total() * img.elemSize(); int bytes = 0; int key; //make img continuos if ( ! img.isContinuous() ) { img = img.clone(); imgGray = img.clone(); } std::cout << "Image Size:" << imgSize << std::endl; while(1) { /* get a frame from camera */ cap >> img; //do video processing here cvtColor(img, imgGray, CV_BGR2GRAY); //send processed image if ((bytes = send(socket, imgGray.data, imgSize, 0)) < 0){ std::cerr << "bytes = " << bytes << std::endl; break; } } } int main(int argc, char *argv[]) { pthread_t id_key, id_TCP, id_open; wiringPiSetup(); pinMode(0, OUTPUT); pinMode(2, OUTPUT); if(argc!=2) { printf("Usage : %s <port>\n", argv[0]); exit(1); } if((fd=open(I2C_DEV,O_RDWR))<0) { printf("Failed open i2c-1 bus\n"); return -1; } if(ioctl(fd,I2C_SLAVE,PCA_ADDR)<0) { printf("Failed to acquire bus access and/or talk to slave\n"); return -1; } port_all=atoi(argv[1]); //pthread_create(&id_key,NULL,led_on,NULL); pthread_create(&id_TCP,NULL,TCP,(void *)argv[1]); pthread_create(&id_open,NULL,openthread,(void *)NULL); pca9685_restart(); pca9685_freq(); led_on(); pthread_join(id_key,NULL); pthread_join(id_TCP,NULL); return 0; } void * handle_clnt(void * arg) { int clnt_sock=*((int*)arg); int str_len=0, i; //char msg[BUF_SIZE]; while((str_len=read(clnt_sock, msg, sizeof(msg)))!=0) { //send_msg(msg, str_len); printf("key = %c\n",msg[0]); } pthread_mutex_lock(&mutx); for(i=0; i<clnt_cnt; i++) // remove disconnected client { if(clnt_sock==clnt_socks[i]) { while(i++<clnt_cnt-1) clnt_socks[i]=clnt_socks[i+1]; break; } } clnt_cnt--; pthread_mutex_unlock(&mutx); close(clnt_sock); return NULL; } void send_msg(char * msg, int len) // send to all { int i; pthread_mutex_lock(&mutx); for(i=0; i<clnt_cnt; i++) write(clnt_socks[i], msg, len); pthread_mutex_unlock(&mutx); } void error_handling(char * msg) { fputs(msg, stderr); fputc('\n', stderr); exit(1); }<file_sep>/netProgramming-master/ch1/hello_server.c #include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <arpa/inet.h> #include <sys/socket.h> void error_handling(char *message); int main(int argc, char *argv[]) { int serv_sock; int clnt_sock; struct sockaddr_in serv_addr; struct sockaddr_in clnt_addr; socklen_t clnt_addr_size; // 클라이언트로 전송할 메시지 문자열 char message[]="Hello World!"; // 실행시 PORT번호가 설정되었는지 확인 // PORT번호가 없다면 프로그램 종료 if(argc!=2){ printf("Usage : %s <port>\n", argv[0]); exit(1); } // STEP 1. 소켓을 생성한다. serv_sock=socket(PF_INET, SOCK_STREAM, 0); if(serv_sock == -1) error_handling("socket() error"); // 서버 자신의 주소값과 포트 번호값을 serv_addr에 저장한다. memset(&serv_addr, 0, sizeof(serv_addr)); serv_addr.sin_family=AF_INET; serv_addr.sin_addr.s_addr=htonl(INADDR_ANY); serv_addr.sin_port=htons(atoi(argv[1])); // STEP 2. 서버 소켓과 서버의 주소를 연결한다. if(bind(serv_sock, (struct sockaddr*) &serv_addr, sizeof(serv_addr))==-1 ) error_handling("bind() error"); // 서버 소켓 대기열의 크기를 설정한다. if(listen(serv_sock, 5)==-1) error_handling("listen() error"); // 클라이언트 주소 구조체의 크기를 설정한다. clnt_addr_size=sizeof(clnt_addr); // STEP 3. 클라이언트로부터 접속요청을 처리한다. clnt_sock=accept(serv_sock, (struct sockaddr*)&clnt_addr,&clnt_addr_size); if(clnt_sock==-1) error_handling("accept() error"); // STEP 4. 데이터 송수신 // 접속된 클라이언트에게 데이터(메시지 문자열)를 전송한다. write(clnt_sock, message, sizeof(message)); // STEP 5. 소켓을 닫는다. // 클라이언트와 서버의 소켓을 순서대로 닫는다. close(clnt_sock); close(serv_sock); return 0; } void error_handling(char *message) { fputs(message, stderr); fputc('\n', stderr); exit(1); } <file_sep>/pthread/pthread_cancel.c #include<pthread.h> #include<unistd.h> #include<stdlib.h> #include<stdio.h> #include<sys/time.h> //쓰레드 종료시 호출될 함수 void clean_up(void *); //쓰레드 함수 void *thread_func(void *); pthread_cond_t cond = PTHREAD_COND_INITIALIZER; pthread_mutex_t lmu = PTHREAD_MUTEX_INITIALIZER; int main(int argc, char **argv) { pthread_t pt; pthread_create(&pt, NULL, thread_func,NULL);// thread_func의 함수를 따르는 쓰레드 만듬 //생성된 쓰레드 pt에 취소 요청을 보낸다. pthread_cancel(pt); //5초를 쉰 후에 시그널을 보낸다. sleep(5); pthread_cond_signal(&cond); //join 후 종료한다 pthread_join(pt, NULL); printf("exit\n"); exit(1); } //쓰레드 종료시 호출될 함수 //여기에 자원해제루틴을 입력할 수 있을 것이다 void clean_up(void *arg) { printf("Thread cancel Clean_up function\n"); } void *thread_func(void *arg) { //DISABLE 상태다 //쓰레드에 대한 취소요청을 무시한다. pthread_setcancelstate(PTHREAD_CANCEL_DISABLE, NULL); //쓰레드 취소요청으로 종료시 호출될 함수 등록 pthread_cleanup_push(clean_up,(void *)NULL); pthread_mutex_lock(&lmu); printf("THREAD cond wait\n"); pthread_cond_wait(&cond, &lmu); printf("GET COND SIGNAL\n"); pthread_mutex_unlock(&lmu); printf("EXIT\n"); pthread_cleanup_pop(0); } <file_sep>/signal_time.c #include<stdio.h> #include<stdlib.h> #include<unistd.h> #include<fcntl.h> #include<signal.h> #include<string.h> #include<time.h> #include<sys/time.h> int fd; void sigHandler(int sig) { static int count=0; char buf[100]; time_t UTCtime; struct tm *tm; struct timeval UTCtime_u; time(&UTCtime); tm = localtime(&UTCtime); strftime(buf, sizeof(buf),"%A %m %e %h: %y",tm); // strcpy(buf,ctime(&UTCtime)); printf("I got signal %d.\n",count++); switch(sig) { case SIGUSR1: //strcpy(buf,ctime(&UTCtime)); //strcat(buf,"SIGUER1 "); strcat(buf," SIGUER1\n"); break; case SIGUSR2: //strcpy(buf,"SIGUER2 "); //strcat(buf,ctime(&UTCtime)); strcat(buf," SIGUER2\n"); break; case SIGINT: //strcpy(buf,"SIGINT "); //strcat(buf,ctime(&UTCtime)); strcat(buf," SIGINT\n"); break; default: ; } write(fd,buf,strlen(buf)); buf[0]='\0'; } int main(int argc, int *argv[]) { int i=10; fd=open("./test2.txt",O_RDWR | O_CREAT | O_TRUNC, \ S_IRWXU | S_IWGRP | S_IRGRP | S_IROTH); signal(SIGINT, sigHandler); signal(SIGUSR1, sigHandler); signal(SIGUSR2, sigHandler); printf("%d\n",getpid()); while(i--) { pause(); } close(fd); exit(0); } <file_sep>/pwm/pwmled.c #include <unistd.h> #include <fcntl.h> #include <sys/ioctl.h> #include <linux/i2c-dev.h> #include <stdio.h> #include <stdint.h> #define I2C_DEV "/dev/i2c-1" #define CLOCK_FREQ 25000000.0 #define PCA_ADDR 0x40 #define LED_STEP 100 // Register Addr #define MODE1 0x00 #define MODE2 0x01 #define PRE_SCALE 0xFE #define LED15_ON_L 0x42 #define LED15_ON_H 0x43 #define LED15_OFF_L 0x44 #define LED15_OFF_H 0x45 int fd; unsigned char buffer[3]={0}; int reg_read8(unsigned char addr) { buffer[0]=addr; int length = 1; if(write(fd,buffer,length)!=length) { printf("Failed to write from the i2c bus\n"); } if(read(fd,buffer,length)!=length) { printf("Failed to read from the i2c bus\n"); } printf("addr[%d] = %d\n",addr,buffer[0]); return 0; } int reg_write8(unsigned char addr, unsigned short data) { int length=2; buffer[0]=addr; buffer[1]=data; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } return 0; } int pca9685_restart(void) { int length; reg_write8(MODE1, 0x00); reg_write8(MODE2, 0x04); return 0; /* buffer[0] = MODE1; buffer[1] = 0x00; length = 2; // [S][PCA_ADDR][W][ACK][MODE1][ACK][0x00][ACK][p] // MODE1 레지스터에 0x00을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return 0; } else { printf("Data Mode1 %x\n",biffer[0]); } buffer[0] = MODE2; buffer[1] = 0x04; length = 2; // MODE2 레지스터에 0x04을 쓴다. if(write(fd,buffer,length) != length) { printf("Failed to write from the i2c bus\n"); return -1; } else { printf("Data Mode2 %x\n",biffer[1]); } */ } int pca9685_freq() { int length = 2, freq = 10; uint8_t pre_val = (CLOCK_FREQ / 4096/ freq)-1; printf("pre_val = %d\n",pre_val); // OP : OSC OFF reg_write8(MODE1, 0x10); // OP : WRITE PRE_SCALE VALUE reg_write8(PRE_SCALE,pre_val); // OP : RESTART reg_write8(MODE1, 0x80); // OP : TOTEM POLE reg_write8(MODE2, 0x04); return 0; /* // OP : OSC OFF buffer[0]=MODE1; buffer[1]=0x10; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : WRITE PRE_SCALE VALUE buffer[0]=PRE_SCALE; buffer[1]=prescale_val; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : RESTART buffer[0]=MODE1; buffer[1]=0x80; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } // OP : TOTEM POLE buffer[0]=MODE2; buffer[1]=0x04; if(write(fd,buffer,length)!=length) { printf("Failed to write form the i2c bus\n"); return -1; } */ } int reg_read16(unsigned char addr) { unsigned short temp; reg_read8(addr); temp = 0xff & buffer[0]; reg_read8(addr+1); temp |= (buffer[0]<<8); printf("addr=0x%x, data=0x%x\n",addr, temp); return 0; } int reg_write16(unsigned char addr, unsigned short data) { int length =2; reg_write8(addr,(data & 0xff)); reg_write8(addr+1,(data>>8) &0xff); return 0; } int blinkLED(void) { int i; unsigned short value; unsigned short max=4095; while(1) { for(i=0;i<max;i+=5) { //if(i>1024) // i+=15; reg_write16(LED15_ON_L,max-i); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,max); reg_read16(LED15_OFF_L); usleep(20); } for(i=0;i<max;i+=5) { //if(i>1024) // i+=15; reg_write16(LED15_ON_L,i); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,max); reg_read16(LED15_OFF_L); usleep(20); } } } int led_on(unsigned short value) { unsigned short time_val=4095; char key; while(key != 'b') { printf("key insert : "); key=getchar(); if(key=='a') { if(value<3800) { value+=LED_STEP; reg_write16(LED15_ON_L,time_val-value); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,value); reg_read16(LED15_OFF_L); } else { printf("Overflow\n"); } } else if(key=='s') { if(value>LED_STEP) { value-=LED_STEP; reg_write16(LED15_ON_L,0); reg_read16(LED15_ON_L); reg_write16(LED15_OFF_L,value); reg_read16(LED15_OFF_L); } else { printf("Underflow\n"); } } } } int main(void) { int value = 2047; if((fd=open(I2C_DEV,O_RDWR))<0) { printf("Failed open i2c-1 bus\n"); return -1; } if(ioctl(fd,I2C_SLAVE,PCA_ADDR)<0) { printf("Failed to acquire bus access and/or talk to slave\n"); return -1; } pca9685_restart(); pca9685_freq(); //led_on(value); blinkLED(); return 0; } <file_sep>/shm/shmreader.c #include<stdio.h> #include<stdio.h> #include<unistd.h> #include<stdlib.h> #include<signal.h> #include<sys/types.h> #include<sys/shm.h> #include<sys/ipc.h> #include<sys/msg.h> #define SHMSIZE 50 struct data_str{ long msg_type; pid_t pid; }; void sigusr1(int sig) { void *shared_Mem=(void *)0; int shmid; int *shmaddr; int i; printf("i got sigusr1 signal\n"); shmid=shmget((key_t)1234, sizeof(int)*SHMSIZE, 0666 | IPC_CREAT); shared_Mem = shmat(shmid,(void *)0,0); shmaddr = (int *)shared_Mem; sleep(1); for(i=0; i<SHMSIZE;i++) { printf("*shmaddr:%p, data:%d\n", shmaddr+i,*(shmaddr+i)); } } int main() { struct data_str data; pid_t shmw_pid; int msgid; signal(SIGUSR1,sigusr1); msgid=msgget((key_t)1234, 0666 | IPC_CREAT); msgrcv(msgid, (void *)&data, sizeof(data),0,0); shmw_pid=data.pid; printf("shmw signal pid = %d\n",data.pid); data.pid=getpid(); msgsnd(msgid, (void *)&data, sizeof(data), 0); printf("throwing shmr siganl pid : %d\n",data.pid); kill(shmw_pid,SIGINT); pause(); kill(shmw_pid,SIGINT); exit(EXIT_SUCCESS); }
5572b0bad5f87fe6a24ac1b5e33d6536a09451fd
[ "C", "Makefile", "C++", "Shell" ]
50
C
Yuseunghoon/asm
30dc110470b7f412cc0892b10152c8fa31891a48
28bf4c210a5c42c6d48e7b11d549a51043af4aa1
refs/heads/master
<file_sep># Projeto-Otatop Hey! Bem vindo gerenciador do Projeto Otatop! Nosso projeto tem como finalidade a produção de sites com funcionalidade CRUD baseado em um modelo Entidade Relacionamento escrito em um arquivo texto padonizado por nós! Legal né?! :D O projeto está atualmente sendo desenvolvido pelos alunos da UPE do curso de Sistemas de informação- <NAME>, <NAME>, <NAME> e <NAME>- utilizando a linguagem Java para disciplina de POO(Projeto Orientado a Objeto). Se você quer saber mais sobre o projeto talvez queira dar uma conferida na nossa [wiki](https://github.com/cb130felix/Projeto-Otatop/wiki). LET'S GET IT ON! \ >:C / <file_sep> package ModeloRel; /** * Classe de informações das colunas * @author Renan */ public class Coluna { public boolean pk, auto_inc, nullable, fk = false; public String nome, tipo, fk_nome_coluna, fk_nome_tabela; public int tamanho_str; public Coluna(boolean pk, boolean auto_inc, boolean nullable, String nome, String tipo, String fk_nome_coluna, String fk_nome_tabela, int tamanho_str, boolean fk) { this.pk = pk; this.auto_inc = auto_inc; this.nullable = nullable; this.nome = nome; this.tipo = tipo; this.fk_nome_coluna = fk_nome_coluna; this.fk_nome_tabela = fk_nome_tabela; this.tamanho_str = tamanho_str; this.fk = fk; } public Coluna(){} } <file_sep> package Geradores.Camadas; import ModeloRel.ModeloR; import ModeloRel.Tabela; import ProjetoInfo.ProjetoInfo; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; import java.util.ArrayList; /** * Classe para gerar as classes das entidades (tabelas do modelo relacional) * @author Arthur, Guto, Renan */ public class ClassEntGen { ModeloR modelo; String diretorio; ProjetoInfo projeto; public ClassEntGen(ModeloR modelo, String diretorio, ProjetoInfo projeto) { this.modelo = modelo; this.diretorio = diretorio; this.projeto = projeto; } /** * Gera as classes da entidade do sistema em PHP. * @throws IOException caso o arquivo não possa ser gerado. */ public void gerar() throws IOException{ gerarClassesEntidades(); gerarClasseEntidadePai(); // gerarCamadas(); } /** * Gera um arquivo que contém todas as classes das entidades já geradas * @throws IOException */ public void gerarClasseEntidadePai() throws IOException{ File arquivo = new File (diretorio+"CRUD/Entidades/entidades.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n"); for (int x = 0; x < modelo.tabelas.size(); x++) { bw.write("include '"+modelo.tabelas.get(x).nome+".php';\n"); } bw.write("?>\n"); bw.close(); fw.close(); } /** * Gera as classes entidades em PHP. * @throws IOException */ public void gerarClassesEntidades() throws IOException{// Fiquei em dúvida se a essa string como parametro é necessária, na dúvida deixei =] for (int x = 0; x < modelo.tabelas.size(); x++) { if(modelo.tabelas.get(x).campo_multi != 3){ File arquivo = new File (diretorio+"CRUD/Entidades/"+modelo.tabelas.get(x).nome+".php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n"); bw.write(" \nclass "+modelo.tabelas.get(x).nome+"{\n"); bw.write("\n //atributes"); for (int i = 0; i < modelo.tabelas.get(x).colunas.size(); i++) { bw.write("\n public $"+modelo.tabelas.get(x).colunas.get(i).nome+";"); } //Adicionando os atributos multivalorados if(modelo.tabelas.get(x).campo_multi == 1){ ArrayList<Tabela> tblMulti = modelo.tabelas.get(x).acharTabelasMultivaloradas(modelo.tabelas); for (int i = 0; i < tblMulti.size(); i++) { for (int j = 0; j < tblMulti.get(i).colunas.size(); j++) { if(tblMulti.get(i).colunas.get(j).fk == false && tblMulti.get(i).colunas.get(j).pk == false){ bw.write("\n public $"+tblMulti.get(i).colunas.get(j).nome+"; // array"); } } } } bw.write("\n\n //methods"); //criarConstrutor(modelo.tabelas.get(x), bw); bw.write("\n\n }\n?>"); bw.close(); }// fim do if de checar se é multivalorado } }// fim do método de gerar as classes das entidades // ---->> ATENÇÃO!!! <<----- //O código abaixo não será mais usados por enquanto public void gerarCamadas() throws IOException{ ArrayList <File> camadas = new ArrayList<File>(); String caminho = diretorio+"CRUD/Camadas/"; File fachada = new File(caminho+"Fachada.php"); File Regra = new File(caminho+"RegraNegocio.php"); File Persistencia = new File (caminho+"Persistencia.php"); camadas.add(fachada); camadas.add(Regra); camadas.add(Persistencia); for(int x = 0; x < 3; x++) { if(!camadas.get(x).exists()){ camadas.get(x).createNewFile(); } } gerarCodigoFachada(camadas.get(0)); gerarCodigoRegraNegocio(camadas.get(1)); gerarCodigoPersistencia(camadas.get(2)); } public void gerarCodigoFachada(File arquivo) throws IOException{ FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); String camadaPos = new String("regra_negocio"); gerarInicioDaClasse(bw, arquivo); bw.write("\n $"+camadaPos+" = new RegraNegocio();\n"); bw.write("\n//MÉTODOS CADASTRAR"); gerarMetodosCRUD("cadastrar",camadaPos, bw);// nome da função do CRUD, nome da camada que será chamada, BufferedWriter bw.write("\n//MÉTODOS LISTAR"); gerarMetodosCRUD("listar",camadaPos, bw); bw.write("\n//MÉTODOS ATUALIZAR"); gerarMetodosCRUD("atualizar",camadaPos, bw); bw.write("\n//MÉTODOS DELETAR"); gerarMetodosCRUD("deletar",camadaPos, bw); bw.write("\n\n }\n?>"); bw.close(); } public void gerarCodigoRegraNegocio(File arquivo) throws IOException{ FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); String camadaPos = new String("persistencia"); gerarInicioDaClasse(bw, arquivo); bw.write("\n $"+camadaPos+" = new Persistencia();\n"); bw.write("\n//MÉTODOS CADASTRAR"); gerarMetodosCRUD("cadastrar",camadaPos, bw);// nome da função do CRUD, nome da camada que será chamada, BufferedWriter bw.write("\n//MÉTODOS LISTAR"); gerarMetodosCRUD("listar",camadaPos, bw); bw.write("\n//MÉTODOS ATUALIZAR"); gerarMetodosCRUD("atualizar",camadaPos, bw); bw.write("\n//MÉTODOS DELETAR"); gerarMetodosCRUD("deletar",camadaPos, bw); bw.write("\n\n }\n?>"); bw.close(); } public void gerarCodigoPersistencia(File arquivo) throws IOException{ FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); String camadaPos = new String("banco"); gerarInicioDaClasse(bw, arquivo); bw.write("\n $"+camadaPos+" = new Banco();\n"); bw.write("\n//MÉTODOS CADASTRAR"); gerarMetodosCRUD("cadastrar",camadaPos, bw);// nome da função do CRUD, nome da camada que será chamada, BufferedWriter bw.write("\n//MÉTODOS LISTAR"); gerarMetodosCRUD("listar",camadaPos, bw); bw.write("\n//MÉTODOS ATUALIZAR"); gerarMetodosCRUD("atualizar",camadaPos, bw); bw.write("\n//MÉTODOS DELETAR"); gerarMetodosCRUD("deletar",camadaPos, bw); bw.write("\n\n }\n?>"); bw.close(); } public void gerarInicioDaClasse(BufferedWriter bw,File arquivo) throws IOException{ bw.write("<?php\n "); bw.write(" Class "+arquivo.getName().substring(0,arquivo.getName().length()-4)+"{\n"); } public void criarConstrutor(Tabela tabela,BufferedWriter bw) throws IOException{ bw.write("\n function __construct("); for (int x = 0; x < tabela.colunas.size(); x++) { bw.write("$"+tabela.colunas.get(x).nome); if(x < tabela.colunas.size()-1){ bw.write(","); } else{ if(tabela.campo_multi == 1){ ArrayList<Tabela> tblMulti = tabela.acharTabelasMultivaloradas(modelo.tabelas); for (int i = 0; i < tblMulti.size(); i++) { if(i < tblMulti.size()){ bw.write(","); } for (int j = 0; j < tblMulti.get(i).colunas.size(); j++) { if(tblMulti.get(i).colunas.get(j).fk == false && tblMulti.get(i).colunas.get(j).pk == false){ bw.write("$"+tblMulti.get(i).colunas.get(j).nome+""); } } } } bw.write("){\n"); } } for (int x = 0; x < tabela.colunas.size(); x++) { bw.write("\n $this->"+tabela.colunas.get(x).nome+" = $"+tabela.colunas.get(x).nome+";\n"); } if(tabela.campo_multi == 1){ ArrayList<Tabela> tblMulti = tabela.acharTabelasMultivaloradas(modelo.tabelas); for (int i = 0; i < tblMulti.size(); i++) { for (int j = 0; j < tblMulti.get(i).colunas.size(); j++) { if(tblMulti.get(i).colunas.get(j).fk == false && tblMulti.get(i).colunas.get(j).pk == false){ bw.write("\n $this->"+tblMulti.get(i).colunas.get(j).nome+" = $"+tblMulti.get(i).colunas.get(j).nome+";\n"); } } } } bw.write("\n }"); }//fim do metodo criar construtores public void gerarMetodosCRUD(String funcao,String camada,BufferedWriter bw) throws IOException{ for (int x = 0; x < modelo.tabelas.size(); x++) { bw.write("\n public function "+funcao+"_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+"){\n"); bw.write("\n $"+camada+"->"+funcao+"_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+");\n\n"); bw.write(" }\n"); } } /* public void gerarCodigoCamadas(File arquivo) throws IOException{// fiquei muito em dúvida se eu podia fazer esse método, ou se teria um método pra gerar o código de cada camada FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n "); bw.write(" Class "+arquivo.getName().substring(0,arquivo.getName().length()-4)+"{\n"); for (int x = 0; x < modelo.tabelas.size(); x++) { //coloquei um "_" pra separar por que as tabelas começam com letra minuscula bw.write("\n public fuction Cadastrar_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+"){\n\n }"); bw.write("\n public fuction Listar_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+"){\n\n }"); bw.write("\n public fuction Atualizar_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+"){\n\n }"); bw.write("\n public fuction Deletar_"+modelo.tabelas.get(x).nome+"($"+modelo.tabelas.get(x).nome+"){\n\n }\n\n\n"); } bw.write("\n\n }\n?>"); bw.close(); } */ } <file_sep> package ModeloER; import java.util.ArrayList; /** * Classe de entidades * @author <NAME> */ public class Entidade{ public String nome; public String intensidade; public ArrayList<AtributoEnt> atributos = new ArrayList<>(); public Entidade() { } public Entidade(String nome, String intensidade) { this.nome = nome; this.intensidade = intensidade; } } <file_sep> package Geradores; import Geradores.Camadas.CamadasGen; import ModeloER.MER; import ModeloRel.ModeloR; import ProjetoInfo.ProjetoInfo; import java.io.File; import java.io.FileNotFoundException; import java.io.IOException; /** * * @author Renan */ public class ProjetoGen { String caminho_dir; ProjetoInfo info; ModeloR modelor = new ModeloR(); MER mer = new MER(); BancoGen bancoGen; CadFormGen cadFormGen; CadInsertGen cadInsertGen ; MenuGen menuGen; PageNavGen pagNavGen; JQueryGen jQueryGen; CamadasGen camadasGen; // Chama métodos gerados e diretórios public ProjetoGen(ProjetoInfo info){ this.info = info; this.caminho_dir = "src/../../ProjetosGerados[GEN]/"; new File(caminho_dir).mkdir(); this.caminho_dir = "src/../../ProjetosGerados[GEN]/"+this.info.nome_projeto+"/"; new File(caminho_dir).mkdir(); bancoGen = new BancoGen(this.modelor, caminho_dir); cadFormGen = new CadFormGen(this.modelor, caminho_dir); cadInsertGen = new CadInsertGen(this.modelor, caminho_dir, info); menuGen = new MenuGen(this.modelor, caminho_dir); pagNavGen = new PageNavGen(this.modelor, caminho_dir, info); jQueryGen = new JQueryGen(this.modelor, caminho_dir); camadasGen = new CamadasGen(modelor, caminho_dir, info); } public ProjetoGen(){} /** * Lê um arquivo com as especificações do modeloER sugerido e o converte para um modelo Relacional. * @param nomeArq nome do Arquivo com as especificações do modelo ER * @param imprimir true pra imprimir uma prévia das tabelas geradas pela conversão de modeloER para modelo Relacional */ public void lerArquivo(String nomeArq, boolean imprimir) throws FileNotFoundException, IOException{ mer.lerArquivo(nomeArq); modelor.converterModelo(mer); if(imprimir) modelor.imprime(); } /** * Gera uma página de internet baseado no modelo Entidade Relacionamento proposto * @throws IOException */ public void gerarProjeto() throws IOException{ new File(caminho_dir+"cadastro").mkdir(); new File(caminho_dir+"cadastro/inserts").mkdir(); this.cadInsertGen.gerarCadInserir(this.info.banco_nome); new File(caminho_dir+"cadastro/forms").mkdir(); this.cadFormGen.gerarFormCad(); new File(caminho_dir).mkdir(); this.bancoGen.gerarSQL(); new File(caminho_dir+"PageNav").mkdir(); this.pagNavGen.gerarPagNav(); new File(caminho_dir+"menu").mkdir(); this.menuGen.gerarMenu(); new File(caminho_dir+"CRUD").mkdir(); new File(caminho_dir+"CRUD/Entidades").mkdir(); new File(caminho_dir+"CRUD/Camadas").mkdir(); this.camadasGen.gerar(); new File(caminho_dir+"utilitarios").mkdir(); this.jQueryGen.gerarJQuery(); } } <file_sep> package Geradores; import ModeloRel.ModeloR; import ProjetoInfo.ProjetoInfo; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; /** * Classe responsável por gerar arquivos de navegação do sistema * @author Renan */ public class PageNavGen { ModeloR modelor; String caminho_dir; String htmlInfo, titulo; public PageNavGen(ModeloR modelor, String caminho_dir, ProjetoInfo info) { this.modelor = modelor; this.caminho_dir = caminho_dir; htmlInfo = "echo \"<!DOCTYPE html><html><head>\"; //Inicio de Head\n"; titulo = "echo \"<title>"+info.nome_projeto+"</title>\"; //Inicio de Head\n"; } public int gerarPagCad() throws IOException{ File arquivo = new File (caminho_dir+"PageNav/pag_cad.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n" + "\n" + htmlInfo + titulo + "\n" + "include '../menu/add_menu.php';\n" + "include '../menu/add_menu_drop_cad.php';\n" + "echo '<script src=\"../cadastro/forms/formCad.js\" type=\"text/javascript\"></script>';\n"+ "echo '<link rel=\"stylesheet\" href=\"../cadastro/forms/formCadStyle.css\">';"+ "\n" + "echo \"</head>\"; // Fim do head\n" + "\n" + "\n" + "\n" + "//--------------------------------************************************************-----------------------------\n" + "\n" + "echo \"<body>\"; //Inicio do body\n" + "\n" + "echo \"<div id='menu'></div>\";\n" + "echo \"<div id='form_cad'><form><h1>Escolha um item para cadastro</h1></form></div>\";\n" + "\n" + "echo \"</body></html>\"; //Fim do body\n" + "?>"); bw.close(); fw.close(); return 0; } public int gerarPagHome() throws IOException{ File arquivo = new File (caminho_dir+"PageNav/home.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n" + "\n" + htmlInfo + titulo + "\n" + //"echo '<link rel=\"stylesheet\" href=\"menu/style_menu.css\">';\n" + //"echo '<script src=\"http://code.jquery.com/jquery-latest.min.js\" type=\"text/javascript\"></script>';\n" + //"echo '<script src=\"menu/script.js\"></script>';\n" + //"echo '<script src=\"menu/menu.js\" type=\"text/javascript\"></script>';\n" + //"echo '<link rel=\"stylesheet\" href=\"cadastro/forms/formCadStyle.css\">';"+ "include '../menu/add_menu.php';\n" + "echo '<script src=\"../cadastro/forms/formCad.js\" type=\"text/javascript\"></script>';\n"+ "echo '<link rel=\"stylesheet\" href=\"../cadastro/forms/formCadStyle.css\">';"+ "\n" + "echo \"</head>\"; // Fim do head\n" + "\n" + "\n" + "\n" + "//--------------------------------************************************************-----------------------------\n" + "\n" + "echo \"<body>\"; //Inicio do body\n" + "\n" + "echo \"<div id='menu'></div>\";\n" + "echo \"<div id='form_cad'><form><h1>Pagina inicial</h1></form></div>\";\n" + "\n" + "echo \"</body></html>\"; //Fim do body\n" + "?>"); bw.close(); fw.close(); return 0; } public int gerarPagIndex() throws IOException{ File arquivo = new File (caminho_dir+"/index.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<meta http-equiv=\"refresh\" content=\"0;URL=PageNav/home.php\" />"); bw.close(); fw.close(); return 0; } public int gerarPagNav() throws IOException{ this.gerarPagIndex(); this.gerarPagCad(); this.gerarPagHome(); return 0; } } <file_sep> package Geradores.Camadas; import Auxiliares.FixString; import ModeloRel.Coluna; import ModeloRel.ModeloR; import ModeloRel.Tabela; import ProjetoInfo.ProjetoInfo; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; /** * Classe que gerar os métodos referentes a cama regra de negócio * @author <NAME>, Renan */ public class RegraNegGen { ModeloR modelor; String caminho_dir; ProjetoInfo info; //Arquivo pra escrever a fachada File arq; FileWriter fw; BufferedWriter bw; FixString fx = new FixString(); public RegraNegGen(ModeloR modelor, String caminho_dir, ProjetoInfo info) { this.modelor = modelor; this.caminho_dir = caminho_dir; this.info = info; arq = new File (caminho_dir+"CRUD/Camadas/regranegocio.php"); } /** * Abre o arquivo de regra de negócio para escrita * @return * @throws IOException */ boolean abrirArquivo() throws IOException{ if (!arq.exists()) { arq.createNewFile(); } fw = new FileWriter(arq); bw = new BufferedWriter(fw); bw.write("<?php\n" + "include 'persistencia.php';\n"+ "class RegraDeNegocio {\n" + " var $persistencia;\n" + " \n" + " function __construct(){\n" + " $this->persistencia = new Persistencia();\n" + " }\n" + " \n"); return true; } /** * Fecha o arquivo criado da camada de regra de negócios * @return * @throws IOException */ boolean fecharArquivo() throws IOException{ bw.write("}\n" + "?>"); bw.close(); fw.close(); return true; } //------------------------------------------------------- //---------- Parte de Renan (inicio)------------------- //------------------------------------------------------ /** * Método que cria o Scrpit PHP da funções de listar da camada regra de negócio * @return true se a operação foi concluída com sucesso * @throws IOException */ public boolean addListar() throws IOException{ for (int x = 0; x < modelor.tabelas.size(); x++) { String nome_metodo = fx.criarNomeMetodo("listar", modelor.tabelas.get(x).nome,'R'); bw.write("\n public function "+nome_metodo+"($str){\n"); nome_metodo = fx.criarNomeMetodo("listar", modelor.tabelas.get(x).nome,'P'); bw.write("\n $str_tratada = str_replace(\",\",\" and \",$str);\n"); bw.write("\n $resultado = $this->persistencia->"+nome_metodo+"($str_tratada);\n"); bw.write("\n return $resultado;\n"); bw.write("\n }\n"); } return true; } //------------------------------------------------------ //---------- Parte de Renan (fim)---------------------- //------------------------------------------------------- //------------------------------------------------------- //---------- Parte de Guto (inicio)------------------- //------------------------------------------------------- /** * Método que cria o Scrpit PHP da funções de cadastrar da camada regra de negócio * @return retorna valor booleano * @throws IOException */ public boolean addCadastrar() throws IOException{ bw.write("// MÉTODOS PARA CADASTRAR\n "); int indice_coluna_pk = 0; for (int x = 0; x < modelor.tabelas.size(); x++) { iniciarMetodo(modelor.tabelas.get(x).nome); if(modelor.tabelas.get(x).campo_multi == 1){ for (int i = 0; i < modelor.tabelas.get(x).colunas.size(); i++) { if(modelor.tabelas.get(x).colunas.get(i).pk == true){ indice_coluna_pk = i; break; } } criaConexao(); bw.write(" $sql_consulta = \"SELECT "+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+ " FROM "+modelor.tabelas.get(x).nome+" ORDER BY "+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+ " DESC LIMIT 1\";\n"); bw.write("\n $result = mysqli_query($link2, $sql_consulta) or die(mysqli_error($link2));\n"); bw.write("\n if (mysqli_num_rows($result) > 0) {\n"); bw.write(" while($row = mysqli_fetch_assoc($result)) {\n\n"); bw.write(" $"+modelor.tabelas.get(x).nome+"->"+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+ " = $row[\""+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+"\"];\n"); bw.write(" }\n }\n"); bw.write("\n $"+modelor.tabelas.get(x).nome+"->"+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+ " = "+"$"+modelor.tabelas.get(x).nome+"->"+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+" + 1;\n"); /*bw.write(" $"+modelor.tabelas.get(x).nome+"->"+modelor.tabelas.get(x).colunas.get(indice_coluna_pk).nome+ " = $result+1;\n\n");*/ fechaConexao(); }// fim do if String nome_metodo = fx.criarNomeMetodo("cadastrar", modelor.tabelas.get(x).nome,'P'); bw.write("\n $this->persistencia->"+nome_metodo+"("); bw.write("$"+modelor.tabelas.get(x).nome+");\n"); bw.write("\n }\n"); } return true;} /** * método que escreve o início do método de cadastro em PHP * @param nome é o nome da tabela que será inserida * @throws IOException */ public void iniciarMetodo(String nome) throws IOException{ String nome_metodo = fx.criarNomeMetodo("cadastrar",nome,'R'); bw.write("\n public function "+nome_metodo+"("); bw.write("$"+nome+"){\n"); } /** * Método que escreve em um arquivo um scrpit em PHP que conecta com o banco de dados * @throws IOException */ public void criaConexao() throws IOException{ bw.write("\n\n $banco = \""+info.banco_nome+"\";\n"); bw.write(" $usuario = \""+info.banco_usuario+"\";\n"); bw.write(" $senha = \""+info.banco_senha+"\";\n"); bw.write(" $hostname = \""+info.banco_servidor+"\";\n"); bw.write(" $link2 = mysqli_connect($hostname, $usuario, $senha, $banco) or die (\"Erro ao conectar!<br>\");\n\n"); } /** * Método que escreve em um arquivo um scrpit em PHP que fecha a conexão com o banco de dados * @throws IOException */ public void fechaConexao() throws IOException{ bw.write("\n mysqli_close($link2);\n"); } //------------------------------------------------------- //---------- Parte de Guto (fim)------------------- //------------------------------------------------------- //------------------------------------------------------- //---------- Parte de Arthur (inicio)-------------------- //------------------------------------------------------- /** * Método que escreve no arquivo regranegocio.php os métodos de deletar referentes a camada regra de negócio * @return retorna valor booleano * @throws IOException * @author Arthur */ public boolean addDeletar() throws IOException{ bw.write("\n// MÉTODOS PARA DELETAR\n "); for (int x=0; x<modelor.tabelas.size(); x++) { String metodoR = fx.criarNomeMetodo("deletar",modelor.tabelas.get(x).nome,'R'); bw.write("\n public function "+metodoR+"("); bw.write("$"+modelor.tabelas.get(x).nome+"){\n"); String listar = fx.criarNomeMetodo("listar", modelor.tabelas.get(x).nome,'R'); bw.write("\n $resultado = $this->"+listar+"("); bw.write("$"+modelor.tabelas.get(x).nome+");\n"); bw.write("\n if($resultado!=null){\n"); bw.write("\n try{"); String nome_metodo = fx.criarNomeMetodo("deletar", modelor.tabelas.get(x).nome,'P'); bw.write("\n $this->persistencia->"+nome_metodo+"("); bw.write("$"+modelor.tabelas.get(x).nome+");\n"); bw.write("\n } catch (PDOException $e){ }\n\n"); bw.write(" }\n"); bw.write(" }\n"); } return true; } /** * Método que escreve no arquivo regranegocio.php os métodos de atualizar referentes a camada regra de negócio * @return retorna valor booleano * @throws IOException * @author Arthur */ public boolean addAtualizar() throws IOException{ for (int x = 0; x < modelor.tabelas.size(); x++) { String nome_metodo = fx.criarNomeMetodo("atualizar", modelor.tabelas.get(x).nome,'R'); bw.write("\n public function "+nome_metodo+"($str, $obj){"); nome_metodo = fx.criarNomeMetodo("atualizar", modelor.tabelas.get(x).nome,'P'); bw.write("\n $str_tratada = str_replace(\",\",\" and \",$str);\n"); bw.write("\n $resultado = $this->persistencia->"+nome_metodo+"($str_tratada, $obj);"); bw.write("\n return $resultado;\n"); bw.write("\n }\n"); } return true; } //------------------------------------------------------- //---------- Parte de Arthur (fim)----------------------- //------------------------------------------------------- //Essa método gera o arquivo completo public void gerar() throws IOException { abrirArquivo(); addCadastrar(); addListar(); addDeletar(); addAtualizar(); fecharArquivo(); } } <file_sep> package ModeloRel; import java.util.ArrayList; /** * Classe para se trabalhar na hora de gerar os arquivos * @author Renan */ public class Tabela { public String nome; /* * 0 = Não tem campo multi; * 1 = Tem campo multi; * 2 = É campo multi de alguém. */ public byte campo_multi = 0; public ArrayList<Coluna> colunas = new ArrayList<Coluna>(); /** * @param tabelas vetor de tabelas a ser procurado as tabelas multivaloradas da tabela atual * @return ArrayList uma lista com as tabelas que são valores multivalorados dessa tabela */ public ArrayList<Tabela> acharTabelasMultivaloradas(ArrayList<Tabela> tabelas){ ArrayList<Tabela> tabelas_multi = new ArrayList<Tabela>(); for(int i = 0; i < tabelas.size(); i++){ if((tabelas.get(i).campo_multi == 2)){ for (int j = 0; j < tabelas.get(i).colunas.size(); j++) { if(this.nome.equals(tabelas.get(i).colunas.get(j).fk_nome_tabela)){ tabelas_multi.add(tabelas.get(i)); break; } } } } return tabelas_multi; } } <file_sep> package ModeloER; /** * Classe deee... * @author <NAME> */ public class AtributoRel extends DadosAtributo{ } <file_sep> package Geradores; import ModeloRel.Coluna; import ModeloRel.ModeloR; import ModeloRel.Tabela; import ProjetoInfo.ProjetoInfo; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; import java.util.ArrayList; import java.util.logging.Level; import java.util.logging.Logger; /** * Classe responsável por inserir os dados no banco de dados * @author Renan */ public class CadInsertGen { ModeloR modelor; String caminho_dir; ProjetoInfo info; public CadInsertGen(ModeloR modelor, String caminho_dir, ProjetoInfo info) { this.modelor = modelor; this.caminho_dir = caminho_dir; this.info = info; } /** * Gerador do código PHP que irá inserir dados no banco de dados. * @param nome_banco nome do banco de dados com qual o programa irá trabalhar * @throws IOException */ public void gerarCadInserir(String nome_banco) throws IOException{ ArrayList<Integer> indices = new ArrayList<Integer>(); for (int x = 0; x < modelor.tabelas.size(); x++) { if(modelor.tabelas.get(x).campo_multi != 2){ Tabela tab = modelor.tabelas.get(x); File arquivo = new File (caminho_dir+"cadastro/inserts/inserir_"+tab.nome+".php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); if(tab.campo_multi == 0 || tab.campo_multi == 1 ){ gerarConexao(bw, nome_banco); for (int i = 0; i < tab.colunas.size(); i++) { Coluna col = tab.colunas.get(i); bw.newLine(); if(col.auto_inc == false){ bw.write(" $"+col.nome+" = $_POST['"+col.nome+"'];"); bw.newLine();} }//fim do for que cria o script php pra inserir no banco bw.newLine(); bw.newLine(); bw.write(" $sql1 = \"INSERT INTO "+tab.nome+" (");// esse \" é pra poder imprimir as aspas duplas for (int i = 0; i < tab.colunas.size(); i++) { Coluna col = tab.colunas.get(i); if(i < tab.colunas.size()-1){ bw.write(col.nome+","); } else{bw.write(col.nome);} } bw.write(")\";"); bw.newLine(); bw.write(" $sql2 = \"VALUES(\";");// esse \" é pra poder imprimir as aspas duplas //Editado por Renan... PERIGO for (int i = 0; i < tab.colunas.size(); i++) { Coluna col = tab.colunas.get(i); char separador; if(i < tab.colunas.size()-1){separador = ',';}else{separador = ')'; } if(col.auto_inc == false){ bw.write("\n if($"+col.nome+"!= ''){ $sql2 = $sql2.'\"'.$"+col.nome+".'\""+separador+"'; }else{ $sql2 = $sql2.'NULL"+separador+"'; }"); }else{ bw.write("\n $sql2 = $sql2.'NULL"+separador+"';"); } } bw.newLine(); bw.newLine(); bw.write(" $result = mysqli_query($link2,$sql1.$sql2) or die(mysqli_error($link2));\n\n "); bw.write("\tif (!$result) {\n" + " $flag = false;\n" + " echo \"Error details: \" . mysqli_error($link2) . \".\";\n\n" + " }"); }//fim do primeiro if que verifica se é multivalorado ou não //php Código para inserção de dados multivalorados if(tab.campo_multi == 1){ indices.clear(); for (int i = 0; i < modelor.tabelas.size(); i++) { if(modelor.tabelas.get(i).campo_multi == 2){ for (int j = 0; j < this.modelor.tabelas.get(i).colunas.size(); j++) { if(this.modelor.tabelas.get(i).colunas.get(j).fk == true){ if(tab.nome.equals(modelor.tabelas.get(i).colunas.get(j).fk_nome_tabela)){ indices.add(i);// pegando o indice daquela tabela } } } } } for (int z = 0; z < indices.size(); z++) { bw.newLine(); bw.newLine(); for (int j = 0; j < modelor.tabelas.get(indices.get(z)).colunas.size(); j++) { if(modelor.tabelas.get(indices.get(z)).colunas.get(j).fk == true){ String fk_nome_tabela = modelor.tabelas.get(indices.get(z)).colunas.get(j).fk_nome_tabela; String fk_nome_coluna = modelor.tabelas.get(indices.get(z)).colunas.get(j).fk_nome_coluna; if(modelor.tabelas.get(modelor.idTabela(fk_nome_tabela)).colunas.get(modelor.idColuna(fk_nome_coluna, fk_nome_tabela)).auto_inc == true){ //Ok, isso foi uma obra de arte. Tô só checando se o campo dessa tabela multivalorada é gerada de um campo com auto_incremento String nomeCol = modelor.tabelas.get(indices.get(z)).colunas.get(j).nome; String nomeTab = modelor.tabelas.get(indices.get(z)).nome; bw.write(" $sqlConsulta = \"SELECT "+ fk_nome_coluna +" from "+ fk_nome_tabela +" ORDER BY "+ fk_nome_coluna +" DESC LIMIT 1\";\n" + "\n $result = mysqli_query($link2, $sqlConsulta) or die(mysqli_error($link2)); ; //consulta\n" + "\n if (mysqli_num_rows($result) > 0) {\n" + "\n while($row = mysqli_fetch_assoc($result)) {\n $"+fk_nome_coluna+" = $row[\""+fk_nome_coluna+"\"]; \n }\n\n" + " }\n\n"); } } if((modelor.tabelas.get(indices.get(z)).colunas.get(j).fk == false) && (modelor.tabelas.get(indices.get(z)).colunas.get(j).auto_inc == false)){ bw.write(" $"+modelor.tabelas.get(indices.get(z)).colunas.get(j).nome+" = $_POST['"+modelor.tabelas.get(indices.get(z)).colunas.get(j).nome+"'];\n"); bw.write("\n foreach($"+modelor.tabelas.get(indices.get(z)).colunas.get(j).nome+" as $item){");// TÁ MEIO BICHADO ESSE ITEM AÍ bw.newLine(); bw.write("\n if($item != ''){\n\n"); bw.write(" $sql = \"INSERT INTO "+modelor.tabelas.get(indices.get(z)).nome+"("); for (int o = 0; o < modelor.tabelas.get(indices.get(z)).colunas.size(); o++) { if(modelor.tabelas.get(indices.get(z)).colunas.get(o).auto_inc == false){ if(o < modelor.tabelas.get(indices.get(z)).colunas.size() -1){ //bw.write(modelor.tabelas.get(indices.get(z)).colunas.get(o).nome+","); escreverColuna(bw,modelor.tabelas.get(indices.get(z)).colunas.get(o).nome+","); } else{escreverColuna(bw,modelor.tabelas.get(indices.get(z)).colunas.get(o).nome+") VALUES (\"; \n");} } } } } //bw.write("VALUES ("); for (int j = 0; j < modelor.tabelas.get(indices.get(z)).colunas.size(); j++) { if((modelor.tabelas.get(indices.get(z)).colunas.get(j).fk == false) && (modelor.tabelas.get(indices.get(z)).colunas.get(j).auto_inc == false)){ // if(j < modelor.tabelas.get(indices.get(z)).colunas.size() - 2){ //ANTIGO: bw.write("'$"+modelor.tabelas.get(indices.get(z)).colunas.get(j).nome+"[]',"); //MENOS ANTIGO, MAS AINDA ASSIM ANTIGO bw.write("'$item',"); bw.write(" if($item != ''){$sql = $sql.'\"'.$item.'\",';}else{$sql = $sql.'NULL,';}\n"); //} //else{ // bw.write("'$"+modelor.tabelas.get(indices.get(z)).colunas.get(j).nome+"[]')\";"); //} } } int numPk=0; //Esse for é só pra saber o numero de PK for (int y = 0; y < tab.colunas.size(); y++) { if(tab.colunas.get(y).pk == true){ numPk++; } } int countPk = 0; for (int y = 0; y < tab.colunas.size(); y++) { if(tab.colunas.get(y).pk == true){ //if(y < tab.colunas.size() - 1){ bw.write("\n if($"+tab.colunas.get(y).nome+"!= ''){ $sql = $sql.'\"'.$"+tab.colunas.get(y).nome+".'\"'; }else{ $sql = $sql.'NULL'; }\n"); if(countPk < numPk-1){ bw.write("\n $sql = $sql.',';\n"); }else if(countPk == numPk-1){ bw.write("\n $sql = $sql.')';\n"); } countPk++; //IMPRIMINDO A CHAVE PRIMÁRIA DA TABELA A QUAL ESSE ATRIBUTO MULTIVALORADO PERTENCE } } ////// coloca aqui bw.newLine(); bw.newLine(); bw.write(" $result = mysqli_query($link2,$sql) or die(mysqli_error($link2)); \n\n"); bw.write("\tif (!$result) {\n" + " $flag = false;\n" + " echo \"Error details: \" . mysqli_error($link2) . \".\";\n\n" + " }"); bw.newLine(); bw.write(" }\n }"); bw.newLine(); } }// achando uma tabela que tem multivalorado bw.newLine(); bw.write("\tif ($flag) {\n" + " mysqli_commit($link2);\n" + " echo \"\\nCadastro realizado com sucesso!\";\n" + " } else {\n" + " mysqli_rollback($link2);\n" + " echo \"\\nErro no cadastro!\";\n" + " }\n" + "\n" + "mysqli_close($link2);\n\n"); bw.write("?>"); if(tab.campo_multi != 2){ bw.close(); fw.close(); } }// fim do for que criar os arquivos das tabelas } }//fim do método de gerar o código em PHP /** * Método que escreve no arquivo o script que conect com o banco de dados. * @param bw construtor que recebe como argumento o objeto do tipo FileWriter * @param nome_banco string com o nome do banco de dados. * @throws IOException */ public void gerarConexao(BufferedWriter bw, String nome_banco) throws IOException{ bw.write("<?php"); bw.newLine(); bw.newLine(); bw.write(" $banco = \""+this.info.banco_nome+"\";"); bw.newLine(); bw.write(" $usuario = \""+this.info.banco_usuario+"\";"); bw.newLine(); bw.write(" $senha = \""+this.info.banco_senha+"\";"); bw.newLine(); bw.write(" $hostname = \""+this.info.banco_servidor+"\";"); bw.newLine(); bw.write(" $link2 = mysqli_connect($hostname, $usuario, $senha, $banco) or die (\"Erro ao conectar!<br>\");"); bw.write("\n\n\tmysqli_autocommit($link2, false);\n" + " $flag = true;"); bw.newLine(); } /** * Médoto para escrever o nome de uma coluna em um arquivo. * @param bw construtor que recebe como argumento o objeto do tipo FileWriter * @param s string que será escrita (no caso, o nome da coluna) */ public void escreverColuna(BufferedWriter bw,String s){ try { bw.write(s); } catch (IOException ex) { Logger.getLogger(CadInsertGen.class.getName()).log(Level.SEVERE, null, ex); } } } <file_sep> package Geradores; import Auxiliares.FixString; import ModeloRel.ModeloR; import ModeloRel.Tabela; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; /** * Classe responsável por gerar menu, layout do sistema * @author Renan */ public class MenuGen { ModeloR modelor; String caminho_dir; public MenuGen(ModeloR modelor, String caminho_dir) { this.modelor = modelor; this.caminho_dir = caminho_dir; } int gerarCss() throws IOException{ File arquivo = new File (caminho_dir+"menu/style_menu.css"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("@import url(http://fonts.googleapis.com/css?family=Open+Sans:400,700);\n" + "#menu,\n" + "#menu ul,\n" + "#menu ul li,\n" + "#menu ul li a,\n" + "#menu #menu-button {\n" + " margin: 0;\n" + " padding: 0;\n" + " border: 0;\n" + " list-style: none;\n" + " line-height: 1;\n" + " display: block;\n" + " position: relative;\n" + " -webkit-box-sizing: border-box;\n" + " -moz-box-sizing: border-box;\n" + " box-sizing: border-box;\n" + "}\n" + "#menu:after,\n" + "#menu > ul:after {\n" + " content: \".\";\n" + " display: block;\n" + " clear: both;\n" + " visibility: hidden;\n" + " line-height: 0;\n" + " height: 0;\n" + "}\n" + "#menu #menu-button {\n" + " display: none;\n" + "}\n" + "#menu {\n" + " width: auto;\n" + " font-family: 'Open Sans', Helvetica, sans-serif;\n" + " background: #39b1cc;\n" + " background: -moz-linear-gradient(top, #51bbd2 0%, #2d97af 100%);\n" + " background: -webkit-gradient(linear, left top, left bottom, color-stop(0%, #51bbd2), color-stop(100%, #2d97af));\n" + " background: -webkit-linear-gradient(top, #51bbd2 0%, #2d97af 100%);\n" + " background: -o-linear-gradient(top, #51bbd2 0%, #2d97af 100%);\n" + " background: -ms-linear-gradient(top, #51bbd2 0%, #2d97af 100%);\n" + " background: linear-gradient(to bottom, #51bbd2 0%, #2d97af 100%);\n" + "}\n" + "#menu > ul {\n" + " background: url('images/bg.png');\n" + " box-shadow: inset 0 -3px 0 rgba(0, 0, 0, 0.05);\n" + "}\n" + "#menu.align-right > ul > li {\n" + " float: right;\n" + "}\n" + "#menu > ul > li {\n" + " float: left;\n" + " display: inline-block;\n" + "}\n" + "#menu.align-center > ul {\n" + " float: none;\n" + " text-align: center;\n" + "}\n" + "#menu.align-center > ul > li {\n" + " float: none;\n" + "}\n" + "#menu.align-center ul ul {\n" + " text-align: left;\n" + "}\n" + "#menu > ul > li > a {\n" + " padding: 18px 25px 21px 25px;\n" + " border-right: 1px solid rgba(80, 80, 80, 0.12);\n" + " text-decoration: none;\n" + " font-size: 13px;\n" + " font-weight: 700;\n" + " color: #d3eced;\n" + " text-transform: uppercase;\n" + " letter-spacing: 1px;\n" + "}\n" + "#menu > ul > li:hover > a,\n" + "#menu > ul > li > a:hover,\n" + "#menu > ul > li.active > a {\n" + " color: #ffffff;\n" + " background: #32a9c3;\n" + " background: rgba(0, 0, 0, 0.1);\n" + "}\n" + "#menu > ul > li.has-sub > a {\n" + " padding-right: 45px;\n" + "}\n" + "#menu > ul > li.has-sub > a::after {\n" + " content: \"\";\n" + " position: absolute;\n" + " width: 0;\n" + " height: 0;\n" + " border: 6px solid transparent;\n" + " border-top-color: #d3eced;\n" + " right: 17px;\n" + " top: 22px;\n" + "}\n" + "#menu > ul > li.has-sub.active > a::after,\n" + "#menu > ul > li.has-sub:hover > a {\n" + " border-top-color: #ffffff;\n" + "}\n" + "#menu ul ul {\n" + " position: absolute;\n" + " left: -9999px;\n" + " top: 60px;\n" + " padding-top: 6px;\n" + " font-size: 13px;\n" + " opacity: 0;\n" + " -webkit-transition: top 0.2s ease, opacity 0.2s ease-in;\n" + " -moz-transition: top 0.2s ease, opacity 0.2s ease-in;\n" + " -ms-transition: top 0.2s ease, opacity 0.2s ease-in;\n" + " -o-transition: top 0.2s ease, opacity 0.2s ease-in;\n" + " transition: top 0.2s ease, opacity 0.2s ease-in;\n" + "}\n" + "#menu.align-right ul ul {\n" + " text-align: right;\n" + "}\n" + "#menu > ul > li > ul::after {\n" + " content: \"\";\n" + " position: absolute;\n" + " width: 0;\n" + " height: 0;\n" + " border: 5px solid transparent;\n" + " border-bottom-color: #ffffff;\n" + " top: -4px;\n" + " left: 20px;\n" + "}\n" + "#menu.align-right > ul > li > ul::after {\n" + " left: auto;\n" + " right: 20px;\n" + "}\n" + "#menu ul ul ul::after {\n" + " content: \"\";\n" + " position: absolute;\n" + " width: 0;\n" + " height: 0;\n" + " border: 5px solid transparent;\n" + " border-right-color: #ffffff;\n" + " top: 11px;\n" + " left: -4px;\n" + "}\n" + "#menu.align-right ul ul ul::after {\n" + " border-right-color: transparent;\n" + " border-left-color: #ffffff;\n" + " left: auto;\n" + " right: -4px;\n" + "}\n" + "#menu > ul > li > ul {\n" + " top: 120px;\n" + "}\n" + "#menu > ul > li:hover > ul {\n" + " top: 52px;\n" + " left: 0;\n" + " opacity: 1;\n" + "}\n" + "#menu.align-right > ul > li:hover > ul {\n" + " left: auto;\n" + " right: 0;\n" + "}\n" + "#menu ul ul ul {\n" + " padding-top: 0;\n" + " padding-left: 6px;\n" + "}\n" + "#menu.align-right ul ul ul {\n" + " padding-right: 6px;\n" + "}\n" + "#menu ul ul > li:hover > ul {\n" + " left: 180px;\n" + " top: 0;\n" + " opacity: 1;\n" + "}\n" + "#menu.align-right ul ul > li:hover > ul {\n" + " left: auto;\n" + " right: 100%;\n" + " opacity: 1;\n" + "}\n" + "#menu ul ul li a {\n" + " text-decoration: none;\n" + " font-weight: 400;\n" + " padding: 11px 25px;\n" + " width: 180px;\n" + " color: #777777;\n" + " background: #ffffff;\n" + " box-shadow: 0 2px 2px rgba(0, 0, 0, 0.1), 1px 1px 1px rgba(0, 0, 0, 0.1), -1px 1px 1px rgba(0, 0, 0, 0.1);\n" + "}\n" + "#menu ul ul li:hover > a,\n" + "#menu ul ul li.active > a {\n" + " color: #333333;\n" + "}\n" + "#menu ul ul li:first-child > a {\n" + " border-top-left-radius: 3px;\n" + " border-top-right-radius: 3px;\n" + "}\n" + "#menu ul ul li:last-child > a {\n" + " border-bottom-left-radius: 3px;\n" + " border-bottom-right-radius: 3px;\n" + "}\n" + "#menu > ul > li > ul::after {\n" + " position: absolute;\n" + " display: block;\n" + "}\n" + "#menu ul ul li.has-sub > a::after {\n" + " content: \"\";\n" + " position: absolute;\n" + " width: 0;\n" + " height: 0;\n" + " border: 4px solid transparent;\n" + " border-left-color: #777777;\n" + " right: 17px;\n" + " top: 14px;\n" + "}\n" + "#menu.align-right ul ul li.has-sub > a::after {\n" + " border-left-color: transparent;\n" + " border-right-color: #777777;\n" + " right: auto;\n" + " left: 17px;\n" + "}\n" + "#menu ul ul li.has-sub.active > a::after,\n" + "#menu ul ul li.has-sub:hover > a::after {\n" + " border-left-color: #333333;\n" + "}\n" + "#menu.align-right ul ul li.has-sub.active > a::after,\n" + "#menu.align-right ul ul li.has-sub:hover > a::after {\n" + " border-right-color: #333333;\n" + " border-left-color: transparent;\n" + "}\n" + "@media all and (max-width: 800px), only screen and (-webkit-min-device-pixel-ratio: 2) and (max-width: 1024px), only screen and (min--moz-device-pixel-ratio: 2) and (max-width: 1024px), only screen and (-o-min-device-pixel-ratio: 2/1) and (max-width: 1024px), only screen and (min-device-pixel-ratio: 2) and (max-width: 1024px), only screen and (min-resolution: 192dpi) and (max-width: 1024px), only screen and (min-resolution: 2dppx) and (max-width: 1024px) {\n" + " #menu {\n" + " background: #39b1cc;\n" + " }\n" + " #menu > ul {\n" + " display: none;\n" + " }\n" + " #menu > ul.open {\n" + " display: block;\n" + " border-top: 1px solid rgba(0, 0, 0, 0.1);\n" + " }\n" + " #menu.align-right > ul {\n" + " float: none;\n" + " }\n" + " #menu.align-center > ul {\n" + " text-align: left;\n" + " }\n" + " #menu > ul > li,\n" + " #menu.align-right > ul > li {\n" + " float: none;\n" + " display: block;\n" + " }\n" + " #menu > ul > li > a {\n" + " padding: 18px 25px 18px 25px;\n" + " border-right: 0;\n" + " }\n" + " #menu > ul > li:hover > a,\n" + " #menu > ul > li.active > a {\n" + " background: rgba(0, 0, 0, 0.1);\n" + " }\n" + " #menu #menu-button {\n" + " display: block;\n" + " text-decoration: none;\n" + " font-size: 13px;\n" + " font-weight: 700;\n" + " color: #d3eced;\n" + " padding: 18px 25px 18px 25px;\n" + " text-transform: uppercase;\n" + " letter-spacing: 1px;\n" + " background: url('images/bg.png');\n" + " cursor: pointer;\n" + " }\n" + " #menu ul ul,\n" + " #menu ul li:hover > ul,\n" + " #menu > ul > li > ul,\n" + " #menu ul ul ul,\n" + " #menu ul ul li:hover > ul,\n" + " #menu.align-right ul ul,\n" + " #menu.align-right ul li:hover > ul,\n" + " #menu.align-right > ul > li > ul,\n" + " #menu.align-right ul ul ul,\n" + " #menu.align-right ul ul li:hover > ul {\n" + " left: 0;\n" + " right: auto;\n" + " top: auto;\n" + " opacity: 1;\n" + " width: 100%;\n" + " padding: 0;\n" + " position: relative;\n" + " text-align: left;\n" + " }\n" + " #menu ul ul li {\n" + " width: 100%;\n" + " }\n" + " #menu ul ul li a {\n" + " width: 100%;\n" + " box-shadow: none;\n" + " padding-left: 35px;\n" + " }\n" + " #menu ul ul ul li a {\n" + " padding-left: 45px;\n" + " }\n" + " #menu ul ul li:first-child > a,\n" + " #menu ul ul li:last-child > a {\n" + " border-radius: 0;\n" + " }\n" + " #menu #menu-button::after {\n" + " display: block;\n" + " content: '';\n" + " position: absolute;\n" + " height: 3px;\n" + " width: 22px;\n" + " border-top: 2px solid #d3eced;\n" + " border-bottom: 2px solid #d3eced;\n" + " right: 25px;\n" + " top: 18px;\n" + " }\n" + " #menu #menu-button::before {\n" + " display: block;\n" + " content: '';\n" + " position: absolute;\n" + " height: 3px;\n" + " width: 22px;\n" + " border-top: 2px solid #d3eced;\n" + " right: 25px;\n" + " top: 28px;\n" + " }\n" + " #menu > ul > li.has-sub > a::after,\n" + " #menu ul ul li.has-sub > a::after {\n" + " display: none;\n" + " }\n" + "}"); bw.close(); fw.close(); return 0; } int gerarMenuJs() throws IOException{ File arquivo = new File (caminho_dir+"menu/script.js"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("( function( $ ) {\n" + "$( document ).ready(function() {\n" + "$('#cssmenu').prepend('<div id=\"menu-button\">Menu</div>');\n" + " $('#cssmenu #menu-button').on('click', function(){\n" + " var menu = $(this).next('ul');\n" + " if (menu.hasClass('open')) {\n" + " menu.removeClass('open');\n" + " }\n" + " else {\n" + " menu.addClass('open');\n" + " }\n" + " });\n" + "});\n" + "} )( jQuery );"); bw.close(); fw.close(); return 0; } int gerarMenuBar() throws IOException{ File arquivo = new File (caminho_dir+"menu/menu.js"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("$( document ).ready(function() {\n" + "\n" + " document.getElementById(\"menu\").innerHTML = \"\\\n" + " <ul>\\\n" + " <li><a href='home.php'><span>Home</span></a></li>\\\n" + " <li><a href='pag_cad.php'><span>Cadastro</span></a><ul id = 'cad_list'></ul></li>\\\n" + " <li><a href='#'><span>Listar</span></a></li>\\\n" + " <li class='last'><a href='#'><span>Sobre</span></a></li>\\\n" + " </ul>\\\n" + " \";\n" + "\n" + "});"); bw.close(); fw.close(); return 0; } int gerarMenuDropCad() throws IOException{ File arquivo = new File (caminho_dir+"menu/menu_DropCad.js"); FixString label = new FixString(); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("$( document ).ready(function() {\n" + "\n" + " document.getElementById(\"cad_list\").innerHTML = \"\\"); //--------------------------------Aqui é customizado meu irmão for(Tabela tabela : modelor.tabelas){ if(tabela.campo_multi != 2){ bw.write("<li id='menu_"+ tabela.nome +"'><a href='#'><span>"+label.Fix(tabela.nome)+"</span></a></li>\\"); bw.newLine(); } } bw.write("\";");// Fechei a primeira parte bw.newLine(); //------------------------------------------------------------ for(Tabela tabela : modelor.tabelas){ if(tabela.campo_multi != 3){ bw.write("$(\"#menu_"+tabela.nome+"\").click(function(){\n" + "form_cad_"+ tabela.nome +"(); \n" + " });"); bw.newLine(); } } //----------- Aqui pe a parte 2, pra adicionar as funções js de gerar formulário //------------------------------------------------------------------------------- bw.write("});");// Fechei a segunda parte bw.close(); fw.close(); return 0; } int gerarAddMenu() throws IOException{ File arquivo = new File (caminho_dir+"menu/add_menu.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n" + " \n" + " echo \"\n" + " \n" + " <link rel=\\\"stylesheet\\\" href=\\\"../menu/style_menu.css\\\">\n" + " <script src=\\\"../utilitarios/jquery-1.11.2.js\\\" type=\\\"text/javascript\\\"></script>\n" + " <script src=\\\"../menu/script.js\\\"></script>\n" + " <script src=\\\"../menu/menu.js\\\" type=\\\"text/javascript\\\"></script>\n" + "\n" + " \";\n" + "?>"); bw.close(); fw.close(); return 0; } int gerarAddDropCad() throws IOException{ File arquivo = new File (caminho_dir+"menu/add_menu_drop_cad.php"); if (!arquivo.exists()) { arquivo.createNewFile(); } FileWriter fw = new FileWriter(arquivo); BufferedWriter bw = new BufferedWriter(fw); bw.write("<?php\n" + " \n" + " echo \"\n" + " <script src=\\\"../menu/menu_DropCad.js\\\" type=\\\"text/javascript\\\"></script>\n" + " \";\n" + "?>"); bw.close(); fw.close(); return 0; }; public int gerarMenu() throws IOException{ this.gerarCss(); this.gerarMenuJs(); this.gerarAddDropCad(); this.gerarAddMenu(); this.gerarMenuBar(); this.gerarMenuDropCad(); return 0; } } <file_sep> package ProjetoInfo; /** * Classe com informações padrões de um sistema Otatop * @author Renan */ public class ProjetoInfo { public String nome_projeto = "Projeto Otatop"; public String banco_nome = "database"; public String banco_servidor = "localhost"; public String banco_senha = ""; public String banco_usuario = "root"; public ProjetoInfo(String nome_projeto, String banco_nome, String banco_servidor, String banco_senha, String banco_usuario) { this.banco_nome = banco_nome; this.nome_projeto = nome_projeto; this.banco_servidor = banco_servidor; this.banco_senha = banco_senha; this.banco_usuario = banco_usuario; } }
d795a8ed14dfde42c91f16748f84a345398e16d5
[ "Markdown", "Java" ]
12
Markdown
cb130felix/Projeto-Otatop
566d51a8b444ce13dc45d9663103de03b695e824
87cb6a7cec74a93ff6cf70d2bae3e25cb9f4ff3a
refs/heads/master
<file_sep>// Here is the top-down approach of // dynamic programming #include <bits/stdc++.h> using namespace std; int arr[1005][1005]; int setM(int W, int wt[], int val[], int n) { // Your code here if(n==0 || W==0) return 0; if(arr[n][W]!=-1) return arr[n][W]; if(wt[n-1]<=W) return arr[n][W]=max(val[n-1]+setM(W-wt[n-1], wt, val, n-1), setM(W,wt,val,n -1)); else return arr[n][W]=setM( W, wt, val, n-1); } int knapSack(int W,int wt[],int val[],int n) { memset(arr,-1,sizeof(arr)); return setM(W,wt,val,n); } int main() { //memset(arr,-1,sizeof(arr)); int val[] = { 10, 20, 30 }; int wt[] = { 1, 1, 1 }; int W = 2; int n = sizeof(val) / sizeof(val[0]); cout << knapSack(W, wt, val, n); return 0; } <file_sep>#include<bits/stdc++.h> using namespace std; int gcd(int a,int b){ //return b==0?a:gcd(b,a%b); return b==0?a:gcd(b,a%b); } int lcm(int a,int b){ return a*b/gcd(a,b); } int main(){ int arr[6]={1,2,3}; int lcmres=arr[0]; for(int i=1; i<3; i++) { lcmres=lcm(lcmres,arr[i]); } cout<<lcmres<<endl; return 0; }<file_sep>#include<bits/stdc++.h> using namespace std; int main(){ cout<<"Entering to c++"<<endl; return 0; } <file_sep>// Here is the top-down approach of // dynamic programming #include <bits/stdc++.h> using namespace std; // Driver Code int main() { int** dp; dp=new int*[10]; dp[0]=new int[50]; cout<<sizeof(dp); cout<<" "; }
585cf6078dca43b5027e4ec00508afbf492e20a0
[ "C++" ]
4
C++
arunmorya/vsCodeTestWithGithub
79ee976a9d1b7ba07406c3e47af2c5ad5a14437a
aa40a4e6aad706ac6910da8875180ff941819194
refs/heads/master
<file_sep>import React, { Component } from 'react'; import '../css/Apartments.css'; import { getApartment } from '../services/apartments_api'; export default class Show extends Component { constructor(props){ super(props); this.state = { apartment: [], id: '' } } componentWillMount(){ if(this.props.match){ let id = this.props.match.params.id; console.log("id", this.state.id); console.log("comp will mount"); getApartment(id).then((res) => { console.log("response",res); this.setState({apartment: res}) }); } else { this.setState({apartment: this.props.apartment}) } } render(){ console.log("in show...", this.state, this.props); let apt = this.state.apartment; console.log(this.props, "APT:", apt); return ( <div> <ul> <li>{apt.address_1} {apt.address_2}</li> <li>{apt.city} {apt.state}</li> <li>{apt.country} {apt.postal_code}</li> </ul> </div> ) } } <file_sep>import React, { Component } from 'react'; import ReactDOM from 'react-dom'; import '../css/index.css'; import All from '../Apartments/All'; import Show from '../Apartments/Show'; import Edit from '../Apartments/Edit'; import New from '../Apartments/New'; import Header from '../components/Header'; import { BrowserRouter as Router, Route, Redirect, Switch } from 'react-router-dom'; import { getApartments } from '../services/apartments_api'; class ApartmentsContainer extends Component { constructor(props){ super(props) this.state = { apartments: [] } } componentWillMount(){ //console.log("comp will mount"); getApartments().then((res) => { //console.log(res); this.setState({apartments: res}) }); } render(){ console.log("in ApartmentsContainer..."); const url = this.props.match.path; console.log("url...", url); let { apartments } = this.state; console.log("apartments...", apartments); return ( <div> <Router> <Switch> <Route path = {`${url}`} render={(props) => <All apartments={apartments}/>} /> <Route path = {`${url}/:id`} render={(props) => <Show apartments={apartments}/>} /> <Route path = {`${url}/:id/edit`} render={(props) => <Edit apartments={apartments}/>} /> <Route path = {`${url}/new`} render={(props) => <New apartments={apartments}/>} /> </Switch> </Router> </div> ) } } export default ApartmentsContainer; <file_sep>import React, { Component } from 'react'; import { getApartments } from '../services/apartments_api'; import ApartmentCard from './ApartmentCard'; import '../css/Apartments.css'; export default class Apartments extends Component { constructor(props){ super(props) this.state = { apartments: [], apt_id: '' } } componentWillMount(){ console.log("comp will mount"); getApartments().then((res) => { console.log(res); this.setState({apartments: res}) }); } handleClick = (id) => { console.log(id, "running handle click"); this.props.history.push(`/apartments/${id}`) } render(){ console.log(this.state); return ( <div> Apartments {this.state.apartments.map((apt, i) => { return ( <div key={i.toString()}> <ApartmentCard apartment={apt}/> <button onClick={this.handleClick.bind(this)}>View</button> </div> ) })} </div> ) } } <file_sep>import React, { Component } from 'react'; import logo from '../images/logo.svg'; import '../css/App.css'; import withAuth from './withAuth'; import AuthService from '../services/AuthService'; import Header from './Header'; const Auth = new AuthService(); class App extends Component { render() { return ( <div className="App"> </div> ); } } export default withAuth(App); <file_sep>import React, { Component } from 'react'; import AuthService from '../services/AuthService'; // import { BrowserRouter } from 'react-router-dom' export default class Header extends Component { constructor(props){ super(props); this.Auth = new AuthService(); this.state = { } } handleLogout(){ this.Auth.logout(); this.props.history.replace('/login'); } handleLogin(){ this.props.history.replace('/login'); } handleRegister(){ this.props.history.replace('/register'); } handleApartments(){ this.props.history.replace('/apartments'); } handleDashboard(){ this.props.history.replace('/dashboard'); } render(){ return ( <nav className="nav-bar"> {!this.Auth.loggedIn() && <button type="button" className="form-submit" onClick={this.handleLogin.bind(this)}>Login</button>} {this.Auth.loggedIn() && <button type="button" className="form-submit" onClick={this.handleLogout.bind(this)}>Logout</button>} {!this.Auth.loggedIn() && <button type="button" className="form-submit" onClick={this.handleRegister.bind(this)}>Register</button>} {<button type="button" className="form-submit" onClick={this.handleApartments.bind(this)}>Apartments</button>} {this.Auth.loggedIn() && <button type="button" className="form-submit" onClick={this.handleDashboard.bind(this)}>Dashboard</button>} </nav> ) } } <file_sep>const BASE = 'http://localhost:3000'; let getApartments = function(){ console.log("in getApartments"); return fetch(BASE + '/apartments') .then((res) => { console.log("running fetch all apartments"); let json = res.json(); console.log(json); return json; }).catch(err => { console.log(err); return err; }); } let getApartment = function(id){ console.log("in getApartment"); return fetch(BASE + '/apartments/' + id) .then((res) => { console.log("running fetch 1 apartment"); let json = res.json(); console.log(json); return json; }).catch(err => { console.log(err); return err; }); } let createApartment = function(apartment){ console.log("creating apartment", apartment); return fetch(BASE + '/apartments', { body: JSON.stringify(apartment), headers: { 'Content-Type':'application/json', }, method: 'POST' }) .then((res) => { let json = res.json(); return json; }).catch(err => { alert(err); return err; }) } let editApartment = function(apartment){ console.log("editing apartment", apartment, apartment.id); return fetch(BASE + '/apartments/' + apartment.id, { body: JSON.stringify(apartment), headers: { 'Content-Type':'application/json', }, method: 'PATCH' }) .then((res) => { let json = res.json(); return json; }).catch(err => { alert(err); return err; }) } let deleteApartment = function(id){ console.log("delete apartment by id...", id); return fetch(BASE + '/apartments/' + id, { headers: { 'Content-Type':'application/json', }, method: 'DELETE' }) } let getUserApartments = function(user_id){ console.log("in getUserApartments"); return fetch(BASE + '/user/' + user_id +'/apartments') .then((res) => { console.log("running fetch user apartments"); let json = res.json(); console.log(json); return json; }).catch(err => { console.log(err); return err; }); } let getUser = function(id){ console.log("getting user info..."); return fetch(BASE + '/users/' + id) .then((res) => { console.log("running fetch user info"); console.log(res); let json = res.json(); console.log(json); return json; }).catch(err => { console.log("error", err); return err; }); } export { getApartments, getApartment, createApartment, editApartment, deleteApartment, getUserApartments, getUser }
c9fbb42e149977f3802296c29e9244ed930549d5
[ "JavaScript" ]
6
JavaScript
rhiggins32/apartment_finder_frontend
ee2ad321117bf19cadc15e7d3aa0eeeb1f5846bb
6d81bb4016fa20b989117a45a2215b476096d50d
refs/heads/master
<repo_name>maoxiangyi/weixin-addfriend<file_sep>/src/main/java/cn/mxy/spider/weixin/A.java package cn.mxy.spider.weixin; import java.io.BufferedReader; import java.io.BufferedWriter; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.FileWriter; import java.io.IOException; import java.util.ArrayList; import org.junit.Test; import com.alibaba.fastjson.JSON; import com.alibaba.fastjson.JSONReader; import cn.mxy.spider.weixin.domain.BaseResponse; import cn.mxy.spider.weixin.domain.Member; import cn.mxy.spider.weixin.domain.Response; public class A { public static void main(String[] args) throws Exception { JSONReader jsonReader = new JSONReader(new FileReader("c:/wxfriend.txt")); Response response = new Response(); jsonReader.startObject(); while (jsonReader.hasNext()) { String key = jsonReader.readString(); if (key.contains("BaseResponse")) { BaseResponse baseResponse = new BaseResponse(); jsonReader.startObject(); while (jsonReader.hasNext()) { String obj = jsonReader.readString(); String val = jsonReader.readObject().toString(); baseResponse.setvalue(obj,val); } jsonReader.endObject(); response.setBaseResponse(baseResponse); } else if (key.contains("MemberCount")) { Object obj = jsonReader.readObject();// String val = obj.toString(); response.setMemberCount(Integer.parseInt(val)); } else if (key.contains("MemberList")) { ArrayList<Member> memberList = new ArrayList<Member>(); jsonReader.startArray();// ---> [ 开启读List对象 while (jsonReader.hasNext()) { Member member = new Member(); jsonReader.startObject(); while (jsonReader.hasNext()) { String obj = jsonReader.readString(); String val = jsonReader.readObject().toString(); member.setvalue(obj,val); } jsonReader.endObject(); memberList.add(member); } jsonReader.endArray();// ---> [ 结束读List对象 response.setMemberList(memberList); } else if (key.contains("Seq")) { Object obj = jsonReader.readObject(); String val = obj.toString(); response.setSeq(Integer.parseInt(val)); } } jsonReader.endObject(); System.out.println(response); File file = new File("c:/wxfriend_parser_result.txt"); BufferedWriter bwBufferedWriter = new BufferedWriter(new FileWriter(file)); bwBufferedWriter.write(response.toString()); bwBufferedWriter.flush(); bwBufferedWriter.close(); } @Test public void testSmallData() throws FileNotFoundException, IOException { FileReader fileReader = new FileReader(new File("c:/wxfriend_small.txt")); BufferedReader br = new BufferedReader(fileReader); StringBuffer sb = new StringBuffer(); String line = null; while ((line = br.readLine()) != null) { sb.append(line); } String json = sb.toString(); Response res = JSON.parseObject(json, Response.class); System.out.println(res); } @Test public void testEclipseConsolePrint() throws FileNotFoundException, IOException { long startTime = System.currentTimeMillis(); ArrayList<Member> arrayList = new ArrayList<Member>(); for(int i=1;i<2600;i++){ Member member = new Member(); arrayList.add(member); } System.out.println(arrayList); System.out.println(System.currentTimeMillis()-startTime); } } <file_sep>/src/main/java/cn/mxy/spider/weixin/util/FileUtil.java package cn.mxy.spider.weixin.util; import java.io.BufferedReader; import java.io.BufferedWriter; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.FileWriter; import java.io.IOException; public class FileUtil { public static String readFileToString(String path) throws FileNotFoundException, IOException { FileReader fileReader = new FileReader(new File(path)); BufferedReader br = new BufferedReader(fileReader); StringBuffer sb = new StringBuffer(); String line = null; while ((line = br.readLine()) != null) { sb.append(line); } String html = sb.toString(); return html; } public static void saveStringToFile(String html,String path) throws FileNotFoundException, IOException { File file = new File(path); BufferedWriter bwBufferedWriter = new BufferedWriter(new FileWriter(file)); bwBufferedWriter.write(html); bwBufferedWriter.flush(); bwBufferedWriter.close(); } } <file_sep>/src/main/java/cn/mxy/spider/weixin/parser/AddFriendMain.java package cn.mxy.spider.weixin.parser; import java.io.BufferedReader; import java.io.File; import java.io.FileReader; import java.io.IOException; import java.nio.charset.Charset; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Random; import org.apache.http.HttpEntity; import org.apache.http.client.ClientProtocolException; import org.apache.http.client.methods.CloseableHttpResponse; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.methods.HttpPost; import org.apache.http.entity.StringEntity; import org.apache.http.impl.client.CloseableHttpClient; import org.apache.http.impl.client.HttpClients; import org.apache.http.util.EntityUtils; import com.alibaba.fastjson.JSON; import com.google.gson.Gson; import cn.mxy.spider.weixin.domain.AddFriendRequest; import cn.mxy.spider.weixin.domain.BaseRequest; import cn.mxy.spider.weixin.domain.BaseResponse; import cn.mxy.spider.weixin.domain.BatchRequest; import cn.mxy.spider.weixin.domain.Group; import cn.mxy.spider.weixin.domain.GroupMemberResponse; import cn.mxy.spider.weixin.domain.Member; import cn.mxy.spider.weixin.domain.Response; import cn.mxy.spider.weixin.domain.SimpleUser; import cn.mxy.spider.weixin.domain.VerifyUser; import cn.mxy.spider.weixin.util.FileUtil; public class AddFriendMain { private static String cookie = "gv_pvi=3803484160; pgv_si=s7525085184; MM_WX_NOTIFY_STATE=1; MM_WX_SOUND_STATE=1; wxuin=457245275; wxsid=sy3MXZgLxNkcaYYk; wxloadtime=1502784335; mm_lang=zh_CN; webwx_data_ticket=gSe9TDf3iDYTdmm5+sjoNePr; webwxuvid=9de99e77a3eec08376d31e03398ef309ca6b4e6d26ca36fdbe2d98c2e985af2079ad5d71b11894eb2cde6e080026c51d; webwx_auth_ticket=CIsBEIqCmYoFGoABsh9oMlPerMTtimXc9rEPSOVUsyd00nckw1gjh7NzHrHsslNTA8Cdl/uOOVQhLJEo4IOZZWd7K0fKuCCMYN99jhmIJCUNgXSAcK7DbX8SZ7Je+jLQCFVRhVG7+arlUHjn104pcPROuIy6uber9XyQzpg6cDMdpDyYYzWlbMYAJAI=; login_frequency=1; last_wxuin=457245275"; private static String pass_ticket = "UbuIFJ99Lzu9IUlwx8kruDt%252BMASnb6ZzAL3UHHy2jjYerWBbIrE6ef6nEDASFTi5"; private static String skey = "@crypt_e80a62f_0a7344c4decfabb035d8eb6967da2a7a"; public static void main(String[] args) throws Exception { System.out.println("启动微信机器人……"); // String api = // "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxgetcontact?r=1502459493994&seq=0&skey=@crypt_e80a62f_8006d79"; String api = "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxgetcontact?pass_ticket=" + pass_ticket + "&r=1502784469159&seq=0&skey=" + skey; HashMap<String, String> headerInfoMap = headerInfoMap(); String json = getHtml(api, headerInfoMap); System.out.println("……获取用户的所有好友信息"); FileUtil.saveStringToFile(json, "c:/用户的所有好友信息.txt"); // 解析Json串 Response response = parseJson(json); System.out.println(response.getMemberList()); // 封装用户的好友信息 HashMap<String, String> userFriendMap = new HashMap<String, String>(); userFriendMap.put("@<PASSWORD>", ""); for (Member member : response.getMemberList()) { userFriendMap.put(member.getUserName(), ""); } // 找出那些是微信群 ArrayList<Member> groupList = findWXGroup(response); System.out.println("……提取用户的微信群"); FileUtil.saveStringToFile(groupList.toString(), "c:/用户的群信息"); // 每个群的群成员及关系 getGroupContact(groupList, userFriendMap); } private static void getGroupContact(ArrayList<Member> groupList, HashMap<String, String> userFriendMap) throws Exception { // 获取微信群的好友列表 // String api = // "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxbatchgetcontact?type=ex&r=1502525127909"; String api = "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxbatchgetcontact?type=ex&r=1502784469159&pass_ticket=" + pass_ticket; // 准备参数 BatchRequest initRequestParam = initRequestParam(groupList); // 将参数转化成json串 Gson gson = new Gson(); String json = gson.toJson(initRequestParam); // 发起HTTP请求 一次获取微信群中所有好友的列表信息 System.out.println("……获取微信群中所有群成员信息"); String html = postHtml(api, headerInfoMap(), json); // 根据 GroupMemberResponse groupInfo = JSON.parseObject(html, GroupMemberResponse.class); List<Group> contactList = groupInfo.getContactList(); System.out.println("……保存每个群的详细信息"); for (Group group : contactList) { System.out.println(group.getNickName()); // 保存群和群的成员 FileUtil.saveStringToFile(group.getMemberList().toString(), "c:/群【" + group.getNickName() + "】的成员列表.txt"); } for (Group group : contactList) { if (group.getNickName().contains("Spring")) { List<Member> memberList = group.getMemberList(); for (Member member : memberList) { System.out.println("…………识别用户" + member.getNickName() + "是否已经是好友关系"); if (!userFriendMap.containsKey(member.getUserName())) { addFriend(member); System.out.println("…………自动添加" + member.getNickName()); Random random = new Random(); int sleep = Math.abs(random.nextInt(30)); System.out.println("…………休息" + sleep + "s,然后在开始"); Thread.sleep(sleep * 1000); } else { System.out.println(member.getNickName() + "已经是好友了!"); } System.out.println("------------------------"); } } } } private static void addFriend(Member member) throws Exception, Exception { // String api = // "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxverifyuser?r=1502528004153"; String api = "https://wx.qq.com/cgi-bin/mmwebwx-bin/webwxverifyuser?r=1502765153332&pass_ticket=" + pass_ticket; // 准备请求参数 AddFriendRequest addFriendRequest = new AddFriendRequest(); // 基础信息 addFriendRequest.setBaseRequest(getBaseRequest()); // 要添加的人 ArrayList<VerifyUser> arrayList = new ArrayList<VerifyUser>(); VerifyUser verifyUser = new VerifyUser(); verifyUser.setValue(member.getUserName()); verifyUser.setVerifyUserTicket(""); arrayList.add(verifyUser); addFriendRequest.setVerifyUserList(arrayList); addFriendRequest.setSkey(getBaseRequest().getSkey()); // 验证信息 addFriendRequest.setVerifyContent("我是毛祥溢,在开发微信机器人,想自动添加群好友。"); Gson gson = new Gson(); String json = gson.toJson(addFriendRequest); String html = postHtml(api, headerInfoMap(), json); System.out.println(html); // BaseResponse res = JSON.parseObject(html, BaseResponse.class); // System.out.println(res); // if (res.getRet() == 0) { // System.out.println("啦啦啦啦啦…………添加成功啦!"); // } else { // System.out.println("不开心,被腾讯公司发现了!" + res.getRet()); // } } private static BatchRequest initRequestParam(ArrayList<Member> groupList) { BatchRequest batchRequest = new BatchRequest(); // 设置BaseRequest batchRequest.setBaseRequest(getBaseRequest()); // 设置List ArrayList<SimpleUser> simpleUserList = new ArrayList<SimpleUser>(); for (Member member : groupList) { SimpleUser simpleUser = new SimpleUser(); simpleUser.setUserName(member.getUserName()); simpleUser.setEncryChatRoomId(member.getEncryChatRoomId()); simpleUserList.add(simpleUser); } batchRequest.setList(simpleUserList); // 设置Count batchRequest.setCount(simpleUserList.size()); return batchRequest; } private static BaseRequest getBaseRequest() { BaseRequest baseRequest = new BaseRequest(); baseRequest.setSid("sy3MXZgLxNkcaYYk"); baseRequest.setSkey(skey); baseRequest.setUin(457245275l); baseRequest.setDeviceID("e600730799268609"); return baseRequest; } private static String readLocalFile() throws Exception { FileReader fileReader = new FileReader(new File("c:/wxfriend.txt")); BufferedReader br = new BufferedReader(fileReader); StringBuffer sb = new StringBuffer(); String line = null; while ((line = br.readLine()) != null) { sb.append(line); } return sb.toString(); } private static ArrayList<Member> findWXGroup(Response response) { List<Member> memberList = response.getMemberList(); ArrayList<Member> groupList = new ArrayList<Member>(); for (Member member : memberList) { // getStatues == 1 表示微信群 // if (member.getStatues() == 1) { // groupList.add(member); // } // getContactFlag == 3 表示最近联系的人 // if (member.getContactFlag() == 3) { // groupList.add(member); // } if (member.getStatues() == 1 && member.getContactFlag() == 3) { groupList.add(member); } } return groupList; } /** * 不能打印 打印对象。 * * @param json * @return */ private static Response parseJson(String json) { Response response = JSON.parseObject(json, Response.class); // Gson gson = new Gson(); // Response response = gson.fromJson(json, Response.class); return response; } private static String getHtml(String api, HashMap<String, String> headerInfoMap) throws IOException, ClientProtocolException { CloseableHttpClient hc = HttpClients.createDefault(); HttpGet httpGet = new HttpGet(api); for (Map.Entry kv : headerInfoMap.entrySet()) { httpGet.addHeader((String) kv.getKey(), (String) kv.getValue()); } CloseableHttpResponse response = hc.execute(httpGet); String html = null; if (200 == response.getStatusLine().getStatusCode()) { html = EntityUtils.toString(response.getEntity(), Charset.forName("utf-8")); } else { System.out.println("网络请求失败" + api); } return html; } private static String postHtml(String api, HashMap<String, String> headerInfoMap, String param) throws IOException, ClientProtocolException { CloseableHttpClient hc = HttpClients.createDefault(); // 创建post请求方式 HttpPost httpPost = new HttpPost(api); // 添加请求头 for (Map.Entry kv : headerInfoMap.entrySet()) { httpPost.addHeader((String) kv.getKey(), (String) kv.getValue()); } // 添加post参数 注意 微信是stringentity HttpEntity paramEntity = new StringEntity(param); httpPost.setEntity(paramEntity); CloseableHttpResponse response = hc.execute(httpPost); String html = null; if (200 == response.getStatusLine().getStatusCode()) { html = EntityUtils.toString(response.getEntity(), Charset.forName("utf-8")); } else { System.out.println("网络请求失败" + api); } return html; } private static HashMap<String, String> headerInfoMap() { HashMap<String, String> headerInfoMap = new HashMap<String, String>(); headerInfoMap.put("Accept", "application/json, text/plain, */*"); headerInfoMap.put("Accept-Encoding", "gzip, deflate"); headerInfoMap.put("Content-Type", "application/json;charset=UTF-8"); headerInfoMap.put("Referer", "https://wx.qq.com/"); headerInfoMap.put("Accept-Encoding", "gzip, deflate, sdch"); headerInfoMap.put("Accept-Language", "zh-CN,zh;q=0.8"); headerInfoMap.put("Cache-Control", "max-age=0"); headerInfoMap.put("Connection", "keep-alive"); headerInfoMap.put("Cookie", cookie); headerInfoMap.put("Host", "wx.qq.com"); headerInfoMap.put("Upgrade-Insecure-headerInfoMaps", "1"); headerInfoMap.put("User-Agent", "Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/50.0.2661.102 Safari/537.36"); return headerInfoMap; } } <file_sep>/src/main/java/cn/mxy/spider/weixin/domain/Response.java package cn.mxy.spider.weixin.domain; import java.util.List; public class Response { public BaseResponse baseResponse; public int memberCount; public List<Member> memberList; public int seq; public int getSeq() { return seq; } public void setSeq(int seq) { this.seq = seq; } public BaseResponse getBaseResponse() { return baseResponse; } public void setBaseResponse(BaseResponse baseResponse) { this.baseResponse = baseResponse; } public int getMemberCount() { return memberCount; } public void setMemberCount(int memberCount) { this.memberCount = memberCount; } public List<Member> getMemberList() { return memberList; } public void setMemberList(List<Member> memberList) { this.memberList = memberList; } @Override public String toString() { return "Response [baseResponse=" + baseResponse + ", memberCount=" + memberCount + ", memberList=" + memberList + ", seq=" + seq + "]"; } } <file_sep>/src/main/java/cn/mxy/spider/weixin/domain/VerifyUser.java package cn.mxy.spider.weixin.domain; public class VerifyUser { private String Value; private String VerifyUserTicket; public String getValue() { return Value; } public void setValue(String value) { Value = value; } public String getVerifyUserTicket() { return VerifyUserTicket; } public void setVerifyUserTicket(String verifyUserTicket) { VerifyUserTicket = verifyUserTicket; } @Override public String toString() { return "VerifyUser [Value=" + Value + ", VerifyUserTicket=" + VerifyUserTicket + "]"; } } <file_sep>/src/main/java/cn/mxy/spider/weixin/domain/SimpleUser.java package cn.mxy.spider.weixin.domain; public class SimpleUser { //[{"UserName": // "@@6e940ca99493c567e7aa6896cf8d3e4fb6847336419aa520f81f6412ab1623ce", // "EncryChatRoomId":""} private String UserName; private String EncryChatRoomId; public String getUserName() { return UserName; } public void setUserName(String userName) { UserName = userName; } public String getEncryChatRoomId() { return EncryChatRoomId; } public void setEncryChatRoomId(String encryChatRoomId) { EncryChatRoomId = encryChatRoomId; } @Override public String toString() { return "SimpleUser [UserName=" + UserName + ", EncryChatRoomId=" + EncryChatRoomId + "]"; } }
88f941b260cc7126f67b3020cf39c9f108de5c4e
[ "Java" ]
6
Java
maoxiangyi/weixin-addfriend
7ba10b9e049fd12543000496e8a0563061c7956e
5e89e6b776a6f2348c01ce736eeca271541cd85a
refs/heads/master
<repo_name>RishiNanthan/Quiz<file_sep>/README.md # Quiz A Quiz created using OpenCV <h3> Run sample.py to start the quiz challenge</h3> <img src="https://github.com/RishiNanthan/Quiz/blob/master/quiz%20output.png?raw=true" alt="quiz output" /> <file_sep>/sample.py import cv2 from box import Box import PySimpleGUI as pg boxes = [] previous_box = None pg.theme("DarkAmber") questions = [] def get_questions(): global questions questions = [] with open("questions.txt", "r") as f: questions = f.readlines() get_questions() def create_layout(ques_no, ques, choice=None): if choice is None: return [ [pg.Text(" ", size=(50, 2))], [pg.Text(" " * 20 + f"Question {ques_no+1}/28", font=("Helvetica", 15))], [pg.Text(" ", size=(50, 2))], [pg.Text(ques, font=("Helvetica", 18))], [pg.Text(" ", size=(50, 2))], [pg.Text(" ", size=(50, 2))], [pg.Text(" ", size=(40, 1)), pg.Ok(" OK ")] ] else: lay = [ [pg.Text(" " * 15 + f"Question {ques_no+1}/28")], [pg.Text(" ", size=(50, 1))], [pg.Text(ques)], ] for i in choice: lay += [[pg.Radio(i, 1)]] lay += [[pg.Ok("OK")]] return lay def on_mouse_click(event, x, y, flags, param): global previous_box if event == cv2.EVENT_LBUTTONUP: for i, box in enumerate(boxes): if box.x < x < box.x1 and box.y < y < box.y1 and not box.clicked: box.clicked = True win = pg.Window("Quiz", alpha_channel=0.95, no_titlebar=True) win.Layout(create_layout(i, questions[i])) b, val = win.Read() win.close() param[box.y:box.y1, box.x:box.x1, :] = box.org def main(): global boxes img = cv2.imread('sample.png') img = cv2.resize(img, (1920, 1080)) img = cv2.resize(img, (img.shape[1]//2, img.shape[0]//2)) w, h = img.shape[0]//7, img.shape[1]//4 qn = 1 for i in range(4): for j in range(7): x, y, x1, y1 = h*i, w*j, h*(i+1), w*(j+1) b = Box((x, y), (x1, y1)) b.set_original(img[y:y1, x:x1, :]) boxes += [b] img = cv2.rectangle(img, (x, y), (x1, y1), (255, 255, 255), 2) img[y:y1, x:x1, :] = (0, 0, 0) img = cv2.putText(img, f"Q{qn}", ((x+x1-40)//2, (y+y1+20)//2), cv2.QT_FONT_NORMAL, 1, (200, 200, 250), 1) qn += 1 while True: cv2.namedWindow("img", cv2.WINDOW_NORMAL) cv2.imshow('img', img) cv2.setWindowProperty("img", cv2.WND_PROP_ASPECT_RATIO, cv2.WINDOW_NORMAL) cv2.setMouseCallback('img', on_mouse_click, param=img) if cv2.waitKey(1) & 0xFF == 27: break cv2.destroyAllWindows() if __name__ == '__main__': main() <file_sep>/build.py from cx_Freeze import setup, Executable setup(name="Quiz", version="0.1", description="Copyright @rishi", executables=[Executable("sample.py")]) if __name__ == '__main__': pass <file_sep>/box.py import numpy as np class Box: def __init__(self, xy, x1y1): self.x = xy[0] self.y = xy[1] self.x1 = x1y1[0] self.y1 = x1y1[1] self.org = None self.clicked = False def set_original(self, img: np.ndarray): self.org = img.copy() if __name__ == '__main__': pass
554c25716f9dd5ee8ebcf4f1430c013a5d9378bf
[ "Markdown", "Python" ]
4
Markdown
RishiNanthan/Quiz
ad6dd63dee1b6032b2eac142fb8513fef05b0a7c
6131feaf702ebe40643fc91364aba928ca34fea3
refs/heads/master
<file_sep>#!/bin/sh #!/bin/bash set -x should_preprocess_with_codegenerator=true function failed() { echo "Failed: $@" >&2 exit 1 } if $should_preprocess_with_codegenerator; then cd "${SOURCE_ROOT}/CodeGeneration" ruby -w "./cg_generate_objc.rb" --d "${SOURCE_ROOT}" || failed cg_generate_objc; fi<file_sep>Abandoned. Refactored into DSLib* set of frameworks <file_sep>#!/usr/bin/ruby require 'optparse' require 'ostruct' options = OpenStruct.new begin optionsParser = OptionParser.new optionsParser.on_tail("-h", "--help", "Show this message") do puts optionsParser exit end optionsParser.on_tail("-v", "--version", "Show version") do puts "1.0.1" exit end optionsParser.on("--d Directory", String, "Require directory to run script") do |dir| options.dir = dir.chomp end if ARGV.length < 1 puts optionsParser exit end optionsParser.parse!(ARGV) end def processDir(dir) Dir.foreach(dir) { |item| full_item_path = File.expand_path(item, dir) if File.directory?(full_item_path) if !(item =~ /^\./) processDir(full_item_path) end else if item =~ /cg.xml$/ fileName = item.gsub(/.cg.xml$/, "") outPathH = File.expand_path("#{fileName}.h", dir) outPathM = File.expand_path("#{fileName}.m", dir) args = "--i '#{full_item_path}' --t 'generate_constants_h.erb' --o '#{outPathH}' --t 'generate_constants_m.erb' --o '#{outPathM}'" isSuccess = system("ruby generate_constants.rb #{args}") end end } end puts "Processing dir: #{options.dir}\n" processDir(options.dir) <file_sep>#!/usr/bin/env ruby require 'optparse' require 'ostruct' require 'date' require 'erb' require 'rexml/document' class ObjStruct attr_accessor :name, :instance_name, :constants end class ObjConstant attr_accessor :type, :name, :value end class ConstantsGenerator attr_reader :options attr_reader :structs def initialize(arguments) @arguments = arguments @options = OpenStruct.new @options.templates = [] @options.outFiles = [] end def run parse_options() puts "Start at #{DateTime.now}\n" process_input_file() for i in 0..(@options.outFiles.length-1) do outFile = @options.outFiles[i] template = @options.templates[i] create_out_file_from_template(outFile, template) end puts "\n Finished at #{DateTime.now}" end def parse_options optionsParser = OptionParser.new optionsParser.on_tail("-h", "--help", "Show this message") do puts optionsParser exit end optionsParser.on_tail("-v", "--version", "Show version") do puts "1.0.0" exit end optionsParser.on("--in InFile", String, "Require one input file to run this script") do |inFile| options.inFile = inFile.chomp end optionsParser.on("--out OutFile", String, String, "Require at least on output file to run this script") do |outfile| options.outFiles << outfile.chomp end optionsParser.on("--t Template", String, "Require at least one template to run this script") do |template| options.templates << template.chomp end optionsParser.parse!(@arguments) puts "\n Parser options: #{@options}" end def process_input_file file_name = @options.inFile puts "processing file #{file_name}\n" @structs = [] @file_name = "" doc = REXML::Document.new(File.open(file_name)) @file_name = doc.root_node.attribute("module") doc.root.each_element("struct") do |struct| objStruct = ObjStruct.new objStruct.name = struct.attribute("name") objStruct.instance_name = struct.attribute("instance_name") objStruct.constants = Array.new struct.each_element("constant") do |constant| objConstant = ObjConstant.new objConstant.type = constant.attribute("type") objConstant.name = constant.attribute("name") objConstant.value = constant.text objStruct.constants.push(objConstant) end @structs.push(objStruct) end end def create_out_file_from_template(outFile, template) structs = @structs inputFile = @options.inFile erb = ERB.new(File.open(template).read) erb_result = erb.result(binding) File.open(outFile, 'w') {|f| f.write(erb_result)} end end ConstantsGenerator.new(ARGV).run
917bb30c884f46bd5d3228612df9729dce175f86
[ "Markdown", "Ruby", "Shell" ]
4
Shell
S2Ler/DSLib
0a1bcd24a9f13263faa7be6eac1718fa9d473bcd
7e3c4a6b5ab77bacbf4d4c8dcd5c752593eba214
refs/heads/master
<repo_name>textactor/textactor-explorer<file_sep>/src/data/wiki-search-name-repository.ts import { MongoRepository } from './mongo/mongo-repository'; import { WikiSearchName } from '../entities/wiki-search-name'; import { IWikiSearchNameRepository } from '../repositories/wiki-search-name-repository'; export class WikiSearchNameRepository extends MongoRepository<WikiSearchName> implements IWikiSearchNameRepository { } <file_sep>/src/data/concept-repository.ts import { MongoRepository } from './mongo/mongo-repository'; import { Concept } from '../entities/concept'; import { IConceptRepository, PopularConceptsOptions } from '../repositories/concept-repository'; import { ILocale } from '../types'; import { uniq } from '../utils'; import { MongoParamsWhere } from './mongo/mongo-model'; export class ConceptRepository extends MongoRepository<Concept> implements IConceptRepository { getMostPopular(containerId: string, limit: number, skip: number, options?: PopularConceptsOptions): Promise<Concept[]> { options = options || {}; const where: MongoParamsWhere = { containerId }; if (options.minCountWords) { where.countWords = where.countWords || {}; where.countWords.$gte = options.minCountWords; } if (options.maxCountWords) { where.countWords = where.countWords || {}; where.countWords.$lte = options.maxCountWords; } return this.model.list({ where, limit, offset: skip, sort: '-popularity,createdAt', }); } getByRootNameId(id: string): Promise<Concept[]> { return this.model.list({ where: { rootNameIds: id }, limit: 500, }) } getByRootNameIds(ids: string[]): Promise<Concept[]> { return this.model.list({ where: { rootNameIds: { $in: ids } }, limit: 500, }); } list(locale: ILocale, limit: number, skip?: number): Promise<Concept[]> { return this.model.list({ where: { lang: locale.lang, country: locale.country, }, limit, offset: skip || 0, }); } getConceptsWithAbbr(containerId: string): Promise<Concept[]> { return this.model.list({ where: { containerId, abbr: { $exists: true }, limit: 500, } }); } count(locale: ILocale): Promise<number> { return this.model.count({ lang: locale.lang, count: locale.country, }); } deleteUnpopular(containerId: string, popularity: number): Promise<number> { return this.model.remove({ where: { containerId, popularity: { $lt: popularity }, } }); } deleteUnpopularAbbreviations(containerId: string, popularity: number): Promise<number> { return this.model.remove({ where: { containerId, isAbbr: true, popularity: { $lt: popularity }, } }); } deleteUnpopularOneWorlds(containerId: string, popularity: number): Promise<number> { return this.model.remove({ where: { containerId, countWords: 1, isAbbr: false, popularity: { $lt: popularity }, } }); } deleteAll(containerId: string): Promise<number> { return this.model.remove({ where: { containerId } }); } deleteIds(ids: string[]): Promise<number> { return this.model.remove({ where: { _id: { $in: ids } } }); } deleteByRootNameIds(ids: string[]): Promise<number> { return this.model.remove({ where: { rootNameIds: { $in: ids } } }); } createOrUpdate(item: Concept): Promise<Concept> { return this.create(item).catch(error => { if (error.code && error.code === 11000) { return this.getById(item.id).then(dbItem => { if (dbItem) { item.popularity = dbItem.popularity + 1; if (item.rootNameIds) { item.rootNameIds = uniq(dbItem.rootNameIds.concat(item.rootNameIds)); } return this.update({ id: item.id, set: item }); } else { throw new Error(`!NOT found concept on updating: ${item.name}`); } }); } return Promise.reject(error); }); } } <file_sep>/src/usecases/actions/generate-actors.ts const debug = require('debug')('textactor-explorer'); import { IWikiEntityRepository } from '../../repositories/wiki-entity-repository'; import { Actor } from '../../entities/actor'; import { INamesEnumerator } from '../../services/names-enumerator'; import { BuildActorByNames } from './build-actor-by-names'; import { UseCase, IUseCase } from '../usecase'; import { ILocale } from '../../types'; export interface OnGenerateActorCallback { (actor: Actor): Promise<any> } export class GenerateActors extends UseCase<OnGenerateActorCallback, void, void> { private buildActor: BuildActorByNames constructor(locale: ILocale, private namesEnumerator: INamesEnumerator, private postNamesProcess: IUseCase<string[], void, void>, wikiEntityRep: IWikiEntityRepository) { super() this.buildActor = new BuildActorByNames(locale, wikiEntityRep); } protected async innerExecute(callback: OnGenerateActorCallback): Promise<void> { let actor: Actor; while (!this.namesEnumerator.atEnd()) { try { const actorNames = await this.namesEnumerator.next(); if (!actorNames.length) { debug(`GenerateActors: no names!`); continue; } const names = actorNames.nameList(); actor = await this.buildActor.execute(actorNames); if (this.postNamesProcess) { await this.postNamesProcess.execute(names); } if (actor) { if (this.postNamesProcess) { await this.postNamesProcess.execute(actor.names.map(item => item.name)); } } } catch (e) { return Promise.reject(e); } if (callback && actor) { await callback(actor); } } } } <file_sep>/src/usecases/actions/find-wiki-entities-by-titles.test.ts import { FindWikiEntitiesByTitles } from './find-wiki-entities-by-titles'; import test from 'ava'; import { IKnownNameService } from '../../services/known-names-service'; test('ro-md', async t => { const finder = new FindWikiEntitiesByTitles({ lang: 'ro', country: 'md' }, new KnownNamesService()); const ilanShorEntities = await finder.execute(['Ilan Șor']); t.is(ilanShorEntities.length, 1); // t.log(JSON.stringify(ilanShorEntities[0])); t.is(ilanShorEntities[0].wikiPageTitle, 'Ilan Șor'); t.true(Object.keys(ilanShorEntities[0].links).length > 1); }); class KnownNamesService implements IKnownNameService { getKnownName(_name: string, _lang: string, _country: string): { name: string; countryCodes?: string[]; } | null { return null; } } <file_sep>/src/data/wiki-title-tepository.ts import { MongoRepository } from './mongo/mongo-repository'; import { WikiTitle } from '../entities/wiki-title'; import { IWikiTitleRepository } from '../repositories/wiki-title-repository'; export class WikiTitleRepository extends MongoRepository<WikiTitle> implements IWikiTitleRepository { } <file_sep>/src/entities/concept-helper.ts import { Concept } from './concept'; import { NameHelper } from '../name-helper'; import { md5, uniq } from '../utils'; import { ActorNameCollection } from './actor-name-collection'; export type KnownConceptData = { lang: string country: string name: string containerId: string abbr?: string knownName?: string context?: string popularity?: number } export class ConceptHelper { static build(data: KnownConceptData): Concept { const lang = data.lang.trim().toLowerCase(); const country = data.country.trim().toLowerCase(); const containerId = data.containerId.trim(); const name = data.name.trim(); const nameLength = name.length; const normalName = NameHelper.normalizeName(name, lang); const id = ConceptHelper.id(normalName, lang, country, containerId); const isAbbr = NameHelper.isAbbr(name); const countWords = NameHelper.countWords(name); const isIrregular = NameHelper.isIrregular(name); const endsWithNumber = NameHelper.endsWithNumberWord(name); const rootNameIds = ConceptHelper.rootIds([data.knownName, name], lang, country, containerId); const popularity = data.popularity || 1; const concept: Concept = { id, country, lang, containerId, name, nameLength, isAbbr, countWords, isIrregular, endsWithNumber, abbr: data.abbr, rootNameIds, popularity, context: data.context, }; if (data.knownName && ConceptHelper.isValidName(data.knownName, lang)) { concept.knownName = data.knownName.trim(); } return concept; } public static nameHash(name: string, lang: string, country: string, containerId: string) { name = name.trim(); name = NameHelper.normalizeName(name, lang); name = NameHelper.atonic(name); return ConceptHelper.hash(name, lang, country, containerId); } public static hash(name: string, lang: string, country: string, containerId: string) { return md5([lang.trim().toLowerCase(), country.trim().toLowerCase(), containerId.trim(), name.trim()].join('_')) } public static id(name: string, lang: string, country: string, containerId: string) { name = NameHelper.normalizeName(name, lang); return ConceptHelper.hash(name, lang, country, containerId); } public static ids(names: string[], lang: string, country: string, containerId: string) { return uniq(names.map(name => ConceptHelper.id(name, lang, country, containerId))); } public static rootName(name: string, lang: string) { lang = lang.trim(); name = name.trim(); name = NameHelper.normalizeName(name, lang); name = NameHelper.atonic(name); return name; } public static rootId(name: string, lang: string, country: string, containerId: string) { name = ConceptHelper.rootName(name, lang); return ConceptHelper.id(name, lang, country, containerId); } static rootIds(names: (string | undefined | null)[], lang: string, country: string, containerId: string) { const filteredNames = names.filter(name => name && name.trim().length > 1) as string[]; return uniq(filteredNames.map(name => ConceptHelper.rootId(name, lang, country, containerId))); } public static setRootIds(concept: Concept) { concept.rootNameIds = uniq(concept.rootNameIds.concat(ConceptHelper.rootIds([concept.knownName, concept.name], concept.lang, concept.country, concept.containerId))); } public static getConceptsNames(concepts: Concept[]) { if (concepts.length === 0) { throw new Error(`No concepts!`); } const { lang } = concepts[0]; concepts = concepts.sort((a, b) => b.popularity - a.popularity); return ActorNameCollection.fromConcepts(lang, concepts); } static isValidName(name: string | null | undefined, lang: string): boolean { return typeof name === 'string' && name.trim().length > 1 && NameHelper.normalizeName(name, lang).length > 1; } static isValid(concept: Concept) { return ConceptHelper.isValidName(concept.name, concept.lang); } } <file_sep>/src/entities/actor-name-collection.ts import { ActorNameType, ActorName } from "./actor"; import { Concept } from "./concept"; import { NameHelper } from "../name-helper"; type ActorNameCollectionItem = ActorName & { id: string, order: number }; export class ActorNameCollection { private map: { [id: string]: ActorNameCollectionItem } = {} constructor(private lang: string) { } get length() { return Object.keys(this.map).length; } add({ name, popularity, type }: { name: string, popularity: number, type: ActorNameType }) { name = name.trim(); const id = NameHelper.normalizeName(name, this.lang); if (name.length < 2 || id.length < 2) { return this; } const item = this.map[id]; if (item) { if (item.popularity < popularity) { item.popularity = popularity; } if (item.type === 'SAME' && type === 'WIKI') { item.type = type; } } else { const isAbbr = NameHelper.isAbbr(name); this.map[id] = { name, popularity, id, type, isAbbr, order: this.length }; } return this; } list() { return Object.keys(this.map) .reduce<ActorNameCollectionItem[]>((list, id) => { list.push(this.map[id]); return list; }, []) .sort((a, b) => { const d = b.popularity - a.popularity if (d === 0) { return a.order - b.order; } return d; }); } nameList() { return this.list().map(item => item.name); } static fromConcepts(lang: string, concepts: Concept[]) { const collection = new ActorNameCollection(lang); for (const item of concepts) { if (item.knownName) { collection.add({ name: item.knownName, type: 'SAME', popularity: item.popularity }); } if (item.abbr) { collection.add({ name: item.abbr, type: 'SAME', popularity: item.popularity }); } collection.add({ name: item.name, type: 'SAME', popularity: item.popularity }); } return collection; } static fromArray(names: string[], lang: string, type: ActorNameType = 'SAME', popularity: number = 1) { const collection = new ActorNameCollection(lang); for (const name of names) { collection.add({ name, popularity, type }); } return collection; } addArray(names: string[], type: ActorNameType = 'SAME', popularity: number = 1) { for (const name of names) { this.add({ name, popularity, type }); } return this; } } <file_sep>/src/data/mongo/concept-container-model.ts import { Schema, Connection } from "mongoose"; import { LANG_REG, COUNTRY_REG, unixTimestamp } from "../../utils"; import { MongoModel, MongoUpdateData } from "./mongo-model"; import { ConceptContainer } from "../../entities/concept-container"; export class ConceptContainerModel extends MongoModel<ConceptContainer> { constructor(connection: Connection) { super(connection.model('ConceptContainer', ModelSchema)); } protected transformItem(item: any): ConceptContainer { const data = super.transformItem(item); if (data) { if (data.createdAt) { data.createdAt = Math.round(new Date(data.createdAt).getTime() / 1000); } } return data; } protected beforeCreating(data: ConceptContainer) { data.createdAt = data.createdAt || unixTimestamp(); data.updatedAt = data.updatedAt || data.createdAt; (<any>data).createdAt = new Date(data.createdAt * 1000); (<any>data).updatedAt = new Date(data.updatedAt * 1000); return super.beforeCreating(data); } protected beforeUpdating(data: MongoUpdateData<ConceptContainer>) { if (data.set) { delete data.set.createdAt; data.set.updatedAt = data.set.updatedAt || unixTimestamp(); if (typeof data.set.updatedAt === 'number') { (<any>data.set).updatedAt = new Date(data.set.updatedAt * 1000); } } return super.beforeUpdating(data); } } const ModelSchema = new Schema({ _id: String, lang: { type: String, match: LANG_REG, required: true, index: true, }, country: { type: String, match: COUNTRY_REG, required: true, index: true, }, name: { type: String, minlength: 2, maxlength: 200, required: true, }, uniqueName: { type: String, minlength: 2, maxlength: 200, required: true, unique: true, }, status: { type: String, minlength: 1, maxlength: 50, required: true, index: true, }, ownerId: { type: String, minlength: 1, maxlength: 50, index: true, required: true, }, lastError: { type: String, maxlength: 800, }, createdAt: { type: Date, default: Date.now, required: true, expires: '15 days', }, updatedAt: { type: Date, default: Date.now, required: true, }, }, { collection: 'textactor_conceptContainers' }); ModelSchema.set('toObject', { getters: true }); <file_sep>/src/usecases/actions/explore-wiki-entities.ts const debug = require('debug')('textactor-explorer'); import { IWikiEntityRepository } from '../../repositories/wiki-entity-repository'; import { ICountryTagsService } from './find-wiki-titles'; import { IWikiSearchNameRepository } from '../../repositories/wiki-search-name-repository'; import { IWikiTitleRepository } from '../../repositories/wiki-title-repository'; import { INamesEnumerator } from '../../services/names-enumerator'; import { ExploreWikiEntitiesByNames } from './explore-wiki-entities-by-names'; import { IKnownNameService } from '../../services/known-names-service'; import { UseCase } from '../usecase'; import { ILocale } from '../../types'; export class ExploreWikiEntities extends UseCase<void, void, void> { private exploreByNames: ExploreWikiEntitiesByNames; constructor(locale: ILocale, private namesEnumerator: INamesEnumerator, entityRep: IWikiEntityRepository, wikiSearchNameRep: IWikiSearchNameRepository, wikiTitleRep: IWikiTitleRepository, countryTags: ICountryTagsService, knownNames: IKnownNameService) { super() this.exploreByNames = new ExploreWikiEntitiesByNames(locale, entityRep, wikiSearchNameRep, wikiTitleRep, countryTags, knownNames); } protected async innerExecute(): Promise<void> { while (!this.namesEnumerator.atEnd()) { const names = await this.namesEnumerator.next(); if (names && names.length) { debug(`exploring wiki entity by names: ${names}`); await this.exploreByNames.execute(names.nameList()); } else { debug(`ExploreWikiEntities: no names!`); } } } } <file_sep>/src/utils.ts import * as crypto from 'crypto' export function uniqByProp<T>(items: T[], prop: keyof T): T[] { const map: { [index: string]: any } = {} const list: T[] = [] for (let item of items) { if (map[(<any>item)[prop]] === undefined) { map[(<any>item)[prop]] = 1; list.push(item) } } return list; } export function isTimeoutError(error: any) { return error && error.code && ['ESOCKETTIMEDOUT', 'ETIMEDOUT'].indexOf(error.code) > -1; } export function md5(value: string): string { return crypto.createHash('md5').update(value, 'utf8').digest('hex').toLowerCase(); } export function uniq<T>(items: T[]) { return items.filter((value, index, self) => self.indexOf(value) === index); } export function mapPromise<T, R>(keys: T[], callback: (key: T) => Promise<R>): Promise<Map<T, R>> { const tasks = keys.map(key => callback(key).then(result => ({ key, result }))); return Promise.all(tasks) .then(results => { const response: Map<T, R> = new Map(); for (let item of results) { response.set(item.key, item.result); } return response; }); } export const LANG_REG = /^[a-z]{2}$/; export const COUNTRY_REG = /^[a-z]{2}$/; export function unixTimestamp() { return Math.round(Date.now() / 1000); } export function delay(ms: number) { return new Promise(resolve => setTimeout(resolve, ms)); } export function filterStrings(str: (string | undefined | null)[]): string[] { return (str && str.filter(item => item && item.trim().length > 0) || []) as string[]; } <file_sep>/src/data/concept-container-repository.ts import { MongoRepository } from './mongo/mongo-repository'; import { ConceptContainer, ConceptContainerStatus } from '../entities/concept-container'; import { IConceptContainerRepository, ContainerListFilters } from '../repositories/concept-container-repository'; import { ILocale } from '../types'; import { MongoParams } from './mongo/mongo-model'; export class ConceptContainerRepository extends MongoRepository<ConceptContainer> implements IConceptContainerRepository { getByStatus(locale: ILocale, status: ConceptContainerStatus[]): Promise<ConceptContainer[]> { return this.model.list({ where: { lang: locale.lang, country: locale.country, status: { $in: status }, }, limit: 100, }); } getByUniqueName(uniqueName: string): Promise<ConceptContainer | null> { return this.model.one({ where: { uniqueName } }); } list(filters: ContainerListFilters): Promise<ConceptContainer[]> { const selector: MongoParams = { where: { lang: filters.lang, country: filters.country, }, limit: filters.limit, offset: filters.skip, sort: '-createdAt', }; if (filters.ownerId) { selector.where.ownerId = filters.ownerId; } if (filters.uniqueName) { selector.where.uniqueName = filters.uniqueName; } if (filters.status) { selector.where.status = { $in: filters.status }; } return this.model.list(selector); } count(locale: ILocale): Promise<number> { return this.model.count({ lang: locale.lang, count: locale.country, }); } deleteIds(ids: string[]): Promise<number> { return this.model.remove({ where: { _id: { $in: ids } } }); } createOrUpdate(item: ConceptContainer): Promise<ConceptContainer> { return this.create(item).catch(error => { if (error.code && error.code === 11000) { return this.getById(item.id).then(dbItem => { if (dbItem) { return this.update({ id: item.id, set: item }); } else { throw new Error(`!NOT found concept on updating: ${item.name}`); } }); } return Promise.reject(error); }); } } <file_sep>/src/entities/concept.ts export type Concept = { id: string lang: string country: string containerId: string name: string nameLength: number rootNameIds: string[] abbr?: string popularity: number countWords: number endsWithNumber: boolean isIrregular: boolean isAbbr: boolean createdAt?: number updatedAt?: number knownName?: string context?: string } <file_sep>/src/data/mongo/wiki-entity-model.ts import { Schema, Connection } from "mongoose"; import { LANG_REG, unixTimestamp } from "../../utils"; import { MongoModel, MongoUpdateData } from "./mongo-model"; import { WikiEntity } from "../../entities/wiki-entity"; export class WikiEntityModel extends MongoModel<WikiEntity> { constructor(connection: Connection) { super(connection.model('WikiEntity', ModelSchema)); } protected transformItem(item: any): WikiEntity { const data = super.transformItem(item); if (data) { if (data.createdAt) { data.createdAt = Math.round(new Date(data.createdAt).getTime() / 1000); } } return data; } protected beforeCreating(data: WikiEntity) { data.createdAt = data.createdAt || unixTimestamp(); data.updatedAt = data.updatedAt || data.createdAt; (<any>data).createdAt = new Date(data.createdAt * 1000); (<any>data).updatedAt = new Date(data.updatedAt * 1000); return super.beforeCreating(data); } protected beforeUpdating(data: MongoUpdateData<WikiEntity>) { if (data.set) { delete data.set.createdAt; data.set.updatedAt = data.set.updatedAt || unixTimestamp(); if (typeof data.set.updatedAt === 'number') { (<any>data.set).updatedAt = new Date(data.set.updatedAt * 1000); } } return super.beforeUpdating(data); } } const ModelSchema = new Schema({ _id: String, lang: { type: String, match: LANG_REG, required: true, index: true, }, name: { type: String, minlength: 2, maxlength: 200, required: true, }, simpleName: { type: String, minlength: 2, maxlength: 200, }, specialName: { type: String, minlength: 1, maxlength: 200, }, names: { type: [String], required: true, }, namesHashes: { type: [String], index: true, required: true, }, partialNames: { type: [String], required: true, }, partialNamesHashes: { type: [String], index: true, required: true, }, abbr: { type: String, }, description: { type: String }, aliases: { type: [String] }, about: { type: String }, wikiDataId: { type: String }, wikiPageId: { type: Number }, wikiPageTitle: { type: String }, type: { type: String }, types: { type: [String] }, countryCodes: { type: [String] }, rank: { type: Number }, categories: { type: [String] }, data: { type: Schema.Types.Mixed }, links: { type: Schema.Types.Mixed }, createdAt: { type: Date, default: Date.now, required: true, }, updatedAt: { type: Date, default: Date.now, required: true, expires: '15 days', }, }, { collection: 'textactor_wikiEntities' }); ModelSchema.set('toObject', { getters: true }); <file_sep>/src/entities/actor.ts import { WikiEntity } from "./wiki-entity"; export type Actor = { lang: string country: string name: string names: ActorName[] commonName?: string abbr?: string wikiEntity?: WikiEntity } export type ActorName = { name: string popularity: number isAbbr: boolean type: ActorNameType } export type ActorNameType = 'WIKI' | 'SAME'; <file_sep>/src/entities/actor-helper.test.ts import test from 'ava'; import { ActorHelper } from './actor-helper'; import { getEntities } from 'wiki-entity'; import { ILocale } from '../types'; import { IKnownNameService } from '../services/known-names-service'; import { WikiEntityBuilder } from '../usecases/actions/wiki-entity-builder'; import { ActorNameCollection } from './actor-name-collection'; test('#buildNames', t => { const lang = 'ro'; t.deepEqual(ActorHelper.buildNames(lang, new ActorNameCollection(lang)).list(), [], 'Empty names'); const names = new ActorNameCollection(lang).add({ name: 'Name 1', popularity: 1, type: 'SAME' }); const wikiNames = ['Long Name 1']; t.deepEqual(ActorHelper.buildNames(lang, names, wikiNames).nameList(), ['Name 1', 'Long Name 1'], 'Concat names'); t.is(names.list().length, 1); }); test('#build', t => { const locale: ILocale = { lang: 'ro', country: 'ro' }; let names = ActorNameCollection.fromArray(['Name 1', 'Name frst'], locale.lang); let actor = ActorHelper.build(locale, names); t.is(actor.name, 'Name 1'); t.is(actor.country, locale.country); t.is(actor.lang, locale.lang); t.deepEqual(actor.names, names.list()); t.is(actor.wikiEntity, undefined); }); test('#build Valeriu Munteanu ro-md', async t => { const locale: ILocale = { lang: 'ro', country: 'ro' }; const title = '<NAME> (politician)'; const webWikiEntity = (await getEntities({ language: locale.lang, titles: [title], redirects: true, types: true }))[0]; const builder = new WikiEntityBuilder(locale, new KnownNamesService()); const wikiEntity = builder.build({ wikiEntity: webWikiEntity }); t.is(wikiEntity.name, title, 'wiki entity name===title'); t.is(wikiEntity.wikiPageTitle, title, 'wiki entity page title===title'); const actor = ActorHelper.build(locale, ActorNameCollection.fromArray(['<NAME>'], locale.lang, 'SAME', 10), wikiEntity); t.is(actor.name, title, 'actor name===title'); t.is(actor.commonName, '<NAME>'); }); test('#validate', t => { // t.throws(() => ActorHelper.validate(null), /null or undefined/); t.throws(() => ActorHelper.validate({}), /invalid lang/); t.throws(() => ActorHelper.validate({ name: 'n', lang: 'ro', country: 'ro' }), /invalid name:/); t.throws(() => ActorHelper.validate({ name: 'name', lang: 'ro', country: 'ro' }), /no names/); t.throws(() => ActorHelper.validate({ name: 'name', names: ActorNameCollection.fromArray(['n'], 'ro').list(), lang: 'ro', country: 'ro' }), /no names/); }); class KnownNamesService implements IKnownNameService { getKnownName(_name: string, _lang: string, _country: string): { name: string; countryCodes?: string[]; } | null { return null; } } <file_sep>/src/usecases/actions/explore-wiki-entities.test.ts import test from 'ava'; import { MemoryConceptRepository } from '../../repositories/memory/memory-concept-repository'; import { MemoryWikiEntityRepository } from '../../repositories/memory/memory-wiki-entity-repository'; import { ILocale } from '../../types'; import { ExploreWikiEntities } from './explore-wiki-entities'; import { ConceptHelper } from '../../entities/concept-helper'; import { PushContextConcepts } from './push-context-concepts'; import { MemoryWikiSearchNameRepository } from '../../repositories/memory/memory-wiki-search-name-repository'; import { MemoryWikiTitleRepository } from '../../repositories/memory/memory-wiki-title-repository'; import { ICountryTagsService } from './find-wiki-titles'; import { ConceptContainer, ConceptContainerStatus } from '../../entities/concept-container'; import { PopularConceptNamesEnumerator } from '../../services/popular-concept-names-enumerator'; import { IKnownNameService } from '../../services/known-names-service'; test('ro-md', async t => { const conceptRepository = new MemoryConceptRepository(); const wikiEntityRepository = new MemoryWikiEntityRepository(); const wikiSearchNameRepository = new MemoryWikiSearchNameRepository(); const wikiTitleRepository = new MemoryWikiTitleRepository(); const pushConcepts = new PushContextConcepts(conceptRepository, new KnownNamesService()); const locale: ILocale = { lang: 'ro', country: 'md' }; const container: ConceptContainer = { id: '1', ...locale, name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, }; const namesEnumerator = new PopularConceptNamesEnumerator({ mutable: false }, container, conceptRepository); const exploreWikiEntities = new ExploreWikiEntities(container, namesEnumerator, wikiEntityRepository, wikiSearchNameRepository, wikiTitleRepository, new CountryTags(), new KnownNamesService()); const conceptTexts: string[] = ['R. Moldova', 'Chișinău', 'Chisinau', 'Republica Moldova', 'Moldova', 'Chisinau']; const concepts = conceptTexts .map(name => ConceptHelper.build({ name, containerId: container.id, ...locale })); await pushConcepts.execute(concepts); t.is(await wikiEntityRepository.count(), 0, 'no wiki entities in DB'); await exploreWikiEntities.execute(undefined); let countEntities = await wikiEntityRepository.count(); t.log(`count entities=${countEntities}`); t.true(countEntities > 0, 'many wiki entities in DB'); }); class CountryTags implements ICountryTagsService { getTags(country: string, lang: string): string[] { const LOCALE_COUNTRY_TAGS: { [country: string]: { [lang: string]: string[] } } = { md: { ro: ['republica moldova', 'moldova'], }, ro: { ro: ['românia', 'româniei'], }, ru: { ru: ['Россия', 'РФ', 'России', 'Российской'], }, } if (LOCALE_COUNTRY_TAGS[country]) { return LOCALE_COUNTRY_TAGS[country][lang]; } return [] } } class KnownNamesService implements IKnownNameService { getKnownName(_name: string, _lang: string, _country: string): { name: string; countryCodes?: string[]; } | null { return null; } } <file_sep>/src/usecases/actions/explore-wiki-entities-by-names.ts const debug = require('debug')('textactor-explorer'); import { ILocale } from '../../types'; import { IWikiEntityRepository } from '../../repositories/wiki-entity-repository'; import { FindWikiEntitiesByTitles } from './find-wiki-entities-by-titles'; import { SaveWikiEntities } from './save-wiki-entities'; import { FindWikiTitles, ICountryTagsService } from './find-wiki-titles'; import { IWikiSearchNameRepository } from '../../repositories/wiki-search-name-repository'; import { WikiSearchNameHelper } from '../../entities/wiki-search-name'; import { IWikiTitleRepository } from '../../repositories/wiki-title-repository'; import { WikiTitleHelper } from '../../entities/wiki-title'; import { IKnownNameService } from '../../services/known-names-service'; import { UseCase } from '../usecase'; import ms = require('ms'); import { uniq } from '../../utils'; export class ExploreWikiEntitiesByNames extends UseCase<string[], string[], void> { private exploreWikiEntitiesByTitles: FindWikiEntitiesByTitles; private saveWikiEntities: SaveWikiEntities; private findWikiTitles: FindWikiTitles; constructor(private locale: ILocale, entityRep: IWikiEntityRepository, private wikiSearchNameRep: IWikiSearchNameRepository, private wikiTitleRep: IWikiTitleRepository, countryTags: ICountryTagsService, knownNames: IKnownNameService) { super(); this.exploreWikiEntitiesByTitles = new FindWikiEntitiesByTitles(locale, knownNames); this.saveWikiEntities = new SaveWikiEntities(entityRep); this.findWikiTitles = new FindWikiTitles(locale, countryTags); } protected async innerExecute(names: string[]): Promise<string[]> { const lang = this.locale.lang; const country = this.locale.country; names = uniq(names); const unknownNames: string[] = [] for (let name of names) { const searchName = await this.wikiSearchNameRep.getById(WikiSearchNameHelper.createId(name, lang, country)); if (searchName && searchName.updatedAt && searchName.updatedAt * 1000 > Date.now() - ms('7days')) { debug(`WikiSearchName=${name} exists!`); continue; } unknownNames.push(name); await this.wikiSearchNameRep.createOrUpdate(WikiSearchNameHelper.build({ name, lang, country, })); } // debug(`unknownNames ${JSON.stringify(unknownNames)}`) if (unknownNames.length === 0) { return []; } const initalTitles = await this.findWikiTitles.execute(unknownNames); // debug(`initalTitles ${JSON.stringify(initalTitles)}`) if (!initalTitles.length) { return []; } const titles: string[] = []; for (let title of initalTitles) { const wikiTitle = await this.wikiTitleRep.getById(WikiTitleHelper.createId(title, lang)); if (wikiTitle && wikiTitle.updatedAt && wikiTitle.updatedAt * 1000 > Date.now() - ms('10days')) { debug(`WikiTitle=${title} exists!`); continue; } titles.push(title); } // debug(`titles ${JSON.stringify(titles)}`) if (titles.length === 0) { return []; } const wikiEntities = await this.exploreWikiEntitiesByTitles.execute(titles); if (wikiEntities.length) { debug(`found wiki entities for ${names[0]}==${wikiEntities.length}`); await this.saveWikiEntities.execute(wikiEntities); } else { debug(`Not found wiki entities for ${names[0]}`); } for (let title of titles) { await this.wikiTitleRep.createOrUpdate(WikiTitleHelper.create({ title, lang, })) } return titles; } } <file_sep>/src/usecases/actions/clean-concept-container.ts import { IConceptWriteRepository } from "../../repositories/concept-repository"; import { ConceptContainer } from "../../entities/concept-container"; import { UseCase } from "../usecase"; export class CleanConceptContainer extends UseCase<ConceptContainer, void, void> { constructor( private conceptRep: IConceptWriteRepository) { super() } protected async innerExecute(container: ConceptContainer): Promise<void> { await this.conceptRep.deleteAll(container.id); } } <file_sep>/src/api/index.ts export { IContainerExplorer, ContainerExplorerOptions, } from './container-explorer'; export { INewDataContainer, DataContainer, } from './data-container'; export * from './explorer'; export { Actor, } from '../entities/actor'; export { WikiEntity, WikiEntityData, WikiEntityType, } from '../entities/wiki-entity'; export { WikiSearchName, } from '../entities/wiki-search-name'; export { WikiTitle, } from '../entities/wiki-title'; export { Concept, } from '../entities/concept'; export { ConceptContainer, ConceptContainerStatus, } from '../entities/concept-container'; export { RepUpdateData, } from '../repositories/repository'; export { IConceptContainerRepository, } from '../repositories/concept-container-repository'; export { IConceptRepository, } from '../repositories/concept-repository'; export { IWikiEntityRepository, } from '../repositories/wiki-entity-repository'; export { IWikiSearchNameRepository, } from '../repositories/wiki-search-name-repository'; export { IWikiTitleRepository, } from '../repositories/wiki-title-repository';<file_sep>/src/api/data-container.ts // const debug = require('debug')('textactor-explorer'); import { ConceptContainerStatus } from "../entities/concept-container"; import { ConceptContainerHelper } from "../entities/concept-container-helper"; import { parse } from 'concepts-parser'; import { KnownConceptData, ConceptHelper } from "../entities/concept-helper"; import { PushContextConcepts } from "../usecases/actions/push-context-concepts"; import { KnownNameService } from "@textactor/known-names"; import { IConceptContainerRepository } from "../repositories/concept-container-repository"; import { IConceptRepository } from "../repositories/concept-repository"; export interface IDataContainerApi { newDataContainer(data: NewDataContainer): Promise<INewDataContainer> findDataContainer(data: FindDataContainer): Promise<DataContainer[]> } export function createDataContainerApi( containerRep: IConceptContainerRepository, conceptRep: IConceptRepository): IDataContainerApi { const knownNames = new KnownNameService(); const pushConcepts = new PushContextConcepts(conceptRep, knownNames); return { async newDataContainer(data: NewDataContainer): Promise<INewDataContainer> { const container = await containerRep.create(ConceptContainerHelper.build(data)); return { container() { return container }, async pushText(text: string): Promise<void> { if (container.status === ConceptContainerStatus.NEW) { await containerRep.update({ id: container.id, set: { status: ConceptContainerStatus.COLLECTING } }); } const context = { text, lang: container.lang, country: container.country, }; const items = parse(context, { mode: 'collect' }); if (!items || !items.length) { return; } const concepts = items.map(item => { const conceptData: KnownConceptData = { name: item.value, abbr: item.abbr, lang: context.lang, country: context.country, containerId: container.id, }; return ConceptHelper.build(conceptData); }).filter(item => ConceptHelper.isValid(item)); await pushConcepts.execute(concepts); }, async pushTextNames(names: string[]): Promise<void> { const concepts = names.map(name => { const conceptData: KnownConceptData = { name, lang: container.lang, country: container.country, containerId: container.id, }; return ConceptHelper.build(conceptData); }).filter(item => ConceptHelper.isValid(item)); await pushConcepts.execute(concepts); }, async end(): Promise<void> { container.status = ConceptContainerStatus.COLLECT_DONE; await containerRep.update({ id: container.id, set: { status: ConceptContainerStatus.COLLECT_DONE } }); } } }, findDataContainer(data: FindDataContainer): Promise<DataContainer[]> { return containerRep.list(data); } } } //--------- Find Data Container export type FindDataContainer = { lang: string country: string limit: number offset?: number status?: ConceptContainerStatus[] ownerId?: string uniqueName?: string } export type DataContainer = { id: string lang: string country: string name: string uniqueName: string ownerId: string status: ConceptContainerStatus lastError?: string createdAt?: number updatedAt?: number } //--------- New Data Container export type NewDataContainer = { name: string uniqueName: string ownerId: string lang: string country: string } export interface INewDataContainer { pushText(text: string): Promise<void> pushTextNames(names: string[]): Promise<void> end(): Promise<void> container(): DataContainer } <file_sep>/src/entities/wiki-title.ts import { NameHelper } from "../name-helper"; import { md5 } from "../utils"; export type WikiTitle = { id: string lang: string title: string createdAt?: number updatedAt?: number } export type CreatingWikiTitleData = { lang: string title: string updatedAt?: number } export class WikiTitleHelper { static create(data: CreatingWikiTitleData) { const title = data.title.trim(); const lang = data.lang.trim().toLowerCase(); const id = WikiTitleHelper.createId(title, lang); const wikiTitle: WikiTitle = { id, title, lang, createdAt: Math.round(Date.now() / 1000), updatedAt: data.updatedAt || Math.round(Date.now() / 1000), }; return wikiTitle; } static createId(title: string, lang: string) { title = title.trim(); lang = lang.trim().toLowerCase(); const normalTitle = NameHelper.normalizeName(title, lang); if (normalTitle.length < 2) { throw new Error(`Invalid title: ${title}`); } const hash = md5(normalTitle); return [lang, hash].join(''); } } <file_sep>/src/repositories/repository.ts export interface RepAccessOptions<T> { /** * Fields to return separated by spaces */ fields?: (keyof T)[] } export interface RepUpdateOptions<T> extends RepAccessOptions<T> { } export interface RepUpdateData<ID extends string | number,T> { id: ID, set?: Partial<T> delete?: (keyof T)[] } export interface IReadRepository<ID extends string | number, T> { getById(id: ID): Promise<T | null> getByIds(ids: ID[]): Promise<T[]> exists(id: ID): Promise<boolean> } export interface IWriteRepository<ID extends string | number, T> { delete(id: ID): Promise<boolean> create(data: T): Promise<T> update(data: RepUpdateData<ID, T>): Promise<T> } export interface IRepository<ID extends string | number, T> extends IReadRepository<ID, T>, IWriteRepository<ID, T> { }<file_sep>/README.md # textactor-explorer A nodejs module for exploring TextActors(Named entities) in texts. <file_sep>/src/repositories/concept-container-repository.ts import { IWriteRepository, IReadRepository } from './repository'; import { ConceptContainer, ConceptContainerStatus } from '../entities/concept-container'; import { ILocale } from '../types'; export interface IConceptContainerWriteRepository extends IWriteRepository<string, ConceptContainer> { } export type ContainerListFilters = { lang: string country: string status?: ConceptContainerStatus[] ownerId?: string uniqueName?: string limit: number skip?: number } export interface IConceptContainerReadRepository extends IReadRepository<string, ConceptContainer> { getByStatus(locale: ILocale, status: ConceptContainerStatus[]): Promise<ConceptContainer[]> list(filters: ContainerListFilters): Promise<ConceptContainer[]> count(locale: ILocale): Promise<number> getByUniqueName(uniqueName: string): Promise<ConceptContainer | null> } export interface IConceptContainerRepository extends IConceptContainerReadRepository, IConceptContainerWriteRepository { } <file_sep>/src/data/mongo/mongo-repository.ts import { MongoModel } from './mongo-model'; import { IRepository, RepUpdateData } from '../../repositories/repository'; export class MongoRepository<T> implements IRepository<string, T> { constructor(protected model: MongoModel<T>) { } getById(id: string): Promise<T | null> { return this.model.one({ where: { _id: id } }); } getByIds(ids: string[]): Promise<T[]> { return this.model.list({ where: { _id: { $in: ids } }, limit: ids.length }); } exists(id: string): Promise<boolean> { return this.model.one({ where: { _id: id }, select: '_id' }).then(item => !!item); } delete(id: string): Promise<boolean> { return this.model.remove({ where: { _id: id } }).then(item => !!item); } create(data: T): Promise<T> { return this.model.create(data); } update(data: RepUpdateData<string, T>): Promise<T> { const id = data.id; const set: { [index: string]: any } = {}; if (data.set) { for (let prop of Object.keys(data.set)) { if (['id', 'createdAt', '_id'].indexOf(prop) > -1) { continue; } if ([null, undefined, ''].indexOf((<any>data.set)[prop]) > -1) { continue; } set[prop] = (<any>data.set)[prop]; } } const unset: { [index: string]: string } = {}; if (data.delete) { for (let prop of data.delete) { if (['id', 'createdAt', '_id'].indexOf(prop as string) > -1) { continue; } unset[prop as string] = ""; } } return this.model.update({ id: id, set: set as Partial<T>, unset }); } createOrUpdate(item: T): Promise<T> { return this.create(item).catch(error => { if (error.code && error.code === 11000) { return this.update({ id: (<any>item).id, set: item }); } return Promise.reject(error); }); } } <file_sep>/src/entities/concept-helper.test.ts import test from 'ava'; import { ConceptHelper } from './concept-helper'; import { NameHelper } from '../name-helper'; test('#nameHash', t => { let hash1 = ConceptHelper.nameHash('text 1', 'en', 'us', '1'); let hash2 = ConceptHelper.nameHash('text 2', 'en', 'us', '1'); t.not(hash1, hash2) hash1 = ConceptHelper.nameHash('text 1', 'en', 'us', '1'); hash2 = ConceptHelper.nameHash('text 1', 'en', 'gb', '1'); t.not(hash1, hash2) hash1 = ConceptHelper.nameHash('text 1', 'en', 'us', '1'); hash2 = ConceptHelper.nameHash('text 1', 'en', 'us', '1'); t.is(hash1, hash2) }) test('#normalizeName', t => { t.is(NameHelper.normalizeName('iPhone 5', 'en'), 'iphone 5'); t.is(NameHelper.normalizeName('iPHone 5', 'en'), 'iphone 5'); t.is(NameHelper.normalizeName('PLDM', 'ro'), 'PLDM'); t.is(NameHelper.normalizeName('Chișinău', 'ro'), 'chișinău'); }) test('#create', t => { const c1 = ConceptHelper.build({ name: '<NAME>', lang: 'ro', country: 'md', abbr: 'M1', containerId: '1' }); t.is(c1.name, '<NAME>') t.is(c1.lang, 'ro') t.is(c1.country, 'md') t.is(c1.abbr, 'M1') t.is(c1.countWords, 2) t.is(c1.isAbbr, false) t.is(c1.isIrregular, false) }) test('#rootName', t => { t.is(ConceptHelper.rootName('iPhone 5', 'ro'), 'iphone 5'); t.is(ConceptHelper.rootName('Ana Balan', 'ro'), 'ana balan'); t.is(ConceptHelper.rootName('Anei Balan', 'ro'), 'anei balan'); t.is(ConceptHelper.rootName('PLDM', 'ro'), 'PLDM'); t.is(ConceptHelper.rootName('Владимира Путина', 'ru'), 'владимира путина'); }) test('#getConceptsNames', t => { const concepts = [ { name: 'Москве', knownName: 'Москва', popularity: 1 }, { name: 'Москву', popularity: 3 }, { name: 'Москвс', popularity: 2 }, ].map(item => ConceptHelper.build({ lang: 'ru', country: 'ru', containerId: '1', ...item })); const names = ConceptHelper.getConceptsNames(concepts); t.deepEqual(names.nameList(), ['Москву', 'Москвс', 'Москва', 'Москве']); }) <file_sep>/src/data/mongo/wiki-title-model.ts import { Schema, Connection } from "mongoose"; import { LANG_REG, unixTimestamp } from "../../utils"; import { MongoModel, MongoUpdateData } from "./mongo-model"; import { WikiTitle } from "../../entities/wiki-title"; export class WikiTitleModel extends MongoModel<WikiTitle> { constructor(connection: Connection) { super(connection.model('WikiTitle', ModelSchema)); } protected transformItem(item: any): WikiTitle { const data = super.transformItem(item); if (data) { if (data.createdAt) { data.createdAt = Math.round(new Date(data.createdAt).getTime() / 1000); } if (data.updatedAt) { data.updatedAt = Math.round(new Date(data.updatedAt).getTime() / 1000); } } return data; } protected beforeCreating(data: WikiTitle) { data.createdAt = data.createdAt || unixTimestamp(); data.updatedAt = data.updatedAt || data.createdAt; (<any>data).createdAt = new Date(data.createdAt * 1000); (<any>data).updatedAt = new Date(data.updatedAt * 1000); return super.beforeCreating(data); } protected beforeUpdating(data: MongoUpdateData<WikiTitle>) { if (data.set) { const updatedAt = data.set.updatedAt || unixTimestamp(); data.set = <Partial<WikiTitle>>{ updatedAt }; if (typeof data.set.updatedAt === 'number') { (<any>data.set).updatedAt = new Date(data.set.updatedAt * 1000); } } return super.beforeUpdating(data); } } const ModelSchema = new Schema({ _id: String, lang: { type: String, match: LANG_REG, required: true, }, title: { type: String, trim: true, minlength: 2, maxlength: 500, required: true, }, createdAt: { type: Date, default: Date.now, required: true, expires: '5 days', }, updatedAt: { type: Date, default: Date.now, required: true, }, }, { collection: 'textactor_wikiTitles' }); ModelSchema.set('toObject', { getters: true }); <file_sep>/src/data/mongo/wiki-search-name-model.ts import { Schema, Connection } from "mongoose"; import { LANG_REG, COUNTRY_REG, unixTimestamp } from "../../utils"; import { MongoModel, MongoUpdateData } from "./mongo-model"; import { WikiSearchName } from "../../entities/wiki-search-name"; export class WikiSearchNameModel extends MongoModel<WikiSearchName> { constructor(connection: Connection) { super(connection.model('WikiSearchName', ModelSchema)); } protected transformItem(item: any): WikiSearchName { const data = super.transformItem(item); if (data) { if (data.createdAt) { data.createdAt = Math.round(new Date(data.createdAt).getTime() / 1000); } if (data.updatedAt) { data.updatedAt = Math.round(new Date(data.updatedAt).getTime() / 1000); } } return data; } protected beforeCreating(data: WikiSearchName) { data.createdAt = data.createdAt || unixTimestamp(); data.updatedAt = data.updatedAt || data.createdAt; (<any>data).createdAt = new Date(data.createdAt * 1000); (<any>data).updatedAt = new Date(data.updatedAt * 1000); return super.beforeCreating(data); } protected beforeUpdating(data: MongoUpdateData<WikiSearchName>) { if (data.set) { const updatedAt = data.set.updatedAt || unixTimestamp(); data.set = <Partial<WikiSearchName>>{ updatedAt }; if (typeof data.set.updatedAt === 'number') { (<any>data.set).updatedAt = new Date(data.set.updatedAt * 1000); } } return super.beforeUpdating(data); } } const ModelSchema = new Schema({ _id: String, lang: { type: String, match: LANG_REG, required: true, }, country: { type: String, match: COUNTRY_REG, required: true, }, name: { type: String, trim: true, minlength: 2, maxlength: 500, required: true, }, createdAt: { type: Date, default: Date.now, required: true, expires: '4 days', }, updatedAt: { type: Date, default: Date.now, required: true, }, }, { collection: 'textactor_wikiSearchName' }); ModelSchema.set('toObject', { getters: true }); <file_sep>/src/entities/wiki-entity-helper.test.ts import test from 'ava'; import { WikiEntityHelper } from './wiki-entity-helper'; import { getEntities } from 'wiki-entity'; import { WikiEntityType } from './wiki-entity'; import { NameHelper } from '../name-helper'; import { IKnownNameService } from '../services/known-names-service'; import { WikiEntityBuilder } from '../usecases/actions/wiki-entity-builder'; test('#nameHash', t => { let hash1 = WikiEntityHelper.nameHash('text 1', 'en'); let hash2 = WikiEntityHelper.nameHash('text 2', 'en'); t.not(hash1, hash2) hash1 = WikiEntityHelper.nameHash('text 1', 'en'); hash2 = WikiEntityHelper.nameHash('text 1', 'en'); t.is(hash1, hash2) const usHash = WikiEntityHelper.nameHash('Statele Unite', 'ro'); t.is(usHash, '0848168a5a32634a5d6e102b81682821'); }) test('#splitName', t => { t.is(WikiEntityHelper.splitName('iPhone 5'), null); t.deepEqual(WikiEntityHelper.splitName('iPhone 5 (details)'), { simple: 'iPhone 5', special: 'details' }); }) test('#convert CIA', async t => { const lang = 'en'; const wikiEntity = (await getEntities({ titles: ['Central Intelligence Agency'], language: lang, claims: 'item', extract: 3, types: true, redirects: true }))[0]; t.not(wikiEntity, null); const builder = new WikiEntityBuilder({ lang, country: 'us' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.is(entity.name, wikiEntity.label) t.is(entity.type, WikiEntityType.ORG) t.is(entity.countryCodes && entity.countryCodes.indexOf('us') > -1, true) t.is(entity.abbr, 'CIA') t.is(entity.wikiDataId, 'Q37230') }) test('#convert (using wiki title as name)', async t => { const lang = 'ro'; const wikiEntity = (await getEntities({ ids: ['Q178861'], language: lang, claims: 'item', extract: 3, types: true, redirects: true }))[0]; t.not(wikiEntity, null); const builder = new WikiEntityBuilder({ lang, country: 'ro' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.is(entity.name, entity.wikiPageTitle) t.is(entity.type, WikiEntityType.PLACE) t.is(entity.countryCodes && entity.countryCodes.indexOf('ro') > -1, true) t.is(entity.wikiDataId, 'Q178861') t.is(entity.names && entity.names.find(item => NameHelper.countWords(item) === 1), undefined); }) test('#convert (<NAME>)', async t => { const lang = 'ro'; const wikiEntity = (await getEntities({ ids: ['Q18548924'], language: lang, claims: 'item', extract: 3, types: true, redirects: true }))[0]; t.not(wikiEntity, null); const builder = new WikiEntityBuilder({ lang, country: 'md' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.is(entity.name, entity.wikiPageTitle); t.is(entity.type, WikiEntityType.PERSON) t.is(entity.countryCodes && entity.countryCodes.indexOf('md') > -1, true) t.is(entity.wikiDataId, 'Q18548924') t.is(entity.partialNames && entity.partialNames[0], '<NAME>'); }) test('#convert (partial names)', async t => { const lang = 'ro'; const wikiEntity = (await getEntities({ ids: ['Q4294406'], language: lang, claims: 'item', extract: 3, types: true, redirects: true }))[0]; t.not(wikiEntity, null); const builder = new WikiEntityBuilder({ lang, country: 'md' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.true(entity.name.indexOf('Moldova') > 0); t.is(entity.type, WikiEntityType.ORG) t.is(entity.countryCodes.indexOf('md') > -1, true) t.is(entity.wikiDataId, 'Q4294406') t.true(entity.partialNames.length > 0); }) test('#isDisambiguation', async t => { const wikiEntity = (await getEntities({ titles: ['<NAME>'], language: 'ro', claims: 'item', extract: 3, types: true, redirects: true }))[0]; const builder = new WikiEntityBuilder({ lang: 'ro', country: 'ro' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.is(WikiEntityHelper.isDisambiguation(entity), true); }) test('#getPartialName', t => { const name1 = 'Ministerul Educatiei'; t.is(WikiEntityHelper.getPartialName('Ministerul Educatiei (Romaniei)', 'ro', name1), name1, '(Romaniei)'); t.is(WikiEntityHelper.getPartialName('Ministerul Educatiei al Romaniei', 'ro', name1), name1, 'al Romaniei'); t.is(WikiEntityHelper.getPartialName('Ministerul Educatiei al Moldovei', 'ro', name1), name1, 'al Moldovei'); }) test('#getPartialName long partial', t => { const name1 = 'Ordinul Ștefan cel Mare (Republica Moldova)'; t.is(WikiEntityHelper.getPartialName(name1, 'ro', name1), 'Ordinul Ștefan cel Mare', '(Republica Moldova)'); t.is(WikiEntityHelper.getPartialName('Ștefan cel Mare (ordin)', 'ro', name1), null, 'Ștefan cel Mare (ordin)'); t.is(WikiEntityHelper.getPartialName('Ordinul Ștefan cel Mare și Sfânt (MD)', 'ro', name1), 'Ordinul Ștefan cel Mare și Sfânt', 'Ordinul Ștefan cel Mare și Sfânt'); }) test('#isNotActual', async t => { const wikiEntity = (await getEntities({ titles: ['Ștefan Bănică'], language: 'ro', claims: 'item', extract: 3, types: true, redirects: true }))[0]; const builder = new WikiEntityBuilder({ lang: 'ro', country: 'ro' }, new KnownNamesService()); const entity = builder.build({ wikiEntity }); t.is(WikiEntityHelper.isNotActual(entity), true); }) class KnownNamesService implements IKnownNameService { getKnownName(_name: string, _lang: string, _country: string): { name: string; countryCodes?: string[]; } | null { return null; } } <file_sep>/src/utils.test.ts import test from 'ava'; import { unixTimestamp } from './utils'; test('unixTimestamp', t => { t.is(unixTimestamp(), Math.round(Date.now() / 1000)); }) <file_sep>/src/repositories/memory/memory-concept-repository.ts import { Concept } from '../../entities/concept'; import { ILocale } from '../../types'; import { IConceptRepository, PopularConceptsOptions } from '../concept-repository'; import { RepUpdateData } from '../repository'; import { uniqByProp, uniq } from '../../utils'; export class MemoryConceptRepository implements IConceptRepository { private db: Map<string, Concept> = new Map() getMostPopular(containerId: string, limit: number, skip: number, options?: PopularConceptsOptions) { options = { ...options }; const list: Concept[] = []; for (let item of this.db.values()) { if (item.containerId !== containerId) { continue; } if (options.minCountWords && item.countWords < options.minCountWords) { continue; } if (options.maxCountWords && item.countWords > options.maxCountWords) { continue; } list.push(item); } return Promise.resolve(list.slice(skip, skip + limit)); } async getByRootNameIds(ids: string[]): Promise<Concept[]> { let list: Concept[] = []; for (let id of ids) { const concepts = await this.getByRootNameId(id); list = list.concat(concepts); } return uniqByProp(list, 'id'); } count(locale: ILocale): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.country !== locale.country || item.lang !== locale.lang) { continue; } count++; } return Promise.resolve(count); } getConceptsWithAbbr(containerId: string): Promise<Concept[]> { const list: Concept[] = [] for (let item of this.db.values()) { if (item.containerId === containerId && !item.isAbbr && item.abbr) { list.push(item); } } return Promise.resolve(list); } async deleteByRootNameIds(ids: string[]): Promise<number> { const list = await this.getByRootNameIds(ids); let count = list.length; for (let item of list) { this.db.delete(item.id); } return Promise.resolve(count); } list(locale: ILocale, limit: number, skip?: number): Promise<Concept[]> { skip = skip || 0; const list: Concept[] = [] for (let item of this.db.values()) { if (item.country !== locale.country || item.lang !== locale.lang) { continue; } list.push(item) } return Promise.resolve(list.slice(skip, skip + limit)); } getById(id: string): Promise<Concept | null> { return Promise.resolve(this.db.get(id) || null); } getByIds(ids: string[]): Promise<Concept[]> { const list: Concept[] = []; for (let id of ids) { const item = this.db.get(id); if (item) { list.push(item); } } return Promise.resolve(list); } exists(id: string): Promise<boolean> { return Promise.resolve(!!this.db.get(id)); } delete(id: string): Promise<boolean> { return Promise.resolve(this.db.delete(id)); } async create(data: Concept): Promise<Concept> { if (!!this.db.get(data.id)) { return Promise.reject(new Error(`Item already exists!`)); } this.db.set(data.id, { ...{ popularity: 1, createdAt: Date.now() }, ...data }); const entity = await this.getById(data.id); if (!entity) { throw new Error(`Entity not found!`) } return entity; } update(data: RepUpdateData<string, Concept>): Promise<Concept> { const item = this.db.get(data.id); if (!item) { return Promise.reject(new Error(`Item not found! id=${data.id}`)); } if (data.set) { for (let prop in data.set) { if ([null, undefined].indexOf((<any>data.set)[prop]) < 0) { (<any>item)[prop] = (<any>data.set)[prop]; } } } if (data.delete) { for (let prop of data.delete) { delete (<any>item)[prop]; } } return Promise.resolve(item); } getByRootNameId(id: string): Promise<Concept[]> { const list: Concept[] = [] for (let item of this.db.values()) { if (~item.rootNameIds.indexOf(id)) { list.push(item) } } return Promise.resolve(list); } deleteUnpopular(containerId: string, popularity: number): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.containerId !== containerId) { continue; } if (item.popularity <= popularity) { this.db.delete(item.id) && count++; } } return Promise.resolve(count); } deleteUnpopularAbbreviations(containerId: string, popularity: number): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.containerId !== containerId) { continue; } if (item.isAbbr && item.popularity <= popularity) { this.db.delete(item.id) && count++; } } return Promise.resolve(count); } deleteUnpopularOneWorlds(containerId: string, popularity: number): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.containerId !== containerId) { continue; } if (item.countWords === 1 && item.popularity <= popularity) { this.db.delete(item.id) && count++; } } return Promise.resolve(count); } deleteAll(containerId: string): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.containerId !== containerId) { continue; } this.db.delete(item.id) && count++; } return Promise.resolve(count); } deleteIds(ids: string[]): Promise<number> { let count = 0; for (let id of ids) { this.db.delete(id) && count++; } return Promise.resolve(count); } incrementPopularity(id: string): Promise<number> { const item = this.db.get(id); if (!item) { return Promise.resolve(0); } item.popularity++; return Promise.resolve(item.popularity); } async createOrUpdate(concept: Concept): Promise<Concept> { concept = { ...concept }; const id = concept.id; let item = this.db.get(id); if (!item) { item = await this.create(concept); } else { item.popularity++; item.rootNameIds = uniq(item.rootNameIds.concat(concept.rootNameIds)); } return Promise.resolve(item); } all(): Promise<Concept[]> { const array: Concept[] = [] for (let item of this.db.values()) { array.push(item); } return Promise.resolve(array); } } <file_sep>/src/data/mongo/mongo-model.ts import { Model, Document } from 'mongoose'; import { notFound } from 'boom'; export class MongoModel<T> { constructor(private model: Model<Document>) { } create(data: T): Promise<T> { if (!data) { return Promise.reject(Error('`data` is required')); } try { data = this.beforeCreating(data); } catch (e) { return Promise.reject(e); } return new Promise<T>((resolve, reject) => { this.model.create(data).then(item => resolve(item && this.transformItem(item)), reject); }); } async update(data: MongoUpdateData<T>): Promise<T> { data = this.beforeUpdating(data); const updateData: any = {}; if (data.set && Object.keys(data.set).length) { updateData['$set'] = data.set; } if (data.unset && Object.keys(data.unset).length) { updateData['$unset'] = data.unset; } const document = await this.model.findByIdAndUpdate(data.id, updateData); if (document) { return this.transformItem(document); } else { throw notFound(`Not found object id=${data.id}`, data); } } // updateMongo(condition: any, data: any, options?: any) { // return new Promise<T>((resolve, reject) => { // this.model.update(condition, data, options).then(get, reject).then(resolve); // }); // } remove(params: MongoParams): Promise<number> { if (!params) { return Promise.reject(Error('`params` is required')); } return new Promise((resolve, reject) => { this.model.remove(params.where) .then(item => resolve(item), reject); }); } async one(params: MongoParams): Promise<T | null> { if (!params) { return Promise.reject(Error('`params` is required')); } const document = await this.model.findOne(params.where, params.select); if (document) { return this.transformItem(document); } else { return null; } } count(where: MongoParamsWhere): Promise<number> { return new Promise<number>((resolve, reject) => { this.model.count(where).then(item => resolve(item), reject); }); } list(params: MongoParams): Promise<T[]> { if (!params) { return Promise.reject(Error('`params` is required')); } return new Promise<T[]>((resolve, reject) => { this.model .find(params.where) .select(params.select) .sort(params.sort) .skip(params.offset || 0) .limit(params.limit || 10) .exec() .then(items => resolve(items && items.map(item => this.transformItem(item))), reject); }); } protected beforeCreating(data: T) { const ndata: any = data; for (let prop of Object.keys(ndata)) { if (~[null, undefined].indexOf(ndata[prop])) { delete ndata[prop]; } } ndata._id = ndata._id || ndata.id; return data; } protected beforeUpdating(data: MongoUpdateData<T>) { return data; } protected transformItem(item: Document): T { const json = item.toJSON(); if (json._id) { json.id = json._id; delete json._id; } return json; } } export type MongoParamsWhere = { [index: string]: any }; export type MongoParams = { where: MongoParamsWhere select?: string offset?: number limit?: number sort?: string } export type MongoUpdateData<T> = { id: string set?: Partial<T> unset?: { [index: string]: string } } export type MongoOptions = { select?: string }<file_sep>/src/usecases/actions/explore-wiki-entities-by-names.test.ts import test from 'ava'; import { ExploreWikiEntitiesByNames } from './explore-wiki-entities-by-names'; import { ILocale } from '../../types'; import { MemoryWikiEntityRepository, MemoryWikiTitleRepository, MemoryWikiSearchNameRepository } from '../../repositories/memory'; import { CountryTagsService } from '../../api/country-tags-service'; import { KnownNameService } from '@textactor/known-names'; import { WikiEntityHelper } from '../../entities/wiki-entity-helper'; import { WikiTitleHelper } from '../../entities/wiki-title'; import { WikiSearchNameHelper } from '../../entities/wiki-search-name'; test('Moscow multi names', async t => { const locale: ILocale = { lang: 'ru', country: 'ru' }; const entityRepository = new MemoryWikiEntityRepository(); const titleRepository = new MemoryWikiTitleRepository(); const searchRepository = new MemoryWikiSearchNameRepository(); const exploreByNames = new ExploreWikiEntitiesByNames( locale, entityRepository, searchRepository, titleRepository, new CountryTagsService(), new KnownNameService() ); const names = ["Москва", "Москвы", "Москве", "Москву", "Москвой"]; const titles = await exploreByNames.execute(names); t.log(JSON.stringify(titles)); t.true(titles.length > names.length); const moscowSearch = await searchRepository.getById(WikiSearchNameHelper.createId('Москва', locale.lang, locale.country)); t.truthy(moscowSearch); const moscowTitle = await titleRepository.getById(WikiTitleHelper.createId('Москва', locale.lang)); t.truthy(moscowTitle); const moscowEntity = await entityRepository.getByNameHash(WikiEntityHelper.nameHash('Москва', locale.lang)); t.is(moscowEntity.length, 1); t.is(moscowEntity[0].name, 'Москва'); }); <file_sep>/src/usecases/actions/delete-actor-concepts.ts import { IConceptWriteRepository } from "../../repositories/concept-repository"; import { ConceptContainer } from "../../entities/concept-container"; import { ConceptHelper } from "../../entities/concept-helper"; import { UseCase } from "../usecase"; export class DeleteActorConcepts extends UseCase<string[], void, void> { constructor( private container: ConceptContainer, private conceptRep: IConceptWriteRepository) { super() } protected async innerExecute(names: string[]): Promise<void> { const lang = this.container.lang; const country = this.container.country; const containerId = this.container.id; const conceptIds = ConceptHelper.ids(names, lang, country, containerId); const rootIds = ConceptHelper.rootIds(names, lang, country, containerId); await this.conceptRep.deleteIds(conceptIds); await this.conceptRep.deleteByRootNameIds(rootIds); } } <file_sep>/src/repositories/memory/memory-wiki-title-repository.ts import { IWikiTitleRepository } from '../wiki-title-repository'; import { WikiTitle } from '../../entities/wiki-title'; import { RepUpdateData } from '../repository'; export class MemoryWikiTitleRepository implements IWikiTitleRepository { private db: Map<string, WikiTitle> = new Map() createOrUpdate(data: WikiTitle): Promise<WikiTitle> { const item = this.db.get(data.id); if (item) { return this.update({ id: data.id, set: data }); } return this.create(data); } getById(id: string): Promise<WikiTitle | null> { return Promise.resolve(this.db.get(id) || null); } getByIds(ids: string[]): Promise<WikiTitle[]> { const list: WikiTitle[] = []; for (let id of ids) { const item = this.db.get(id); if (item) { list.push(item); } } return Promise.resolve(list); } exists(id: string): Promise<boolean> { return Promise.resolve(!!this.db.get(id)); } delete(id: string): Promise<boolean> { return Promise.resolve(this.db.delete(id)); } async create(data: WikiTitle): Promise<WikiTitle> { if (!!this.db.get(data.id)) { return Promise.reject(new Error(`Item already exists!`)); } this.db.set(data.id, Object.assign({ createdAt: new Date(), lastSearchAt: new Date() }, data)); const entity = await this.getById(data.id); if (!entity) { throw new Error(`Entity not found!`) } return entity; } update(data: RepUpdateData<string, WikiTitle>): Promise<WikiTitle> { const item = this.db.get(data.id); if (!item) { return Promise.reject(new Error(`Item not found! id=${data.id}`)); } if (data.set) { delete (<any>data.set).createdAt; for (let prop in data.set) { (<any>item)[prop] = (<any>data.set)[prop] } } if (data.delete) { for (let prop of data.delete) { delete (<any>item)[prop]; } } return Promise.resolve(item); } } <file_sep>/src/usecases/actions/select-wiki-entity.ts const debug = require('debug')('textactor-explorer'); import { IWikiEntityReadRepository } from "../../repositories/wiki-entity-repository"; import { WikiEntityHelper, EntityPopularity } from "../../entities/wiki-entity-helper"; import { uniqByProp } from "../../utils"; import { WikiEntity } from "../../entities/wiki-entity"; import { UseCase } from "../usecase"; import { ILocale } from "../../types"; export class SelectWikiEntity extends UseCase<string[], WikiEntity | null, void> { constructor(private locale: ILocale, private wikiEntityRepository: IWikiEntityReadRepository) { super() } protected async innerExecute(names: string[]): Promise<WikiEntity | null> { const nameHashes = WikiEntityHelper.namesHashes(names, this.locale.lang); let entities: WikiEntity[] = [] for (let nameHash of nameHashes) { const list = await this.wikiEntityRepository.getByNameHash(nameHash); entities = entities.concat(list); } if (entities.length) { debug(`Found wikientity by names: ${JSON.stringify(names)}`); } else { debug(`NOT Found wikientity by names: ${JSON.stringify(names)}`); } if (entities.length === 0 || this.countryWikiEntities(entities).length === 0) { let entitiesByPartialNames: WikiEntity[] = [] for (let nameHash of nameHashes) { const list = await this.wikiEntityRepository.getByPartialNameHash(nameHash); entitiesByPartialNames = entitiesByPartialNames.concat(list) } entitiesByPartialNames = this.countryWikiEntities(entitiesByPartialNames); if (entitiesByPartialNames.length) { debug(`found locale entities by partial name: ${entitiesByPartialNames.map(item => item.name)}`); entities = entities.concat(entitiesByPartialNames); } if (entities.length === 0) { debug(`NOT Found wikientity by partial names: ${JSON.stringify(names)}`); return null; } } entities = uniqByProp(entities, 'id'); entities = this.sortWikiEntities(entities); const entity = entities[0]; return entity; } private sortWikiEntities(entities: WikiEntity[]): WikiEntity[] { if (!entities.length) { return entities; } entities = sortEntities(entities); const topEntity = entities[0]; if (topEntity.countryCodes && topEntity.countryCodes.indexOf(this.locale.country) > -1) { debug(`Top entity has country=${this.locale.country}: ${topEntity.name}`); return uniqByProp(entities, 'id'); } const countryEntities = this.countryWikiEntities(entities); if (countryEntities.length) { let useCountryEntity = false; const topEntityPopularity = WikiEntityHelper.getPopularity(topEntity.rank); const countryEntityPopularity = WikiEntityHelper.getPopularity(countryEntities[0].rank); if (topEntityPopularity < EntityPopularity.POPULAR || countryEntityPopularity > EntityPopularity.LOW) { useCountryEntity = true; } else { debug(`using POPULAR entity: ${topEntity.name}(${topEntity.rank}-${topEntityPopularity})>${countryEntities[0].rank}-(${countryEntityPopularity})`); } if (useCountryEntity) { entities = countryEntities.concat(entities); debug(`using country entity: ${entities[0].name}`); } } entities = uniqByProp(entities, 'id'); return entities; } private countryWikiEntities(entities: WikiEntity[]): WikiEntity[] { if (!entities.length) { return entities; } return entities.filter(item => item.countryCodes && item.countryCodes.indexOf(this.locale.country) > -1); } } function sortEntities(entities: WikiEntity[]) { if (!entities.length) { return entities; } entities = entities.sort((a, b) => b.rank - a.rank); return entities; // const typeEntities = entities.filter(item => !!item.type); // const notTypeEntities = entities.filter(item => !item.type); // return typeEntities.concat(notTypeEntities); } <file_sep>/src/usecases/explore-name.test.ts import { ExploreName } from './explore-name'; import test from 'ava'; import { ConceptContainer, ConceptContainerStatus } from '../entities/concept-container'; import { MemoryWikiEntityRepository } from '../repositories/memory/memory-wiki-entity-repository'; import { MemoryWikiSearchNameRepository } from '../repositories/memory/memory-wiki-search-name-repository'; import { MemoryWikiTitleRepository } from '../repositories/memory/memory-wiki-title-repository'; import { ICountryTagsService } from './actions/find-wiki-titles'; import { IKnownNameService } from '../services/known-names-service'; test(`ro-md: Moldova`, async t => { const container: ConceptContainer = { id: Date.now().toString(), lang: 'ro', country: 'md', name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, } const entityRep = new MemoryWikiEntityRepository(); const searchName = new MemoryWikiSearchNameRepository(); const titleService = new MemoryWikiTitleRepository(); const tagsService = new CountryTags(); const processName = new ExploreName(container, entityRep, searchName, titleService, tagsService, new KnownNamesService()); const actor1 = await processName.execute('Moldova'); t.is(!!actor1, true); t.is(actor1 && actor1.wikiEntity && actor1.wikiEntity.wikiDataId, 'Q21095978'); t.is(actor1 && actor1.name, 'Moldova'); const actor2 = await processName.execute('<NAME>'); t.is(!!actor2, true); t.is(actor2 && actor2.name, '<NAME>'); }); test(`ro-ro: Botoșani`, async t => { const container: ConceptContainer = { id: Date.now().toString(), lang: 'ro', country: 'ro', name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, } const entityRep = new MemoryWikiEntityRepository(); const searchName = new MemoryWikiSearchNameRepository(); const titleService = new MemoryWikiTitleRepository(); const tagsService = new CountryTags(); const processName = new ExploreName(container, entityRep, searchName, titleService, tagsService, new KnownNamesService()); const actor1 = await processName.execute('Botoșani'); t.is(!!actor1, true); t.is(actor1 && actor1.name, 'Botoșani'); }); test(`ro-ro: Județul Botoșani`, async t => { const container: ConceptContainer = { id: Date.now().toString(), lang: 'ro', country: 'ro', name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, } const entityRep = new MemoryWikiEntityRepository(); const searchName = new MemoryWikiSearchNameRepository(); const titleService = new MemoryWikiTitleRepository(); const tagsService = new CountryTags(); const processName = new ExploreName(container, entityRep, searchName, titleService, tagsService, new KnownNamesService()); const actor1 = await processName.execute('Județul Botoșani'); t.is(!!actor1, true); t.is(actor1 && actor1.name, 'Județul Botoșani'); }); test(`ro-ro: unexisting name`, async t => { const container: ConceptContainer = { id: Date.now().toString(), lang: 'ro', country: 'ro', name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, } const entityRep = new MemoryWikiEntityRepository(); const searchName = new MemoryWikiSearchNameRepository(); const titleService = new MemoryWikiTitleRepository(); const tagsService = new CountryTags(); const processName = new ExploreName(container, entityRep, searchName, titleService, tagsService, new KnownNamesService()); const actor1 = await processName.execute('vdterywnteunrtur rtjhrt'); t.is(actor1 && actor1.wikiEntity, undefined); }); test(`ro-md: Ministerul Afacerilor Externe`, async t => { const container: ConceptContainer = { id: Date.now().toString(), lang: 'ro', country: 'md', name: 'test', uniqueName: 'test', ownerId: 'test', status: ConceptContainerStatus.NEW, } const entityRep = new MemoryWikiEntityRepository(); const searchName = new MemoryWikiSearchNameRepository(); const titleService = new MemoryWikiTitleRepository(); const tagsService = new CountryTags(); const processName = new ExploreName(container, entityRep, searchName, titleService, tagsService, new KnownNamesService()); const actor1 = await processName.execute('Ministerul Afacerilor Externe'); t.is(actor1 && actor1.wikiEntity && actor1.wikiEntity.name, 'Ministerul Afacerilor Externe și Integrării Europene (Republica Moldova)'); }); class CountryTags implements ICountryTagsService { getTags(country: string, lang: string): string[] { const LOCALE_COUNTRY_TAGS: { [country: string]: { [lang: string]: string[] } } = { md: { ro: ['republica moldova', 'moldova'], }, ro: { ro: ['românia', 'româniei'], }, ru: { ru: ['Россия', 'РФ', 'России', 'Российской'], }, } if (LOCALE_COUNTRY_TAGS[country]) { return LOCALE_COUNTRY_TAGS[country][lang]; } return [] } } class KnownNamesService implements IKnownNameService { getKnownName(_name: string, _lang: string, _country: string): { name: string; countryCodes?: string[]; } | null { return null; } } <file_sep>/src/usecases/actions/build-actor-by-names.ts // const debug = require('debug')('textactor-explorer'); import { IWikiEntityReadRepository } from "../../repositories/wiki-entity-repository"; import { Actor } from "../../entities/actor"; import { ActorHelper } from "../../entities/actor-helper"; import { SelectWikiEntity } from "./select-wiki-entity"; import { UseCase } from "../usecase"; import { ILocale } from "../../types"; import { ActorNameCollection } from "../../entities/actor-name-collection"; export class BuildActorByNames extends UseCase<ActorNameCollection, Actor, void> { private selectWikiEntity: SelectWikiEntity; constructor(private locale: ILocale, wikiEntityRepository: IWikiEntityReadRepository) { super() this.selectWikiEntity = new SelectWikiEntity(locale, wikiEntityRepository); } protected async innerExecute(names: ActorNameCollection): Promise<Actor> { const wikiEntity = await this.selectWikiEntity.execute(names.nameList()); const actor = ActorHelper.build(this.locale, names, wikiEntity || undefined); return actor; } } <file_sep>/src/usecases/actions/delete-unpopular-concepts.ts const debug = require('debug')('textactor-explorer'); import { IConceptRepository } from "../../repositories/concept-repository"; import { ConceptContainer } from "../../entities/concept-container"; import { UseCase } from "../usecase"; export interface DeleteUnpopularConceptsOptions { minConceptPopularity: number minAbbrConceptPopularity: number minOneWordConceptPopularity: number } export class DeleteUnpopularConcepts extends UseCase<DeleteUnpopularConceptsOptions, void, void> { constructor(private container: ConceptContainer, private conceptRep: IConceptRepository) { super() } protected async innerExecute(options: DeleteUnpopularConceptsOptions): Promise<void> { debug(`Deleting unpopular concepts: ${JSON.stringify(options)}`); await this.conceptRep.deleteUnpopular(this.container.id, options.minConceptPopularity); await this.conceptRep.deleteUnpopularAbbreviations(this.container.id, options.minAbbrConceptPopularity); await this.conceptRep.deleteUnpopularOneWorlds(this.container.id, options.minOneWordConceptPopularity); } } <file_sep>/src/api/container-explorer.ts import { Actor } from "../entities/actor"; import { notFound } from "boom"; import { ExploreContainer, ExploreContainerOptions } from "../usecases/explore-container"; import { CountryTagsService } from "./country-tags-service"; import { KnownNameService } from "@textactor/known-names"; import { IConceptContainerRepository } from "../repositories/concept-container-repository"; import { IConceptRepository } from "../repositories/concept-repository"; import { IWikiEntityRepository } from "../repositories/wiki-entity-repository"; import { IWikiSearchNameRepository } from "../repositories/wiki-search-name-repository"; import { IWikiTitleRepository } from "../repositories/wiki-title-repository"; export type OnDataCallback = (data: Actor) => Promise<void>; export type OnErrorCallback = (error: Error) => void; export type OnEndCallback = () => void; export interface IContainerExplorer { onData(callback: OnDataCallback): void onError(callback: OnErrorCallback): void onEnd(callback: OnEndCallback): void start(): IContainerExplorer } export interface ContainerExplorerOptions extends ExploreContainerOptions { } export class ContainerExplorer implements IContainerExplorer { private started = false // private ended = false; private dataCallbacks: OnDataCallback[] = [] private errorCallbacks: OnErrorCallback[] = [] private endCallbacks: OnEndCallback[] = [] constructor(private containerId: string, private options: ContainerExplorerOptions, private containerRep: IConceptContainerRepository, private conceptRep: IConceptRepository, private entityRep: IWikiEntityRepository, private searchNameRep: IWikiSearchNameRepository, private wikiTitleRep: IWikiTitleRepository, ) { } start() { if (this.started) { throw new Error(`Already started!`); } this.started = true; this.internalStart() .catch(error => this.emitError(error)) .then(() => this.emitEnd()); return this; } private async internalStart() { const container = await this.containerRep.getById(this.containerId); if (!container) { throw notFound(`Not found container id=${this.containerId}`); } const processConcepts = new ExploreContainer( container, this.containerRep, this.conceptRep, this.entityRep, this.searchNameRep, this.wikiTitleRep, new CountryTagsService(), new KnownNameService() ); await processConcepts.execute((actor: Actor) => this.emitData(actor), this.options); } onData(callback: OnDataCallback) { this.dataCallbacks.push(callback); } private async emitData(data: Actor): Promise<void> { await Promise.all(this.dataCallbacks.map(callback => callback(data))); } onError(callback: OnErrorCallback) { this.errorCallbacks.push(callback); } private emitError(error: Error): void { this.errorCallbacks.map(callback => callback(error)); } onEnd(callback: OnEndCallback) { this.endCallbacks.push(callback); } private emitEnd(): void { // this.ended = true; this.endCallbacks.map(callback => callback()); } } <file_sep>/src/repositories/memory/memory-concept-container-repository.ts import { ILocale } from '../../types'; import { RepUpdateData } from '../repository'; import { IConceptContainerRepository, ContainerListFilters } from '../concept-container-repository'; import { ConceptContainer, ConceptContainerStatus } from '../../entities/concept-container'; export class MemoryConceptContainerRepository implements IConceptContainerRepository { private db: Map<string, ConceptContainer> = new Map() count(locale: ILocale): Promise<number> { let count = 0; for (let item of this.db.values()) { if (item.country !== locale.country || item.lang !== locale.lang) { continue; } count++; } return Promise.resolve(count); } getByStatus(locale: ILocale, status: ConceptContainerStatus[]): Promise<ConceptContainer[]> { const list: ConceptContainer[] = [] for (let item of this.db.values()) { if (item.country !== locale.country || item.lang !== locale.lang || status.indexOf(item.status) < 0) { continue; } list.push(item) } return Promise.resolve(list); } getByUniqueName(uniqueName: string): Promise<ConceptContainer | null> { for (let item of this.db.values()) { if (item.uniqueName === uniqueName) { return Promise.resolve(item); } } return Promise.resolve(null); } list(filters: ContainerListFilters): Promise<ConceptContainer[]> { const skip = filters.skip || 0; const list: ConceptContainer[] = [] for (let item of this.db.values()) { if (item.country !== filters.country || item.lang !== filters.lang) { continue; } if (filters.ownerId && filters.ownerId !== item.ownerId) { continue; } if (filters.uniqueName && filters.uniqueName !== item.uniqueName) { continue; } if (filters.status && filters.status.indexOf(item.status) < 0) { continue; } list.push(item) } return Promise.resolve(list.slice(skip, skip + filters.limit)); } getById(id: string): Promise<ConceptContainer | null> { return Promise.resolve(this.db.get(id) || null); } getByIds(ids: string[]): Promise<ConceptContainer[]> { const list: ConceptContainer[] = []; for (let id of ids) { const item = this.db.get(id); if (item) { list.push(item); } } return Promise.resolve(list); } exists(id: string): Promise<boolean> { return Promise.resolve(!!this.db.get(id)); } delete(id: string): Promise<boolean> { return Promise.resolve(this.db.delete(id)); } async create(data: ConceptContainer): Promise<ConceptContainer> { if (!!this.db.get(data.id)) { return Promise.reject(new Error(`Item already exists!`)); } this.db.set(data.id, { ...{ createdAt: Date.now() }, ...data }); const entity = await this.getById(data.id); if (!entity) { throw new Error(`Entity not found!`) } return entity; } update(data: RepUpdateData<string, ConceptContainer>): Promise<ConceptContainer> { const item = this.db.get(data.id); if (!item) { return Promise.reject(new Error(`Item not found! id=${data.id}`)); } if (!data.set && !data.delete) { return Promise.reject(new Error(`'set' or 'delete' must exist`)); } if (data.set) { for (let prop in data.set) { if ([null, undefined].indexOf((<any>data.set)[prop]) < 0) { (<any>item)[prop] = (<any>data.set)[prop]; } } } if (data.delete) { for (let prop of data.delete) { delete (<any>item)[prop]; } } return Promise.resolve(item); } deleteIds(ids: string[]): Promise<number> { let count = 0; for (let id of ids) { this.db.delete(id) && count++; } return Promise.resolve(count); } all(): Promise<ConceptContainer[]> { const array: ConceptContainer[] = [] for (let item of this.db.values()) { array.push(item); } return Promise.resolve(array); } } <file_sep>/src/name-helpers.test.ts import test from 'ava'; import { NameHelper } from './name-helper'; test('#isAbbr', t => { t.is(NameHelper.isAbbr('ABBR'), true, 'ABBR is an abbreviation') t.is(NameHelper.isAbbr('aBBR'), false, 'aBBR is not an abbreviation') t.is(NameHelper.isAbbr('A Abbr'), false, 'A Abbr is not an abbreviation') t.is(NameHelper.isAbbr('A ABBR'), true, 'A ABBR is an abbreviation') t.is(NameHelper.isAbbr('189 & 9'), false, '189 & 9 not abbreviation') }) test('#findAbbr', t => { t.is(NameHelper.findAbbr(['ABBR', 'Abbr', 'ABBR a', 'ABB', 'ABB B', 'AB', 'A.B']), 'ABB') t.is(NameHelper.findAbbr(['ABBR', 'Abbr', 'ABBR a', 'A', 'AB BR']), 'ABBR') t.is(NameHelper.findAbbr(['PD', 'PDM', 'PDRM', 'PD RM']), 'PDM') t.is(NameHelper.findAbbr(['US', 'USA', 'U.S', 'U.S.', 'U.S.A']), 'USA') }) test('#endsWithNumberWord', t => { t.is(NameHelper.endsWithNumberWord('iPhone6'), false, 'iPhone6 is not ending with a number word') t.is(NameHelper.endsWithNumberWord('iPhone 6'), true, 'iPhone 6 is ending with a number word') }) test('#removeSymbols', t => { t.is(NameHelper.removeSymbols('Async (node)'), 'Async node') t.is(NameHelper.removeSymbols('iPhone #5'), 'iPhone 5') t.is(NameHelper.removeSymbols('iPhone & -= &&'), 'iPhone') t.is(NameHelper.removeSymbols('iPhone $^@^%*#^*(#()*#_*_)(@_)(@ &+-iPad'), 'iPhone&iPad') }) test('#formatUniqueName', t => { t.is(NameHelper.formatUniqueName('Async (node)', 'en'), 'async node') t.is(NameHelper.formatUniqueName('iPhone #5', '5'), 'iphone 5') t.is(NameHelper.formatUniqueName('<NAME>', 'ro'), '<NAME>') }) test('#isIrregular', t => { t.is(NameHelper.isIrregular('Async (node)'), false) t.is(NameHelper.isIrregular('iPhone alfa'), true) t.is(NameHelper.isIrregular('<NAME>'), false) }) test('#countWords', t => { t.is(NameHelper.countWords('Async (node)'), 2) t.is(NameHelper.countWords('iPhone alfa'), 2) t.is(NameHelper.countWords('Ștefan'), 1) t.is(NameHelper.countWords('iPhone 2'), 2) t.is(NameHelper.countWords(''), 0) }) <file_sep>/src/repositories/wiki-title-repository.ts import { IWriteRepository, IReadRepository } from './repository'; import { WikiTitle } from '../entities/wiki-title'; export interface IWikiTitleWriteRepository extends IWriteRepository<string, WikiTitle> { createOrUpdate(data: WikiTitle): Promise<WikiTitle> } export interface IWikiTitleReadRepository extends IReadRepository<string, WikiTitle> { } export interface IWikiTitleRepository extends IWikiTitleReadRepository, IWikiTitleWriteRepository { } <file_sep>/src/api/country-tags-service.ts import { ICountryTagsService } from "../usecases/actions/find-wiki-titles"; export class CountryTagsService implements ICountryTagsService { getTags(country: string, lang: string): string[] { if (LOCALE_COUNTRY_TAGS[country]) { return LOCALE_COUNTRY_TAGS[country][lang]; } return []; } } const LOCALE_COUNTRY_TAGS: { [country: string]: { [lang: string]: string[] } } = { md: { ro: ['republica moldova', 'moldova'], }, ro: { ro: ['românia', 'româniei'], }, ru: { ru: ['Россия', 'РФ', 'России', 'Российской'], }, }<file_sep>/src/repositories/wiki-search-name-repository.ts import { IWriteRepository, IReadRepository } from './repository'; import { WikiSearchName } from '../entities/wiki-search-name'; export interface IWikiSearchNameWriteRepository extends IWriteRepository<string, WikiSearchName> { createOrUpdate(data: WikiSearchName): Promise<WikiSearchName> } export interface IWikiSearchNameReadRepository extends IReadRepository<string, WikiSearchName> { } export interface IWikiSearchNameRepository extends IWikiSearchNameReadRepository, IWikiSearchNameWriteRepository { } <file_sep>/src/usecases/actions/push-context-concepts.ts const debug = require('debug')('textactor-explorer'); import { IConceptWriteRepository } from '../../repositories/concept-repository'; import { Concept } from '../../entities/concept'; import { ConceptHelper } from '../../entities/concept-helper'; import { UseCase } from '../usecase'; import { IKnownNameService } from '../../services/known-names-service'; import getSameNames from 'same-names'; import { uniq } from '../../utils'; export class PushContextConcepts extends UseCase<Concept[], Concept[], void> { constructor(private conceptRep: IConceptWriteRepository, private knownNames: IKnownNameService) { super() } protected innerExecute(concepts: Concept[]): Promise<Concept[]> { concepts = concepts.filter(concept => ConceptHelper.isValid(concept)); setSameIds(concepts); return Promise.all(concepts.map(concept => this.pushConcept(concept))); } private async pushConcept(concept: Concept): Promise<Concept> { ConceptHelper.setRootIds(concept); const knownName = this.knownNames.getKnownName(concept.name, concept.lang, concept.country); if (knownName && knownName.name) { concept.knownName = knownName.name; debug(`set concept known name: ${concept.name}=>${concept.knownName}`); } return await this.conceptRep.createOrUpdate(concept); } } function setSameIds(concepts: Concept[]) { concepts = concepts.filter(concept => !concept.isAbbr && concept.nameLength > 4); const names = concepts.map(concept => concept.name) .concat(concepts.filter(concept => !!concept.knownName).map(concept => concept.knownName as string)); for (let concept of concepts) { let sameNames = getSameNames(concept.name, names, { lang: concept.lang }); if (sameNames && sameNames.length) { sameNames = sameNames.filter(item => item.name !== concept.name && item.rating > 0.5); if (concept.countWords === 1) { sameNames = sameNames.filter(item => item.rating > 0.7); } const sameIds = sameNames.map(item => ConceptHelper.rootId(item.name, concept.lang, concept.country, concept.containerId)); concept.rootNameIds = concept.rootNameIds.concat(sameIds); } concept.rootNameIds = uniq(concept.rootNameIds); } } <file_sep>/src/entities/wiki-search-name.ts import { NameHelper } from "../name-helper"; import { md5 } from "../utils"; export type WikiSearchName = { id: string lang: string country: string name: string createdAt?: number updatedAt?: number } export type KnownWikiSearchNameData = { lang: string country: string name: string updatedAt?: number } export class WikiSearchNameHelper { static build(data: KnownWikiSearchNameData) { const name = data.name.trim(); const lang = data.lang.trim().toLowerCase(); const country = data.country.trim().toLowerCase(); const id = WikiSearchNameHelper.createId(name, lang, country); const searchName: WikiSearchName = { id, name, lang, country, createdAt: Math.round(Date.now() / 1000), updatedAt: data.updatedAt || Math.round(Date.now() / 1000), }; return searchName; } static createId(name: string, lang: string, country: string) { name = name.trim(); lang = lang.trim().toLowerCase(); country = country.trim().toLowerCase(); const normalName = NameHelper.normalizeName(name, lang); if (normalName.length < 2) { throw new Error(`Invalid name: ${name}`); } const hash = md5(normalName); return [lang, country, hash].join(''); } } <file_sep>/src/api/data-explorer.ts import { IContainerExplorer, ContainerExplorer, ContainerExplorerOptions } from "./container-explorer"; import { IConceptContainerRepository } from "../repositories/concept-container-repository"; import { IConceptRepository } from "../repositories/concept-repository"; import { IWikiEntityRepository } from "../repositories/wiki-entity-repository"; import { IWikiSearchNameRepository } from "../repositories/wiki-search-name-repository"; import { IWikiTitleRepository } from "../repositories/wiki-title-repository"; export interface IDataExplorerApi { newExplorer(containerId: string, options: ContainerExplorerOptions): IContainerExplorer } export function createDataExplorerApi( containerRep: IConceptContainerRepository, conceptRep: IConceptRepository, entityRep: IWikiEntityRepository, searchNameRep: IWikiSearchNameRepository, wikiTitleRep: IWikiTitleRepository, ): IDataExplorerApi { return { newExplorer(containerId: string, options: ContainerExplorerOptions) { return new ContainerExplorer(containerId, options, containerRep, conceptRep, entityRep, searchNameRep, wikiTitleRep); } } } <file_sep>/src/usecases/actions/save-wiki-entities.ts // const debug = require('debug')('textactor-explorer'); import { WikiEntity } from "../../entities/wiki-entity"; import { IWikiEntityRepository } from "../../repositories/wiki-entity-repository"; import { UseCase } from "../usecase"; export class SaveWikiEntities extends UseCase<WikiEntity[], boolean, null> { constructor(private wikiEntityRepository: IWikiEntityRepository) { super() } protected async innerExecute(entities: WikiEntity[]): Promise<boolean> { for (let entity of entities) { await this.wikiEntityRepository.createOrUpdate(entity); } return true; } } <file_sep>/src/api/explorer.ts import { IDataContainerApi, createDataContainerApi } from "./data-container"; import { createConnection } from "mongoose"; import { IDataExplorerApi, createDataExplorerApi } from "./data-explorer"; import { ConceptContainerRepository } from "../data/concept-container-repository"; import { ConceptContainerModel } from "../data/mongo/concept-container-model"; import { ConceptModel } from "../data/mongo/concept-model"; import { ConceptRepository } from "../data/concept-repository"; import { WikiEntityModel } from "../data/mongo/wiki-entity-model"; import { WikiSearchNameModel } from "../data/mongo/wiki-search-name-model"; import { WikiEntityRepository } from "../data/wiki-entity-repository"; import { WikiSearchNameRepository } from "../data/wiki-search-name-repository"; import { WikiTitleRepository } from "../data/wiki-title-tepository"; import { WikiTitleModel } from "../data/mongo/wiki-title-model"; import { IConceptContainerRepository } from "../repositories/concept-container-repository"; import { IConceptRepository } from "../repositories/concept-repository"; import { IWikiEntityRepository } from "../repositories/wiki-entity-repository"; import { IWikiSearchNameRepository } from "../repositories/wiki-search-name-repository"; import { IWikiTitleRepository } from "../repositories/wiki-title-repository"; export type ExplorerOptions = { dbConnectionString: string } export interface IExplorerApi extends IDataContainerApi, IDataExplorerApi { closeDatabase(): Promise<void> } export function explorer(options: ExplorerOptions): IExplorerApi { const { dbConnectionString } = options; const connection = createConnection(dbConnectionString); const containerRep = new ConceptContainerRepository(new ConceptContainerModel(connection)); const conceptRep = new ConceptRepository(new ConceptModel(connection)); const entityRep = new WikiEntityRepository(new WikiEntityModel(connection)); const searchNameRep = new WikiSearchNameRepository(new WikiSearchNameModel(connection)); const wikiTitleRep = new WikiTitleRepository(new WikiTitleModel(connection)); const api: IExplorerApi = { ...createDataContainerApi(containerRep, conceptRep), ...createDataExplorerApi(containerRep, conceptRep, entityRep, searchNameRep, wikiTitleRep), closeDatabase() { return connection.close(); } } return api; } export type CustomExplorerOptions = { containerRep: IConceptContainerRepository conceptRep: IConceptRepository entityRep: IWikiEntityRepository searchNameRep: IWikiSearchNameRepository wikiTitleRep: IWikiTitleRepository } export function customExplorer(options: CustomExplorerOptions): IExplorerApi { const api: IExplorerApi = { ...createDataContainerApi(options.containerRep, options.conceptRep), ...createDataExplorerApi( options.containerRep, options.conceptRep, options.entityRep, options.searchNameRep, options.wikiTitleRep), closeDatabase() { return Promise.resolve(); } } return api; } <file_sep>/src/entities/wiki-entity-helper.ts import { SimpleEntityType, SimpleEntity } from 'wiki-entity'; import { WikiEntityType, WikiEntity } from './wiki-entity'; import { partialName } from 'partial-name'; import { ConceptHelper } from './concept-helper'; import { NameHelper } from '../name-helper'; import { md5, uniq } from '../utils'; export class WikiEntityHelper { static getPartialName(name: string, lang: string, entityName: string): string | null { if (!name || NameHelper.countWords(name) < 2) { return null; } const exResult = /\(([^)]+)\)$/.exec(name); let partial: string | null = null; if (exResult) { partial = name.substr(0, exResult.index).trim(); if (NameHelper.countWords(partial) < 2) { partial = null; } } if (!partial) { partial = partialName(name, { lang }); if (partial && NameHelper.countWords(partial) < 2) { partial = null; } } if (partial) { // const partialWords = partial.split(/\s+/g); // const entityNameWords = entityName.split(/\s+/g); // if (partialWords.length >= entityNameWords.length) { // return partial; // } const partialFirstWord = NameHelper.atonic(partial.split(/\s+/)[0].toLowerCase()); const entityNameFirstWord = NameHelper.atonic(entityName.split(/\s+/)[0].toLowerCase()); if (partialFirstWord !== entityNameFirstWord) { return null; } } return partial; } static getName(entity: SimpleEntity): string { if (!entity.wikiPageTitle) { throw new Error(`wikiPageTitle is required!`); } return entity.wikiPageTitle as string; } static isValidName(name: string | null | undefined, lang: string) { return ConceptHelper.isValidName(name, lang); } static nameHash(name: string, lang: string) { lang = lang.trim().toLowerCase(); name = name.trim(); name = NameHelper.normalizeName(name, lang); name = NameHelper.atonic(name); return md5([lang, name].join('_')); } static namesHashes(names: string[], lang: string) { names = names.filter(name => WikiEntityHelper.isValidName(name, lang)); const hashes = uniq(names.map(name => WikiEntityHelper.nameHash(name, lang))); return hashes; } static rootName(name: string, lang: string) { return ConceptHelper.rootName(name, lang); } static rootNameHash(name: string, lang: string) { return WikiEntityHelper.nameHash(WikiEntityHelper.rootName(name, lang), lang); } static convertSimpleEntityType(type: SimpleEntityType): WikiEntityType { switch (type) { case SimpleEntityType.EVENT: return WikiEntityType.EVENT; case SimpleEntityType.ORG: return WikiEntityType.ORG; case SimpleEntityType.PERSON: return WikiEntityType.PERSON; case SimpleEntityType.PLACE: return WikiEntityType.PLACE; case SimpleEntityType.PRODUCT: return WikiEntityType.PRODUCT; case SimpleEntityType.WORK: return WikiEntityType.WORK; } } static splitName(name: string): { simple: string, special: string } | null { const firstIndex = name.indexOf('('); if (firstIndex < 3) { return null; } const lastIndex = name.indexOf(')'); if (lastIndex !== name.length - 1) { return null; } return { simple: name.substr(0, firstIndex).trim(), special: name.substring(firstIndex + 1, lastIndex) } } static getSimpleName(name: string): string | undefined { const splitName = WikiEntityHelper.splitName(name); if (splitName) { return splitName.simple; } } static isDisambiguation(entity: WikiEntity) { return entity && entity.data && entity.data.P31 && entity.data.P31.indexOf('Q4167410') > -1; } static getPopularity(rank: number): EntityPopularity { if (!rank || rank < 0) { return EntityPopularity.UNKNOWN; } const r = rank / 10; if (r < 2) { return EntityPopularity.UNKNOWN; } if (r < 4) { return EntityPopularity.LOW; } if (r < 6) { return EntityPopularity.NORMAL; } if (r < 9) { return EntityPopularity.HIGH; } return EntityPopularity.POPULAR; } static isNotActual(entity: WikiEntity): boolean | undefined { if (!entity.data) { return undefined; } const notActualProps = ['P457', 'P20', 'P576']; const props = Object.keys(entity.data); for (let prop of notActualProps) { if (~props.indexOf(prop)) { return true; } } return undefined; } } export enum EntityPopularity { UNKNOWN = 1, LOW = 2, NORMAL = 3, HIGH = 4, POPULAR = 5, } <file_sep>/src/usecases/explore-name.ts const debug = require('debug')('textactor-explorer'); import { UseCase } from './usecase'; import { IWikiEntityRepository } from '../repositories/wiki-entity-repository'; import { IWikiSearchNameRepository } from '../repositories/wiki-search-name-repository'; import { IWikiTitleRepository } from '../repositories/wiki-title-repository'; import { ExploreWikiEntitiesByNames } from './actions/explore-wiki-entities-by-names'; import { BuildActorByNames } from './actions/build-actor-by-names'; import { IKnownNameService } from '../services/known-names-service'; import { Actor } from '../entities/actor'; import { ICountryTagsService } from './actions/find-wiki-titles'; import { ILocale } from '../types'; import { ActorNameCollection } from '../entities/actor-name-collection'; export class ExploreName extends UseCase<string | string[], Actor | null, void> { private actorBuilder: BuildActorByNames; private exploreWikiEntities: ExploreWikiEntitiesByNames; constructor(private locale: ILocale, private entityRep: IWikiEntityRepository, private wikiSearchNameRep: IWikiSearchNameRepository, private wikiTitleRep: IWikiTitleRepository, private countryTags: ICountryTagsService, private knownNames: IKnownNameService) { super() if (!locale.lang || !locale.country) { throw new Error(`Locale is not valid: ${locale.lang}-${locale.country}`); } this.actorBuilder = new BuildActorByNames(locale, entityRep); this.exploreWikiEntities = new ExploreWikiEntitiesByNames(locale, this.entityRep, this.wikiSearchNameRep, this.wikiTitleRep, this.countryTags, this.knownNames); } protected async innerExecute(name: string | string[]): Promise<Actor | null> { name = Array.isArray(name) ? name : [name]; const lang = this.locale.lang; debug(`Start processing: ${name}`); debug(`=====> Start exploreWikiEntities`); await this.exploreWikiEntities.execute(name); debug(`<===== End exploreWikiEntities`); debug(`=====> Start generateActors`); const actor = await this.actorBuilder.execute(ActorNameCollection.fromArray(name, lang)); debug(`<===== End generateActors`); debug(`End processing name: ${name}`); return actor; } } <file_sep>/src/entities/common.ts export type PlainObject<T> = { [index: string]: T } export type AnyPlainObject = PlainObject<any> export type StringPlainObject = PlainObject<string> export interface IContextName { name: string lang: string country: string } <file_sep>/src/repositories/memory/memory-wiki-entity-repository.ts import { IWikiEntityRepository } from '../wiki-entity-repository'; import { WikiEntity, WikiEntityType } from '../../entities/wiki-entity'; import { RepUpdateData } from '../repository'; import { NameHelper } from '../../name-helper'; import { uniq } from '../../utils'; export class MemoryWikiEntityRepository implements IWikiEntityRepository { private db: Map<string, WikiEntity> = new Map() count(): Promise<number> { return Promise.resolve(this.db.size); } getInvalidPartialNames(lang: string): Promise<string[]> { const container: { [index: string]: boolean } = {} for (let item of this.db.values()) { if (item.lang === lang && item.type === WikiEntityType.PERSON) { item.names.forEach(name => { if (NameHelper.countWords(name) < 2 || NameHelper.isAbbr(name)) { return } const parts = name.split(/\s+/g).filter(it => !NameHelper.isAbbr(it) && it.length > 1); for (let it of parts) { container[it] = true; } }); } } return Promise.resolve(Object.keys(container)); } getByPartialNameHash(hash: string): Promise<WikiEntity[]> { const list: WikiEntity[] = [] for (let item of this.db.values()) { if (item.partialNamesHashes && ~item.partialNamesHashes.indexOf(hash)) { list.push(item) } } return Promise.resolve(uniq(list)); } getByNameHash(hash: string): Promise<WikiEntity[]> { const list: WikiEntity[] = [] for (let item of this.db.values()) { if (~item.namesHashes.indexOf(hash)) { list.push(item) } } return Promise.resolve(uniq(list)); } getById(id: string): Promise<WikiEntity | null> { return Promise.resolve(this.db.get(id) || null); } getByIds(ids: string[]): Promise<WikiEntity[]> { const list: WikiEntity[] = []; for (let id of ids) { const item = this.db.get(id); if (item) { list.push(item); } } return Promise.resolve(list); } exists(id: string): Promise<boolean> { return Promise.resolve(!!this.db.get(id)); } delete(id: string): Promise<boolean> { return Promise.resolve(this.db.delete(id)); } async create(data: WikiEntity): Promise<WikiEntity> { if (!!this.db.get(data.id)) { return Promise.reject(new Error(`Item already exists!`)); } this.db.set(data.id, Object.assign({ createdAt: new Date() }, data)); const entity = await this.getById(data.id); if (!entity) { throw new Error(`Entity not found!`) } return entity; } update(data: RepUpdateData<string, WikiEntity>): Promise<WikiEntity> { const item = this.db.get(data.id); if (!item) { return Promise.reject(new Error(`Item not found! id=${data.id}`)); } if (data.set) { for (let prop in data.set) { (<any>item)[prop] = (<any>data.set)[prop] } } if (data.delete) { for (let prop of data.delete) { delete (<any>item)[prop]; } } return Promise.resolve(item); } createOrUpdate(data: WikiEntity): Promise<WikiEntity> { if (!!this.db.get(data.id)) { return this.update({ id: data.id, set: data }); } return this.create(data); } } <file_sep>/src/entities/actor-helper.ts import { WikiEntity } from "./wiki-entity"; import { Actor, ActorName } from "./actor"; import { ConceptHelper } from "./concept-helper"; import { ILocale } from "../types"; import { NameHelper } from "../name-helper"; import { ActorNameCollection } from "./actor-name-collection"; export class ActorHelper { static build(locale: ILocale, actorNames: ActorNameCollection, wikiEntity?: WikiEntity): Actor { const lang = locale.lang.trim().toLowerCase(); const country = locale.country.trim().toLowerCase(); actorNames = ActorHelper.buildNames(lang, actorNames, wikiEntity && wikiEntity.names); const names = actorNames.list(); if (!names.length) { throw new Error(`Invalid ConceptActor: no names!`); } const name = wikiEntity && wikiEntity.name || names[0].name; const actor: Actor = { lang, country, name, wikiEntity, names, }; const commonName = ActorHelper.findCommonName(name, names); if (commonName) { actor.commonName = commonName; } const abbr = ActorHelper.findAbbr(name, names); if (abbr) { actor.abbr = abbr; } return actor; } static findAbbr(name: string, names: ActorName[]) { const abbr = names.find(item => item.isAbbr && item.popularity > 1 && item.type === 'WIKI' && name.length > item.name.length); if (abbr) { return abbr.name; } return null; } static findCommonName(name: string, names: ActorName[]) { const nameCountWords = NameHelper.countWords(name); if (nameCountWords < 3) { return null; } const popularName = names.find(item => !item.isAbbr && item.popularity > 1 && ActorHelper.isValidCommonName(item.name)); if (!popularName || popularName.popularity < 10) { return null; } const popularNameCountWords = NameHelper.countWords(names[0].name); if (popularNameCountWords < 2) { return null; } if (nameCountWords <= popularNameCountWords) { return null; } return popularName.name; } static buildNames(lang: string, nameCollection: ActorNameCollection, entityNames?: string[]) { if (entityNames) { const collection = new ActorNameCollection(lang); for (const name of nameCollection.list()) { collection.add(name); } for (const name of entityNames) { collection.add({ name, popularity: 0, type: 'WIKI' }); } nameCollection = collection; } return nameCollection; } static validate(entity: Partial<Actor>) { if (!entity) { throw new Error(`Invalid ConceptActor: null or undefined`); } if (!entity.lang) { throw new Error(`Invalid ConceptActor: invalid lang`); } if (!entity.country) { throw new Error(`Invalid ConceptActor: invalid country`); } if (!ConceptHelper.isValidName(entity.name, entity.lang)) { throw new Error(`Invalid ConceptActor: invalid name: ${entity.name}`); } if (!entity.names || !entity.names.length) { throw new Error(`Invalid ConceptActor: no names`); } const invalidName = entity.names.find(item => !ConceptHelper.isValidName(item.name, entity.lang as string)); if (invalidName) { throw new Error(`Invalid ConceptActor: names contains invalid names: ${invalidName}`); } } static isValidCommonName(name: string) { return !/[,(‒–—―«»"“”‘’;:]/.test(name); } } <file_sep>/src/repositories/concept-repository.ts import { IWriteRepository, IReadRepository } from './repository'; import { Concept } from '../entities/concept'; export type PopularConceptsOptions = { minCountWords?: number maxCountWords?: number } export interface IConceptWriteRepository extends IWriteRepository<string, Concept> { deleteUnpopular(containerId: string, popularity: number): Promise<number> deleteUnpopularAbbreviations(containerId: string, popularity: number): Promise<number> deleteUnpopularOneWorlds(containerId: string, popularity: number): Promise<number> deleteAll(containerId: string): Promise<number> deleteIds(ids: string[]): Promise<number> deleteByRootNameIds(ids: string[]): Promise<number> /** * Create a new concept or update existing with new fields and increment popularity * @param concept Concept to process */ createOrUpdate(concept: Concept): Promise<Concept> } export interface IConceptReadRepository extends IReadRepository<string, Concept> { getByRootNameId(id: string): Promise<Concept[]> getByRootNameIds(ids: string[]): Promise<Concept[]> getConceptsWithAbbr(containerId: string): Promise<Concept[]> getMostPopular(containerId: string, limit: number, skip: number, options?: PopularConceptsOptions): Promise<Concept[]> } export interface IConceptRepository extends IConceptReadRepository, IConceptWriteRepository { } <file_sep>/src/usecases/explore-container.ts const debug = require('debug')('textactor-explorer'); import { UseCase } from './usecase'; import { IConceptRepository } from '../repositories/concept-repository'; import { OnGenerateActorCallback, GenerateActors } from './actions/generate-actors'; import { IWikiEntityRepository } from '../repositories/wiki-entity-repository'; import { DeleteUnpopularConcepts, DeleteUnpopularConceptsOptions } from './actions/delete-unpopular-concepts'; import { ExploreWikiEntities } from './actions/explore-wiki-entities'; import { IWikiSearchNameRepository } from '../repositories/wiki-search-name-repository'; import { IWikiTitleRepository } from '../repositories/wiki-title-repository'; import { DeleteInvalidConcepts } from './actions/delete-invalid-concepts'; import { ConceptContainer, ConceptContainerStatus } from '../entities/concept-container'; import { IConceptContainerRepository } from '../repositories/concept-container-repository'; import { ConceptContainerHelper } from '../entities/concept-container-helper'; import { PopularConceptNamesEnumerator } from '../services/popular-concept-names-enumerator'; import { DeleteActorConcepts } from './actions/delete-actor-concepts'; import { CleanConceptContainer } from './actions/clean-concept-container'; import { IKnownNameService } from '../services/known-names-service'; import { ICountryTagsService } from './actions/find-wiki-titles'; export interface ExploreContainerOptions extends DeleteUnpopularConceptsOptions { } export class ExploreContainer extends UseCase<OnGenerateActorCallback, void, ExploreContainerOptions> { constructor(private container: ConceptContainer, private containerRep: IConceptContainerRepository, private conceptRep: IConceptRepository, private entityRep: IWikiEntityRepository, private wikiSearchNameRep: IWikiSearchNameRepository, private wikiTitleRep: IWikiTitleRepository, private countryTags: ICountryTagsService, private knownNames: IKnownNameService) { super() if (!container.lang || !container.country) { throw new Error(`ConceptContainer is not valid: ${container.lang}-${container.country}`); } } protected async innerExecute(callback: OnGenerateActorCallback, options: ExploreContainerOptions): Promise<void> { const container = this.container; debug(`Start processing concepts... ${JSON.stringify(options)}`); if (!ConceptContainerHelper.canStartGenerate(container.status)) { return Promise.reject(new Error(`ConceptContainer is not generateable: ${container.status}`)); } const deleteUnpopularConcepts = new DeleteUnpopularConcepts(container, this.conceptRep); const deleteInvalidConcepts = new DeleteInvalidConcepts(container, this.conceptRep, this.entityRep); const exploreWikiEntities = new ExploreWikiEntities(container, new PopularConceptNamesEnumerator({ mutable: false }, container, this.conceptRep), this.entityRep, this.wikiSearchNameRep, this.wikiTitleRep, this.countryTags, this.knownNames); const generateActors = new GenerateActors(this.container, new PopularConceptNamesEnumerator({ mutable: true }, container, this.conceptRep), new DeleteActorConcepts(container, this.conceptRep), this.entityRep); const cleanContainer = new CleanConceptContainer(this.conceptRep); await this.containerRep.update({ id: this.container.id, set: { status: ConceptContainerStatus.GENERATING } }); try { debug(`<===== Start deleteInvalidConcepts`); await deleteInvalidConcepts.execute(undefined); debug(`<===== End deleteInvalidConcepts`); debug(`=====> Start deleteUnpopularConcepts`); await deleteUnpopularConcepts.execute(options); debug(`<===== End deleteUnpopularConcepts`); debug(`=====> Start exploreWikiEntities`); await exploreWikiEntities.execute(undefined); debug(`<===== End exploreWikiEntities`); debug(`<===== Start deleteInvalidConcepts`); await deleteInvalidConcepts.execute(undefined); debug(`<===== End deleteInvalidConcepts`); debug(`=====> Start generateActors`); await generateActors.execute(callback); debug(`<===== End generateActors`); await cleanContainer.execute(container); } catch (e) { const error = e.message; await this.containerRep.update({ id: this.container.id, set: { status: ConceptContainerStatus.GENERATE_ERROR, lastError: error } }); throw e; } await this.containerRep.update({ id: this.container.id, set: { status: ConceptContainerStatus.EMPTY } }); } } <file_sep>/src/repositories/wiki-entity-repository.ts import { IWriteRepository, IReadRepository } from './repository'; import { WikiEntity } from '../entities/wiki-entity'; export interface IWikiEntityWriteRepository extends IWriteRepository<string, WikiEntity> { createOrUpdate(data: WikiEntity): Promise<WikiEntity> } export interface IWikiEntityReadRepository extends IReadRepository<string, WikiEntity> { getByNameHash(hash: string): Promise<WikiEntity[]> getByPartialNameHash(hash: string): Promise<WikiEntity[]> getInvalidPartialNames(lang: string): Promise<string[]> count(): Promise<number> } export interface IWikiEntityRepository extends IWikiEntityReadRepository, IWikiEntityWriteRepository { }
b55c55c9957350732183e1ce8f4aa911c79a52b0
[ "Markdown", "TypeScript" ]
58
TypeScript
textactor/textactor-explorer
489a96b68e7f13abadd9973991e76258558566c7
216c73cceb3ae5bdc4a07098ecb92ff677e04b7b
refs/heads/master
<file_sep>#!/usr/bin/env python import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh color eps' color_min=1e100 color_max=0 g = Gnuplot.Gnuplot() g('set term post enh color eps') g('set output "a_e_r.eps"') g.set_range('xrange', (2, 3.5)) #g.set_range('yrange', (1.0, 4.5)) g.set_range('cbrange', (10, 3000)) g('set pm3d') g('set logscale zcb') f_data = open('r_a0_a_e_t_e0_few') grps = [i.split('\n') for i in f_data.read().split('\n\n') if len(i) > 1] f_data.close() items = [] for grp in grps: if len(grp) == 0 or len(grp[0].split()) < 5: continue color = float(grp[0].split()[0]) data = [(float(i.split()[2]), float(i.split()[3])) for i in grp] items.append(Gnuplot.PlotItems.Data( data, with_='lp lt 1 lc palette frac %f' % ((math.log10(color)-1.0)/2.8))) g._add_to_queue(items) g.refresh() g.close() <file_sep>#!/usr/bin/env python import os import math file_name = 'asteroids_data1' rab_obs = [float(line.split()[0]) for line in open(file_name).readlines()] nab_obs = [float(line.split()[1]) for line in open(file_name).readlines()] nab_obs_tot = nab_obs[-1] f = open(file_name+'_fra','w') for i in range(len(nab_obs)): print >> f, rab_obs[i]/2, float(nab_obs[i])/nab_obs_tot f.close() <file_sep>x#!/usr/bin/env python import os import math a = 3.2 rp = 100 if rp > 100: densp = 5.5 else: densp = 5.5*rp/100 if densp < 1.0: densp = 1.0 mp = 4./3 * math.pi * densp * rp**3 * 5e-19 td1_upp = a**2.75*rp*densp*9./1e-3 td1_low = a**2.75*rp*densp*9./1e-2 td2 = (1./mp)*a**2*4e-4 tdep = 1e6 t = [i*1e3 for i in range(0,10000)] t1_upp = [td1_upp*math.exp(i/tdep)/tdep for i in t] t1_low = [td1_low*math.exp(i/tdep)/tdep for i in t] t2 = [td2*math.exp(i/tdep)/tdep for i in t] f = open('t1_t2_t_rp100','w') for i in range(len(t)): print >> f, t1_upp[i], t1_low[i], t2[i], t[i] f.close() <file_sep>#!/usr/bin/env python import os import math a = 3.0 rp = [10, 50, 100, 200, 500, 1000] for i in range(len(rp)): if rp[i] > 100: densp = 5.5 else: densp = 5.5*rp[i]/100 if densp < 1.0: densp = 1.0 mp = 4./3 * math.pi * densp * rp[i]**3 * 5e-19 td1_upp = a**2.75*rp[i]*densp*9./1e-3 td1_low = a**2.75*rp[i]*densp*9./1e-2 td2 = (1./mp)*a**2*4e-4 td1_upp = td1_upp/(2*math.pi) td1_low = td1_low/(2*math.pi) td2 = td2/(2*math.pi) tdep = 1e6 t = [j*1e3 for j in range(0,10000)] t1_upp = [td1_upp*math.exp(j/tdep)/tdep for j in t] t1_low = [td1_low*math.exp(j/tdep)/tdep for j in t] t2 = [td2*math.exp(j/tdep)/tdep for j in t] f = open('t1_t2_t_rp%d' % (rp[i]),'w') for j in range(len(t)): print >> f, t1_upp[j], t1_low[j], t2[j], t[j] f.close() ##################################################### densp = 3.0 mp = 4./3 * math.pi * densp * rp[i]**3 * 5e-19 td1_upp = a**2.75*rp[i]*densp*9./1e-3 td1_low = a**2.75*rp[i]*densp*9./1e-2 td2 = (1./mp)*a**2*4e-4 td1_upp = td1_upp/(2*math.pi) td1_low = td1_low/(2*math.pi) td2 = td2/(2*math.pi) tdep = 1e6 t = [j*1e3 for j in range(0,10000)] t1_upp = [td1_upp*math.exp(j/tdep)/tdep for j in t] t1_low = [td1_low*math.exp(j/tdep)/tdep for j in t] t2 = [td2*math.exp(j/tdep)/tdep for j in t] f = open('t1_t2_t_densp3_rp%d' % (rp[i]),'w') for j in range(len(t)): print >> f, t1_upp[j], t1_low[j], t2[j], t[j] f.close() <file_sep>* common6. * ------- * PARAMETER (NMAX=1000) PARAMETER (MAXLINE=65536) IMPLICIT REAL*8 (A-H,O-Z) * REAL*8 M_CRIT, M_S, M_S_INT REAL*8 R_ESC, KG, INC INTEGER THREE_D, TWOGG COMMON/NBODY/ X(3,NMAX),X0(3,NMAX),X0DOT(3,NMAX),F(3,NMAX), & FDOT(3,NMAX),BODY(NMAX),XDOT(3,NMAX),D1(3,NMAX), & D2(3,NMAX),D3(3,NMAX),STEP(NMAX),T0(NMAX), & N,NMASS,NAME(NMAX),KZ(10),NSTEPS,NTIMER,NBLOCK, & IDUM1,NDUM(4),G_P,G_D,G_R,T_DEP,R_EDGE,R_IN,DENS0, & DENS_P,RADIUS(NMAX),T_TIDAL1(NMAX),T_TIDAL2(NMAX), & EJ, M_CRIT, KG, CD, R_MHS, IESC, THREE_D, INC(NMAX), & M_S, T_S, R_S, R_EDGE_INT, M_S_INT, NLEAST, TWOGG * COMMON/PARAMS/ CPU,CPU0,CPUTOT,ETA,DELTAT,TPRINT,TCRIT,QE, & TWOPI,ONE3,ONE6,ONE9,ONE12, & TIME,ZMASS,BE(3),CMR(4),CMRDOT(4),ZKIN,POT, & ERRTOT,DETOT,TCR,DTMAX, R_ESC * COMMON/BHREG1/ ETAU,DTMIN,RMIN,RMIN2,CMSEP2,GMIN, & P,PP,PDOT,PDOT2,PDOT3,PDOT4,DTAU,EBIN,R(3), & RDOT(3),RDOT2(3),RDOT3(3),RDOT4(3),RDOT5(3), & B(3),BDOT(3),BDOT2(3),BDOT3(3),BDOT4(3), & TDOT2,TDOT3,TDOT4,RR0,GAMMA * COMMON/BHNAME/ NTOT,NZERO,NPAIRS,IFIRST,ICOMP,JCOMP,IPHASE, & NSTEPU,NKSTRY,LIST(NMAX),JLIST(NMAX) * COMMON/BLOCKS/ TPREV,TBLOCK,DTK(40),TNEXT(NMAX) INTEGER AP_LINE, AJ_LINE, AS_LINE COMMON/AP_F_FDOT/ AP_VAR(MAXLINE), AP_F(MAXLINE), & AP_FDOT(MAXLINE), AP_LOWER_BOUND, AP_UPPER_BOUND, & AP_STEP, AP_LINE COMMON/AJ_F_FDOT/ AJ_VAR(MAXLINE), AJ_F(MAXLINE), & AJ_FDOT(MAXLINE), AJ_LOWER_BOUND, AJ_UPPER_BOUND, & AJ_STEP, AJ_LINE COMMON/AS_F_FDOT/ AS_VAR(MAXLINE), AS_F(MAXLINE), & AS_FDOT(MAXLINE), AS_LOWER_BOUND, AS_UPPER_BOUND, & AS_STEP, AS_LINE <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' def weight(x): return 1.0 def bin_id(x, binsize): return min(int(math.log10(x) / binsize), 22) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.1 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in counter: print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] data_dir = ['./dens2000_ej0.06_tdep0.5_redge12/', './dens2000_ej0.06_tdep0.5_redge10/','./dens2000_ej0.04_tdep0.5_redge12/', './dens2000_ej0.06_tdep1.0_redge12/','./dens2000_ej0.06_tdep0.5_redge12_add_saturn/','./dens2000_ej0.06_tdep0.5_redge12_densp2/'] data = [] for j in data_dir: rab = [float(i.split()[0]) for i in open(j+'rab')] ri = [float(i.split()[0]) for i in open(j+'ri')] stat(rab) print 'rab' stat(ri) print 'ri' sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) def f(x): base = counter_ab[x] / counter_i[x] error = 1 / math.sqrt(counter_ab[x]) + 1 / math.sqrt(counter_i[x]) return x, base, base * (1 - error), base * (1 + error) data.append(sorted(f(x) for x in counter_ab)) ######################################################## g = Gnuplot.Gnuplot() g('set boxwidth -2') g('set term postscript eps solid') g('set output "r_df_redge.eps"') g('set xlabel "R(km)"') g('set ylabel "Residual fraction"') g('set log x') g('set key right top') g.set_range('xrange', (10, 3000)) g.set_range('yrange', (0.0, 0.05)) g('set style fill pattern border') item_default = Gnuplot.PlotItems.Data(data[0], title = 'Default model', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') item_redge10 = Gnuplot.PlotItems.Data(data[1], title = 'Redge = 10AU', with_='boxerrorbars lc rgb "blue"') g._add_to_queue([item_default, item_redge10]) g.refresh() g.close() ######################################################## g = Gnuplot.Gnuplot() g('set boxwidth -2') g('set term postscript eps solid') g('set output "r_df_ej.eps"') g('set multiplot layout 2, 1') g('set xlabel "R(km)"') g('set ylabel "Residual fraction"') g('set log x') g('set key right top') g.set_range('xrange', (10, 3000)) g.set_range('yrange', (0.0, 0.07)) g('set grid ytics lc rgb "black" lw 1 lt 0') g('set grid xtics lc rgb "black" lw 1 lt 0') item_default = Gnuplot.PlotItems.Data(data[0], title = 'ej = 0.06', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') item_ej004 = Gnuplot.PlotItems.Data(data[2], title = 'ej = 0.04', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') g.plot(item_default) g.plot(item_ej004) #g._add_to_queue((item_default, item_ej004)) #g.replot() #g.refresh() g.close() ########################################################## g2 = Gnuplot.Gnuplot() g2('set boxwidth -2') g2('set term postscript eps solid') g2('set output "r_df_tdep.eps"') g2('set multiplot layout 2, 1') g2('set xlabel "R(km)"') g2('set ylabel "Residual fraction"') g2('set log x') g2('set key right top') g2.set_range('xrange', (10, 3000)) g2.set_range('yrange', (0.0, 0.03)) g2('set grid ytics lc rgb "black" lw 1 lt 0') g2('set grid xtics lc rgb "black" lw 1 lt 0') item_tdep = Gnuplot.PlotItems.Data(data[3], title = 'Tdep = 1 Myr', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') item_default = Gnuplot.PlotItems.Data(data[0], title = 'Tdep = 0.5 Myr', with_='boxerrorbars lc rgb "black" fillstyle pattern 2 ') g2.plot(item_default) g2.plot(item_tdep) #g2._add_to_queue([item_tdep, item_default]) #g2.refresh() g2.close() ######################################################### g2 = Gnuplot.Gnuplot() g2('set boxwidth -2') g2('set term postscript eps solid') g2('set output "r_df_saturn.eps"') g2('set multiplot layout 2, 1') g2('set xlabel "R(km)"') g2('set ylabel "Residual fraction"') g2('set log x') g2('set key right top') g2.set_range('xrange', (10, 3000)) g2.set_range('yrange', (0.0, 0.03)) g2('set grid ytics lc rgb "black" lw 1 lt 0') g2('set grid xtics lc rgb "black" lw 1 lt 0') item_saturn = Gnuplot.PlotItems.Data(data[4], title = 'with saturn', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') item_default = Gnuplot.PlotItems.Data(data[0], title = 'no saturn', with_='boxerrorbars lc rgb "black" fillstyle pattern 2 ') g2.plot(item_default) g2.plot(item_saturn) #g2._add_to_queue([item_tdep, item_default]) #g2.refresh() g2.close() ##################################################################### g2 = Gnuplot.Gnuplot() g2('set boxwidth -2') g2('set term postscript eps solid') g2('set output "r_df_densp.eps"') g2('set multiplot layout 2, 1') g2('set xlabel "R(km)"') g2('set ylabel "Residual fraction"') g2('set log x') g2('set key right top') g2.set_range('xrange', (10, 1000)) g2.set_range('yrange', (0.0, 0.03)) g2('set grid ytics lc rgb "black" lw 1 lt 0') g2('set grid xtics lc rgb "black" lw 1 lt 0') item_densp = Gnuplot.PlotItems.Data(data[5], title = 'densp = 2', with_='boxerrorbars lc rgb "black" fillstyle pattern 2') item_default = Gnuplot.PlotItems.Data(data[0], title = 'default model', with_='boxerrorbars lc rgb "black" fillstyle pattern 2 ') g2.plot(item_default) g2.plot(item_densp) #g2._add_to_queue([item_tdep, item_default]) #g2.refresh() g2.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys from scipy.integrate import quad ns = 50 A = [0]*ns const = [0]*ns for i in range(len(A)): A[i] = float(math.factorial(2*i))/2**(2*i)/(math.factorial(i))**2 A[i] = A[i]**2 const[i] = i * (2*i + 1) def Fpd_wg(dens, kg, zk, aj, aout): dens = dens * aj**(-kg) dens_base = dens * (-kg) fr = - 4 * math.pi * dens fr_base = -4 * math.pi * dens_base n_tot = 0 n_tot_base = 0 for i in range(len(A)): n = i * A[i] * (aj/aout)**(2*i-1+kg)/(2*i-1+kg) n_base = n * (2*i-1+kg) n_tot = n_tot + n n_tot_base = n_tot_base + n_base fr = fr * (zk + n_tot) fr_base = fr_base * (zk + n_tot) + fr * n_tot_base # fr_dot = fr_base * (aj_dot/aj) # fpd = fr * exp(-t/td) # fpd_dot = fr_dot * exp(-t/td) + fr * exp(-t/td) * (-1.0/td)/(2*math.pi) # fpd_dot = fr_base * (aj_dot/aj) * exp(-t/td) + fr * exp(-t/td) * (-1.0/td)/(2*math.pi) # print aj, fr, fr_base return fr, fr_base def Fjd_wg(dens, kg, aj, ain, aout): dens = dens * aj**(-kg) dens_base = dens * (-kg) fr = 2 * math.pi * dens fr_base = 2 * math.pi * dens_base n_tot = 0 n_tot_base = 0 for i in range(len(A)): n = A[i] * (2*i*(aj/aout)**(2*i-1+kg)/(2*i-1+kg) - (2*i+1)*(ain/aj)**(2*i+2-kg)/(2*i+2-kg)) n_base = A[i] * (2*i*(aj/aout)**(2*i-1+kg) + (2*i+1)*(ain/aj)**(2*i+2-kg)) n_tot = n_tot + n n_tot_base = n_tot_base + n_base fr = fr * n_tot fr_base = fr_base * n_tot + fr * n_tot_base # fr_dot = fr_base * (aj_dot/aj) # fjd = fr * exp(-t/td) # fjd_dot = fr_dot * exp(-t/td) + fr * exp(-t/td) * (-1.0/td)/(2*math.pi) # fjd_dot = fr_base * (aj_dot/aj) * exp(-t/td) + fr * exp(-t/td) * (-1.0/td)/(2*math.pi) # print aj, fr, fr_base return fr, fr_base m_j = 0.000954786 m_s = 0.000285837 a_j = 5.202545 a_s = 9.554841 dens0 = 1700 * 1.125e-7 k = 1.5 z_k = 1.094 tdep = 1e6 a_in = 4.5 a_out = 11.0 open_wg = 1 ############################################################################## if open_wg == 1: f = open('ap_f_fdot','w') ap = [i*0.0001 for i in range(1000,45000)] for i in range(len(ap)): fp,fp_dot = Fpd_wg(dens0, k, ap[i], a_in, a_out) print >> f, ap[i], fp, fp_dot f.close() f = open('aj_f_fdot','w') apj = [a_j + (i-5000)*0.0001 for i in range(10000)] for i in range(len(apj)): fj,fj_dot = Fjd_wg(dens0, k, apj[i], a_in, a_out) print >> f, apj[i], fj, fj_dot f.close() f = open('as_f_fdot','w') aps = [a_s + (i-5000)*0.0001 for i in range(10000)] for i in range(len(aps)): fj,fj_dot = Fjd_wg(dens0, k, aps[i], a_in, a_out) print >> f, aps[i], fj, fj_dot f.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys def y(x,k): return x**(-k)/(-k) def g(x,k): return (x*(-k))**(-1.0/k) def bin(x, binsize): return 10 ** (int(math.log10(x)/binsize + 0.5) * binsize) xmin = 10**1.3 + 1e-9 xmax = 10**2.3 - 1e-9 k = 0 f = open('ran','w') for i in range(1000): r = random.uniform(0, 1) if k > 0: temp = r*y(xmin,k) + (1-r)*y(xmax,k) radius = g(temp,k) else: radius = 10**random.uniform(1.3,2.3) print >> f, radius, bin(radius, 0.1) f.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys import Gnuplot as gp #---------------------------------------------gravity test---------------------------------- k = 1.5 a_g = [5.2, 9.58] ap = [i*0.01 for i in range(200,400)] nstep = 200 gap_out = 11.0 gap_in = 4.5 disk_out = 120. disk_in = 0.01 grav_gap = [((0.5/(1+k)*(i/gap_out)**(1+k) + 0.5625/(3+k)*(i/gap_out)**(3+k) - 0.75/(4-k)*(gap_in/i)**(4-k) - 0.7/(6-k)*(gap_in/i)**(6-k) - 1.0/(2-k)*(gap_in/i)**(2-k))*i**(-k)) for i in ap] grav_bound = [((- 0.5/(1+k)*(i/disk_out)**(1+k) - 0.5625/(3+k)*(i/disk_out)**(3+k) + 0.75/(4-k)*(disk_in/i)**(4-k) + 0.7/(6-k)*(disk_in/i)**(6-k) + 1.0/(2-k)*(disk_in/i)**(2-k) - 1./(2-k) + 1.25*(1-k)/((4-k)*(1+k)) + 1.265625*(1-k)/((6-k)*(3+k)))*i**(-k)) for i in ap] grav_comb = [((0.5/(1+k)*(i/gap_out)**(1+k) + 0.5625/(3+k)*(i/gap_out)**(3+k) - 0.75/(4-k)*(gap_in/i)**(4-k) - 0.7/(6-k)*(gap_in/i)**(6-k) - 1.0/(2-k)*(gap_in/i)**(2-k) - 0.5/(1+k)*(i/disk_out)**(1+k) - 0.5625/(3+k)*(i/disk_out)**(3+k) + 0.75/(4-k)*(disk_in/i)**(4-k) + 0.7/(6-k)*(disk_in/i)**(6-k) + 1.0/(2-k)*(disk_in/i)**(2-k))*i**(-k)) for i in ap] data_gap = [(ap[i], grav_gap[i]) for i in range(nstep)] data_bound = [(ap[i], grav_bound[i]) for i in range(nstep)] data_comb = [(ap[i], grav_comb[i]) for i in range(nstep)] item_gap = gp.Data(data_gap, title = 'no disk edge', with_='l lw 10') item_bound = gp.Data(data_bound, title = 'with disk edge', with_='l lw 10') item_comb = gp.Data(data_comb, title = 'combine disk edge and disk gap', with_='l lw 10') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "ap_grav.eps"') g('set key left top') g('set autoscale') g('set xlabel "a (AU)"') g('set ylabel "gravity"') #g('set yrange [1e-4:]') #g('set log y') g('set grid') g.plot(item_gap, item_bound, item_comb) g('unset log') g('set output') <file_sep>#!/usr/bin/env python import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh color eps' def get_resonance_location(mp, ap, dens): a_re = dens/6e-3 if dens != 0.0: a_re = a_re ** 0.25 else: a_re = None return a_re data_dir = range(10000,10003) color_min=1e100 color_max=0 g = Gnuplot.Gnuplot() g('set term post enh color eps') g('set output "a_t_r.eps"') g('set xlabel "T (yr)"') g('set ylabel "Location (AU)"') g.set_range('xrange', (1, 5e6)) g.set_range('yrange', (1.0, 5.2)) g.set_range('cbrange', (10, 3000)) g('set pm3d') g('set logscale zcb') #g('set logscale x') for dirname in data_dir: os.chdir('%s' % dirname) f_color=open('radius') try: color = float(f_color.readlines()[0].split()[0]) except: os.chdir('..') continue if color < color_min: color_min = color if color > color_max: color_max = color f_color.close() f_data=open('a_t') print os.getcwd() data = [line.split() for line in f_data.readlines()] data = [(float(i[2]),float(i[0])) for i in data if len(i)==3] f_data.close() #item = Gnuplot.PlotItems.Data(data, with_='lines color palette cb %f' % color) item = Gnuplot.PlotItems.Data(data, with_='l lt 1 lc palette frac %f' % ((math.log10(color)-1.0)/2.8) ) g._add_to_queue([item]) os.chdir('..') tend = 5e6 tstep = 1e3 nstep = int(tend / tstep) data0 = [] for i in range(nstep): dens = math.exp(- tstep * i / 0.5e6) ar = get_resonance_location(1e-3, 5.2, dens) data0.append([i*tstep, ar]) #item0 = Gnuplot.PlotItems.Data(data0, with_='l lt 1 lc rgb "green" lw 5' ) #g._add_to_queue([item0]) g.refresh() g.close() <file_sep>#!/usr/bin/env python import os import math file_name1 = 'r_nab' file_name2 = 'r_ni' rab = [float(line.split()[0]) for line in open(file_name1).readlines()] nab = [int(line.split()[1]) for line in open(file_name1).readlines()] nab_tot = nab[0] ri = [float(line.split()[0]) for line in open(file_name2).readlines()] ni = [int(line.split()[1]) for line in open(file_name2).readlines()] ni_tot = ni[0] robs = [float(line.split()[0]) for line in open(file_name1).readlines()] nobs = [float(line.split()[1]) for line in open(file_name1).readlines()] robs_20_200 = [] nobs_20_200 = [] for i in range(len(robs)): if robs[i]<20 or robs[i]>200: continue else: robs_20_200.append(robs[i]) nobs_20_200.append(nobs[i]) nobs_20_200_cul = [] nobs_20_200_cul.append(nobs_20_200[0]) for i in nobs_20_200: temp = i + nobs_20_200_cul[-1] nobs_20_200_cul.append(temp) robs_20_200.sort() nobs_20_200_cul.sort() nobs_20_200_tot = nobs_20_200_cul[0] print nobs_20_200_cul f = open(file_name1+'_fra','w') for i in range(len(nab)): print >> f, rab[i], float(nab[i])/nab_tot f.close() f = open(file_name2+'_fra','w') for i in range(len(ni)): print >> f, ri[i], float(ni[i])/ni_tot f.close() f = open('r_nobs_20_200_cul_fra','w') for i in range(len(nobs_20_200)): print >> f, robs_20_200[i], float(nobs_20_200_cul[i])/nobs_20_200_tot f.close() r_i = [float(line.split()[0]) for line in open('ri').readlines()] r_ab = [float(line.split()[0]) for line in open('rab').readlines()] m_i = [i**3 for i in r_i] m_ab = [i**3 for i in r_ab] m_i_tot = 0 m_ab_tot = 0 for i in m_i: m_i_tot = m_i_tot + i for i in m_ab: m_ab_tot = m_ab_tot + i fra = 1- m_ab_tot/m_i_tot print fra <file_sep>#!/usr/bin/env python import os import math rab = [float(line.split()[0]) for line in open('rab').readlines()] ri = [float(line.split()[0]) for line in open('ri').readlines()] mab_tot = 0.0 for i in rab: mab_tot = mab_tot + i**3 mi_tot = 0.0 for i in ri: mi_tot = mi_tot + i**3 md = 1.0 - mab_tot/mi_tot print md <file_sep>#!/usr/bin/env python import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh color eps' data_dir = range(0,8000) color_min=1e100 color_max=0 g = Gnuplot.Gnuplot() g('set term post enh color eps') g('set output "a_t_r.eps"') g.set_range('xrange', (1, 5e6)) g.set_range('yrange', (1.0, 4.0)) g.set_range('cbrange', (10, 3000)) g('set pm3d') g('set logscale zcb') #g('set logscale x') for dirname in data_dir: os.chdir('%s' % dirname) f_color=open('radius') try: color = float(f_color.readlines()[0].split()[0]) except: os.chdir('..') continue if color < color_min: color_min = color if color > color_max: color_max = color f_color.close() f_data=open('a_t') print os.getcwd() data = [line.split() for line in f_data.readlines()] data = [(float(i[2]),float(i[0])) for i in data if len(i)==3] f_data.close() #item = Gnuplot.PlotItems.Data(data, with_='lines color palette cb %f' % color) item = Gnuplot.PlotItems.Data(data, with_='l lt 1 lc palette frac %f' % ((math.log10(color)-1.0)/2.8) ) g._add_to_queue([item]) os.chdir('..') g.refresh() g.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys from scipy.integrate import quad ns = 50 A = [0]*ns const = [0]*ns for i in range(len(A)): A[i] = float(math.factorial(2*i))/2**(2*i)/(math.factorial(i))**2 A[i] = A[i]**2 const[i] = i * (2*i + 1) def integrand(x, s, n, alpha): r = math.cos(n*x) / (1 + alpha**2 - 2*alpha*math.cos(x))**s r = r/math.pi return r def bsn(s, n, alpha): b = quad(integrand, 0 , 2*math.pi, args = (s, n, alpha)) bf = b[0] return bf def Gjd(dens, kg, zk, aj): gjd = - zk * math.pi * dens * aj**(-kg) nj = aj**(-1.5) gjd = gjd / (nj * aj) return gjd def Gpd_wg(dens, kg, zk, aj, ain): nj = aj**(-1.5) dens = dens * aj**(-kg) gpd = - math.pi * dens / (nj*aj) n_tot = 0 for i in range(len(A)): n = 2 * const[i] * A[i] * (aj/ain)**(2*i-1+kg)/(2*i-1+kg) n_tot = n_tot + n gpd = gpd * (zk + n_tot) return gpd def Gjd_wg(dens, kg, aj, ain, aout): nj = aj**(-1.5) dens = dens * aj**(-kg) gjd = 2 * math.pi * dens / (nj * aj) n_tot = 0 for i in range(len(A)): n = const[i] * A[i] * ((aj/aout)**(2*i-1+kg)/(2*i-1+kg) + (ain/aj)**(2*i+2-kg)/(2*i+2-kg)) n_tot = n_tot + n gjd = gjd * n_tot return gjd def Gij(ai, aj, mj): alpha = min(ai, aj) / max(ai, aj) b1 = bsn(1.5, 1, alpha) ni = ai**(-1.5) gij = mj * alpha * b1 gij = gij / (4 * ni * ai**2 * max(ai, aj)) return gij def Gjs(ai, aj, mi, mj): alpha = min(ai, aj) / max(ai, aj) b2 = bsn(1.5, 2, alpha) ni = ai**(-1.5)*(1.0 + mi) nj = aj**(-1.5)*(1.0 + mj) gjs = b2 / (4 * aj**3) gjs = gjs * (mi * mj / (ni * nj))**0.5 return gjs m_j = 0.000954786 m_s = 0.000285837 a_j = 5.202545 a_s = 9.554841 dens0 = 1700 * 1.125e-7 k = 1.5 z_k = 1.094 tdep = 1e6 a_in = 4.5 a_out = 11.0 g_js = Gij(a_j, a_s, m_s) g_sj = Gij(a_s, a_j, m_j) open_v5 = 0 open_gj = 0 open_v5_we = 0 open_v6_we = 1 open_v5_wg = 0 open_gj_wg = 0 open_v5_wg_we = 0 open_v6_wg_we = 0 open_v5_png = 0 open_v5_png_we = 0 open_v6_png_we = 1 open_gj_png = 0 ############################################################################## if open_v5 == 1: f = open('v5','w') ap = [i*0.001 for i in range(500,4500)] for i in range(len(ap)): t = [10**(j*0.001-4) for j in range(0,5000)] for j in range(len(t)): g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap[i]) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) g_j = g_js + g_jd*t[j] g_s = g_sj + g_sd*t[j] g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t[j] print >> f, ap[i], t[j], abs((g_p-g_5)) print ap[i], t[j] f.close() ##########33################################################################ if open_v5_we == 1: f = open('v5_we','w') for i in range(1000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_5)/g_5) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() ############################################################################# if open_v6_we == 1: f = open('v6_we','w') for i in range(1000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_6 = 0.5*(g_j + g_s + ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_6)/g_6) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() ############################################################################# if open_gj == 1: ap = [i*0.01 for i in range(1, 450)] nstep = 449 f = open('gj','w') for i in range(nstep): g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap[i]) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) exp_t = (g_pj + g_ps - g_js)/(g_jd - g_pd) print >> f, ap[i], exp_t, math.log(abs(1.0/exp_t)) f.close() ############################################################################### if open_v5_wg == 1: f = open('v5_wg','w') ap = [i*0.001 for i in range(500,4500)] for i in range(len(ap)): t = [10**(j*0.001-4) for j in range(0,5000)] for j in range(len(t)): g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out ) g_pd = Gpd_wg(dens0, k, z_k, ap[i], a_in) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) g_j = g_js + g_jd*t[j] g_s = g_sj + g_sd*t[j] g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t[j] print >> f, ap[i], t[j], abs(g_p - g_5) print ap[i], t[j] f.close() ######################################################################## if open_v5_wg_we == 1: f = open('v5_wg_we','w') for i in range(2000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gpd_wg(dens0, k, z_k, ap, a_in) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_5)/g_5) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() if open_v6_wg_we == 1: f = open('v6_wg_we','w') for i in range(1000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gpd_wg(dens0, k, z_k, ap, a_in) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_6 = 0.5*(g_j + g_s + ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_6)/g_6) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() ######################################################################## if open_gj_wg == 1: ap = [i*0.01 for i in range(100, 450)] nstep = 350 f = open('gj_wg','w') for i in range(nstep): g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gpd_wg(dens0, k, z_k, ap[i], a_in) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) exp_t = (g_pj + g_ps - g_js)/(g_jd - g_pd) print >> f, ap[i], exp_t, math.log(abs(1.0/exp_t)) f.close() ############################################################################# if open_v5_png == 1: f = open('v5_png','w') ap = [i*0.001 for i in range(500,4500)] for i in range(len(ap)): t = [10**(j*0.001-4) for j in range(0,5000)] for j in range(len(t)): g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gjd(dens0, k, z_k, ap[i]) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) g_j = g_js + g_jd*t[j] g_s = g_sj + g_sd*t[j] g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t[j] print >> f, ap[i], t[j], abs(g_p - g_5) print ap[i], t[j] f.close() ############################################################################ if open_v5_png_we == 1: f = open('v5_png_we','w') for i in range(1000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gjd(dens0, k, z_k, ap) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_5 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_5)/g_5) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() ############################################################################# if open_v6_png_we == 1: f = open('v6_png_we','w') for i in range(1000): while True: ap = random.uniform(0.5, 4.5) t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gjd(dens0, k, z_k, ap) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_6 = 0.5*(g_j + g_s + ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_6)/g_6) < 1e-3: print >> f, ap, t, math.log(abs(1.0/t)) print ap, t break f.close() ############################################################################# if open_gj_png == 1: ap = [i*0.01 for i in range(100, 450)] nstep = 350 f = open('gj_png','w') for i in range(nstep): g_jd = Gjd_wg(dens0, k, a_j, a_in, a_out) g_sd = Gjd_wg(dens0, k, a_s, a_in, a_out) g_pd = Gjd(dens0, k, z_k, ap[i]) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) exp_t = (g_pj + g_ps - g_js)/(g_jd - g_pd) print >> f, ap[i], exp_t, math.log(abs(1.0/exp_t)) f.close() <file_sep>#!/usr/bin/env python from collections import Counter import math import os def weight(x): return 1.0 def bin_id(x, binsize): return int(math.log10(x) / binsize) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.1 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in sorted(counter): print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] rab = [float(i.split()[0]) for i in open('rab')] ri = [float(i.split()[0]) for i in open('ri')] print 'rab' stat(rab) print 'ri' stat(ri) sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) def f(x): base = counter_ab[x] / counter_i[x] error = 1 / math.sqrt(counter_ab[x]) + 1 / math.sqrt(counter_i[x]) #return x, base return x, base, base * (1 - error), base * (1 + error) data = sorted(f(x) for x in counter_ab) f = open('r_f_err', 'w') for i in data: for j in i: print >> f, j, print >> f, '' f.close() <file_sep>#!/usr/bin/env python import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh color eps' def get_resonance_location(dens): a_re = dens/6e-3 if dens != 0.0: a_re = a_re ** 0.25 else: a_re = None return a_re data_dir = range(0,2) color_min=1e100 color_max=0 g = Gnuplot.Gnuplot() g('set term post enh color eps') g('set output "a_t_r.eps"') g('set xlabel "T (yr)"') g('set ylabel "Location (AU)"') g.set_range('xrange', (1, 5e6)) g.set_range('yrange', (1.5, 3.5)) g.set_range('cbrange', (10, 10**3.0)) g('set pm3d') g('set logscale zcb') #g('set logscale x') for dirname in data_dir: if not os.path.exists('%d'%(dirname)): continue print dirname os.chdir('%s' % dirname) if not os.path.exists('radius'): os.chdir('..') continue if os.stat('radius')[6]==0: os.chdir('..') continue f_color=open('radius') radius_open = float(open('radius').readlines()[0].split()[0]) if radius_open > 1000. : os.chdir('..') continue try: color = float(f_color.readlines()[0].split()[0]) except: os.chdir('..') continue if color < color_min: color_min = color if color > color_max: color_max = color f_color.close() f_data=open('a_t') print os.getcwd() data = [line.split() for line in f_data.readlines()] data = [(float(i[3]),float(i[0])) for i in data if len(i)==4] f_data.close() #item = Gnuplot.PlotItems.Data(data, with_='lines color palette cb %f' % color) item = Gnuplot.PlotItems.Data(data, with_='l lt 1 lc palette frac %f' % ((math.log10(color)-1.0)/2.8) ) g._add_to_queue([item]) os.chdir('..') tend = 5e7 tstep = 5e4 nstep = int(tend / tstep) data0 = [] tdep = 1e6 for i in range(nstep): dens = math.exp(- tstep * i / tdep) ar = get_resonance_location(dens) data0.append([i*tstep, ar]) item0 = Gnuplot.PlotItems.Data(data0, with_='l lt 1 lc rgb "green" lw 5' ) g._add_to_queue([item0]) g.refresh() g.close() <file_sep>#!/usr/bin/env python import os import math ri = [float(line.split()[0]) for line in open('r_fi').readlines()] ni = [float(line.split()[1]) for line in open('r_fi').readlines()] ni_tot = 0 for i in ni: ni_tot = ni_tot + i rab = [float(line.split()[0]) for line in open('r_fab').readlines()] nab = [float(line.split()[1]) for line in open('r_fab').readlines()] nab_tot = 0 for i in nab: nab_tot = nab_tot + i f_ri = [i/ni_tot for i in ni] f_rab = [i/nab_tot for i in nab] print f_ri, f_rab frq = [f_rab[i]/f_ri[i] for i in range(len(ri))] f = open('r_f','w') for i in range(len(ri)): print >> f, ri[i], frq[i] f.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys import Gnuplot as gp gp.GnuplotOpts.default_term = 'post enh solid color eps' import Gnuplot.funcutils from scipy import integrate def integrand(sita, s, n, alpha): r = math.cos(n*sita) / (1 + alpha**2 - 2*alpha*math.cos(sita))**s r = 2*r / math.pi return r def bsn(s, n, alpha): b = integrate.quad(integrand, 0 , math.pi, args = (s, n, alpha)) return b def Gjd(dens0, k, zk, aj): gjd = - zk * math.pi * dens0 * aj**(-k) nj = aj**(-1.5) gjd = gjd / (nj * aj) return gjd def Gjd_wg(dens0, k, zk, aj, a_in, a_out): nj = aj**(-1.5) gjd = math.pi * dens0 / (nj * aj) A1 = 1./4 A2 = 9./64 gjd1 = gjd * 3 * A1 * ((a_in/aj)**(4-k)/(4-k) + (aj/a_out)**(1+k)/(1+k)) gjd2 = gjd * 10 * A2 * ((a_in/aj)**(6-k)/(6-k) + (aj/a_out)**(3+k)/(3+k)) gjd = gjd1 + gjd2 return gjd def Gij(ai, aj, mj): alpha = min(ai, aj) / max(ai, aj) b1 = bsn(3/2, 1, alpha) ni = ai**(-1.5) gij = mj * alpha * b1[0] gij = gij / (4 * ni * ai**2 * max(ai, aj)) return gij def Gjs(a_j, a_s, m_j, m_s): b2 = bsn(3/2, 2, a_j/a_s) n_j = a_j**(-1.5) n_s = a_s**(-1.5) gjs = - b2[0] * (a_j / a_s) / (4 * a_s**3) gjs = gjs * (m_j * m_s / (n_j * n_s)) return gjs ap = [i*0.01 for i in range(50,400)] nstep = 350 m_j = 0.0009546 m_s = 0.0002857 a_j = 5.2 a_s = 9.5 b2 = bsn(3/2, 2, a_j/a_s) g_js = Gjs(a_j, a_s, m_j, m_s) # minimum mass nebular model with no gap dens0 = 1700 * 1.125e-7 k = 1.5 zk = 1.094 tdep = 1e6 g_jd = Gjd(dens0, k, zk, a_j) g_pd = [None] * nstep g_pj = [None] * nstep g_ps = [None] * nstep exp_t = [None] * nstep t = [None] * nstep for i in range(nstep): g_pd[i] = Gjd(dens0, k, zk, ap[i]) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) t[i] = math.log(1/exp_t[i])*tdep data = [(ap[i], 6e-3*ap[i]**4) for i in range(nstep)] data_t = [(math.log(1/(6e-3*ap[i]**4))*tdep, ap[i]) for i in range(nstep)] data1 = [(ap[i], exp_t[i]) for i in range(nstep)] data_t1 = [(t[i], ap[i]) for i in range(nstep)] data_gpd1 = [(t[i], Gjd(dens0,k, zk, 3.0)*exp_t[i]) for i in range(nstep)] data_gpj1 = [(t[i], Gij(3.0, a_j, m_j)) for i in range(nstep)] data_gjd1 = [(t[i], g_jd*exp_t[i]) for i in range(nstep)] data_gjs1 = [(t[i], g_js) for i in range(nstep)] data_gp1 = [(t[i], Gjd(dens0,k, zk, 3.0)*exp_t[i] + Gij(3.0, a_j, m_j)) for i in range(nstep)] data_gj1 = data_gjd1 # nebular model with gap dens0 = 1700 * 1.125e-7 k = 1.5 zk = 1.094 tdep = 1e6 a_in = 0.0 a_out = 11.0 g_jd = Gjd_wg(dens0, k, zk, a_j, a_in, a_out) g_pd = [None] * nstep g_pj = [None] * nstep g_ps = [None] * nstep exp_t = [None] * nstep t = [None] * nstep for i in range(nstep): g_pd[i] = Gjd(dens0, k, zk, ap[i]) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) t[i] = math.log(1/exp_t[i])*tdep data2 = [(ap[i], exp_t[i]) for i in range(nstep)] data_t2 = [(t[i], ap[i]) for i in range(nstep)] data_gpd2 = [(t[i], Gjd(dens0,k, zk, 3.0)*exp_t[i]) for i in range(nstep)] data_gpj2 = [(t[i], Gij(3.0, a_j, m_j)) for i in range(nstep)] data_gjd2 = [(t[i], g_jd*exp_t[i]) for i in range(nstep)] data_gjs2 = [(t[i], g_js) for i in range(nstep)] data_gp2 = [(t[i], Gjd(dens0,k, zk, 3.0)*exp_t[i] + Gij(3.0, a_j, m_j)) for i in range(nstep)] data_gj2 = data_gjd2 # nebular model with gap dens0 = 4500 * 1.125e-7 k = 1.0 zk = 1.0 tdep = 1e6 a_in = 0.0 a_out = 11.0 g_jd = Gjd_wg(dens0, k, zk, a_j, a_in, a_out) g_pd = [None] * nstep g_pj = [None] * nstep g_ps = [None] * nstep exp_t = [None] * nstep t = [None] * nstep for i in range(nstep): g_pd[i] = Gjd_wg(dens0, k, zk, ap[i], a_in, a_out) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) t[i] = math.log(1/exp_t[i])*tdep data3 = [(ap[i], exp_t[i]) for i in range(nstep)] data_t3 = [(t[i], ap[i]) for i in range(nstep)] # nebular model with gap dens0 = 2000 * 1.125e-7 k = 1.5 zk = 1.0 tdep = 1e6 a_in = 0.0 a_out = 11.0 g_jd = Gjd_wg(dens0, k, zk, a_j, a_in, a_out) g_pd = [None] * nstep g_pj = [None] * nstep g_ps = [None] * nstep exp_t = [None] * nstep t = [None] * nstep for i in range(nstep): g_pd[i] = Gjd_wg(dens0, k, zk, ap[i], a_in, a_out) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) t[i] = math.log(1/exp_t[i])*tdep data4 = [(ap[i], exp_t[i]) for i in range(nstep)] data_t4 = [(t[i], ap[i]) for i in range(nstep)] # nebular model with gap dens0 = 1700 * 1.125e-7 k = 1.5 zk = 1.09 tdep = 1e6 a_in = 4.5 a_out = 11.0 g_jd = Gjd_wg(dens0, k, zk, a_j, a_in, a_out) g_pd = [None] * nstep g_pj = [None] * nstep g_ps = [None] * nstep exp_t = [None] * nstep t = [None] * nstep for i in range(nstep): g_pd[i] = Gjd(dens0, k, zk, ap[i]) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) t[i] = math.log(1/exp_t[i])*tdep data5 = [(ap[i], exp_t[i]) for i in range(nstep)] data_t5 = [(t[i], ap[i]) for i in range(nstep)] #print Gjd_wg(dens0, k, zk, a_j, 4.5, 11.0)/Gjd_wg(dens0, k, zk, a_j, 5.0, 11.0) item = gp.Data(data, title = 'a^4', with_='l lw 10') item1 = gp.Data(data1, title = 'dens0 = 1700, no gap', with_='l lw 10') item2 = gp.Data(data2, title = 'dens0 = 1700, with gap, R_in = 0.0', with_='l lw 10') item3 = gp.Data(data3, title = 'dens0 = 4500, with gap', with_='l lw 10') item4 = gp.Data(data4, title = 'dens0 = 2000, with gap, kg = 1.5', with_='l lw 10') item5 = gp.Data(data5, title = 'dens0 = 1700, with gap, R_in = 4.5', with_='l lw 10') item_t = gp.Data(data_t, title = 'a^4', with_='l lw 10') item_t1 = gp.Data(data_t1, title = 'dens0 = 1700, no gap', with_='l lw 10') item_t2 = gp.Data(data_t2, title = 'dens0 = 1700, with gap, R_in = 0.0', with_='l lw 10') item_t3 = gp.Data(data_t3, title = 'dens0 = 4500, with gap', with_='l lw 10') item_t4 = gp.Data(data_t4, title = 'dens0 = 2000, with gap, kg = 1.5', with_='l lw 10') item_t5 = gp.Data(data_t5, title = 'dens0 = 1700, with gap, R_in = 4.5', with_='l lw 10') item_gpd1 = gp.Data(data_gpd1, title = 'gpd', with_='l lw 10') item_gpd2 = gp.Data(data_gpd2, title = 'gpd', with_='l lw 10') item_gpj1 = gp.Data(data_gpj1, title = 'gpj', with_='l lw 10') item_gpj2 = gp.Data(data_gpj2, title = 'gpj', with_='l lw 10') item_gjd1 = gp.Data(data_gjd1, title = 'gjd', with_='l lw 10') item_gjd2 = gp.Data(data_gjd2, title = 'gjd', with_='l lw 10') item_gjs1 = gp.Data(data_gjs1, title = 'gjs', with_='l lw 10') item_gjs2 = gp.Data(data_gjs2, title = 'gjs', with_='l lw 10') item_gp1 = gp.Data(data_gp1, title = 'gp', with_='l lw 10') item_gj1 = gp.Data(data_gj1, title = 'gj', with_='l lw 10') item_gp2 = gp.Data(data_gp2, title = 'gp', with_='l lw 10') item_gj2 = gp.Data(data_gj2, title = 'gj', with_='l lw 10') grav1 = 1.094 * 4 * math.pi * dens0 * 5.2**(-k) grav2 = (0.5/(1+k)*(3.0/11.0)**(1+k) + 0.5625/(3+k)*(3.0/11.0)**(3+k)) * dens0 * 5.2**(-k) print grav1/grav2 g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "ap_tssr.eps"') g('set multiplot layout 2, 2') g('set key left top') g('set autoscale') g('set xlabel "a (AU)"') g('set ylabel "exp(-t/tdep)"') g('set log y') g('set xrange [0.5:]') g.plot(item1, item2, item3, item5) g('unset log') g('set ylabel "a (AU)"') g('set xlabel "Time (yr)"') g('set xrange [:5e6]') g('set xtics 1e6') g.plot(item_t1, item_t2, item_t3, item_t5) g('set key bottom right') g('set ylabel "precession rate"') g('set title "no gap"') g.plot(item_gp1, item_gj1) g('set title "with gap"') g.plot(item_gp2, item_gj2) g('unset multiplot') f = open('t_assr','w') for i in range(nstep): print >> f, data_t5[i][0], data_t5[i][1] f.close() <file_sep>[email protected]:1414031509<file_sep>#!/usr/bin/env python import os import math import Gnuplot as gp tdep = 1e6 vrel = 1e-2 rp = [i for i in range(10, 1000)] ##################################################### a = 2.0 densp = [0]*len(rp) for i in range(len(rp)): if rp[i] > 100: densp[i] = 5.5 else: densp[i] = 5.5*rp[i]/100. if densp[i] < 1.0: densp[i] = 1.0 mp = [float(4./3 * math.pi * densp[i] * rp[i]**3 * 5e-19) for i in range(len(rp))] td1 = [a**2.75*rp[i]*densp[i]/vrel*9/(2*math.pi*tdep) for i in range(len(rp))] td2 = [(1./mp[i])*a**2*4e-4/(2*math.pi*tdep) for i in range(len(rp))] td = [1.0/((1/td1[i])+(1/td2[i])) for i in range(len(rp))] data = [(rp[i], td[i]) for i in range(len(rp))] ######################################################## densp = [3.0]*len(rp) mp = [float(4./3 * math.pi * densp[i] * rp[i]**3 * 5e-19) for i in range(len(rp))] td1 = [a**2.75*rp[i]*densp[i]/vrel*9/(2*math.pi*tdep) for i in range(len(rp))] td2 = [(1./mp[i])*a**2*4e-4/(2*math.pi*tdep) for i in range(len(rp))] td = [1./((1/td1[i])+(1/td2[i])) for i in range(len(rp))] data_densp3 = [(rp[i], td[i]) for i in range(len(rp))] a = 3.5 mp = [float(4./3 * math.pi * densp[i] * rp[i]**3 * 5e-19) for i in range(len(rp))] td1 = [a**2.75*rp[i]*densp[i]/vrel*9/(2*math.pi*tdep) for i in range(len(rp))] td2 = [(1./mp[i])*a**2*4e-4/(2*math.pi*tdep) for i in range(len(rp))] td = [1./((1/td1[i])+(1/td2[i])) for i in range(len(rp))] data_densp3_ap35 = [(rp[i], td[i]) for i in range(len(rp))] ######################################################## a = 3.5 densp = [0]*len(rp) for i in range(len(rp)): if rp[i] > 100: densp[i] = 5.5 else: densp[i] = 5.5*rp[i]/100. if densp[i] < 1.0: densp[i] = 1.0 mp = [float(4./3 * math.pi * densp[i] * rp[i]**3 * 5e-19) for i in range(len(rp))] td1 = [a**2.75*rp[i]*densp[i]/vrel*9/(2*math.pi*tdep) for i in range(len(rp))] td2 = [(1./mp[i])*a**2*4e-4/(2*math.pi*tdep) for i in range(len(rp))] td = [1./((1/td1[i])+(1/td2[i])) for i in range(len(rp))] data_ap35 = [(rp[i], td[i]) for i in range(len(rp))] data_t = [(rp[i], td[i]*math.exp(10)) for i in range(len(rp))] item1 = gp.Data(data, title = '', with_='l lw 5 lc 0') item2 = gp.Data(data_densp3, title = '', with_='l lw 10 lc 9') item3 = gp.Data(data_ap35, title = '', with_='l lw 5 lc 0') item4 = gp.Data(data_t, title = '', with_='l lw 5 lc 0') item5 = gp.Data(data_densp3_ap35, title = '', with_='l lw 10 lc 9') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "r_tdamp.eps"') g('set xlabel "size (km)"') g('set ylabel "Tdamp/Tdep"') g('set log ') g('set arrow from 10.0, 1.0 to 1000.0, 1.0 nohead lt 0 lw 10') #g('set arrow from 20, 0.2 to 20, 1.0') g('set arrow from 190, 5.0 to 190, 7e4') g('set label "0 Myr to 10 Myr" at 200, 1000') g('set label "3.5 AU" at 50, 2') g('set label "2.0 AU" at 50, 0.05') g.plot(item1, item2, item3, item4, item5) g('set output') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "r_tdamp_test.eps"') g('set xlabel "size (km)"') g('set ylabel "Tdamp/Tdep"') g('set log ') g('set arrow from 10.0, 1.0 to 1000.0, 1.0 nohead lt 0 lw 10') #g('set arrow from 20, 0.2 to 20, 1.0') g('set arrow from 200, 3.0 to 200, 7e4') g('set label "0 Myr to 10 Myr" at 210, 1000') g('set label "3.5 AU" at 50, 2') g('set label "2.0 AU" at 50, 0.05') g.plot(item1, item3) g('set output') <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys mj = 0.000954786 ms = 2.0 f = open('aj_ej_b','w') for i in range(1000): while True: aj = random.uniform(10,120) ej = random.uniform(0.0, 0.8) delt_a = 1.8 * aj * ej**0.2 * (mj/ms)**0.2 a_in = aj - delt_a a_out = aj + delt_a if abs(a_out - 110) < 0.1: print >> f, aj, ej break if abs(a_in - 14.) < 0.1: print >>f, aj, ej break f.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys #from goto import goto,label hermit_location = os.getenv('HOME')+'/Hermit4/hermit4' runfile_location = os.getenv('HOME')+'/Hermit4/vega/test10' begin = int(sys.argv[1]) end = int(sys.argv[2]) if not os.path.exists(runfile_location): os.mkdir(runfile_location) for loop in range(begin, end + 1): dirname='%s/%d'%(runfile_location, loop) if not os.path.exists(dirname): os.mkdir(dirname) os.chdir(dirname) print dirname k_start=1 t_comp=100000.0 n=2 n_rand=0 eta=1e-3 delta_t=1e7 t_crit=1e8 dtmin=2.0e-5 rmin=0.002 etau=0.05 gmin=1.0e-6 kz = [1, 0, 1, 0, 0, 1, 0, 0, 1, 2] inc=0 m_j=0.0009546 m_sun_g=1.989E33 #radius in km unit radius=[10**random.uniform(-3,3)] # radius = [1e-3] dens_p = 1.0 mp=[dens_p*4*math.pi*(i*1e5)**3/(3*m_sun_g) for i in radius] + [m_j] # while True: # ej = random.uniform(0.1,0.9) # aj = random.uniform(50,100) # r_edge = aj*(1+ej) # r_in = aj*(1-ej) # if r_in > 14 and r_edge < 110: break; # ap = 14. aj = 80. ej = 0.3 r_in = aj*(1-ej) r_edge = aj*(1+ej) print r_in, r_edge while True: ap = random.uniform(10,120) if ap <= r_in or ap >= r_edge: break; # ap = 50. print 'radius of planetesimal = ', radius, 'location of planetesimal = ', ap print 'ecc of planet = ', ej, 'location of planet = ', aj a=[ap, aj] ecc = [0.0, ej] rp=[a[i]*(1-ecc[i]) for i in range(n)] theta=[random.uniform(0,2*math.pi) for i in range(n)] x=[rp[i]*math.cos(theta[i]) for i in range(n)] y=[rp[i]*math.sin(theta[i]) for i in range(n)] z=[0]*n g_p=2 g_d=1 g_r=0 t_dep = 1e7 dens0 = 2000 m_crit = 1e-20 r_esc = 200 kg = 1.5 cd = 0.165 r_mhs = 9.0 three_d = 0 n_min = n-1 # p=[math.sqrt(a[i]**3)/(1+mp[i]) for i in range(n)] m_unit = 2.0 a_unit = 1.0 t_unit = math.sqrt(a_unit**3/m_unit) v_unit = math.sqrt(m_unit/a_unit) vp=[math.sqrt((1+ecc[i])*(m_unit+mp[i])/rp[i]) for i in range(n)] vx=[-vp[i]*math.sin(theta[i]) for i in range(n)] vy=[vp[i]*math.cos(theta[i]) for i in range(n)] vz=[0]*n f=open('input','w') print >>f, k_start, t_comp print >>f, n, n_rand, eta, delta_t/t_unit, t_crit/t_unit for i in kz: print >>f, i, print >>f print >>f, dtmin, rmin, etau, gmin for i in range(n): print >>f,mp[i]/m_unit,x[i]/a_unit,y[i]/a_unit,z[i]/a_unit,vx[i]/v_unit,vy[i]/v_unit,vz[i]/v_unit print >>f, g_p, g_d, g_r, t_dep/t_unit, r_edge/a_unit, r_in/a_unit, dens0/(m_unit/a_unit**2), dens_p/(m_unit/a_unit**3), m_crit/m_unit, r_esc/a_unit, kg, ej, cd, r_mhs, three_d, n_min print >>f, m_unit, a_unit, t_unit, v_unit f.close() os.system("%s<input>output" % hermit_location) os.chdir('%s'%runfile_location) <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' def weight(x): return 1.0 def bin_id(x, binsize): return min(int(math.log10(x) / binsize), 22) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.3 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in counter: print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] dir = [('dens2000_ej0.02_cd0.44', 'red'), ('dens2000_ej0.02_cd0.44_0.0001t', 'blue')] g2 = Gnuplot.Gnuplot() g2('set term postscript eps solid') g2('set output "r_dratio.eps"') g2('set xlabel "R(km)"') g2('set ylabel "Depletion ratio"') g2('set log') g2.set_range('xrange', (2, 2000)) for loop, color in dir: rab = [float(i.split()[0]) for i in open(loop + '/rab')] ri = [float(i.split()[0]) for i in open('%s/ri' % loop)] print 'rab' stat(rab) print 'ri' stat(ri) sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) def f(x): base = 1 - counter_ab[x] / counter_i[x] return x, base data = sorted(f(x) for x in counter_ab) item = Gnuplot.PlotItems.Data( data, title = 'ratio', with_='boxes lc rgb "%s"' % color) g2._add_to_queue([item]) g2.refresh() g2.close() <file_sep>#!/usr/bin/env python import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh color eps' data_dir = range(0,10000) color_min=1e100 color_max=0 g = Gnuplot.Gnuplot() g('set term post enh color eps') g('set output "a_t_r.eps"') g('set xlabel "t (xT_{dep} yr)"') g('set ylabel "Location (AU)"') g.set_range('xrange', (0, 10)) g.set_range('yrange', (1.5, 3.7)) g.set_range('cbrange', (10, 10**3.0)) g('set pm3d') g('set logscale zcb') #g('set logscale x') items = [ ] for dirname in data_dir: if not os.path.exists('%d'%(dirname)): continue print dirname os.chdir('%s' % dirname) if not os.path.exists('radius'): os.chdir('..') continue if os.stat('radius')[6]==0: os.chdir('..') continue if not os.path.exists('a_t'): os.chdir('..') continue f_color=open('radius') radius_open = float(open('radius').readlines()[0].split()[0]) af_open = float(open('a_t').readlines()[-1].split()[0]) if radius_open > 1000.: os.chdir('..') continue try: color = float(f_color.readlines()[0].split()[0]) except: os.chdir('..') continue if color < color_min: color_min = color if color > color_max: color_max = color f_color.close() f_data=open('a_t') print os.getcwd() data = [line.split() for line in f_data.readlines()] data = [(float(i[3]),float(i[0])) for i in data if len(i)==4] f_data.close() #item = Gnuplot.PlotItems.Data(data, with_='lines color palette cb %f' % color) item = Gnuplot.PlotItems.Data(data, with_='l lt 1 lw 0.5 lc palette frac %f' % ((math.log10(color)-1.0)/2.8) ) g._add_to_queue([item]) os.chdir('..') f5 = open('v5_wg_we_ord') data_v5 = [(float(line.split()[2]),float(line.split()[0])) for line in f5.readlines()] item5 = Gnuplot.PlotItems.Data(data_v5, title = '', with_='l lw 5 lt 1 lc 2 ' ) f6 = open('v6_wg_we_ord') data_v6 = [(float(line.split()[2]),float(line.split()[0])) for line in f6.readlines()] item6 = Gnuplot.PlotItems.Data(data_v6, title = '', with_='l lw 5 lt 1 lc 5 ' ) g._add_to_queue([item5, item6]) g('set arrow nohead from 9.5, 3.275 to 10, 3.275 lw 5 lc 0 front') g('set label "2:1" at 9.5,3.33 front') g('set arrow nohead from 9.5, 2.955 to 10, 2.955 lw 5 lc 0 front') g('set label "7:3" at 9.5,3.0 front') g('set arrow nohead from 9.5, 2.822 to 10, 2.822 lw 5 lc 0 front') g('set label "5:2" at 9.5,2.88 front') g('set arrow nohead from 9.5, 2.49898 to 10, 2.49898 lw 5 lc 0 front') g('set label "3:1" at 9.5,2.55 front') g('set arrow nohead from 9.5, 2.06 to 10, 2.06 lw 5 lc 0 front') g('set label "4:1" at 9.5,2.1 front') g('set arrow nohead from 0.0, 2.1 to 10, 2.1 lw 5 lt 2 lc 9 front') g('set arrow nohead from 0.0, 3.3 to 10, 3.3 lw 5 lt 2 lc 9 front') g.refresh() g.close() <file_sep>#!/usr/bin/env python import os import math import sys begin = int(sys.argv[1]) end = int(sys.argv[2]) open_tidal = 0 open_1 = 0 open_2 = 0 open_3 = 0 open_4 = 1 open_5 = 0 open_escape = 0 a_temp = 14.0 a_in = 10. a_out = 120. class Orbit: def __init__(self, line, time, units): segments = line.split() if segments[0] == 'ORBIT': self.name = int(segments[9]) self.time = time*t_unit self.ecc = float(segments[10]) self.r = float(segments[11])*a_unit self.a = float(segments[12])*a_unit self.w = float(segments[14]) self.x = float(segments[15])*a_unit self.y = float(segments[16])*a_unit self.vx = float(segments[17])*v_unit self.vy = float(segments[18])*v_unit self.t_tidal1 = toFloat(segments[19])*t_unit self.t_tidal2 = toFloat(segments[20])*t_unit self.radius = toFloat(segments[21])*a_unit self.mp = toFloat(segments[22])*m_unit self.fd = toFloat(segments[23]) elif segments[0] == 'ESCAPE': self.name = int(segments[8]) self.ecc = float(segments[10]) self.a = abs(float(segments[12]))*a_unit self.r = float(segments[11])*a_unit self.time = time*t_unit def toFloat(s): try: return float(s) except: return None def get_delt_w(i,j): if j==0: i[j].delt_w = i[j].w - i[j].w if j>0: if i[j].w < 0: i[j].w = i[j].w + 360 if i[j-1].w < 0: i[j-1].w = i[j-1].w + 360 i[j].delt_w = i[j].w - i[j-1].w if i[j].delt_w >= 180: i[j].delt_w = i[j].delt_w - 360 if i[j].delt_w <= -180: i[j].delt_w = i[j].delt_w + 360 return i[j].delt_w def get_angular_momentum(i): l_tot = 0 for j in i: if j is None: continue l_tot = l_tot + math.sqrt(j.a*abs((1-j.ecc**2))/(1+j.mp))*j.mp return l_tot def get_w_per_time(i,j): if i == 0: orbit[i][j].fw = 0 if i > 0: delt_t = orbit[i][j].time - orbit[i-1][j].time if orbit[i][j].w < 0: orbit[i][j].w=orbit[i][j].w+360 if orbit[i-1][j].w < 0: orbit[i][j].w=orbit[i-1][j].w+360 delt_w = orbit[i][j].w - orbit[i-1][j].w if delt_w >= 180: delt_w = delt_w - 360 if delt_w <= -180: delt_w = delt_w + 360 orbit[i][j].fw = delt_w/delt_t return orbit[i][j].fw def get_resonance_a(m_j,aj,dens0,fgas): ai = 1/(aj*(1 + m_j)) if fgas != 0.0000: ai = ai + m_j/(4*aj**(2.0)*1.094*3.14*dens0*fgas) ai = 1/ai else: ai = None return ai def get_infor(orbit, name): for i in orbit: if i[name-1] is not None: return i[name-1].mp, i[name-1].radius, i[name-1].t_tidal1, i[name-1].t_tidal2, i[name-1].w, i[name-1].fd cum_gt={} cum_gt_intl={} if open_1 > 0: bin_width = 0.2 f0 = open('r_nab','w') f19 = open('r_ni','w') f18 = open('rab','w') f20 = open('ri','w') if open_tidal == 1: f6 = open('r_t1_t2_td_i','w') f13 = open('r_t1_t2_td_f','w') if open_3 > 0: f27 = open('aj_ej_rp_out','w') f28 = open('aj_ej_rp_in','w') if open_4 > 0: f25 = open('ap_r_i','w') f26 = open('ap_r_f','w') for loop in range(begin-1,end): count_j = 0 if not os.path.exists('%d'%(loop+1)): continue # if os.listdir('%s' %loop) == '': continue os.chdir('%s'% (loop+1)) # print loop + 1 if not os.path.isfile('input'): os.chdir('..') continue if os.stat('input')[6]==0 or os.stat('output')[6]==0: os.chdir('..') continue orbit = [] time = 0.0 delt = float(open('input').readlines()[1].split()[3]) n = int(open('input').readlines()[1].split()[0]) m_unit = float(open('input').readlines()[-1].split()[0]) a_unit = float(open('input').readlines()[-1].split()[1]) t_unit = float(open('input').readlines()[-1].split()[2]) v_unit = float(open('input').readlines()[-1].split()[3]) mj = float(open('input').readlines()[-3].split()[0]) units = [m_unit, a_unit, t_unit, v_unit] for line in open('output').readlines(): if line.startswith(' YRS = '): time = float(line.split()[2]) orbit.append([None]*n) elif line.startswith(' ORBIT I NAM ECC R A S'): current_orbit = Orbit(line, time, units) orbit[-1][int(current_orbit.name)-1] = current_orbit elif line.startswith(' ESCAPE'): time += 100.0 current_orbit = Orbit(line, time, units) current_orbit.mp, current_orbit.radius, current_orbit.t_tidal1, current_orbit.t_tidal2, current_orbit.w, current_orbit.fd = get_infor(orbit, current_orbit.name) orbit.append([None]*n) orbit[-1][int(current_orbit.name)-1] = current_orbit break for i in orbit[-1]: if i is None: continue if i.mp > 1e-4: ej = i.ecc aj = i.a count_j = 1 if count_j == 0: for i in orbit[-2]: if i is None: continue if i.mp > 1e-4: ej = i.ecc aj = i.a if open_5 > 0: f1 = open('e_t','w') f2 = open('a_t','w') f3 = open('n_t','w') f4 = open('q_a_Q_t','w') f5 = open('l_t','w') f16 = open('ar_t','w') for time_orbit in orbit: if len(time_orbit) == 0: continue none_test = 0 for i in time_orbit: if i is None: continue else: none_test = 1 if none_test == 0: continue num = n - 1 for i in time_orbit: if i is None: num = num - 1 print >> f1, None, print >> f2, None, print >> f4, None, None, None, print >> f5, None, continue; else: i.p = 2*3.14*math.sqrt(i.a**3)/(1+i.mp) print >> f1, i.ecc, print >> f2, i.a, print >> f4, i.a*(1-i.ecc), i.a, i.a*(1+i.ecc), print >> f5, math.sqrt(i.a*abs((1-i.ecc**2))), if i.mp > 1e-4: m_j = i.mp aj = i.a dens0 = 2000*1.125e-7 fgas = i.fd a_re = get_resonance_a(m_j,aj,dens0,fgas) print >> f16, a_re, i.time l_tot = get_angular_momentum(time_orbit) print >> f3, num, for j in range(n): if time_orbit[j] != None: print >> f1, time_orbit[j].time print >> f2, time_orbit[j].time print >> f3, time_orbit[j].time print >> f4, time_orbit[j].time print >> f5, time_orbit[j].time break f1.close() f2.close() f3.close() f4.close() f5.close() f16.close() for i in orbit[0]: if abs(i.a - 40.) < 1. and abs(i.radius - 1.) < 0.1: print loop if open_tidal == 1: if len(orbit)<=1: continue for i in orbit[1]: if i is None: print >> f6, None, None, None, None else: if i.mp < 3e-5 and i.t_tidal1 > 0: force = 1/i.t_tidal1 + 1/i.t_tidal2 print >> f6, i.radius, i.t_tidal1, i.t_tidal2, 1/force for i in orbit[-1]: if i is None: print >> f13, None, None, None, None elif i.t_tidal1 > 0: if i.mp < 3e-5: print >> f13, i.radius, i.t_tidal1, i.t_tidal2, 1/(1/i.t_tidal1+ 1/i.t_tidal2) # f7 = open('fw_t','w') # for i in range(len(orbit)): # for j in range(len(orbit[i])): # if orbit[i][j] is None: # print >> f7, None, # continue; # orbit[i][j].fw = get_w_per_time(i,j) # print >> f7, orbit[i][j].fw, # for k in range(len(orbit[i])): # if orbit[i][k] != None: # print >> f7, orbit[i][k].time # break # f7.close() # f8 = open('fd_t','w') # for i in orbit: # for j in i: # if j is None: continue # else: # print >> f8, j.fd, j.time # break # f8.close() if open_3 > 0: for i in orbit[-1]: if i is None: continue if i.mp < 1e-4: if abs (i.a - a_temp) >= 1. : print >> f27, aj, ej, (math.log10(i.radius) + 6.)*0.2 if abs(i.a - a_temp) < 1.: print >> f28, aj, ej, (math.log10(i.radius) + 6.)*0.2 if open_4 > 0: for i in orbit[0]: if i is None: continue if i.mp < 1e-4: print >> f25, i.a, i.radius for i in orbit[-1]: if i is None: continue if i.mp < 1e-4: if i.a >= a_in and i.a <= a_out: print >> f26, i.a, i.radius #if i.a >= 20 and i.a <= 25: # print loop+1, aj, ej, i.a, i.ecc, i.radius if open_2 == 1: e_crit = 0.0 f9 = open('ec0_r_a0_a_e_t','w') f10 = open('ec0_r_a0_dt','w') f11 = open('ec0_a0_e0','w') for j in range(n-1): print >> f11, orbit[0][j].a, orbit[0][j].ecc state_start = 0 state_stop = 0 for i in orbit: if i[j] is None and state_start == 0: break if i[j] is None and state_start == 1: t_stop = t_temp break if i[j].a >= a_in and i[j].a <= a_out: if i[j].ecc >= e_crit: print >> f9, i[j].radius, orbit[0][j].a, i[j].a, i[j].ecc, i[j].time if i[j].ecc >= e_crit and state_start == 0: t_start = i[j].time state_start = 1 if i[j].ecc < e_crit and state_stop == 0 and state_start == 1: t_stop = i[j].time state_stop = 1 break t_temp = i[j].time print >> f9 if state_start == 1 and state_stop == 0: if orbit[-1][j]is None: delt_t = t_temp - t_start print >> f10, orbit[0][j].radius, orbit[0][j].a, delt_t break delt_t = orbit[-1][j].time - t_start print >> f10, orbit[0][j].radius, orbit[0][j].a, delt_t if state_start == 1 and state_stop == 1: delt_t = t_stop - t_start print >> f10, orbit[0][j].radius, orbit[0][j].a, delt_t f9.close() f10.close() f11.close() if open_1 > 0: for j in orbit[-1]: if j is None: continue if j.a >= a_in and j.a <= a_out and j.mp < 1e-4: b = int(math.log10(j.radius)/bin_width+0.5) cum_gt[b] = cum_gt.get(b,0)+1 for j in orbit[0]: if j is None: continue if j.a >= a_in and j.a <= a_out and j.mp < 1e-4: c = int(math.log10(j.radius)/bin_width+0.5) cum_gt_intl[c] = cum_gt_intl.get(c,0)+1 for j in orbit[-1]: if j is None: continue if j.a >= a_in and j.a <= a_out and j.mp < 1e-4: print >> f18, j.radius for j in orbit[0]: if j is None: continue if j.a >= a_in and j.a <= a_out and j.mp < 1e-4: print >> f20, j.radius os.chdir('..') if open_1 > 0: keys = sorted(cum_gt.keys(), reverse=True) for i in range(1, len(keys)): cum_gt[keys[i]] += cum_gt[keys[i-1]] keys.reverse() for k in keys: print >> f0, 10**(bin_width*(k+0.5)), cum_gt[k] f0.close() keys = sorted(cum_gt_intl.keys(), reverse=True) for i in range(1, len(keys)): cum_gt_intl[keys[i]] += cum_gt_intl[keys[i-1]] keys.reverse() for k in keys: print >> f19, 10**(bin_width*(k+0.5)), cum_gt_intl[k] f19.close() f18.close() f20.close() f6.close() f13.close() if open_3 > 0: f27.close() f28.close() if open_4 > 0: f25.close() f26.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys from scipy.integrate import quad def integrand(x, s, n, alpha): r = math.cos(n*x) / (1 + alpha**2 - 2*alpha*math.cos(x))**s r = r/math.pi return r def bsn(s, n, alpha): b = quad(integrand, 0 , 2*math.pi, args = (s, n, alpha)) bf = b[0] return bf def Gjd(dens, kg, zk, aj): gjd = - zk * math.pi * dens * aj**(-kg) nj = aj**(-1.5) gjd = gjd / (nj * aj) return gjd def Gjd_wg(dens_in, dens_out, kg, aj, ain, aout): nj = aj**(-1.5) gjd = math.pi / (nj * aj) A1 = 1./4 A2 = 9./64 A3 = 25./156 gjd1 = gjd * 3 * A1 * (dens_in * (ain/aj)**(4-kg)/(4-kg) + dens_out * (aj/aout)**(1+kg)/(1+kg)) gjd2 = gjd * 10 * A2 * (dens_in * (ain/aj)**(6-kg)/(6-kg) + dens_out * (aj/aout)**(3+kg)/(3+kg)) gjd3 = gjd * 21 * A3 * (dens_in * (ain/aj)**(8-kg)/(8-kg) + dens_out * (aj/aout)**(5+kg)/(5+kg)) gjd = gjd1 + gjd2 + gjd3 return gjd def Gij(ai, aj, mj): alpha = min(ai, aj) / max(ai, aj) b1 = bsn(1.5, 1, alpha) ni = ai**(-1.5) gij = mj * alpha * b1 gij = gij / (4 * ni * ai**2 * max(ai, aj)) return gij def Gjs(ai, aj, mi, mj): alpha = min(ai, aj) / max(ai, aj) alpha = ai/aj b2 = bsn(1.5, 2, alpha) ni = ai**(-1.5) nj = aj**(-1.5) gjs = - b2 / (4 * aj**3) gjs = gjs * (mi * mj / (ni * nj))**0.5 # print gjs return gjs m_j = 0.000954786 m_s = 0.000285837 a_j = 5.202545 a_s = 9.554841 dens0 = 1700 * 1.125e-7 k = 1.5 z_k = 1.094 tdep = 1e6 a_in = 4.5 a_out = 11.0 g_js = Gjs(a_j, a_s, m_j, m_s) g_sj = Gjs(a_s, a_j, m_s, m_j) #g_sj = Gij(a_s, a_j, m_j) #g_js = Gij(a_j, a_s, m_s) #g_js = -9.63435e-4/360. #g_sj = -6.09908e-3/360. #-------------------------------------------------------------------------------------------- #ap = [i*0.01 for i in range(10,200)] #nstep = 190 ap = [0.63, 1.85] nstep = 2 f = open('ap_expt','w') f1 = open('ap_expt_wg','w') f2 = open('ap_expt_sat','w') f3 = open('ap_expt_wg_sat','w') for i in range(nstep): g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap[i]) g_jd_wg = Gjd_wg(dens0, dens0, k, a_j, a_j, a_j) g_sd_wg = Gjd_wg(dens0, dens0, k, a_s, a_s, a_s) g_pj = Gij(ap[i], a_j, m_j) g_ps = Gij(ap[i], a_s, m_s) g_j = g_js g_s = g_sj g_p = g_ps + g_pj g_5 = 0.5*(g_j + g_s + ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_6 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) #if abs((g_5 - g_p)/g_5) < 1e-1: print ap[i] print 'g5=',g_5, 'g6=',g_6,'gp=',g_p, 'gj=', g_j, 'gs=', g_s, ap[i] exp_t = (g_pj + g_ps - g_js)/(g_jd - g_pd) t = math.log(abs(1./exp_t))*tdep exp_t_wg = (g_pj + g_ps - g_js)/(g_jd_wg - g_pd) t_wg = math.log(abs(1./exp_t_wg))*tdep exp_t_sat = (g_pj + g_ps - g_sj)/(g_sd - g_pd) t_sat = math.log(abs(1./exp_t_sat))*tdep exp_t_wg_sat = (g_pj + g_ps - g_sj)/(g_sd_wg - g_pd) t_wg_sat = math.log(abs(1./exp_t_wg_sat))*tdep exp_t4 = 6e-3 * ap[i]**4 print >> f, ap[i], exp_t, exp_t4 print >> f1, ap[i], exp_t_wg print >> f2, ap[i], exp_t_sat print >> f3, ap[i], exp_t_wg_sat #print 'gjd=', g_jd, 'gjd_wg', g_jd_wg, g_jd/g_jd_wg, 'gsd=', g_sd, 'gsd_wg', g_sd_wg, g_sd/g_sd_wg #print 'ap=', ap[i],'gpj+gps-gjs=', g_pj + g_ps - g_js, 'expt=', exp_t, 'gpj=', g_pj, 'gps=', g_ps,'gjs=', g_js, z_k*math.pi*dens0*exp_t*(1./ap[i] - 1./a_j) f.close() f1.close() f2.close() f3.close() <file_sep>#!/usr/bin/env python import os import math file_name = 'asteroids_data' d = [float(line.split()[0]) for line in open(file_name).readlines()] n = [float(line.split()[1]) for line in open(file_name).readlines()] f = open('r_nobs','w') for i in range(len(n)): print >> f, d[i]/2, n[i] f.close() n_cul = 0 f = open('r_nobs_cul','w') for i in range(len(n)): n_cul = n_cul + n[i] print >> f, d[i]/2, n_cul f.close() n_20_200 = [] r_20_200 = [] n_20_200_tot = 0 f = open('r_fobs_20_200','w') for i in range(len(n)): if d[i]/2 > 19.0 and d[i]/2 < 200.0: n_20_200.append(n[i]) r_20_200.append(d[i]/2) n_20_200_tot = n_20_200_tot + n[i] for i in range(len(n_20_200)): print >> f, r_20_200[i], float(n_20_200[i])/n_20_200_tot f.close() <file_sep>#!/usr/bin/env python import os import math import Gnuplot as gp import Gnuplot.funcutils file_name = 'asteroids_data' d = [float(line.split()[0]) for line in open(file_name).readlines()] n = [float(line.split()[1]) for line in open(file_name).readlines()] count_i = 0 n_tot = 0 for i in range(len(n)): if d[i] > 15.: count_i = count_i + 1 n_tot = n_tot + n[i] r = [None] * count_i f_r_nor = [None] * count_i f_r = [None] * count_i f_r_cul = [None] * count_i n_cul = 0 n_max = n[-1] for i in range(count_i): r[i] = d[i]/2 f_r_nor[i] = n[i]/n_tot f_r[i] = n[i]/n_max n_cul = n[i] + n_cul f_r_cul[i] = n_cul/n_tot data_rf_nor = [(r[i], f_r_nor[i]) for i in range(len(r))] data_rf = [(r[i], f_r[i]) for i in range(len(r))] data_rf_cul = [(r[i], f_r_cul[i]) for i in range(len(r))] item_rf_nor = gp.Data(data_rf_nor, title = 'normalized', with_='linespoints lt 1 lw 2 pt 7 ps 1.5') item_rf = gp.Data(data_rf, title = '', with_='linespoints lt 1 lw 2 pt 7 ps 1.5') item_rf_cul = gp.Data(data_rf_cul, title = 'cul', with_='linespoints lt 1 lw 2 pt 7 ps 1.5') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "r_fobs.eps"') g('set xlabel "radius (km)"') g('set ylabel "frequency"') g('set log') g('set yrange[0.0002:]') g('set xrange[7:]') g.plot(item_rf_nor) g('unset output') f = open('r_fobs','w') for i in range(len(r)): print >> f, r[i], f_r_nor[i] f.close() f = open('d_fobs','w') for i in range(len(r)): print >> f, r[i]*2, f_r_nor[i] f.close() <file_sep>zxc@z<EMAIL>ia<EMAIL>.cn.30891:1428472031<file_sep>#!/usr/bin/env python import random import math import os import shutil import sys import Gnuplot as gp gp.GnuplotOpts.default_term = 'post enh solid color eps' import Gnuplot.funcutils kg = [1.5, 1., 1.0] redge = [12., 8., 11.] dens0 = [2000., 2500., 4500.] tdep = [5e5, 1e6, 1e6] h = [1., 0.4, 0.5] s = [1., 1., 1.0] rlist = [i*0.5 for i in range(4, 7)] tlist = [i*1e4 for i in range(1,1000)] def f_grav(r, t1, t2, i): grav1 = 0.5/(1+kg[0])*(r/redge[0])**(1+kg[0]) + 144./(3+kg[0])*(r/redge[0])**(3+kg[0]) grav1 = grav1*dens0[0]*r**(-kg[0]) grav1 = grav1 * math.exp(-t1/tdep[0]) grav2 = 0.5/(1+kg[i])*(r/redge[i])**(1+kg[i]) + 0.5625/(3+kg[i])*(r/redge[i])**(3+kg[i]) grav2 = grav2*dens0[i]*r**(-kg[i]) grav2 = grav2 * math.exp(-t2/tdep[i]) f_grav = grav2/grav1 return f_grav def rate(r, t, i): if i == 0: grav = 0.5/(1+kg[i])*(r/redge[i])**(1+kg[i]) + 144./(3+kg[i])*(r/redge[i])**(3+kg[i]) else: grav = 0.5/(1+kg[i])*(r/redge[i])**(1+kg[i]) + 0.5625/(3+kg[i])*(r/redge[i])**(3+kg[i]) grav = grav*dens0[i]*r**(-kg[i]) t0 = t - 1e4 rate = grav * (math.exp(-t0/tdep[i]) - math.exp(-t/tdep[i])) rate = rate / 1e4 return rate def f_td(r, t1, t2, i): td1 = r**kg[0]/dens0[0]*0.2/6.28 td1 = td1/math.exp(-t1/tdep[0]) td2 = r**kg[i]/dens0[i]*0.2*h[i]**4/s[i] td2 = td2/math.exp(-t2/tdep[i]) return td2/td1 def f_gd(r, t1, t2, i): td1 = r**kg[0]/dens0[i]/6.28 td1 = td1/math.exp(-t1/tdep[0]) td2 = r**kg[i]/dens0[i]*h[i]/s[i] td2 = td2/math.exp(-t2/tdep[i]) return td2/td1 data1 = [(r, f_grav(r, 0., 0., 1)) for r in rlist] data2 = [(r, f_grav(r, 0., 0., 2)) for r in rlist] print data2 data3 = [(r, f_grav(r, 10*tdep[0], 10*tdep[1], 1)) for r in rlist] data4 = [(r, f_grav(r, 10*tdep[0], 10*tdep[2], 2)) for r in rlist] data5 = [(t, rate(3.5, t, 0)) for t in tlist] data6 = [(t, rate(3.5, t, 1)) for t in tlist] data7 = [(t, rate(3.5, t, 2)) for t in tlist] data8 = [(r, f_td(r, 0., 0., 1)) for r in rlist] data9 = [(r, f_td(r, 0., 0., 2)) for r in rlist] data10 = [(r, f_gd(r, 0., 0., 1)) for r in rlist] data11 = [(r, f_gd(r, 0., 0., 2)) for r in rlist] g = gp.Gnuplot() g('set term postscript eps solid') g('set output "r_grav.eps"') g('set multiplot layout 2, 2') g('set key left top') g('set autoscale') g('set log y') g('set style line 1 lt 1 lw 10 lc rgb "green"') g('set style line 2 lt 1 lw 10 lc rgb "red"') g('set style line 3 lt 2 lw 10 lc rgb "green"') g('set style line 4 lt 2 lw 10 lc rgb "red"') item1 = gp.Data(data1, title = 'no saturn at T = 0 Myr', with_='lines ls 1') item2 = gp.Data(data2, title = 'with saturn at T = 0 Myr', with_='lines ls 2') item3 = gp.Data(data3, title = 'no saturn at T = 10 Myr', with_='lines ls 3') item4 = gp.Data(data4, title = 'with saturn at T = 10 Myr', with_='lines ls 4') item5 = gp.Data(data5, title = 'mmnm', with_='lines lc "black" lw 10') item6 = gp.Data(data6, title = 'no saturn', with_='lines ls 1') item7 = gp.Data(data7, title = 'with saturn', with_='lines ls 2') item8 = gp.Data(data8, title = 'tidal damping no saturn', with_='line ls 1') item9 = gp.Data(data9, title = 'tidal damping with saturn', with_='line ls 2') item10 = gp.Data(data10, title = 'gas drag no saturn', with_='line ls 1') item11 = gp.Data(data11, title = 'gas drag with saturn', with_='line ls 2') g('set xlabel "a (AU)"') g('set ylabel "force ratio"') g.plot(item1, item2) g('set ylabel "migration rate"') g('set xlabel "T (yr)"') g.plot(item6, item5, item7) g('set ylabel "tidal damping ratio"') g.plot(item8, item9) g('set ylabel "gas drag ratio"') g.plot(item10, item11) g('unset multiplot') <file_sep>#!/usr/bin/env python import os import math awk '{print $1, $2-$1}' <asteroids_data>asteroids_data1 <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' def weight(x): return x**(-3.5) def bin_id(x, binsize): return int(math.log10(x) / binsize) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.1 size_min = 10. size_max = 1000. def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in counter: print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] #rab = [float(i.split()[0]) for i in open('rab')] #ri = [float(i.split()[0]) for i in open('ri')] data_ab = [] data_i = [] rab = [] ri = [] for line in open('rab'): size = float(line.split()[0]) if size >= size_min and size <= size_max: rab.append(size) #for line in open('ri_20_200'): for line in open('ri'): size = float(line.split()[0]) if size >= size_min and size <= size_max: ri.append(size) print 'rab' stat(rab) print 'ri' stat(ri) sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) num_ab = Counter() num_i = Counter() for i in rab: num_ab[bin_id(i, binsize)] += 1 for i in ri: num_i[bin_id(i, binsize)] += 1 item = [] #item = [(min(counter_i)-9.9e-5, 1e-10, 1e-10)] item.extend([(i, counter_ab[i]/sum_weight_ab, counter_ab[i] / sum_weight_ab / math.sqrt(num_ab[bin_id(i, binsize)])) for i in counter_ab]) data_ab.append(sorted(item)) data_i.append(sorted([(i, counter_i[i]/sum_weight_i, counter_i[i] / sum_weight_i / math.sqrt(num_i[bin_id(i, binsize)])) for i in counter_i])) g = Gnuplot.Gnuplot() g('set term postscript eps solid') g('set output "r_f_obs.eps"') g('set xlabel "size (km)"') g('set log') g('set ylabel "Frequency"') g('set key right top') g('set style fill border') g('unset boxwidth') g.set_range('yrange',(1e-7, 1.0)) g.set_range('xrange', (size_min, 900)) item_model_i = Gnuplot.PlotItems.Data( data_i, title='', with_='yerrorlines lw 5 ps 1.5 lc rgb "black"') item_model_ab = Gnuplot.PlotItems.Data( data_ab, title='', with_='yerrorbars pt 7 ps 1.5 lc rgb "black"') item_model_ab_smooth = Gnuplot.PlotItems.Data( data_ab, using='1:2 smooth bezier lw 5 lc rgb "black"', title='') item_obs = Gnuplot.PlotItems.File( 'r_fobs', using='1:2', title='observation', with_='lp lc rgb "black" ') item_d_obs = Gnuplot.PlotItems.File( 'd_fobs', using='1:2', title='observation', with_='lp lw 5 lc rgb "grey" ') g._add_to_queue([item_model_i, item_model_ab, item_model_ab_smooth, item_d_obs]) g('set label "T = 0 Myr" at 20, 0.01') g('set label "T = 10 Myr" at 200, 0.02') g.refresh() g.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys hermit_location = os.getenv('HOME')+'/Hermit4/hermit4' runfile_location = os.getenv('HOME')+'/Hermit4/asteroid_belt' begin = int(sys.argv[1]) end = int(sys.argv[2]) print 'Runing from %d to %d\n' % (begin, end) for loop in range(begin-1, end): if not os.path.exists('%d'%(loop+1)): os.mkdir('%d'%(loop+1)) os.chdir('%s/%d'%(runfile_location,(loop+1))) print '%s/%d'%(runfile_location,(loop+1)) k_start=1 t_comp=100000.0 n=2 n_rand=0 eta=0.003 delta_t=5e5 t_crit=5e6 dtmin=1.0e-8 rmin=0.002 etau=0.05 gmin=1.0e-6 kz = [1, 0, 1, 0, 0, 1, 0, 0, 1, 2] g_p=1 g_d=1 g_r=0 dens_p_temp=5.5 t_dep=5e5 r_edge=12 r_in = 4.5 dens0=2000 m_crit=1e-20 r_esc=20.0 kg = 1.5 cd = 0.165 r_mhs = 0.9 inc=0 m_j=0.0009546 m_s=0.000285716656 m_sun_g=1.989E33 #radius in km unit def y(x,k): return x**(-k)/(-k) def g(x,k): return (x*(-k))**(-1.0/k) alpha = 0 radius = [0]*(n-1) for i in range(n-1): if alpha > 0: xmax = 200 xmin = 20 temp1 = random.uniform(0, 1) temp2 = temp1*y(xmin,alpha) + (1-temp1)*y(xmax,alpha) radius[i] = g(temp2,alpha) else: radius[i] = 10**(random.uniform(1.477,2.477)) if radius[0] >= 100: dens_p = dens_p_temp else: dens_p = dens_p_temp*radius[0]/100.0 if dens_p < 1.0: dens_p = 1.0 mp=[dens_p*4*math.pi*(radius[i]*1e5)**3/(3*m_sun_g) for i in range(n-2)] + [m_j] ej = 0.06 es = 0.00 ecc=[0.000]*(n-2) + [ej] a=[random.uniform(3.5**(-0.5), 2**(-0.5))**(-2)]+[5.2] rp=[a[i]*(1-ecc[i]) for i in range(n)] theta=[random.uniform(0.0, 2*math.pi)]*n x=[rp[i]*math.cos(theta[i]) for i in range(n)] y=[rp[i]*math.sin(theta[i]) for i in range(n)] z=[0]*n vp=[math.sqrt((1+ecc[i])*(1+mp[i])/rp[i]) for i in range(n)] vx=[-vp[i]*math.sin(theta[i]) for i in range(n)] vy=[vp[i]*math.cos(theta[i]) for i in range(n)] vz=[0]*n p=[math.sqrt(a[i]**3)/(1+mp[i]) for i in range(n)] three_d = 0 nleast = n-1 f=open('input','w') print >>f, k_start, t_comp print >>f, n, n_rand, eta, delta_t, t_crit for i in kz: print >>f, i, print >>f print >>f, dtmin, rmin, etau, gmin for i in range(n): print >>f,mp[i],x[i],y[i],z[i],vx[i],vy[i],vz[i] print >>f, g_p, g_d, g_r, t_dep, r_edge, r_in, dens0, dens_p, m_crit, r_esc, kg, ej, cd, r_mhs, three_d, nleast f.close() os.system("%s<input>output" % hermit_location) os.chdir('%s'%runfile_location) <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' def weight(x): return x**(-3.5) def bin_id(x, binsize): return min(int(math.log10(x) / binsize), 22) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.1 size_min = 20 size_max = 200 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in counter: print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] data_dir = ['./dens2000_ej0.06_tdep0.5_redge12/','./dens2000_ej0.06_tdep0.5_redge12_add_saturn/','./dens2000_ej0.06_tdep0.5_redge12_densp2/'] data_ab = [] data_i = [] for j in data_dir: rab = [] ri = [] for line in open(j+'rab'): size = float(line.split()[0]) if size >= size_min and size <= size_max: rab.append(size) for line in open(j+'ri'): size = float(line.split()[0]) if size >= size_min and size <= size_max: ri.append(size) print 'rab' stat(rab) print 'ri' stat(ri) sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) num_ab = Counter() num_i = Counter() for i in rab: num_ab[bin_id(i, binsize)] += 1 for i in ri: num_i[bin_id(i, binsize)] += 1 item = [(min(counter_i) - 1e-6, 1e-6, 1e-6)] item.extend([(i, counter_ab[i]/sum_weight_ab, counter_ab[i] / sum_weight_ab / math.sqrt(num_ab[bin_id(i, binsize)])) for i in counter_ab]) data_ab.append(sorted(item)) data_i.append(sorted([(i, counter_i[i]/sum_weight_i, counter_i[i] / sum_weight_i / math.sqrt(num_i[bin_id(i, binsize)])) for i in counter_i])) g = Gnuplot.Gnuplot() g('set term postscript eps solid') g('set output "r_f_obs_com.eps"') g('set xlabel "R(km)"') g('set log') g('set ylabel "Frequency"') g('set key right top') g('set style fill border') g('unset boxwidth') g.set_range('yrange',(1e-3, 1.0)) g.set_range('xrange', (size_min, size_max)) item_default = Gnuplot.PlotItems.Data( data_ab[0], title='default model', with_='yerrorbars lc rgb "green"') item_default_smooth = Gnuplot.PlotItems.Data( data_ab[0], using='1:2', smooth='bezier', with_='l lw 2 lc rgb "green"', title = '') item_saturn = Gnuplot.PlotItems.Data( data_ab[1], title='with saturn', with_='yerrorbars lc rgb "red"') item_saturn_smooth = Gnuplot.PlotItems.Data( data_ab[1], using='1:2', smooth='bezier', with_='l lw 2 lc rgb "red"', title = '') item_densp = Gnuplot.PlotItems.Data( data_ab[2], title='densp = 2', with_='yerrorbars lc rgb "yellow"') item_densp_smooth = Gnuplot.PlotItems.Data( data_ab[2], using='1:2', smooth='bezier', with_='l lw 2 lc rgb "yellow"', title = '') item_obs = Gnuplot.PlotItems.File( 'r_fobs', using='1:2', title='observation', with_='lp lc rgb "black"') g._add_to_queue([item_default, item_saturn, item_densp, item_obs, item_default_smooth, item_saturn_smooth, item_densp_smooth]) g.refresh() g.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys hermit_location = os.getenv('HOME')+'/Hermit4/hermit4_default' runfile_location = os.getenv('HOME')+'/Hermit4/asteroid_belt/test6/rp100' begin = int(sys.argv[1]) end = int(sys.argv[2]) ########################################################################################## ns = 50 A = [0]*ns for i in range(len(A)): A[i] = float(math.factorial(2*i))/2**(2*i)/(math.factorial(i))**2 A[i] = A[i]**2 def Fpd_wg(aj): if aj <= ain or aj >= aout: dens = aj**(-kg) dens_base = dens * (-kg) f = - 4 * math.pi * dens f_base = -4 * math.pi * dens_base n_tot = 0 n_tot_base = 0 for i in range(len(A)): if aj <= ain: n = i * A[i] * (aj/ain)**(2*i-1+kg)/(2*i-1+kg) n_base = n * (2*i-1+kg) if aj >= aout: n = -(2*i+1)/2. * A[i] * (aout/aj)**(2*i+2-kg)/(2*i+2-kg) n_base = - n * (2*i+2-kg) n_tot = n_tot + n n_tot_base = n_tot_base + n_base fr = f * (zk + n_tot) fr_base = f_base * (zk + n_tot) + f * n_tot_base if aj > ain and aj < aout: fr,fr_base = Fjd_wg(aj) return fr, fr_base def Fjd_wg(aj): dens = aj**(-kg) dens_base = dens * (-kg) f = 2 * math.pi * dens f_base = 2 * math.pi * dens_base n_tot = 0 n_tot_base = 0 for i in range(len(A)): n = A[i] * (2*i*(aj/aout)**(2*i-1+kg)/(2*i-1+kg) - (2*i+1)*(ain/aj)**(2*i+2-kg)/(2*i+2-kg)) n_base = A[i] * (2*i*(aj/aout)**(2*i-1+kg) + (2*i+1)*(ain/aj)**(2*i+2-kg)) n_tot = n_tot + n n_tot_base = n_tot_base + n_base fr = f * n_tot fr_base = f_base * n_tot + f * n_tot_base return fr, fr_base m_j = 0.000954786 m_s = 0.000285837 a_j = 5.202545 a_s = 9.554841 dens0 = 1700 kg = 1.5 zk = 1.094 tdep = 1e6 ain = 4.5 aout = 11.0 f = open('ap_f_fdot','w') ap = [i*0.0001 for i in range(1000,45000)] for i in range(len(ap)): fp,fp_dot = Fpd_wg(ap[i]) print >> f, ap[i], fp, fp_dot f.close() f = open('aj_f_fdot','w') apj = [ain + (a_j-ain)*2*i/10000. for i in range(10000)] for i in range(len(apj)): fj,fj_dot = Fjd_wg(apj[i]) print >> f, apj[i], fj, fj_dot f.close() f = open('as_f_fdot','w') aps = [2*a_s-aout + (aout-a_s)*2*i/10000. for i in range(10000)] for i in range(len(aps)): fj,fj_dot = Fjd_wg(aps[i]) print >> f, aps[i], fj, fj_dot f.close() ##################################################################################################### if not os.path.exists(runfile_location): os.system('mkdir -p %s' % runfile_location) for loop in range(begin, end+1): loc = '%s/%d' % (runfile_location, loop) if not os.path.exists(loc): os.mkdir(loc) os.chdir(loc) print loc k_start=1 t_comp=100000.0 n=3 n_rand=0 eta=0.003 delta_t=1e4 t_crit=1e7 dtmin=1.0e-8 rmin=0.002 etau=0.05 gmin=1.0e-6 kz = [1, 0, 1, 0, 0, 1, 0, 0, 1, 2] g_p=0 g_d=1 g_r=0 dens_p_temp=5.5 m_crit = 1e-5 r_esc = 20. cd = 0.165 r_mhs = 0.1 inc=0 m_sun_g=1.989E33 #radius in km unit def y(x,k): return x**(-k)/(-k) def g(x,k): return (x*(-k))**(-1.0/k) alpha = 0 radius = [0]*(n-1) for i in range(n-1): if alpha > 0: xmax = 200 xmin = 20 temp1 = random.uniform(0, 1) temp2 = temp1*y(xmin,alpha) + (1-temp1)*y(xmax,alpha) radius[i] = g(temp2,alpha) else: radius[i] = 10**(random.uniform(1.0,3.0)) radius[0] = 100. if radius[0] >= 100: dens_p = dens_p_temp else: dens_p = dens_p_temp*radius[0]/100.0 if dens_p < 1.0: dens_p = 1.0 mp=[dens_p*4*math.pi*(radius[i]*1e5)**3/(3*m_sun_g) for i in range(n-2)] + [m_j] + [m_s] ej = 0.05 es = 0.00 ecc=[0.000]*(n-2) + [ej] + [es] # a=[random.uniform(3.3**(-0.5), 2.0**(-0.5))**(-2)]+[a_j]+ [a_s] a = [3.3, a_j, a_s] rp=[a[i]*(1-ecc[i]) for i in range(n)] theta=[random.uniform(0.0, 2*math.pi)]*n x=[rp[i]*math.cos(theta[i]) for i in range(n)] y=[rp[i]*math.sin(theta[i]) for i in range(n)] z=[0]*n print 'radius = ', radius[0], 'location = ', a[0] vp=[math.sqrt((1+ecc[i])*(1+mp[i])/rp[i]) for i in range(n)] vx=[-vp[i]*math.sin(theta[i]) for i in range(n)] vy=[vp[i]*math.cos(theta[i]) for i in range(n)] vz=[0]*n p=[math.sqrt(a[i]**3)/(1+mp[i]) for i in range(n)] three_d = 0 nleast = n-1 twogg = 0 t_s = 5e5 m_s_int = 0.0001 r_s = 10.5 r_out_int = aout f=open('input','w') print >>f, k_start, t_comp print >>f, n, n_rand, eta, delta_t, t_crit for i in kz: print >>f, i, print >>f print >>f, dtmin, rmin, etau, gmin for i in range(n): print >>f,mp[i],x[i],y[i],z[i],vx[i],vy[i],vz[i] print >>f, g_p, g_d, g_r, tdep, aout, ain, dens0, dens_p, m_crit, r_esc, kg, ej, cd, r_mhs, three_d, nleast, twogg if twogg > 0: print >>f, m_s, m_s_int, t_s, r_s, r_out_int f.close() # print 'finish write output' os.system("%s<input>output" % hermit_location) os.chdir('%s'%runfile_location) <file_sep>#!/usr/bin/env python import os minVal = 0.0 maxVal = 1.0 nBin = 10 binSize = (maxVal - minVal) / nBin def bin(x): return int((x - minVal) / binSize) def binVal(i): return (i + 0.5) * binSize + minVal subdir = 10, 50, 100, 500, 1000, 2000 data = [ ] for d in subdir: cnt = [ 0 ] * nBin for line in open('./rp%d/emax' % d): val = float(line) if val >= minVal and val <= maxVal: cnt[bin(val)] += 1 data.append(cnt) fout = open('emax_n0.dat', 'w') print >> fout, 'number', ' '.join('"r = %d km"' % d for d in subdir) for i in range(nBin): print >> fout, binVal(i), ' '.join(str(cnt[i]) for cnt in data) fout.close() os.system('./test.gplt') <file_sep>#!/usr/bin/env python import os import math a = 1.25 rp = 100. if rp > 100: densp = 5.5 else: densp = 5.5*rp/100 if densp < 1.0: densp = 1.0 mp = 4./3 * math.pi * densp * rp**3 * 5e-19 td1_upp = a**2.75*rp*densp*9./5e-2/(2*math.pi) td1_low = a**2.75*rp*densp*9./1e-2/(2*math.pi) td2 = (1./mp)*a**2*4e-4/(2*math.pi) tdep = 1e6 t = [i*1e3 for i in range(0,10000)] t1_upp = [td1_upp*math.exp(i/tdep)/tdep for i in t] t1_low = [td1_low*math.exp(i/tdep)/tdep for i in t] t2 = [td2*math.exp(i/tdep)/tdep for i in t] f = open('t1_t2_t_rp100_af','w') for i in range(len(t)): print >> f, t1_upp[i], t1_low[i], t2[i], t[i] f.close() <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys import Gnuplot as gp gp.GnuplotOpts.default_term = 'post enh color eps' import Gnuplot.funcutils from scipy.integrate import quad def integrand(x, s, n, alpha): r = math.cos(n*x) / (1 + alpha**2 - 2*alpha*math.cos(x))**s r = r/math.pi return r def bsn(s, n, alpha): b = quad(integrand, 0 , 2*math.pi, args = (s, n, alpha)) bf = b[0] return bf def Gjd(dens0, k, zk, aj): gjd = - zk * math.pi * dens0 * aj**(-k) nj = aj**(-1.5) gjd = gjd / (nj * aj) return gjd def Gjd_wg(dens_in, dens_out, k, zk, aj, a_in, a_out): nj = aj**(-1.5) gjd = 2 * math.pi * aj**(-kg)/ (nj * aj) A1 = 1./4 A2 = 9./64 A3 = 25./256 gjd1 = gjd * 3 * A1 * (dens_in *(a_in/aj)**(4-k)/(4-k) + dens_out * (aj/a_out)**(1+k)/(1+k)) gjd2 = gjd * 10 * A2 * (dens_in * (a_in/aj)**(6-k)/(6-k) + dens_out * (aj/a_out)**(3+k)/(3+k)) gjd3 = gjd * 21 * A3 * (dens_in * (a_in/aj)**(8-k)/(8-k) + dens_out * (aj/a_out)**(5+k)/(5+k)) gjd = gjd1 + gjd2 + gjd3 return gjd def Gjd_sg(dens_in, dens_out, k, zk, aj, ej): nj = aj**(-1.5) gjd = math.pi / (nj * aj) A1 = 1./4 A2 = 9./64 A3 = 25./256 a_in = aj * (1-1.5*ej) a_out = aj * (1+1.5*ej) gjd1 = gjd * 3 * A1 * (dens_in *(a_in/aj)**(4-k)/(4-k) + dens_out * (aj/a_out)**(1+k)/(1+k)) gjd2 = gjd * 10 * A2 * (dens_in * (a_in/aj)**(6-k)/(6-k) + dens_out * (aj/a_out)**(3+k)/(3+k)) gjd3 = gjd * 21 * A3 * (dens_in * (a_in/aj)**(8-k)/(8-k) + dens_out * (aj/a_out)**(5+k)/(5+k)) gjd = gjd1 + gjd2 + gjd3 return gjd def Gij(ai, aj, mj): alpha = min(ai, aj) / max(ai, aj) b1 = bsn(1.5, 1, alpha) ni = ai**(-1.5) gij = mj * alpha * b1 gij = gij / (4 * ni * ai**2 * max(ai, aj)) return gij m_j = 0.000954786 m_s = 0.000285837 a_j = 5.202545 a_s = 9.554841 dens0 = 1700 * 1.125e-7 k = 1.5 zk = 1.094 tdep = 1e6 a_in = 4.5 a_out = 11.0 g_js = Gij(a_j, a_s, m_s) g_sj = Gij(a_s, a_j, m_j) #--------------------------------------------------------------------------------- for i in range(100): while True: ap = random.uniform(5,40) ap = 0.1*ap t = random.uniform(0,5) t = 10**(t-4) g_jd = Gjd(dens0, k, z_k, a_j) g_sd = Gjd(dens0, k, z_k, a_s) g_pd = Gjd(dens0, k, z_k, ap) g_pj = Gij(ap, a_j, m_j) g_ps = Gij(ap, a_s, m_s) g_j = g_js + g_jd*t g_s = g_sj + g_sd*t g_5 = 0.5*(g_j + g_s + ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_6 = 0.5*(g_j + g_s - ((g_j - g_s)**2 + 4*g_js**2)**0.5) g_p = g_ps + g_pj + g_pd*t if abs((g_p - g_5) / g_5) < 1e-3: data_v5 break if abs((g_p - g_6) / g_6) < 1e-3: print >> f1, ap, t break for i in range(nstep): g_pd[i] = Gjd(dens0, k, zk, ap[i]) g_pj[i] = Gij(ap[i], a_j, m_j) g_ps[i] = Gij(ap[i], a_s, m_s) exp_t[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd - g_pd[i]) exp_t_p4[i] = 6e-3 * ap[i]**4 t[i] = math.log(abs(1./exp_t[i]))*tdep t_p4[i] = math.log(abs(1./exp_t_p4[i]))*tdep if ap[i] < a_j*(1-0.2): exp_t_2d[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_2d - g_pd[i]) else: exp_t_2d[i] = 0.0 if ap[i] < a_j*(1-0.3): exp_t_3d[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_3d - g_pd[i]) else: exp_t_3d[i] = 0.0 if ap[i] < a_j*(1-0.4): exp_t_4d[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_4d - g_pd[i]) else: exp_t_4d[i] = 0.0 if ap[i] < a_j*(1-0.5): exp_t_5d[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_5d - g_pd[i]) else: exp_t_5d[i] = 0.0 exp_t_ns[i] = g_pj[i]/(g_jd - g_pd[i]) t_ns[i] = math.log(abs(1/exp_t_ns[i]))*tdep exp_t_wg[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_wg - g_pd[i]) t_wg[i] = math.log(abs(1./exp_t_wg[i]))*tdep t_2d[i] = math.log(abs(1./exp_t_2d[i]))*tdep exp_t_sg[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_sg - g_pd[i]) t_sg[i] = math.log(abs(1/exp_t_sg[i]))*tdep exp_t_sat[i] = (g_pj[i] + g_ps[i] - g_sj)/(g_sd - g_pd[i]) exp_t_wg_sat[i] = (g_pj[i] + g_ps[i] - g_sj)/(g_sd_wg - g_pd[i]) t_wg_sat[i] = math.log(abs(1./exp_t_wg[i]))*tdep exp_t_sg_sat[i] = (g_pj[i] + g_ps[i] - g_sj)/(g_sd_sg - g_pd[i]) t_sg_sat[i] = math.log(abs(1/exp_t_sg[i]))*tdep exp_t_wg_cons[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_wg_cons - g_pd[i]) print g_pj[i], g_ps[i], g_js, g_sj, g_pd[i], g_jd, g_sd, g_jd_wg, g_sd_wg exp_t_ni[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_ni - g_pd[i]) t_ni[i] = math.log(abs(1/exp_t_ni[i]))*tdep g_pd_li[i] = Gjd(dens0*0.2, k, zk, ap[i]) exp_t_li[i] = (g_pj[i] + g_ps[i] - g_js)/(g_jd_li - g_pd_li[i]) t_li[i] = math.log(abs(1/exp_t_li[i]))*tdep #print exp_t_wg[-1], exp_t[-1], ap[-1] #print math.log10(1./exp_t_wg[-1]), ap [-1] data_expt = [(ap[i], exp_t[i]) for i in range(nstep)] data_t = [(t[i], ap[i]) for i in range(nstep)] data_expt_p4 = [(ap[i], exp_t_p4[i]) for i in range(nstep)] data_t_p4 = [(t_p4[i], ap[i]) for i in range(nstep)] data_expt_sat = [(ap[i], exp_t_sat[i]) for i in range(nstep)] data_expt_2d = [(ap[i], exp_t_2d[i]) for i in range(nstep)] data_expt_3d = [(ap[i], exp_t_3d[i]) for i in range(nstep)] data_expt_4d = [(ap[i], exp_t_4d[i]) for i in range(nstep)] data_expt_5d = [(ap[i], exp_t_5d[i]) for i in range(nstep)] data_expt_ns = [(ap[i], exp_t_ns[i]) for i in range(nstep)] data_t_ns = [(t_ns[i], ap[i]) for i in range(nstep)] data_expt_wg = [(ap[i], exp_t_wg[i]) for i in range(nstep)] data_t_wg = [(t_wg[i], ap[i]) for i in range(nstep)] data_expt_sg = [(ap[i], exp_t_sg[i]) for i in range(nstep)] data_t_sg = [(t_sg[i], ap[i]) for i in range(nstep)] data_expt_wg_sat = [(ap[i], exp_t_wg_sat[i]) for i in range(nstep)] data_t_wg_sat = [(t_wg_sat[i], ap[i]) for i in range(nstep)] data_expt_sg_sat = [(ap[i], exp_t_sg_sat[i]) for i in range(nstep)] data_t_sg_sat = [(t_sg_sat[i], ap[i]) for i in range(nstep)] data_expt_wg_cons = [(ap[i], exp_t_wg_cons[i]) for i in range(nstep)] data_t_2d = [(t_2d[i], ap[i]) for i in range(nstep)] data_expt_ni = [(ap[i], exp_t_ni[i]) for i in range(nstep)] data_t_ni = [(t_ni[i], ap[i]) for i in range(nstep)] data_t_10tdep = [(t_wg[i]*10, ap[i]) for i in range(nstep)] #data_gjd = [(i*tdep*0.1, g_jd_wg*math.exp(-i*0.1)) for i in range(100)] data_gjd_ni = [(i*tdep*0.1, g_jd_ni*math.exp(-i*0.1)) for i in range(100)] data_gjd_ain = [(ain[i], g_jd_ain[i]) for i in range(50)] data_t_li = [(t_li[i], ap[i]) for i in range(nstep)] data_gjs = [(t[i], g_js) for i in range(nstep)] data_gjd = [(t[i], g_jd_wg*math.exp(-t[i]/tdep)) for i in range(nstep)] data_gpd = [(t[i], g_pd[i]*math.exp(-t[i]/tdep)) for i in range(nstep)] data_gpj = [(t[i], g_pj[i]) for i in range(nstep)] data_gps = [(t[i], g_ps[i]) for i in range(nstep)] #print g_js, g_ps item_expt_p4 = gp.Data(data_expt_p4, title = '~ a^4', with_='l lw 10') item_expt_2d = gp.Data(data_expt_2d, title = '\delta_{d} = 0.2', with_='l lw 10') item_expt_3d = gp.Data(data_expt_3d, title = '\delta_{d} = 0.3', with_='l lw 10') item_expt_4d = gp.Data(data_expt_4d, title = '\delta_{d} = 0.4', with_='l lw 10') item_expt_5d = gp.Data(data_expt_5d, title = '\delta_{d} = 0.5', with_='l lw 10') item_t_2d = gp.Data(data_t_2d, title = '\delta_{d} = 0.2', with_='l lw 10') item_expt_ns = gp.Data(data_expt_ns, title = 'no saturn', with_='l lw 10') item_expt = gp.Data(data_expt, title = 'no gap', with_='l lt 2 lc 0 lw 5') item_t = gp.Data(data_t, title = 'no gap', with_='l lt 2 lc 0 lw 5') item_expt_sat = gp.Data(data_expt_sat, title = '', with_='l lt 2 lc 9 lw 5') item_t_sat = gp.Data(data_t, title = '', with_='l lt 2 lc 9 lw 5') item_expt_wg = gp.Data(data_expt_wg, title = 'large gap', with_='l lt 1 lc 0 lw 5') item_t_wg = gp.Data(data_t_wg, title = 'large gap', with_='l lt 1 lc 0 lw 5') item_expt_sg = gp.Data(data_expt_sg, title = 'small gap', with_='l lt 0 lc 0 lw 5') item_t_sg = gp.Data(data_t_sg, title = 'small gap', with_='l lt 0 lc 0 lw 5') item_expt_wg_sat = gp.Data(data_expt_wg_sat, title = '', with_='l lt 1 lc 9 lw 5') item_t_wg_sat = gp.Data(data_t_wg, title = '', with_='l lt 1 lc 9 lw 5') item_expt_sg_sat = gp.Data(data_expt_sg_sat, title = '', with_='l lt 0 lc 9 lw 5') item_t_sg_sat = gp.Data(data_t_sg_sat, title = '', with_='l lt 0 lc 9 lw 5') item_expt_wg_cons = gp.Data(data_expt_wg_cons, title = 'cons gap', with_='l lt 3 lc 0 lw 5') item_t_10tdep = gp.Data(data_t_10tdep, title = 'with gap, tdep = 10Myr', with_='l lw 10') item_expt_ni = gp.Data(data_expt_ni, title = 'with gap, no inner disk', with_='l lw 10') item_t_ni = gp.Data(data_t_ni, title = 'with gap, no inner disk', with_='l lw 10') item_gjd = gp.Data(data_gjd, title = 'with inner disk', with_='line lw 10') item_gjd_ni = gp.Data(data_gjd_ni, title = 'no inner disk', with_='line lw 10') item_gjd_ain = gp.Data(data_gjd_ain, title = '', with_='line lw 10') item_t_li = gp.Data(data_t_li, title = 'reduction 5 time in inner disk', with_='l lw 10') item_gjs = gp.Data(data_gjs, title = 'saturn', with_='l lw 10') item_gpd = gp.Data(data_gpd, title = 'disk', with_='l lw 10') item_gpj = gp.Data(data_gpj, title = 'jupiter', with_='l lw 10') item_gps = gp.Data(data_gps, title = 'saturn', with_='l lw 10') g = gp.Gnuplot() g('set term postscript eps color') g('set output "ap_t.eps"') g('set key left top') g('set autoscale') g('set xlabel "a (AU)"') g('set ylabel "exp(-t/Tdep)"') g('set yrange [1e-4:5.0]') g('set log y') #g('set grid') g('set yrange [:2]') g.plot(item_expt, item_expt_sat, item_expt_wg, item_expt_sg, item_expt_wg_sat, item_expt_sg_sat) g('unset log') g('set output') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "t_ap.eps"') g('set key left top') g('set autoscale') g('set ylabel "a (AU)"') g('set xlabel "Time (yr)"') #g('set log x') g('set xrange [0:]') g('set yrange [0.85:3.2]') g.plot(item_t, item_t_wg, item_t_sg, item_t_sat, item_t_wg_sat, item_t_sg_sat ) g('set output') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "ap_tssr_com.eps"') g('set multiplot layout 2, 2') g('set key left top') g('set autoscale') g('set grid') g('set xlabel "a (AU)"') g('set ylabel "exp(-t/tdep)"') g('set log y') g('set xrange [0.5:]') g('set yrange [0.0001:5]') g.plot(item_expt, item_expt_sat) g.plot(item_expt, item_expt_wg, item_expt_2d, item_expt_3d, item_expt_4d, item_expt_5d) g.plot(item_expt_sg, item_expt_wg) g('set ylabel "a (AU)"') g('set xlabel "Time (yr)"') g('unset log') g('set xtics 2e6') g('set xrange [:7e6]') g('set yrange [1:4]') g.plot(item_t_wg, item_t_sg, item_t) g('unset multiplot') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "g_t.eps"') g('set multiplot layout 1, 2') g('set key left top') g('set autoscale') g('set xlabel "Time (yr)"') g('set ylabel "precession rate"') #g('set log y') #g('set xrange [2.0:10.0]') g('set title "Jupiter"') g.plot(item_gjd, item_gjs) g('set title "Planetesimal"') g.plot(item_gpd, item_gpj, item_gps) g('unset multiplot') g = gp.Gnuplot() g('set term postscript eps solid color') g('set output "ap_grav.eps"') #g('set multiplot layout 2, 1') g('set key left top') g('set autoscale') g('set xlabel "a (AU)"') g('set ylabel "grav"') #g('set log y') #g('set xrange [2.0:10.0]') #g.plot(item_grav_ratio) g('set output') f = open('t_assr','w') for i in range(nstep): print >> f, data_t[i][0], data_t[i][1] f.close() f = open('t_assr_wg','w') for i in range(nstep): print >> f, data_t_wg[i][0], data_t_wg[i][1] f.close() f = open('t_assr_wg_2dep','w') for i in range(nstep): print >> f, data_t_wg[i][0]*2, data_t_wg[i][1] f.close() f = open('t_assr_p4', 'w') for i in range(nstep): print >> f, data_t_p4[i][0], data_t_p4[i][1] f.close() f = open('t_assr_10tdep','w') for i in range(nstep): print >> f, data_t_10tdep[i][0], data_t_10tdep[i][1] f.close() f = open('t_assr_ni','w') for i in range(nstep): print >> f, data_t_ni[i][0], data_t_ni[i][1] f.close() <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' x_min = 10 x_max = 120 def weight(x): return 1.0 def bin_id(x, binsize): return math.floor((x - x_min)/binsize) def bin(x, binsize): return (x_min + binsize * bin_id(x, binsize)) binsize = 5 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in sorted(counter): print i, x_min+(binsize*i), x_min+(binsize*(i+1)), counter[i] dir = ['./temp'] data = [] data_m = [] for loop in dir: ap_i = [float(i.split()[0]) for i in open(loop+'/ap_r_i')] ap_f = [float(i.split()[0]) for i in open(loop+'/ap_r_f')] r_i = [float(i.split()[1]) for i in open(loop+'/ap_r_i')] r_f = [float(i.split()[1]) for i in open(loop+'/ap_r_f')] print 'ap_i' stat(ap_i) print 'ap_f' stat(ap_f) sum_weight_i = sum(weight(i) for i in ap_i) sum_weight_f = sum(weight(i) for i in ap_f) n_i = len(r_i) n_f = len(r_f) counter_i = Counter() counter_f = Counter() counter_m_i = Counter() counter_m_f = Counter() for i in ap_i: counter_i[bin(i, binsize)] += weight(i) for i in ap_f: counter_f[bin(i, binsize)] += weight(i) for idx in range(n_i): counter_m_i[bin(ap_i[idx], binsize)] += r_i[idx]**3 for idx in range(n_f): counter_m_f[bin(ap_f[idx], binsize)] += r_f[idx]**3 def h(x): if counter_i[x] == 0 or counter_f[x] == 0: base = 0.0 error = 0.0 else: base = float(counter_f[x])/counter_i[x] if counter_f[x] == 0: erro = 0.0 else: error = 1 / math.sqrt(counter_f[x]) + 1/ math.sqrt(counter_i[x]) x = x + binsize/2. return x, base, base * (1 - error), base * (1 + error) def h_m(x): if counter_m_i[x] == 0 or counter_m_f[x] == 0: base = 0.0 error = 0.0 else: base = float(counter_m_f[x])/counter_m_i[x] if counter_m_f[x] == 0: erro = 0.0 else: error = 1 / math.sqrt(counter_f[x]) + 1/ math.sqrt(counter_i[x]) x = x + binsize/2. return x, base, base * (1 - error), base * (1 + error) xlist = range(x_min, x_max, binsize) data.append(sorted(h(x) for x in xlist)) data_m.append(sorted(h_m(x) for x in xlist)) ########################################################################################## item0 = Gnuplot.Data(data[0], title = '', with_='boxerrorbars lc rgb "blue"') item_m0 = Gnuplot.Data(data_m[0], title = '', with_='boxerrorbars lc rgb "blue"') item_r = Gnuplot.PlotItems.File('./aj60_ej0.2_ng/ap_r_f',title = '', using=' 1:2 axes x1y2') g = Gnuplot.Gnuplot() g('set term postscript eps solid') g('set output "ap_nd_md.eps"') g('set title "aj = 60, ej = 0.2"') g('set key center top') g('set macros') g('TMARGIN = "set tmargin at screen 0.90; set bmargin at screen 0.55"') g('BMARGIN = "set tmargin at screen 0.55; set bmargin at screen 0.20"') g('LMARGIN = "set lmargin at screen 0.15; set rmargin at screen 0.90"') g('set multiplot layout 2,1') g('set ylabel "Residual number fraction"') g.set_range('xrange', (x_min, x_max)) g.set_range('yrange',(0.0,3.5)) g('@TMARGIN;@LMARGIN') g('unset xtics') g('set boxwidth -2') g.plot(item0) g('@BMARGIN;@LMARGIN') g('set xtics') g('set xlabel "ap (AU)"') g('set ylabel "Residual mass fraction"') g('unset title') g('set y2tics 100 nomirror tc lt 1') g('set log y2') g('set y2label "Size (km)" tc lt 1') g.set_range('y2range',(1e-6, 1e3)) g.plot(item_m0) g.plot(item_r) g('unset multiplot') g.close() <file_sep>.KEEP_STATE: #FFLAGS = -pg -g -ffpe-trap=invalid,zero,overflow -ffixed-line-length-none FFLAGS = -ffixed-line-length-none -O3 -march=sandybridge -static FC = gfortran SOURCE = \ hermit4.f bhinit.f bhint.f bhlist.f bhpert.f bhreg.f \ bhterm.f block.f bodies.f cmf.f cputim.f data.f \ energy.f fpoly1.f fpert.f iblock.f inext.f input.f \ intgrt.f mydump.f nbint.f output.f ran2.f remove.f \ resolv.f search.f start.f stepi.f stepk.f steps.f \ tstep.f xvpred.f zero.f get_precession.f damping.f \ gas_potential.f gr.f rm_from_list.f \ gas_potential_add_inner_pot.f get_outer_gravity.f \ gas_potential_3d.f gas_potential_thommes08.f \ gas_potential_full.f \ gas_potential_red.f \ gas_potential_sg.f \ damping_a.f \ gas_potential_j.f gas_potential_p.f gas_potential_s.f \ load_data.f OBJECTS = $(SOURCE:.f=.o) hermit4: $(OBJECTS) $(FC) $(FFLAGS) $(OBJECTS) -o hermit4 clean: rm -f $(OBJECTS) hermit4 print: @- \rm -f HERMIT4.TEXT @cat $(SOURCE) > HERMIT4.TEXT <file_sep>#!/usr/bin/env python import random import math import os import shutil import sys from scipy.integrate import quad def integrand(x, s, n, alpha): r = math.cos(n*x) / (1 + alpha**2 - 2*alpha*math.cos(x))**s r = r/math.pi return r def bsn(s, n, alpha): b = quad(integrand, 0 , 2*math.pi, args = (s, n, alpha)) bf = b[0] return bf def Gjd(dens, kg, zk, aj): gjd = - zk * math.pi * dens * aj**(-kg) nj = aj**(-1.5) gjd = gjd / (nj * aj) return gjd def Gjd_wg(dens_in, dens_out, kg, aj, ain, aout): nj = aj**(-1.5) gjd = math.pi / (nj * aj) A1 = 1./4 A2 = 9./64 A3 = 25./156 gjd1 = gjd * 3 * A1 * (dens_in * (ain/aj)**(4-kg)/(4-kg) + dens_out * (aj/aout)**(1+kg)/(1+kg)) gjd2 = gjd * 10 * A2 * (dens_in * (ain/aj)**(6-kg)/(6-kg) + dens_out * (aj/aout)**(3+kg)/(3+kg)) gjd3 = gjd * 21 * A3 * (dens_in * (ain/aj)**(8-kg)/(8-kg) + dens_out * (aj/aout)**(5+kg)/(5+kg)) gjd = gjd1 + gjd2 + gjd3 return gjd def Gij(ai, aj, mj): alpha = min(ai, aj) / max(ai, aj) b1 = bsn(1.5, 1, alpha) ni = ai**(-1.5) gij = mj * alpha * b1 gij = gij / (4 * ni * ai**2 * max(ai, aj)) return gij m_j = 0.000954786 a_j = 5.202545 dens0 = 1700 * 1.125e-7 k = 1.5 z_k = 1.094 tdep = 1e6 a_in = 4.5 a_out = 11.0 #-------------------------------------------------------------------------------------------- ap = [i*0.01 for i in range(10,400)] nstep = 390 f = open('ap_expt_t','w') for i in range(nstep): g_pd = Gjd(dens0, k, z_k, ap[i]) g_jd_wg = Gjd_wg(dens0, dens0, k, a_j, a_in, a_out) g_pj = Gij(ap[i], a_j, m_j) exp_t = g_pj/(g_jd_wg - g_pd) t = math.log(abs(1./exp_t))*tdep print >> f, ap[i], exp_t, t f.close() <file_sep>#!/usr/bin/env python import os import math t = [0.01,10] for j in range(len(t)): rp = [i for i in range(10,1000)] densp = [0]*len(rp) for i in range(len(rp)): if rp[i] > 100: densp[i] = 5.5 else: densp[i] = 5.5*rp[i]/100 if densp[i] < 1.0: densp[i] = 1.0 #densp = [3.0]*len(rp) a_low = 2.0 a_upp = 3.5 tdep = 1e6 mp = [4./3 * math.pi * densp[i] * rp[i]**3 * 5e-19 for i in range(len(rp))] td1_low = [a_low**2.75*rp[i]*densp[i]*9./1e-2*math.exp(t[j])/(2*math.pi)/tdep for i in range(len(rp))] td1_upp = [a_upp**2.75*rp[i]*densp[i]*9./2e-3*math.exp(t[j])/(2*math.pi)/tdep for i in range(len(rp))] td2_low = [(1./mp[i])*a_low**2*4e-4*math.exp(t[j])/(2*math.pi)/tdep for i in range(len(rp))] td2_upp = [(1./mp[i])*a_upp**2*4e-4*math.exp(t[j])/(2*math.pi)/tdep for i in range(len(rp))] f = open('t1_t2_t%2.2f' % (t[j]),'w') for i in range(len(rp)): print >> f, td1_upp[i], td1_low[i], td2_upp[i], td2_low[i], rp[i] f.close() <file_sep>#!/usr/bin/env python from collections import Counter import math import os import Gnuplot Gnuplot.GnuplotOpts.default_term = 'post enh solid color eps' def weight(x): return 1.0 def bin_id(x, binsize): return min(int(math.log10(x) / binsize), 22) def bin(x, binsize): return 10 ** (binsize * (bin_id(x, binsize) + 0.5)) binsize = 0.5 def stat(r): counter = Counter() for i in r: counter[bin_id(i, binsize)] += 1 for i in sorted(counter): print i, 10**(binsize*i), 10**(binsize*(i+1)), counter[i] rab = [float(i.split()[0]) for i in open('rab')] ri = [float(i.split()[0]) for i in open('ri')] print 'rab' stat(rab) print 'ri' stat(ri) sum_weight_ab = sum(weight(i) for i in rab) sum_weight_i = sum(weight(i) for i in ri) counter_ab = Counter() counter_i = Counter() for i in rab: counter_ab[bin(i, binsize)] += weight(i) for i in ri: counter_i[bin(i, binsize)] += weight(i) g2 = Gnuplot.Gnuplot() g2('set term postscript eps solid') g2('set output "r_df.eps"') g2('set xlabel "R(km)"') g2('set ylabel "Residual fraction"') g2('set log x') g2.set_range('xrange', (10, 3000)) g2.set_range('yrange',(0,0.025)) def f(x): base = counter_ab[x] / counter_i[x] error = 1 / math.sqrt(counter_ab[x]) + 1 / math.sqrt(counter_i[x]) #return x, base return x, base, base * (1 - error), base * (1 + error) data = sorted(f(x) for x in counter_ab) for i in data: for j in i: print j, print g2('set boxwidth -2') item = Gnuplot.PlotItems.Data( data, title = '', with_='boxerrorbars lc rgb "blue"') g2._add_to_queue([item]) g2.refresh() g2.close()
e06595b340cc2edd91cb7a17cbd86b93745fdc95
[ "C", "Python", "Makefile" ]
43
Python
zhendongjia/hermit4
169ac9b5db2a2be24165ea882353fccfcc16cbb0
38f1630f6443c7f40331d0e889c72f71f510a521
refs/heads/master
<repo_name>clinnin/ProgrammingAssignment2<file_sep>/cachematrix.R ## Creates a series of functions that can be called to cache ## the inverse (s) of a provided, inversible matrix (x) makeCacheMatrix <- function(x = matrix()) { s <- NULL set <- function(y) { x <<- y s <<- NULL } get <- function() x setsolve <- function(savedsolve) s <<- savedsolve getsolve <- function() s list(set = set, get = get, setsolve = setsolve, getsolve = getsolve) } ## Determines if the inverse has been calculated. ## If it has, returns the cached inverse. Otherwise, calculates it. cacheSolve <- function(x, ...) { s <- x$getsolve() if(!is.null(s)) { message("getting cached data") return(s) } data <- x$get() s <- solve(data, ...) x$setsolve(s)a s }
9d9a339efb035e78336ccb5c2e58947fbde9f269
[ "R" ]
1
R
clinnin/ProgrammingAssignment2
9634b22015af9e7bb9044e91b2d6faac34aa1a40
930fec5558fdb18f098606fb0b742053cf6420f5
refs/heads/master
<repo_name>Aeomanate/Tick-tack-toe<file_sep>/main.cpp #include <iostream> #include <vector> #include <string> #include <numeric> #include <functional> #include <conio.h> #include <windows.h> class Field { public: struct Pos { int row, col; }; public: Field(size_t field_size, size_t abreast_count) : cells(field_size, std::vector<char>(field_size, ' ')) , cur_field_pos { int(field_size/2), int(field_size/2) } , field_size(field_size) , abreast_count(abreast_count) {} void moveCursor(Field::Pos move_dir) { cur_field_pos.row += move_dir.row; cur_field_pos.col += move_dir.col; int fs = int(field_size); if(cur_field_pos.row < 0) cur_field_pos.row = fs - 1; if(cur_field_pos.row >= fs) cur_field_pos.row = 0; if(cur_field_pos.col < 0) cur_field_pos.col = fs - 1; if(cur_field_pos.col >= fs) cur_field_pos.col = 0; } void toggleWhoMove() { crosses_turn = !crosses_turn; } bool makeMove() { bool is_available_turn = isAvailableTurn(); if(is_available_turn) { getCurrentCell() = whoTurn(); } return is_available_turn; } // Info functions size_t fieldSize() const { return field_size; } char getCell(Pos pos) const { return char(((Field*)(this))->getCell(pos)); } char whoTurn() const { return crosses_turn ? 'X' : 'O'; } Pos currentCursorPos() const { return cur_field_pos; } size_t abreastCount() const { return abreast_count; } private: // Technical functions bool isAvailableTurn() { return getCurrentCell() == ' '; } char& getCurrentCell() { return getCell(currentCursorPos()); } char& getCell(Pos pos) { return cells[size_t(pos.row)][size_t(pos.col)]; } private: std::vector<std::vector<char>> cells; Pos cur_field_pos; size_t const field_size; size_t abreast_count; bool crosses_turn = false; }; class WinChecker { public: WinChecker(Field const& field) : field(field) , cur_player(field.whoTurn()) { } bool isWin() { return check_main_diagonal() || check_side_diagonal() || check_horizontal() || check_vertical(); } private: // Technical functions bool isCurPlayer() { return field.getCell(seek) == field.whoTurn(); } bool isInfield() { return seek.row >= 0 && seek.col >= 0 && seek.row < int(field.fieldSize()) && seek.col < int(field.fieldSize()); } bool isContinueCheck() { return isInfield() && isCurPlayer(); } bool mainCheck(std::function<void()> burhan, std::function<void()> nastya) { size_t counter = 1; // First check direction seek = field.currentCursorPos(); while(true) { burhan(); if(isContinueCheck()) { ++counter; } else { break; } } // second check_direction seek = field.currentCursorPos(); while(true) { nastya(); if(isContinueCheck()) { ++counter; } else { break; } } return counter >= field.abreastCount(); } // Check functions bool check_main_diagonal() { return mainCheck( [&] { --seek.row; --seek.col; }, [&] { ++seek.row; ++seek.col; } ); } bool check_side_diagonal() { return mainCheck( [&] { --seek.row; ++seek.col; }, [&] { ++seek.row; --seek.col; } ); } bool check_horizontal() { return mainCheck( [&] { --seek.col; }, [&] { ++seek.col; } ); } bool check_vertical() { return mainCheck( [&] { --seek.row; }, [&] { ++seek.row; } ); } private: Field const& field; Field::Pos seek; char cur_player; // X O }; class Drawer { public: Drawer(size_t field_size) : field_size(field_size) , field_screen_size { short(field_size * 4 + 1), // X short(field_size * 2) // Y } { } void printHint(std::string hint, int y_offset) { short x = short(field_screen_size.X - int(hint.size())); if(x > 0) { x /= 2; } short y = short(field_screen_size.Y + 1 + y_offset); setCursor({ x, y }); std::cout << hint; if(y_offset != 0) { waitForAnyKey(); setCursor({ x, y }); std::cout << std::string(unsigned(field_screen_size.X), ' '); } } void setCursorToField(Field field) { setCursor(convertFieldToScreen(field.currentCursorPos())); } void draw(Field field) { setCursor({0, 0}); std::cout << drawFrame(); drawFieldContent(field); printHint(field.whoTurn() + std::string(" are walking now"), +0); } private: // Technical functions COORD convertFieldToScreen(Field::Pos pos) { int x = 2 + pos.col * 4; int y = 1 + pos.row * 2; return COORD { static_cast<short>(x), static_cast<short>(y) }; } void setCursor(COORD coord) { SetConsoleCursorPosition(console_handle, coord); } void waitForAnyKey() { if(_getch() == 224) _getch(); } // Draw functions std::string make4Elements(std::string element) { std::string r = ""; for(size_t i = 0; i != field_size; ++i) { r += element; } r.pop_back(); return r; } std::string drawFrame() { std::vector<std::string> r; /* ÚÄÄÄÂÄÄÄÂÄÄÄ¿ ³ F ³ F ³ F ³ ÃÄÄÄÅÄÄÄÅÄÄÄ´ ³ F ³ F ³ F ³ ÃÄÄÄÅÄÄÄÅÄÄÄ´ ³ F ³ F ³ F ³ ÀÄÄÄÁÄÄÄÁÄÄÄÙ */ r.push_back("Ú" + make4Elements("ÄÄÄÂ") + "¿\n"); for(size_t i = 0; i != field_size; ++i) { r.push_back("³" + make4Elements(" ³") + "³\n"); r.push_back("Ã" + make4Elements("ÄÄÄÅ") + "´\n"); } r.pop_back(); r.push_back("À" + make4Elements("ÄÄÄÁ") + "Ù\n"); return std::accumulate(r.begin(), r.end(), std::string()); } void drawFieldContent(Field const& field) { for(size_t row = 0; row != field_size; ++row) { for(size_t col = 0; col != field_size; ++col) { Field::Pos pos = {int(row), int(col)}; setCursor(convertFieldToScreen(pos)); std::cout << field.getCell(pos); } } } private: size_t field_size; COORD const field_screen_size; HANDLE const console_handle = GetStdHandle(STD_OUTPUT_HANDLE); }; class Game { public: Game(size_t field_size, size_t abreast_count) : field(field_size, abreast_count) , drawer(field_size) , win_checker(field) { } void run() { while(is_game_work) { drawer.draw(field); handleUserInput(); } drawer.draw(field); drawer.printHint(field.whoTurn() + std::string(" ARE WIN!"), +1); } private: bool handleArrows(int arrow) { enum Arrows { UP = 72, LEFT = 75, RIGHT = 77, DOWN = 80 }; switch(arrow) { // ROW COL case UP : field.moveCursor(Field::Pos { -1, 0 }); break; case DOWN : field.moveCursor(Field::Pos { +1, 0 }); break; case LEFT : field.moveCursor(Field::Pos { 0, -1 }); break; case RIGHT: field.moveCursor(Field::Pos { 0, +1 }); break; default: return false; } return true; } void handleUserInput() { drawer.setCursorToField(field); int first_input = _getch(); bool is_special = first_input == 224; bool is_space = !is_special && first_input == 32; bool is_handle_success = (is_special && handleArrows(_getch())) || is_space; if(!is_handle_success) { drawer.printHint("Press arrows or space", +1); } if(is_space) { if(field.makeMove()) { is_game_work = !win_checker.isWin(); if(is_game_work) { field.toggleWhoMove(); } } else { drawer.printHint("Impossible to make this move", +1); } } } private: bool is_game_work = true; Field field; Drawer drawer; WinChecker win_checker; }; int main() { Game(11, 5).run(); }<file_sep>/README.md # Tick-tack-toe Consolas project ### Used imstruments: * mingw32-i686-8.1.0-release-posix-dwarf-rt_v6-rev0 * CLion ### How to run 1. Import project from sources 2. Compile & run <file_sep>/CMakeLists.txt cmake_minimum_required(VERSION 3.16) project(Tick_tack_toe) set(CMAKE_CXX_STANDARD 14) add_executable(Tick_tack_toe main.cpp)
4b56bb98e24762cc0c0452f8c083acc7f881a660
[ "Markdown", "CMake", "C++" ]
3
C++
Aeomanate/Tick-tack-toe
2957629fb25011c8347de6b9c348eba484cbd816
e6f8614de9729709830743d5355fc6ceb614b431
refs/heads/master
<repo_name>osama70599/BankingSystem<file_sep>/Final project/src/mainpage/Water.java package mainpage; public class Water { public Water(int x) { Process p = new Process(x,2000); Thread1 t1=new Thread1(p); Thread2 t2 = new Thread2(p); t1.start(); t2.start(); } } <file_sep>/Final project/src/mainpage/MainPage.java package mainpage; import java.io.File; import java.io.IOException; import java.nio.file.Files; import java.nio.file.Paths; import java.util.Scanner; import java.util.stream.Stream; public class MainPage { public static void main(String[] args) throws IOException { Scanner sc = new Scanner(System.in); Dashboard db = new Dashboard(); String accname,pin,file_accname,file_pin = null; int i; File file; char runloop1='y',runloop2='y'; System.out.println("\t\t*****Welcome to HBL online banking.*****"); while(runloop1=='y') { i=0; System.out.println("\n\nEnter account number."); accname = sc.nextLine(); file = new File("accounts.txt"); try (Scanner InputFile = new Scanner(file)) { // to start reading the file. while(InputFile.hasNext()) { file_accname = InputFile.nextLine();//to read file line by line if(accname.equals(file_accname)) { runloop1='n'; while(runloop2=='y') { System.out.println("Enter pin."); pin = sc.nextLine(); try (Stream<String> lines = Files.lines(Paths.get("pin.txt")))//reading all lines present in file into a list to skip n lines and get the reqired pin { file_pin = lines.skip(i).findFirst().get(); } catch(IOException e) { System.out.println(e); } if(pin.equals(file_pin)) { runloop2='n'; db.menu(i); break; } else { System.out.println("Enter correct pin."); } } break; } else if(!(InputFile.hasNext())) { System.out.println("Enter correct account number."); } i++; } InputFile.close(); } } } }
263af1d4196bf1ff5efaea4fed15b335158d81a8
[ "Java" ]
2
Java
osama70599/BankingSystem
9b8eb2816238c31469d68f1e245b9a1f59f467bd
434cc42d60a19c41d9364e330fbd1610d3cb32a7
refs/heads/main
<repo_name>brianbentancourt/dynamic-forms<file_sep>/README.md # dynamic-forms Dynamic forms with react and Material UI
e2a1c394f7df1a03bb1bc3fd1606c6f2f291470e
[ "Markdown" ]
1
Markdown
brianbentancourt/dynamic-forms
b8f5ad0444cadbc994313adc97605859837c7c25
311488cf55cdf6501cc1a5790f25914d211be6f5
refs/heads/master
<file_sep><?php /* * Plugin Name: Page Map * Plugin URI: https://github.com/ganlvtech/page-map * Description: A mini map for WordPress page. * Author: Ganlv * Author URI: https://github.com/ganlvtech * Version: 1.0 * License: MIT * License URI: https://opensource.org/licenses/MIT */ function page_map_enqueue_script() { wp_enqueue_script('page-map-lib', plugins_url('js/pagemap-0.4.0.min.js', __FILE__), array(), '0.4.0', true); wp_enqueue_script('page-map-script', plugins_url('js/script.js', __FILE__), array('page-map-lib'), '1.0', true); } add_action('wp_enqueue_scripts', 'page_map_enqueue_script'); <file_sep>document.addEventListener('DOMContentLoaded', function () { var map = document.createElement('canvas'); map.id = 'map'; map.style.position = 'fixed'; map.style.top = '0'; map.style.right = '0'; map.style.width = '200px'; map.style.height = '100%'; map.style.zIndex = '100'; document.body.appendChild(map); pagemap(map); });<file_sep>=== Page Map === Contributors: <NAME>, Ganlv Donate link: https://larsjung.de/ Tags: Sublime, mini map, page map Requires at least: 2.1.0 Tested up to: 4.9.1 Stable tag: 1.0 License: MIT License URI: https://opensource.org/licenses/MIT A mini map for WordPress page. == Description == Add a mini map to your site like Sublime mini map bar. This WordPress plugin is powered by <NAME>'s pagemap.js library, and published to WordPress plugins repository by Ganlv. Library hompage: https://larsjung.de/pagemap/ Library GitHub repo: https://github.com/lrsjng/pagemap Plugin GitHub repo: https://github.com/ganlvtech/page-map == Installation == 1. Upload the plugin files to the `/wp-content/plugins/page-map/` directory, or install the plugin through the WordPress plugins screen directly. 1. Activate the plugin through the 'Plugins' screen in WordPress == Frequently Asked Questions == == Screenshots == 1. /assets/screenshot-1.png == Changelog == = 1.0 = * Plugin published. == Upgrade Notice == = 1.0 =
ba8af96c544fb6847c6bbcb0354cb1b4d0d3670b
[ "JavaScript", "Text", "PHP" ]
3
PHP
ganlvtech/page-map
22f2ed0c709ff6a3cb35bd64bba690d4d24a465f
f9f0001e0ad3a0882df439683bb1823ad816fd97
refs/heads/master
<file_sep>function tabulateAnswers() { // initialize variables for each choice's score // If you add more choices and outcomes, you must add another variable here. var ok = 0; // get a list of the radio inputs on the page var choices = document.getElementsByTagName('input'); // loop through all the radio inputs var nr = 0; for (i = 0; i < choices.length; i++) { // if the radio is checked.. if (choices[i].checked) { // add 1 to that choice's score nr++; if (choices[i].value == 'c1') { ok = 1 } // If you add more choices and outcomes, you must add another if statement below. } } // Find out which choice got the highest score. // If you add more choices and outcomes, you must add the variable here. // Display answer corresponding to that choice var answerbox = document.getElementById('answer'); if (nr != 11) { answerbox.innerHTML = "Va rugam raspundeti la toate intrebarile" document.getElementById("link").style.display = "none"; } else if (ok == 0) { // If user chooses the first choice the most, this outcome will be displayed. answerbox.innerHTML = "Va multumit! Va rugam sa completati formularul pentru donare" document.getElementById("link").style.display = "block"; } else { document.getElementById("link").style.display = "none"; answerbox.innerHTML = "Ne pare rau, din pacate momentan nu puteti dona. Va rugam, incercati peste 6 luni."; } // If you add more choices, you must add another response below. }<file_sep>using Microsoft.AspNetCore.Mvc; using MPSBL.Models; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Controllers { public class AddDonationController : Controller { private readonly IDonationRequestRepository _reqRepo; public AddDonationController(IDonationRequestRepository reqRepo) { _reqRepo = reqRepo; } [HttpPost] public IActionResult Add(DonationRequest req) { if (ModelState.IsValid) { _reqRepo.AddRequest(req); return RedirectToAction("RequestAdded"); } return View(new DonationRequest()); } public IActionResult Add() { return View(new DonationRequest()); } public IActionResult RequestAdded() { return View(); } } } <file_sep>using Microsoft.AspNetCore.Builder; using Microsoft.Extensions.DependencyInjection; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public class DbInitializer { public static void Initialize(IServiceProvider serviceProvider) { AppDbContext ctxt = serviceProvider .GetRequiredService<AppDbContext>(); ctxt.Database.EnsureCreated(); if (!ctxt.Centers.Any()) { ctxt.Centers.AddRange(Centers.Select(c => c.Value)); } if(!ctxt.Requests.Any()) { ctxt.AddRange ( new DonationRequest { Description = "<NAME> are nevoie urgent de sange" , DateIssued = "10/07/2016", Doctor = "Dr.<NAME>", Pacient = "<NAME>", CenterName = "MedLife" }, new DonationRequest { Description = "<NAME> are nevoie urgent de sange" , DateIssued = "13/09/2016", Doctor = "Dr.<NAME>", Pacient = "<NAME>", CenterName = "MedLife" }, new DonationRequest { Description = "<NAME> are nevoie urgent de sange" , DateIssued = "20/11/2017", Doctor = "Dr.Pioana", Pacient = "<NAME>", CenterName = "Regina Maria" }, new DonationRequest { Description = "<NAME> are nevoie urgent de sange" , DateIssued = "20/11/2017", Doctor = "Dr.Pioana", Pacient = "<NAME>", CenterName = "Regina Maria" }, new DonationRequest { Description = "<NAME> are nevoie urgent de sange" , DateIssued = "20/11/2017", Doctor = "Dr.Pioana", Pacient = "Evanghe<NAME>", CenterName = "<NAME>" } ); } ctxt.SaveChanges(); } private static Dictionary<string, DonationCenter> centers; public static Dictionary<string, DonationCenter> Centers { get { if(centers == null) { var centersList = new DonationCenter[] { new DonationCenter{Name="<NAME>"}, new DonationCenter{Name="MedLife"} }; centers = new Dictionary<string, DonationCenter>(); foreach(DonationCenter center in centersList) { centers.Add(center.Name, center); } } return centers; } } } } <file_sep>using MPSBL.Models; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.ViewModels { public class DonationRequestSListViewModel { public IEnumerable<DonationRequest> Requests { get; set; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public class DonationCenterRepository : IDonationCenterRepository { private readonly AppDbContext _appDbContext; public IEnumerable<DonationCenter> Centers { get { return _appDbContext.Centers; } } public DonationCenterRepository(AppDbContext appDbContext) { _appDbContext = appDbContext; } public DonationCenter GetDonationCenterById(int centerId) { return _appDbContext.Centers.FirstOrDefault(c => c.DonationCenterId == centerId); } public DonationCenter GetDonationCenterByName(string centerName) { return _appDbContext.Centers.FirstOrDefault(c => c.Name.Equals(centerName)); } } } <file_sep>using Microsoft.AspNetCore.Mvc; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Controllers { public class HomeController : Controller { public IActionResult Index() { return View(); } public IActionResult Chestionar() { return View(); } public IActionResult Chat() { return View(); } public IActionResult Form() { return View(); } public IActionResult Login() { return View(); } } } <file_sep>using System; using System.Collections.Generic; using System.ComponentModel.DataAnnotations; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public class DonationRequest { public int DonationRequestId { get; set; } [Required(ErrorMessage="Please specify doctor")] public string Doctor { get; set; } [Required(ErrorMessage= "Please specify pacient")] public string Pacient { get; set; } public string DateIssued { get; set; } [Required(ErrorMessage= "Please specify a description for the request")] public string Description { get; set; } public bool IsActive { get; set; } [Required(ErrorMessage = "Please specify center")] public string CenterName { get; set; } public int numberDonated { get; set; } public virtual DonationCenter DonationCenter { get; set; } } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public interface IDonationCenterRepository { IEnumerable<DonationCenter> Centers { get; } DonationCenter GetDonationCenterById(int centerId); DonationCenter GetDonationCenterByName(string centerName); } } <file_sep>using MPSBL.Models; using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.ViewModels { public class RequestViewModel { public DonationRequest req; public DonationCenter centr; } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public class DonationRequestRepository : IDonationRequestRepository { private readonly AppDbContext _appDbContext; public IEnumerable<DonationRequest> Requests { get { return _appDbContext.Requests; } } public DonationRequestRepository(AppDbContext appDbContext) { _appDbContext = appDbContext; } public DonationRequest GetDonationRequestById(int reqId) { return _appDbContext.Requests.FirstOrDefault(r => r.DonationRequestId == reqId); } public void AddRequest(DonationRequest req) { req.DateIssued = DateTime.Now.ToString("MM/dd/yyyy"); _appDbContext.Requests.Add(req); _appDbContext.SaveChanges(); } public void AddDonationToRequest(int requestId) { var req =_appDbContext.Requests.SingleOrDefault(r => r.DonationRequestId == requestId); req.numberDonated++; _appDbContext.SaveChanges(); } } } <file_sep>using System.Collections.Generic; namespace MPSBL.Models { public class DonationCenter { public int DonationCenterId { get; set; } public string Name { get; set; } public string Location { get; set; } public List<DonationRequest> AvailableDonations; } }<file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; using Microsoft.AspNetCore.Mvc; using MPSBL.Models; using MPSBL.ViewModels; namespace MPSBL.Controllers { public class DonationRequestController : Controller { private readonly IDonationRequestRepository _reqRepo; private readonly IDonationCenterRepository _centerRepo; public DonationRequestController(IDonationRequestRepository reqRepo, IDonationCenterRepository centerRepo) { _reqRepo = reqRepo; _centerRepo = centerRepo; } public ViewResult List() { DonationRequestSListViewModel drlvModel = new DonationRequestSListViewModel(); drlvModel.Requests = _reqRepo.Requests; return View(drlvModel); } [Route("/DonationRequest/Request/{id}")] public IActionResult DRequest(int id) { var request = _reqRepo.GetDonationRequestById(id); var model = new RequestViewModel { req = request, centr = _centerRepo.GetDonationCenterByName(request.CenterName) }; return View(model); } [Route("/DonationRequest/Donate/{id}")] public IActionResult Donate(int id) { _reqRepo.AddDonationToRequest(id); return View(); } } }<file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public class DonationsResults { } } <file_sep>using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; namespace MPSBL.Models { public interface IDonationRequestRepository { IEnumerable<DonationRequest> Requests { get; } DonationRequest GetDonationRequestById(int reqId); void AddRequest(DonationRequest req); void AddDonationToRequest(int requestId); } } <file_sep># mps2 da Proiect 2 MPS
09a0445a53ecce9d53aee33d4de64ad31dfe54ed
[ "JavaScript", "C#", "Markdown" ]
15
JavaScript
mbogdan2704/mps2
4c017a28c91eadfc497b9527799b600022f72144
e6bfaf8233d63b44a075be04721fe8335e582bf5
HEAD
<file_sep>(function(){ var container = document.querySelector('.container'); var prev = document.getElementById('button1'); var next = document.getElementById('button2'); var restart = document.getElementById('top'); var clicks = 0; var height = 100; // a hide button function var hide = function(button){ button.style.display = "none"; } // a show button function var show = function(button){ button.style.display = "block"; } // initially hide the previous button so the // user doesn't go outside of container if(clicks == 0){ hide(prev); } // forward function navigates forward var forward = function(){ // increment the transform property by 100% (the entire page height) // since the page will scroll down, the translate property will be negative container.style.webkitTransform += 'translateY(-' + height + '%)'; container.style.msTransform += 'translateY(-' + height + '%)'; container.style.transform += 'translateY(-' + height + '%)'; clicks++; // if click is greater than 0 or if the user is on a section greater than 1, // show the previous button so the user can go back if(clicks > 0){ show(prev); } // if on the last page, hide the next page, so the person doesn't go outside of // the container if(clicks == 7){ hide(next); } }; // backward function navigates backward var backward = function(){ // since the page will scroll up, the translate property will be positive container.style.webkitTransform += 'translateY(' + height + '%)'; container.style.msTransform += 'translateY(' + height + '%)'; container.style.transform += 'translateY(' + height + '%)'; clicks--; // if person navigates back to the first page or to click 0 (after it decrements), // hide the previous button again if(clicks == 0){ hide(prev); } // after being on the last section, if the person goes back // make sure the next button appears again if(clicks < 7){ show(next); } }; // the top function, scrolls the user back to the very beginning or top // of the page var top = function(){ container.style.webkitTransform += 'translateY(700%)'; container.style.msTransform += 'translateY(700%)'; container.style.transform += 'translateY(700%)'; clicks = 0; // reset the display. hide the previous button and show the next button hide(prev); show(next); }; // add the click events to the next and prev and top buttons and attach // the propert functions (second argument) next.addEventListener("click", forward, false); prev.addEventListener("click", backward, false); restart.addEventListener("click", top, false); })();
ad8daa097db5a4d06f65b5d0b7f3b72bf9f5f255
[ "JavaScript" ]
1
JavaScript
Buzzlightyear90/the-green-balloon
6471af9bc96c0fbd6d6e076ddbeac771c8ba298f
dfd7dba88867f33957b19368998ec494a9892567
refs/heads/master
<repo_name>nitant84/test<file_sep>/testJava.java System.out.println("Hello Me") <file_sep>/README.md # test Test for code deployment
36713e2c5185c4ec38d085c3f06a2b61b51930e9
[ "Markdown", "Java" ]
2
Java
nitant84/test
7fe71293572b65255579ad8622ef5700de128032
d07394384631ce7084ed3273a8d0c967e5949255
refs/heads/master
<file_sep>import os import time import binascii from locust import Locust, TaskSet, events, task, User, constant_pacing import grpc.experimental.gevent as grpc_gevent grpc_gevent.init_gevent() import grpc from iroha import Iroha, IrohaGrpc from iroha import IrohaCrypto as ic import iroha import common.writer import random import gevent import sys import json HOSTNAME = os.environ['HOSTNAME'] #ADMIN_PRIVATE_KEY = '<KEY>' ADMIN_PRIVATE_KEY = "<KEY>" DRONE1_PRIVATE_KEY = "21dbe38683493a881de50f92109d26961cb1a8505a9d6a0ae604f970f5ba5a10" DRONE2_PRIVATE_KEY = "1fd0bf2dc2278741271c79adfbe8ee2fbacc758a4cfed3b7e7fe3601cabd0a05" IROHA_HOSTS = int(os.environ.get("IROHA_HOSTS", 1)) if(IROHA_HOSTS < 1): sys.exit("IROHA_HOSTS needs to be at least 1") TXS = dict() # hash -> sent time COMMITTED = set() SENT = set() BLOCKS = set() def ascii_hash(tx): return binascii.hexlify(ic.hash(tx)).decode('ascii') class IrohaClient(IrohaGrpc): """ Simple, sample Iroha gRPC client implementation that wraps IrohaGrpc and fires locust events on request_success and request_failure, so that all requests gets tracked in locust's statistics. """ def send_tx_wait(self, transaction): """ Send a transaction to Iroha if there are few transactions in the queue to be committed :param transaction: protobuf Transaction :return: None """ while len(SENT) - len(COMMITTED) > 100: time.sleep(0.01) hex_hash = ascii_hash(transaction) start_time = time.time() try: self.send_tx(transaction) SENT.add(hex_hash) TXS[hex_hash] = start_time except grpc.RpcError as e: total_time = int((time.time() - start_time) * 1000) events.request_failure.fire(request_type="grpc", name='send_tx_wait', response_time=total_time, response_length=0, exception=e, tx_hash=hex_hash) def block_listener(host): iroha_api = iroha.Iroha("admin@coniks") net = IrohaGrpc(host) query = iroha_api.blocks_query() ic.sign_query(query, ADMIN_PRIVATE_KEY) print("Listeting blocks") for block in net.send_blocks_stream_query(query): BLOCKS.add(block.block_response.block.block_v1.payload.height) hashes = block.block_response.block.block_v1.payload.rejected_transactions_hashes txs = block.block_response.block.block_v1.payload.transactions for tx in txs: hashes.append(ascii_hash(tx)) for hash in hashes: if hash not in TXS.keys(): continue start_time = TXS[hash] COMMITTED.add(hash) del TXS[hash] total_time = int((time.time() - start_time) * 1000) try: events.request_success.fire(request_type="grpc", name='send_tx_wait', response_time=total_time, response_length=0, tx_hash=hash, sent=start_time, committed=time.time(), block=block.block_response.block) except Exception as e: print(e) class IrohaLocust(User): """ This is the abstract Locust class which should be subclassed. It provides an Iroha gRPC client that can be used to make gRPC requests that will be tracked in Locust's statistics. """ abstract=True def __init__(self, *args, **kwargs): super(IrohaLocust, self).__init__(*args, **kwargs) # self.host_nr = random.randint(1, IROHA_HOSTS) # self.host = "192.168.127.12:{}".format(50050 + self.host_nr) self.host = "192.168.127.12:50051" self.client = IrohaClient(self.host) gevent.spawn(block_listener, self.host) self.lat = 59.0593 self.long = 16.5915 self.alt = 100 self.speed = 5.55 self.direction = 33.333 self.timestamp = time.time() self.status = "airborne" self.requests = 0 class ApiUser(IrohaLocust): @task class task_set(TaskSet): wait_time = constant_pacing(1) @task def send_tx(self): print("Locust instance (%r) executing my_task" % (self.user)) print(""" \n Sent: {} Committed: {} Diff: {} Blocks: {}\n """.format(len(SENT), len(COMMITTED), len(SENT) - len(COMMITTED), len(BLOCKS))) iroha = Iroha("<EMAIL>") data = "lat: {}, long: {}, speed: {}, altitude: {}, direction: {}, timestamp: {}, status: {}".format( self.user.lat, self.user.long, self.user.speed, self.user.alt, self.user.direction, self.user.timestamp, self.user.status ) tx = iroha.transaction([iroha.command( 'SetAccountDetail', account_id="drone1@coniks", key="location", value=data )]) ic.sign_transaction(tx, DRONE1_PRIVATE_KEY) self.client.send_tx_wait(tx) if self.user.requests == 100: self.user.environment.reached_end = True self.user.environment.runner.quit() self.user.requests += 1<file_sep>from datetime import datetime from influxdb import InfluxDBClient from locust import events import os import json class InfluxDBWriter(object): """ InfluxDB writer for locust events """ def __init__(self): self._client = InfluxDBClient(host='influxdb', database='influxdb', use_udp=True) self._user_count = 0 # self.file1 = "/tests/1_node_success.json" # self.file2 = "/tests/1_node_failure.json" # if os.path.isfile(self.file1): # os.remove(self.file1) # if os.path.isfile(self.file2): # os.remove(self.file2) def hatch_complete(self, user_count, **kw): self._user_count = user_count def request_success(self, request_type, name, response_time, response_length, tx_hash=None, sent=None, committed=None, **kw): now = datetime.now().isoformat() points = [{ "measurement": "request_success_duration", "tags": { "request_type": request_type, "name": name }, "time": now, "fields": { "value": response_time, "tx_hash": tx_hash, "sent": sent, "committed": committed } }, { "measurement": "user_count", "time": now, "fields": { "value": self._user_count } }] self._client.write_points(points) # points[0]["block_size"] = len(str(kw["block"].block_v1.payload).encode("utf-8")) # points[0]["total_block_size"] = len(str(kw["block"]).encode("utf-8")) # with open(self.file1, 'a') as f: # f.write(json.dumps(points[0], indent=2) + '\n') def request_failure(self, request_type, name, response_time, exception, tx_hash=None, **kw): now = datetime.now().isoformat() points = [{ "measurement": "request_failure_duration", "tags": { "request_type": request_type, "name": name }, "time": now, "fields": { "value": response_time, "tx_hash": tx_hash } }, { "measurement": "user_count", "time": now, "fields": { "value": self._user_count } }] # self._client.write_points(points) # with open(self.file2, 'a') as f: # f.write(json.dumps(points[0], indent=2) + '\n') writer = InfluxDBWriter() events.request_success.add_listener(writer.request_success) events.request_failure.add_listener(writer.request_failure) events.spawning_complete.add_listener(writer.hatch_complete) <file_sep>#!/bin/bash set -e command -v python >/dev/null 2>&1 || { echo "I require python but it's not installed. Remember to source your venv. Aborting." >&2; exit 1; } #command -v docker-compose >/dev/null 2>&1 || { echo "I require docker-compose but it's not installed. Remember to source your venv. Aborting." >&2; exit 1; } if [ $# -ne 1 ]; then echo The scripts accepts exactly one integer argument. exit 1 fi if ! [[ $1 =~ ^[1-9][0-9]*$ ]]; then echo The argument has to be of type positive integer. exit 1 fi #docker-compose up -d NODES_PER_DB=10 { python autoconfigure_nodes.py $1 } || { echo "Something went wrong when trying to generate node files. Make sure to source your venv before running the script." #docker-compose down -v exit 1 } docker network create iroha-network --subnet 10.1.0.0/16 --gateway 10.1.0.1 db_counter=0 for (( i = 0; i < $1; ++i )) do if (( $(docker volume ls | grep blockstore_$((i)) | wc -l) > 0)) then docker volume rm blockstore_$((i)) fi if (( $i % $NODES_PER_DB == 0 )); then if (( $(docker volume ls | grep pgdata_$((db_counter)) | wc -l) > 0)) then docker volume rm pgdata_$db_counter fi docker volume create pgdata_$db_counter docker run --name nodedb_$db_counter \ --expose 5432 \ -v pgdata_$db_counter:/var/lib/postgresql/data \ --network=iroha-network \ --ip=10.1.1.$db_counter \ -e POSTGRES_USER="postgres" \ -e POSTGRES_PASSWORD="<PASSWORD>" \ -d postgres:9.5 \ -c 'max_prepared_transactions=100' (( db_counter+=1 )) fi docker volume create blockstore_$i docker run --name iroha_$i \ -d \ -p $((50051 + $i)):50051 \ -p $((10001 + $i)):10001 \ -v $(pwd)/nodes/node_$((i)):/opt/iroha_data \ -v blockstore_$((i)):/tmp/block_store \ --network=iroha-network \ --ip=10.1.2.$i \ -e KEY="node_${i}" \ -e IROHA_POSTGRES_HOST=$(printf "nodedb_%d" $(expr $db_counter - 1)) \ hyperledger/iroha:latest done sleepTime=20 echo "Sleeping for ${sleepTime} seconds." sleep $sleepTime while : ; do exited_containers=() for (( i = 1; i <= $(docker ps -f status=exited | grep iroha_ | wc -l); ++i)); do line=$(docker ps -f status=exited | grep iroha_ | cut -d$'\n' -f $i) container=$(echo $line | awk '{print $1}') exited_containers+=($container) done if (( ${#exited_containers[@]} > 0 )); then echo "Restarting exited containers." for cont in "${exited_containers[@]}"; do docker start $cont done else break fi echo "Sleeping for ${sleepTime} seconds." sleep $sleepTime done echo "All containers successfully started." exit 0<file_sep>#!/bin/bash set -e #scommand -v docker-compose >/dev/null 2>&1 || { echo "I require docker-compose but it's not installed. Remember to source your venv. Aborting." >&2; exit 1; } containers=() for (( i = 1; i <= $(docker ps -a | grep iroha_ | wc -l); ++i)); do container=$(docker ps -a | grep iroha_ | cut -d$'\n' -f $i | cut -d' ' -f 1) containers+=($container) done for (( i = 1; i <= $(docker ps -a | grep nodedb_ | wc -l); ++i)); do container=$(docker ps -a | grep nodedb_ | cut -d$'\n' -f $i | cut -d' ' -f 1) containers+=($container) done for cont in "${containers[@]}"; do if [ "$( docker container inspect -f '{{.State.Status}}' $cont )" == "running" ]; then docker container kill $cont fi docker container rm $cont done volumes=() for (( i = 1; i <= $(docker volume ls | grep blockstore_ | wc -l); ++i)); do volume=$(docker volume ls | grep blockstore_ | cut -d$'\n' -f $i | awk '{print $2}') volumes+=($volume) done for (( i = 1; i <= $(docker volume ls | grep pgdata_ | wc -l); ++i)); do volume=$(docker volume ls | grep pgdata_ | cut -d$'\n' -f $i | awk '{print $2}') volumes+=($volume) done for vol in "${volumes[@]}"; do docker volume rm $vol done docker network rm iroha-network #docker-compose down -v<file_sep>import os import binascii from iroha import IrohaCrypto from iroha import Iroha, IrohaGrpc import sys import json if sys.version_info[0] < 3: raise Exception('Python 3 or a more recent version is required.') if len(sys.argv) != 2: sys.exit("Usage: python -i iroha_cmd.py username@domain") IROHA_HOST_ADDR = os.getenv('IROHA_HOST_ADDR', '127.0.0.1') IROHA_PORT = os.getenv('IROHA_PORT', '50051') ACCOUNT_ID = sys.argv[1] ACCOUNT_PRIVATE_KEY = '' ACCOUNT_PUBLIC_KEY = '' with open("{}.priv".format(ACCOUNT_ID), 'r') as f: ACCOUNT_PRIVATE_KEY = f.read() with open("{}.pub".format(ACCOUNT_ID), 'r') as f: ACCOUNT_PUBLIC_KEY = f.read() iroha = Iroha(ACCOUNT_ID) net = IrohaGrpc('{}:{}'.format(IROHA_HOST_ADDR, IROHA_PORT)) def trace(func): """ A decorator for tracing methods' begin/end execution points """ def tracer(*args, **kwargs): name = func.__name__ print('\tEntering "{}"'.format(name)) result = func(*args, **kwargs) print('\tLeaving "{}"'.format(name)) return result return tracer @trace def send_transaction_and_print_status(transaction): hex_hash = binascii.hexlify(IrohaCrypto.hash(transaction)) print('Transaction hash = {}, creator = {}'.format( hex_hash, transaction.payload.reduced_payload.creator_account_id)) net.send_tx(transaction) for status in net.tx_status_stream(transaction): print(status) @trace def get_account_assets(account_id): """ List all the assets of userone@domain """ query = iroha.query('GetAccountAssets', account_id=account_id) IrohaCrypto.sign_query(query, ACCOUNT_PRIVATE_KEY) response = net.send_query(query) data = response.account_assets_response.account_assets for asset in data: print('Asset id = {}, balance = {}'.format( asset.asset_id, asset.balance)) @trace def create_account(name, domain): with open("{}.pub".format(name + '@' + domain), 'r') as f: key = f.read() transaction = iroha.transaction([ iroha.command( 'CreateAccount', account_name = name, domain_id = domain, public_key = key ) ]) IrohaCrypto.sign_transaction(transaction, ACCOUNT_PRIVATE_KEY) net.send_tx(transaction) for status in net.tx_status_stream(transaction): print(status) @trace def set_account_details(account_id, key, val): tx = iroha.transaction([ iroha.command( "SetAccountDetail", account_id=account_id, key=key, value=val ) ]) @trace def get_account(account_id): query = iroha.query("GetAccount", account_id=account_id) IrohaCrypto.sign_query(query, ACCOUNT_PRIVATE_KEY) response = net.send_query(query) return json.loads(response.account_response.account.json_data) @trace def get_blocks(): gps = int(get_account("admin@coniks")["admin@coniks"]["gps"]) + 1 query = iroha.blocks_query() IrohaCrypto.sign_query(query, ACCOUNT_PRIVATE_KEY) blocks = net.send_blocks_stream_query(query, timeout=120) set_account_details("admin@coniks", "gps", str(gps)) print(next(blocks)) @trace def get_block(height): query = iroha.query("GetBlock", height=height) IrohaCrypto.sign_query(query, ACCOUNT_PRIVATE_KEY) response = net.send_query(query) if len(str(response.error_response)) != 0: print("No block found.") else: print(len(str(response).encode("utf-8"))) <file_sep>iroha influxdb locust==1.4.4 pyzmq>=18.0.1 grpcio==1.19.0 grpcio-tools==1.19.0 gevent>=20.9.0 <file_sep>import os import json from functools import reduce import plotly.graph_objects as go def load_json_to_python(filename): data = [] with open(filename, 'r') as f: open_curly_brace_count = 0 obj_string = "" for char in iter(lambda : f.read(1), ''): obj_string += char if char == '\n': continue elif char == '{': open_curly_brace_count += 1 elif char == '}': open_curly_brace_count -= 1 if open_curly_brace_count == 0: data.append(json.loads(obj_string)) obj_string = "" data.sort(key=lambda x: x["fields"]["sent"]) return data def add_line_trace(figure, data, name): figure.add_trace(go.Scatter( x=[*range(1, len(data) + 1)], y=data, name=name, mode="lines", line=dict(width=1) )) def add_box_trace(figure, data, name): figure.add_trace(go.Box( y=data, name=name, line_width=2 )) def add_bar_trace(figure, data, name): figure.add_trace(go.Bar( x=[name], y=[data] )) def plot_data(line_fig, box_fig, bar_fig, data, name): response_times = [response["fields"]["value"] for response in data] add_line_trace(line_fig, response_times, name) add_box_trace(box_fig, response_times, name) mean = reduce(lambda a,b: a+b, response_times)/len(response_times) print("{} mean time: {} ms".format(name, mean)) box_fig.update_traces(mean=[mean], boxmean=True) avg_block_size = reduce(lambda a,b: a+b, [response["total_block_size"] for response in data])/len(data) add_bar_trace(bar_fig, avg_block_size, name) if __name__ == '__main__': file_path = os.path.dirname(os.path.realpath(__file__)) os.chdir(os.path.abspath(os.path.join(file_path, "data"))) nodes4_drones4 = load_json_to_python("4_nodes_4_users_success.json") nodes4_drones8 = load_json_to_python("4_nodes_8_users_success.json") nodes4_drones16 = load_json_to_python("4_nodes_16_users_success.json") nodes4_drones32 = load_json_to_python("4_nodes_32_users_success.json") nodes4_drones32_elmo = load_json_to_python("4_nodes_32_users_success_elmedin.json") nodes4_drones64_elmo = load_json_to_python("4_nodes_64_users_success_elmedin.json") nodes8_drones32_elmo = load_json_to_python("8_nodes_32_users_success_elmedin.json") line_fig = go.Figure() block_size_bar_fig = go.Figure() box_fig = go.Figure() line_fig_elmo = go.Figure() block_size_bar_fig_elmo = go.Figure() box_fig_elmo = go.Figure() plot_data(line_fig, box_fig, block_size_bar_fig, nodes4_drones4, "4 drones") plot_data(line_fig, box_fig, block_size_bar_fig, nodes4_drones8, "8 drones") plot_data(line_fig, box_fig, block_size_bar_fig, nodes4_drones16, "16 drones") plot_data(line_fig, box_fig, block_size_bar_fig, nodes4_drones32, "32 drones") plot_data(line_fig_elmo, box_fig_elmo, block_size_bar_fig_elmo, nodes4_drones32_elmo, "4 nodes, 32 drones") plot_data(line_fig_elmo, box_fig_elmo, block_size_bar_fig_elmo, nodes4_drones64_elmo, "4 nodes, 64 drones") plot_data(line_fig_elmo, box_fig_elmo, block_size_bar_fig_elmo, nodes8_drones32_elmo, "8 nodes, 32 drones") line_fig.update_layout( title=dict( text="Iroha response time for AWS instance using 4 nodes", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Request #", font=dict(size=16)), yaxis_title=dict(text="Response time (ms)", font=dict(size=16)), legend=dict( xanchor="center", yanchor="bottom", x=0.5, y=-0.21, orientation="h", font=dict(size=16) ), margin=dict( l=5, r=10, t=45, b=0 ) ) box_fig.update_layout( title=dict( text="Iroha response time box plots for AWS instance using 4 nodes, quartilemethod=linear", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Configuration", font=dict(size=16)), yaxis_title=dict(text="Response time (ms)", font=dict(size=16)), font=dict(size=16), margin=dict( l=5, r=10, t=45, b=0 ), showlegend=False, boxgap=0 ) block_size_bar_fig.update_layout( title=dict( text="Average block size for AWS instance using 4 nodes", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Configuration", font=dict(size=16)), yaxis_title=dict(text="Block size (bytes)", font=dict(size=16)), font=dict(size=16), margin=dict( l=5, r=10, t=45, b=0 ), showlegend=False ) line_fig_elmo.update_layout( title=dict( text="Iroha response time for home laptop", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Request #", font=dict(size=16)), yaxis_title=dict(text="Response time (ms)", font=dict(size=16)), legend=dict( xanchor="center", yanchor="bottom", x=0.5, y=-0.21, orientation="h", font=dict(size=16) ), margin=dict( l=5, r=10, t=45, b=0 ) ) box_fig_elmo.update_layout( title=dict( text="Iroha response time box plots for home laptop, quartilemethod=linear", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Configuration", font=dict(size=16)), yaxis_title=dict(text="Response time (ms)", font=dict(size=16)), font=dict(size=16), margin=dict( l=5, r=10, t=45, b=0 ), showlegend=False, boxgap=0 ) block_size_bar_fig_elmo.update_layout( title=dict( text="Average block size for home laptop", y=0.95, x=0.5, font=dict(size=18) ), xaxis_title=dict(text="Configuration", font=dict(size=16)), yaxis_title=dict(text="Block size (bytes)", font=dict(size=16)), font=dict(size=16), margin=dict( l=5, r=10, t=45, b=0 ), showlegend=False ) line_fig.write_image("aws_response_time.pdf") box_fig.write_image("aws_response_time_box.pdf") block_size_bar_fig.write_image("aws_avg_block_size.pdf") line_fig_elmo.write_image("laptop_response_time.pdf") box_fig_elmo.write_image("laptop_response_time_box.pdf") block_size_bar_fig_elmo.write_image("laptop_avg_block_size.pdf") #line_fig.write_image("test.pdf") #box_fig.write_image("test.pdf") #block_size_bar_fig.write_image("test.pdf") #line_fig.show() #box_fig.show() # block_size_bar_fig.show() # line_fig_elmo.show() # box_fig_elmo.show() # block_size_bar_fig_elmo.show()<file_sep>attrs==20.3.0 bcrypt==3.2.0 certifi==2020.12.5 cffi==1.14.5 chardet==4.0.0 cryptography==3.4.7 distro==1.5.0 docker==4.4.4 docker-compose==1.28.6 dockerpty==0.4.1 docopt==0.6.2 grpcio==1.36.1 grpcio-tools==1.36.1 idna==2.10 iroha==0.0.5.5 jsonschema==3.2.0 paramiko==2.7.2 protobuf==3.15.6 pycparser==2.20 PyNaCl==1.4.0 pyrsistent==0.17.3 python-dotenv==0.17.0 PyYAML==5.4.1 requests==2.25.1 six==1.15.0 texttable==1.6.3 urllib3==1.26.4 websocket-client==0.58.0 <file_sep>FROM ubuntu:bionic-20190204 RUN apt update && apt install -y python3 ash python-all-dev libevent-dev RUN apt update && apt install -y python3-pip python3-distutils python3-greenlet COPY requirements.txt / RUN python3 -m pip install -r requirements.txt EXPOSE 8089 5557 5558 ENTRYPOINT ["usr/local/bin/bash"] <file_sep>from iroha import IrohaCrypto import sys import json import os from copy import deepcopy config_docker = { "block_store_path" : "/tmp/block_store/", "torii_port" : 50051, "internal_port" : 10001, "max_proposal_size" : 10, "proposal_delay" : 10, "vote_delay" : 1, "mst_enable" : False, "mst_expiration_time" : 1440, "max_rounds_delay": 10, "stale_stream_max_rounds": 2, "database": { "host" : "", "port" : 5432, "user" : "postgres", "password" : "<PASSWORD>", "working database" : "iroha_data", "maintenance database" : "postgres" } } genesis_block = { "block_v1":{ "payload":{ "transactions":[ { "payload":{ "reducedPayload":{ "commands":[ { "createRole":{ "roleName":"admin", "permissions":[ "can_create_account", "can_set_detail", "can_create_asset", "can_receive", "can_transfer", "can_add_asset_qty", "can_subtract_asset_qty", "can_add_domain_asset_qty", "can_subtract_domain_asset_qty", "can_create_domain", "can_add_peer", "can_remove_peer", "can_append_role", "can_create_role", "can_detach_role", "can_add_signatory", "can_remove_signatory", "can_set_quorum", "can_get_all_acc_detail", "can_get_all_accounts", "can_get_all_acc_ast", "can_get_all_acc_ast_txs", "can_get_all_acc_txs", "can_read_assets", "can_get_blocks", "can_get_roles", "can_get_all_signatories", "can_get_all_txs", "can_get_peers" ] } }, { "createRole":{ "roleName":"user", "permissions":[ "can_add_signatory", "can_get_my_acc_ast", "can_get_my_acc_ast_txs", "can_get_my_acc_detail", "can_get_my_acc_txs", "can_get_my_account", "can_get_my_signatories", "can_receive", "can_remove_signatory", "can_set_quorum", "can_transfer" ] } }, { "createDomain":{ "domainId":"coniks", "defaultRole":"user" } }, { "createAsset":{ "assetName":"coin", "domainId":"coniks", "precision":2 } }, { "createAccount":{ "accountName":"admin", "domainId":"coniks", "publicKey":"65628c6eaddc37c042c5a97ec69c6d16857bd5aa0465125dbb315b84019d9d6a" } }, { "appendRole":{ "accountId":"admin@coniks", "roleName":"admin" } }, { "createAccount":{ "accountName":"drone1", "domainId":"coniks", "publicKey":"<KEY>" } }, { "createAccount":{ "accountName":"drone2", "domainId":"coniks", "publicKey":"<KEY>" } } ], "quorum":1 } } } ], "txNumber":1, "height":"1", "prevBlockHash":"0000000000000000000000000000000000000000000000000000000000000000" } } } NODES_PER_DB=10 if __name__ == '__main__': if len(sys.argv) != 2 or not (sys.argv[1].isdigit() and int(sys.argv[1]) >= 0): sys.exit("ERROR: YOU NEED TO ENTER THE NUMBER OF KEYS TO GENERATE (POSITIVE INTEGER).") nodes = int(sys.argv[1]) db_counter = 0 for i in range(nodes): private_key = IrohaCrypto.private_key() public_key = IrohaCrypto.derive_public_key(private_key) if not os.path.isdir("nodes"): os.mkdir("nodes", 0o755) if not os.path.isdir("nodes/node_{}".format(i)): os.mkdir("nodes/node_{}".format(i), 0o755) with open('nodes/node_{}/node_{}.priv'.format(i, i), 'wb') as f: f.write(private_key) with open('nodes/node_{}/node_{}.pub'.format(i, i), 'wb') as f: f.write(public_key) genesis_block["block_v1"]["payload"]["transactions"][0]["payload"]["reducedPayload"]["commands"].append({ "addPeer": { "peer": { "address": "10.1.2.{}:10001".format(i), "peerKey": public_key.decode("utf-8") } } }) if i > 0 and i % NODES_PER_DB == 0: db_counter+=1 config_docker["database"]["host"] = "nodedb_{}".format(db_counter) config_docker["database"]["working database"] = "node_data_{}".format(i % NODES_PER_DB) with open("nodes/node_{}/config.docker".format(i), 'w') as f: json.dump(config_docker, f, indent=2) for i in range(nodes): # node_genesis_block = deepcopy(genesis_block) # commands = node_genesis_block["block_v1"]["payload"]["transactions"][0]["payload"]["reducedPayload"]["commands"] # commands = list(filter(lambda command: "addPeer" in command, commands)) # commands[i]["addPeer"]["peer"]["address"] = "127.0.0.1:10001" with open("nodes/node_{}/genesis.block".format(i), 'w') as f: json.dump(genesis_block, f, indent=2)<file_sep>from iroha import IrohaCrypto import sys if __name__ == '__main__': if len(sys.argv) != 2: sys.exit("ERROR: YOU NEED TO ENTER THE NAME OF THE KEYPAIR.") keyname = sys.argv[1] # these first two lines are enough to create the keys private_key = IrohaCrypto.private_key() public_key = IrohaCrypto.derive_public_key(private_key) # the rest of the code writes them into the file with open('{}.priv'.format(keyname), 'wb') as f: f.write(private_key) with open('{}.pub'.format(keyname), 'wb') as f: f.write(public_key)
7e6ecdacda8ee2831a1cfd0b8e217252ce393e55
[ "Python", "Text", "Dockerfile", "Shell" ]
11
Python
youhas97/blockchain-iot
2364960c723f15ef5045316d461ad49e54aae1c3
735e2eaf2194d1dd34cca80cbb8b55ac099abc08
refs/heads/master
<file_sep>// // ViewController.swift // EMILYlingo // // Created by <NAME> on 3/31/16. // Copyright © 2016 EMILYlingo. All rights reserved. // import UIKit import RealmSwift import AVFoundation import EZAudio class ViewController: UIViewController, UITextFieldDelegate, AVAudioRecorderDelegate , EZMicrophoneDelegate { //------------------------------------------------------------------------------ // MARK: Properties //------------------------------------------------------------------------------ var phrases: Phrases! @IBOutlet weak var navigationHam: UIBarButtonItem! @IBOutlet var plot: EZAudioPlotGL! var microphone: EZMicrophone!; @IBOutlet weak var RecordButton: UIButton! @IBOutlet weak var TimerLabel: UILabel! @IBOutlet weak var cancelButton: UIButton! @IBOutlet weak var saveButton: UIButton! @IBOutlet weak var saveView: UIView! @IBOutlet weak var savePhraseButton: UIButton! @IBOutlet weak var cancelPhraseButton: UIButton! @IBOutlet weak var languageField: UITextField! @IBOutlet weak var nameField: UITextField! @IBOutlet weak var genderField: UISegmentedControl! @IBOutlet weak var nameLabel: UILabel! @IBOutlet weak var languageLabel: UILabel! @IBOutlet weak var genderLabel: UILabel! let realm = try! Realm() var audioURL: NSURL! var recordingSession: AVAudioSession! var audioPlayer: AVAudioPlayer? var audioRecorder: AVAudioRecorder! var tempTimer = 0 var timer = 30 var count = 2 var check = false; var TimerControl = NSTimer() var dictionary: [String:String] = [ "zero" : "zero" ] //------------------------------------------------------------------------------ // MARK: Status Bar Style //------------------------------------------------------------------------------ override func preferredStatusBarStyle() -> UIStatusBarStyle { return UIStatusBarStyle.LightContent; } //------------------------------------------------------------------------------ // MARK: View Lifecycle //------------------------------------------------------------------------------ override func viewDidLoad() { super.viewDidLoad() navigationController!.navigationBar.barTintColor = UIColor(red: 0/255.0, green: 0/255.0, blue: 0/255.0, alpha: 100.0/100.0) let defaults = NSUserDefaults.standardUserDefaults() if let language = defaults.stringForKey("Language"){ if(language == "English"){ savePhraseButton.setTitle("Save", forState: .Normal) cancelPhraseButton.setTitle("Cancel", forState: .Normal) nameLabel.text = "Name:" languageLabel.text = "Language:" genderLabel.text = "Gender:" } if(language == "Turkish"){ savePhraseButton.setTitle("Kaydet", forState: .Normal) cancelPhraseButton.setTitle("Iptal", forState: .Normal) nameLabel.text = "Isim:" languageLabel.text = "Dil:" genderLabel.text = "Cinsiyet:" } if(language == "Greek"){ savePhraseButton.setTitle("αποθηκεύσετε", forState: .Normal) cancelPhraseButton.setTitle("ματαίωση", forState: .Normal) nameLabel.text = "Όνομα:" languageLabel.text = "Γλώσσα:" genderLabel.text = "γένος:" } } cancelButton.hidden = true saveButton.hidden = true saveView.hidden = true microphone = EZMicrophone(delegate: self, startsImmediately: true) plot?.backgroundColor = UIColor.blackColor() let plotTypes: EZPlotType = EZPlotType.Buffer plot?.plotType = plotTypes recordingSession = AVAudioSession.sharedInstance() do { nameField.delegate = self languageField.delegate = self try recordingSession.setCategory(AVAudioSessionCategoryPlayAndRecord) try recordingSession.setActive(true) recordingSession.requestRecordPermission(){[unowned self] (allowed: Bool) -> Void in dispatch_async(dispatch_get_main_queue()){ if allowed { self.loadRecordingUI() }else { } } } }catch { } } func textField(textField: UITextField, shouldChangeCharactersInRange range: NSRange, replacementString string: String) -> Bool { let maxLength = 16 let currentString: NSString = textField.text! let newString: NSString = currentString.stringByReplacingCharactersInRange(range, withString: string) return newString.length <= maxLength } func loadRecordingUI(){ if count == 1 { check = true if let image = UIImage(named: "recordingOn.png") { plot?.shouldFill = true plot?.shouldMirror = true plot?.resumeDrawing() navigationHam.enabled = false TimerControl = NSTimer.scheduledTimerWithTimeInterval(1.0, target: self, selector: #selector(ViewController.countdown), userInfo: nil, repeats: true) count = 2 RecordButton.setImage(image, forState: .Normal) startRecording() } }else { if let image = UIImage(named: "recordOff.png") { plot?.pauseDrawing() count = 1 tempTimer = timer timer = 30 TimerLabel.text = "0:"+String(timer) TimerControl.invalidate() RecordButton.setImage(image, forState: .Normal) if(check == true){ finishRecording() } } } } func finishRecording(){ audioRecorder.stop() navigationHam.enabled = false audioRecorder = nil RecordButton.hidden = true cancelButton.hidden = false saveButton.hidden = false TimerLabel.hidden = true check = false do { let sound = try AVAudioPlayer(contentsOfURL: audioURL) audioPlayer = sound sound.play() RecordButton.enabled = false plot?.resumeDrawing() }catch{ } plot?.shouldMirror = false plot?.shouldFill = false plot?.clear() } func startRecording(){ let paths = NSSearchPathForDirectoriesInDomains(.DocumentDirectory, .UserDomainMask, true) let documentsDirectory = paths[0] //let audioFilename = documentsDirectory.stringByAppendingString("recording.m4a") let randomURL = "/"+String.random() let audioFilename = documentsDirectory.stringByAppendingString(randomURL + ".m4a") audioURL = NSURL(fileURLWithPath: audioFilename) let settings = [ AVFormatIDKey: Int(kAudioFormatMPEG4AAC), AVSampleRateKey: 12000.0, AVNumberOfChannelsKey: 1 as NSNumber, AVEncoderAudioQualityKey: AVAudioQuality.High.rawValue ] do { audioRecorder = try AVAudioRecorder(URL: audioURL, settings: settings) audioRecorder.delegate = self audioRecorder.record() // let plotType: EZPlotType = EZPlotType.Buffer // plot?.plotType = plotType; // plot?.shouldFill = true // plot?.shouldMirror = true }catch { finishRecording() } } @IBAction func RecordAndStop(sender: AnyObject) { loadRecordingUI() } @IBAction func confirmButton(sender: AnyObject) { saveButton.hidden = true cancelButton.hidden = true saveView.hidden = false /* var blurEffect = UIBlurEffect(style: UIBlurEffectStyle.Dark) var blurEffectView = UIVisualEffectView(effect: blurEffect) blurEffectView.frame = view.bounds blurEffectView.autoresizingMask = [.FlexibleWidth, .FlexibleHeight] // for supporting device rotation plot.addSubview(blurEffectView)*/ } @IBAction func discardButton(sender: AnyObject) { navigationHam.enabled = true cancelButton.hidden = true saveButton.hidden = true RecordButton.hidden = false TimerLabel.hidden = false RecordButton.enabled = true do{ let sound = try AVAudioPlayer(contentsOfURL: audioURL) audioPlayer = sound sound.stop() plot?.clear() // plot?.redraw() plot?.pauseDrawing() } catch{ } } @IBAction func saveButton(sender: AnyObject) { // dictionary["phraseName"] = nameField.text // dictionary["language"] = languageField.text // dictionary["time"] = String(30 - timer) // // dictionary["flag"] = languageField.text // switch genderField.selectedSegmentIndex // { // case 0: // dictionary["gender"] = "male" // case 1: // dictionary["gender"] = "female" // default: // break; // } // let audioFileName = audioURL.absoluteString // dictionary["url"] = audioFileName } @IBAction func cancelButton(sender: AnyObject) { saveView.hidden = true RecordButton.hidden = false TimerLabel.hidden = false RecordButton.enabled = true navigationHam.enabled = true } func audioRecorderDidFinishRecording(recorder: AVAudioRecorder, successfully flag: Bool) { if !flag { finishRecording() } } func countdown(){ if(timer > 0){ timer = timer - 1 if(timer < 10){ TimerLabel.text = "0:0"+String(timer) }else { TimerLabel.text = "0:"+String(timer) } }else { if let image = UIImage(named: "RecordOff.png") { plot?.pauseDrawing() count = 1 tempTimer = timer timer = 30 TimerLabel.text = "0:"+String(timer) TimerControl.invalidate() RecordButton.setImage(image, forState: .Normal) if(check == true){ finishRecording() } } } } override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) { if segue.identifier == "segueIdentifer"{ let date = NSDate() let datesFormatter = NSDateFormatter() // datesFormatter.dateFormat = "M:dd:hh:mm" datesFormatter.dateFormat = "MM:dd:hh:mm" saveView.hidden = true RecordButton.hidden = false TimerLabel.hidden = false if let destination = segue.destinationViewController as? PhrasesViewController { dictionary["phraseName"] = nameField.text dictionary["language"] = languageField.text if ((30-tempTimer) >= 10) { dictionary["time"] = "0:"+String(30-tempTimer) }else{ dictionary["time"] = "0:0"+String(30 - tempTimer) } dictionary["flag"] = languageField.text switch genderField.selectedSegmentIndex { case 0: dictionary["gender"] = "female" case 1: dictionary["gender"] = "male" default: break; } let audioFileName = audioURL.lastPathComponent dictionary["url"] = audioFileName dictionary["date"] = datesFormatter.stringFromDate(date) var phrase: Phrases! phrase = Phrases(dictionary: dictionary) destination.phrase = phrase //destination.dictionary = dictionary try! realm.write { realm.add(phrase) } } } } //------------------------------------------------------------------------------ // MARK: Actions //------------------------------------------------------------------------------ //------------------------------------------------------------------------------ // MARK: EZMicrophoneDelegate //------------------------------------------------------------------------------ func microphone(microphone: EZMicrophone!, hasAudioReceived buffer: UnsafeMutablePointer<UnsafeMutablePointer<Float>>, withBufferSize bufferSize: UInt32, withNumberOfChannels numberOfChannels: UInt32) { dispatch_async(dispatch_get_main_queue(), { () -> Void in self.plot?.updateBuffer(buffer[0], withBufferSize: bufferSize); }); } } extension String { static func random(length: Int = 8) -> String { let base = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789" var randomString: String = "" for _ in 0..<length { let randomValue = arc4random_uniform(UInt32(base.characters.count)) randomString += "\(base[base.startIndex.advancedBy(Int(randomValue))])" } return randomString } }
7c73630424c5be753b4d74b4db4eb7dfd79ec2db
[ "Swift" ]
1
Swift
estebansolis/EMILY
5637f4f6996cfd19ad060185fe8ae14eb55ba6f9
e717ec70cc82591983552d89b8ec9180fea38d6e
refs/heads/master
<file_sep>var wdsDemo = angular.module('WoodSite', ['ngResource', 'ngCookies', 'ngRoute', 'homeCtrl']); window.routes = { "/home": { templateUrl : 'views/home.html', controller : 'homeCtrl', requireLogin: true } }; wdsDemo.config(['$routeProvider', '$locationProvider', function($routeProvider, $locationProvider) { for(var path in window.routes) { $routeProvider.when(path, window.routes[path]); } $routeProvider.otherwise({redirectTo: '/home'}); }]); wdsDemo.run(['$rootScope', '$location', '$cookieStore', '$route', function($rootScope, $location, $cookieStore, $route) { // keep user logged in after page refresh $rootScope.globals = $cookieStore.get('globals') || {}; $rootScope.$on('$locationChangeStart', function(event, next, current) { // redirect to login page if not logged in if ($location.path() == '/home' && !$rootScope.globals.currentUser) { } }); $rootScope.$on('$locationChangeSuccess', function(event) { $rootScope.previousLocation = $rootScope.actualLocation; $rootScope.actualLocation = $location.path(); }); }]); <file_sep>var homeCtrl = angular.module('homeCtrl', []); homeCtrl.controller('homeCtrl', ['$scope', '$http', '$resource', '$location', function($scope, $http, $resource, $location) { $http({ method: "GET", url: "JSON/AirBP.json" }).success(function(data) { console.log("TabsContent data:: "+JSON.stringify(data)); $scope.cardList = data; $scope.showitem = 0; }).error(function(data) { alert("Service is not available!"); console.log('Error '+data); }); $scope.toggleItem = function(id) { if(id == 4){ id = -1; } $scope.showitem = id + 1; }; }]);
b35dbdceed06d4be7993361fafc4370a1a5035cb
[ "JavaScript" ]
2
JavaScript
monajsarkar/BT_DEMO_CARD
12b2f82737588f5c99b5a2d4ddda8f3cbf2766b7
c01d1534d626e24102c29bf2869e73696590c75b
refs/heads/master
<repo_name>conorgilmer/worldcupdraw<file_sep>/java/src/Groups.java package groups; import java.util.*; import java.text.DecimalFormat; /* class for the seasons results and for writing report */ public class Groups { Groups( char group, int teams, double points, double avgEuro, double avgWorld, double avgPot) { this.group = group; this.teams = teams; this.points = points; this.avgEuro = avgEuro; this.avgWorld = avgWorld; this.avgPot = avgPot; } char group; int teams; double points; double avgEuro; double avgWorld; double avgPot; public char getGroup() { return group;} public int getTeams() { return teams;} public double getPoints() { return points;} public double getAvgEuro() { return avgEuro;} public double getAvgWorld() { return avgWorld;} public double getAvgPot() { return avgPot;} public String formatDouble(Double d){ DecimalFormat df = new DecimalFormat("####0.00"); return df.format(d); } public String toString() { return "Group Info Summary" + "\n" + "Group = " + group + "\n" + "Teams = " + teams + "\n" + "Total Points = " + points + "\n" + "Avg Euro Rank = " + avgEuro + "\n" + "Avg World Rank = " + avgWorld + "\n" + "Avg Pot Position = " + avgPot; } } <file_sep>/php/index.php <!-- header --> <?php include('header.php'); ?> <!-- additional header stuff --> <script type="text/javascript"> // Load the Visualization API and the chart package. google.load('visualization', '1', {'packages':['corechart']}); function drawChart(num) { var jsonBounceData = $.ajax({ url: "getbounces.php", data: "q="+num, dataType:"json", async: false }).responseText; // Bounce var bounce_data = new google.visualization.DataTable(jsonBounceData); // Instantiate and draw our chart, passing in some options. var bounce_bar_chart = new google.visualization.BarChart(document.getElementById('bounce_bar_div')); bounce_bar_chart.draw(bounce_data, {title: 'Draw Pot Position', bars: 'horizontal', width: 750, height: 510, legend: { position: 'none' },}); } </script> <!-- menu --> <?php include('menu.php'); ?> <!-- Content Start --> <!-- Example row of columns --> <div class="row"> <div class="col-lg-3"> <h2>European Groups - World Cup Qualifying</h2> <form> <select name="users" onchange="drawChart(this.value)"> <option value="">Select a Group :</option> <option value="A">Group A</option> <option value="B">Group B</option> <option value="C">Group C</option> <option value="D">Group D</option> <option value="E">Group E</option> <option value="F">Group F</option> <option value="G">Group G</option> <option value="H">Group H</option> <option value="I">Group I</option> </select> </form> </div> </div> <div class="row"> <div class="col-lg-4"> </div> <div class="col-lg-4"> <div id="bounce_bar_div"></div> </div> <div class="col-lg-4"> </div> </div> <!-- Content End --> <!-- footer --> <?php include('footer.php'); ?> <file_sep>/php/README.md #Graph the postion in a pot of each team in a group Use Google graphs and Bootstrap Use PHP internal server php -S localhost:8880 (Control C to end) #Done * add array selecting colours * add left right bar depending on middle seed #Todo * add combined page * bar chart rank groups <file_sep>/java/README.md #Groups Analysis Analysis of world cup draw groups, calculating the "toughness" based on seedings, points and pot position of teams in a group. *GroupAnalysis.java - Calculate the Analysis *Teams.java - layout of the seedings data *Groups.java - layout of the analysed data <file_sep>/php/getbounces.php <?php $group=$_GET["q"]; $colours = array("#0000FF","#FF00AA","#00FF00","#3300AA","#FF0000","#333222","#342000","#1110FF","#222222"); $file = "seedings.csv"; $c=0; $col=0; echo "{ \"cols\": [ {\"id\":\"\",\"label\":\"Country\",\"pattern\":\"\",\"type\":\"string\"}, {\"id\":\"\",\"label\":\"Position\",\"pattern\":\"\",\"type\":\"number\"} , {\"id\":\"\",\"role\":\"style\",\"type\":\"string\"} ], \"rows\": [ "; $data=fopen($file,'r'); while($row=fgets($data)){ //$row is your line as a string if($c!=0){ //do something with it $lst = explode(",", $row); if ($lst[5]== $group){ $pos = 4.5 - ($lst[0] - (9 * $col)); echo "{\"c\":[{\"v\":\"" . $lst[2] . "\",\"f\":null},{\"v\":" . $pos . ",\"f\":null},{\"v\":\"".$colours[$col]."\",\"f\":null} ]},"; $col++; } else { // echo "{\"c\":[{\"v\":\"" . 'others' . "\",\"f\":null},{\"v\":" . $row['others'] . ",\"f\":null}]}, "; } } $c++; } echo " ] }"; ?> <file_sep>/README.md #Analysis of World Cup Qualification Draw A simple awk program to read in the seedings and calculate the net world ranking points of a group, the pot position score to evaluate how tough the draw is for a group, ie. Pot 1 Seed 1 would be tough where as Pot 1 seed 9 would be better. ##Python version Calculates "toughness" of each group, and writes a report to screen and to a file (output.rep) python groups.py **To Do ** + Could use floats for real numbers ##AWK version awk -f groups.awk seedings.csv ##To Do /Thoughts + Read in the group value? + Loop round each group i.e. Array/Set {A,C,D,E,F,G,H,I} + Evaluate a higher score for a higher draw in higher pots (i.e. seed 1 in pot 1is worse to get than seed 1 in pot 3 ) + Graph bar +/- + php version with google graphs? <file_sep>/groups.py ############################################################################### # groups.py # # by <NAME> # # Calcualte the "toughness" of the groups based on seedings and points # # Tasks # 1 - Create a seedings set from seedings csv file # 2 - Anlayse Data # 3 - Create Report/Write to file ############################################################################### ############################################################################### # IMPORTS ############################################################################### import decimal ############################################################################### # CONSTANTS # - these are the fields in the data file ############################################################################### # Input File Headings EURORANK = "European Ranking" FIFARANK = "World Ranking" COUNTRY = "Country" POINTS = "Points" POT = "Pot" GROUP = "Group" # Report Headings TEAMS = "Teams" TPOINTS = "Total Points" AVGEU = "Avg Euro Rank" AVGWC = "Avg World Rank" AVGPP = "Avg Pot Position" ############################################################################### # round a float to 2 decmials and return it as a String ############################################################################### def roundToTwo(num): number = 0.0 number = round(num,2) return str(number) ############################################################################### # 1. Create a seedings set # - Read in file # - Create a dictionary for each line # - Add this dictionary to a list # ############################################################################### def createSeedingsSet(filename): # read in Data to a Set dataSet = [] fin = open(filename,'r') # Read in file for line in fin: line = line.strip() line_list = line.split(',') # Create a dictionary for the line record = {} record[EURORANK] = line_list[0] record[FIFARANK] = line_list[1] record[COUNTRY] = line_list[2] record[POINTS] = line_list[3] record[POT] = line_list[4] record[GROUP] = line_list[5] # Add the dictionary to a list dataSet.append(record) fin.close() print "Seedings Set Populated" # return the Set return dataSet ############################################################################### # 2. analyseGroups # - calculate points sum, avg rankings # - save stats to set and return ############################################################################### def analyseGroups(dataSet, grp): print "\nAnalyse Group " + grp points = 0 euroavg = 0.0 fifaavg = 0.0 teams = 0 potposavg = 0.0 # print dataSet for line in dataSet: record = {} record = line if record[GROUP] == grp: potpos = int(record[EURORANK]) - (9 * teams) print "%s %d" % (record[COUNTRY], potpos) teams = teams + 1 points = points + int(record[POINTS]) euroavg = euroavg + int(record[EURORANK]) fifaavg = fifaavg + int(record[FIFARANK]) potposavg = potposavg + potpos print "Teams \t \t\t%d" % teams print "FIFA Points\t\t%d" % points euroavg = euroavg/teams fifaavg = fifaavg/teams potposavg = potposavg/teams print "Avg. Euro Ranking \t %.2f" % euroavg print "Avg. World Ranking \t %.2f" % fifaavg print "Avg. Pot Position \t %.2f" % potposavg # save group stats record outputRecord = {} outputRecord[GROUP] = grp outputRecord[TEAMS] = teams outputRecord[TPOINTS] = points outputRecord[AVGEU] = euroavg outputRecord[AVGWC] = fifaavg outputRecord[AVGPP] = potposavg return outputRecord ############################################################################### # 3. Generate Report # - print report # - write report to file ############################################################################### def generateReport(filename, dataSet): print "Generating Report" fout = open(filename,'w') title = "World Cup Qualifying Draw"; fout.write(title + "\n"); headings = GROUP + "\t" + TEAMS + "\t"+ TPOINTS+"\t"+AVGEU+ "\t"+ AVGWC + "\t" + AVGPP fout.write(headings + "\n") print title print headings for line in dataSet: record = {} record = line #print record strg = str(record[GROUP]) + "\t" + str(record[TEAMS]) +"\t"+ str(record[TPOINTS])+ "\t\t"+roundToTwo(record[AVGEU])+ "\t\t" + roundToTwo(record[AVGWC]) + "\t" + roundToTwo(record[AVGPP]) fout.write(strg + "\n") print strg fout.close() print "End of Report Generator" ############################################################################### # main - starts the program ############################################################################### def main(): # Read in Data print "Read in seedings." seedingsSet = [] reportSet = [] groups = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I'] seedingsFile = "seedings.csv" reportFile = "output.rep" seedingsSet = createSeedingsSet(seedingsFile) print "Seedings read in.\n" # Analyse Data print "Calculate Group Toughness" # call analyseGroups(seedingsSet); # for each group and append to set for gp in groups: reportSet.append(analyseGroups(seedingsSet, gp)) print "Done Analysing Group.\n" # Write Report print "Write Report" generateReport(reportFile, reportSet); print "Done Writing Report.\n" # add call to appropriate function print "Program finished." # call main function main()
19904df18253252a6c8c62a44b49160a981a15f5
[ "Markdown", "Java", "Python", "PHP" ]
7
Java
conorgilmer/worldcupdraw
d1591c3781c35dc706efcee258994beb1b520190
06cfaa0f06ea5150fa5a92f280b67e439dbe082d
refs/heads/master
<file_sep>See http://www.sirikata.com/wiki/index.php?title=Compiling_Awesomium But the Chromium revision 22725. The awesomium git repository used is at: http://github.com/pathorn/awesomium/network The version of awesomium is from the master August 7 checkin, tree fc3239b4f49031285682cb5d78256d56e9001b66 Any method that had a wstring in the parameter, a second method was created which just accepts all std::string. This fixes the VC7 - VC9 linker error. <file_sep>#include "config_awesomium.cxx" #include "awWebCore.cxx" #include "awWebView.cxx" #include "awWebViewListener.cxx" <file_sep>from panda3d import core empty_format = core.GeomVertexFormat.get_empty() def test_geom_decompose_in_place(): vertex_data = core.GeomVertexData("", empty_format, core.GeomEnums.UH_static) prim = core.GeomTristrips(core.GeomEnums.UH_static) prim.add_vertex(0) prim.add_vertex(1) prim.add_vertex(2) prim.add_vertex(3) prim.close_primitive() geom = core.Geom(vertex_data) geom.add_primitive(prim) geom.decompose_in_place() prim = geom.get_primitive(0) assert tuple(prim.get_vertex_list()) == (0, 1, 2, 2, 1, 3) def test_geom_decompose(): vertex_data = core.GeomVertexData("", empty_format, core.GeomEnums.UH_static) prim = core.GeomTristrips(core.GeomEnums.UH_static) prim.add_vertex(0) prim.add_vertex(1) prim.add_vertex(2) prim.add_vertex(3) prim.close_primitive() geom = core.Geom(vertex_data) geom.add_primitive(prim) new_geom = geom.decompose() new_prim = new_geom.get_primitive(0) assert tuple(new_prim.get_vertex_list()) == (0, 1, 2, 2, 1, 3) # Old primitive should still be unchanged assert prim == geom.get_primitive(0) <file_sep>/** * PANDA 3D SOFTWARE * Copyright (c) Carnegie Mellon University. All rights reserved. * * All use of this software is subject to the terms of the revised BSD * license. You should have received a copy of this license along * with this source code in a file named "LICENSE." * * @file awesomium_includes.h * @author rurbino * @date 2010-10-08 */ #ifndef _AWESOMIUM_INCLUDES_H_ #define _AWESOMIUM_INCLUDES_H_ #include <WebCore.h> #include <WebView.h> #include <WebViewListener.h> #endif
3ff5982e6e1f9b555e3fa7bcce8798fee6ec139f
[ "C", "Python", "Text", "C++" ]
4
Text
loblao/panda3d
0d61322310ff0a7feb896c52a14fd4238c811dd5
bfa77453d198bace8cbeaa7a4a007e10c66a042c
refs/heads/main
<repo_name>PashaEagle/kafka-javafx-learn<file_sep>/javafx-kafka-client/src/sample/handler/UpdateHandler.java package sample.handler; import com.fasterxml.jackson.core.type.TypeReference; import com.sun.net.httpserver.HttpExchange; import com.sun.net.httpserver.HttpHandler; import sample.data.Context; import sample.dto.Message; import java.io.*; import java.nio.charset.StandardCharsets; import java.util.List; import java.util.Map; import java.util.stream.Collectors; public class UpdateHandler implements HttpHandler { private final Context context = Context.getInstance(); @Override public void handle(HttpExchange t) throws IOException { String response = "{}"; t.sendResponseHeaders(200, response.length()); InputStream inputStream = t.getRequestBody(); String body = new BufferedReader( new InputStreamReader(inputStream, StandardCharsets.UTF_8)) .lines() .collect(Collectors.joining("\n")); context.usernameToMessagesMap = context.mapper.readValue(body, new TypeReference<Map<String, List<Message>>>() { }); OutputStream os = t.getResponseBody(); os.write(response.getBytes()); os.close(); } }<file_sep>/spring-boot-kafka/src/main/java/io/reflectoring/kafka/dto/ChatId.java package io.reflectoring.kafka.dto; import java.util.Objects; public class ChatId { private String username1; private String username2; public ChatId() { } public ChatId(String username1, String username2) { this.username1 = username1; this.username2 = username2; } public String getUsername1() { return username1; } public void setUsername1(String username1) { this.username1 = username1; } public String getUsername2() { return username2; } public void setUsername2(String username2) { this.username2 = username2; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; ChatId chatId = (ChatId) o; return (username1.equals((chatId.getUsername1())) && username2.equals((chatId.getUsername2()))) || (username1.equals((chatId.getUsername2())) && username2.equals((chatId.getUsername1()))); } @Override public int hashCode() { return Objects.hash(username1, username2) ^ Objects.hash(username2, username1); } } <file_sep>/README.md # kafka-javafx-learn This repository is for the project for learning kafka and javaFX. # Launch manual 1. Start kafka with zookeeper (you can use this official quickstart guide: https://kafka.apache.org/quickstart) 2. Start BE-microservice (spring-boot-kafka). 3. Start FE-javaFX client (javafx-kafka-client) with any open port in your system. Pass it using command line arguments to the 'main' method. Each client should have different port. 4. That's it! <file_sep>/spring-boot-kafka/src/main/java/io/reflectoring/kafka/MainService.java package io.reflectoring.kafka; import io.reflectoring.kafka.dto.ChatId; import io.reflectoring.kafka.dto.Message; import io.reflectoring.kafka.dto.SendMessageRequest; import io.reflectoring.kafka.sender.KafkaSender; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Value; import org.springframework.stereotype.Service; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; @Service public class MainService { private final Logger LOG = LoggerFactory.getLogger(getClass()); @Value("${io.reflectoring.kafka.topic-1}") private String topic1; @Autowired private KafkaSender kafkaSender; @Autowired private Map<ChatId, List<Message>> chatIdToMessagesMap; @Autowired private Map<String, List<String>> usernameToChattersMap; @Autowired private Map<String, List<Integer>> loggedUsernameToClientPorts; public String getTopic1() { return topic1; } public void setTopic1(String topic1) { this.topic1 = topic1; } public KafkaSender getKafkaSender() { return kafkaSender; } public void setKafkaSender(KafkaSender kafkaSender) { this.kafkaSender = kafkaSender; } public Map<ChatId, List<Message>> getChatIdToMessagesMap() { return chatIdToMessagesMap; } public void setChatIdToMessagesMap(Map<ChatId, List<Message>> chatIdToMessagesMap) { this.chatIdToMessagesMap = chatIdToMessagesMap; } public Map<String, List<String>> getUsernameToChattersMap() { return usernameToChattersMap; } public void setUsernameToChattersMap(Map<String, List<String>> usernameToChattersMap) { this.usernameToChattersMap = usernameToChattersMap; } public Map<String, List<Integer>> getLoggedUsernameToClientPorts() { return loggedUsernameToClientPorts; } public void setLoggedUsernameToClientPorts(Map<String, List<Integer>> loggedUsernameToClientPorts) { this.loggedUsernameToClientPorts = loggedUsernameToClientPorts; } public Message sendMessage(SendMessageRequest sendMessageRequest) { Message message = Message.fromRequest(sendMessageRequest); message.setTimestamp(System.currentTimeMillis()); kafkaSender.sendCustomMessage(message, topic1); return message; } public Map<String, List<Message>> getAllUserMessages(String username) { List<String> chatters = usernameToChattersMap.get(username); Map<String, List<Message>> chatterToMessagesMap = new HashMap<>(); if (chatters == null) { chatters = new ArrayList<>(); } chatters.forEach(chatter -> { ChatId tempChat = new ChatId(username, chatter); List<Message> messagesWithChatter = chatIdToMessagesMap.get(tempChat); chatterToMessagesMap.put(chatter, messagesWithChatter); }); return chatterToMessagesMap; } public void addLoggedClient(String username, Integer clientPort) { List<Integer> clientPorts = loggedUsernameToClientPorts.get(username); if (clientPorts == null) clientPorts = new ArrayList<>(); boolean alreadyPresent = clientPorts.stream().anyMatch(port -> port.equals(clientPort)); if (!alreadyPresent) { clientPorts.add(clientPort); loggedUsernameToClientPorts.put(username, clientPorts); } LOG.info("Current active client map: {}", loggedUsernameToClientPorts); } public void logoutClient(String username, Integer port) { List<Integer> clientPorts = loggedUsernameToClientPorts.get(username); clientPorts.remove(port); if (!clientPorts.isEmpty()) loggedUsernameToClientPorts.put(username, clientPorts); else loggedUsernameToClientPorts.remove(username); LOG.info("Client with username={} on port={} successfully logged out", username, port); } }
fb9afef1aada2952dd1ec7b02c100c1a8473056c
[ "Markdown", "Java" ]
4
Java
PashaEagle/kafka-javafx-learn
a069a4d444be469b6766ae185a82a2bb73d71627
b2457f08c8de42cb0ca7696db6328b7ed38174e8
refs/heads/main
<repo_name>shivamkumar4jmp/Face-detection<file_sep>/face_detect.py from cv2 import cv2 detect = cv2.CascadeClassifier("haarcascade_frontalface_default.xml") imp_img = cv2.VideoCapture("mark.jpg") res, img = imp_img.read() gray = cv2.cvtColor(img,cv2.COLOR_BGR2GRAY) faces = detect.detectMultiScale(gray, 1.25,5) for(x,y,w,h) in faces: cv2.rectangle(img , (x,y) , (x+w , y+h) , (1,255,1),2) cv2.imshow("mark Image", img) cv2.waitKey(0) imp_img.release() cv2.destroyAllWindows()
db93a2c32fe11881f5dd8c81c20032fa4ac5db6f
[ "Python" ]
1
Python
shivamkumar4jmp/Face-detection
2d7f69264903ed97e1459bfd7e5a92a12827e6ed
9a53a72e9268b83434856d3af3e7bd71e15de2b3
refs/heads/master
<file_sep>const {argv} = require('./yargs') const funciones = require('./funciones') let comando = argv._[0]; switch (comando) { case 'crear': funciones.crear(argv); break; case 'mostrar': funciones.mostrar(); break; case 'buscar': funciones.buscar(argv.nombre); break; case 'gano': funciones.gano(argv.materia); break; case 'ganoMat': funciones.gano('matematicas'); break; case 'promedio': funciones.promedio(argv.nombre); break; case 'promedioMayor': funciones.promedioMayor(); break; default: console.log('No existe funcion: '+comando); } <file_sep>const fs = require('fs'); const express = require('express'); const app = express(); listaEstudiantes = []; const crear = (estudiante)=>{ listar(); let est = { nombre: estudiante.nombre, matematicas: estudiante.matematicas, ingles: estudiante.ingles, programacion: estudiante.programacion } let duplicado = listaEstudiantes.find(nom => nom.nombre == estudiante.nombre) if (!duplicado) { listaEstudiantes.push(est); console.log(listaEstudiantes); guardar(); }else{ console.log('Estudiante ya existe en la BD'); } } const listar = () =>{ try{ listaEstudiantes = require('./listado.json'); }catch(err){ listaEstudiantes = []; } } const mostrar = () =>{ listar(); console.log('Listado de Notas'); listaEstudiantes.forEach(estudiante => { console.log('Nombre '+estudiante.nombre); console.log('Notas'); console.log(' Matematicas '+estudiante.matematicas); console.log(' Ingles '+estudiante.ingles); console.log(' Programacion '+estudiante.programacion+'\n'); }); } const buscar = (nomb) =>{ listar(); if (est = listaEstudiantes.find(nom => nom.nombre == nomb)) { console.log('Nombre '+est.nombre); console.log('Notas'); console.log(' Matematicas '+est.matematicas); console.log(' Ingles '+est.ingles); console.log(' Programacion '+est.programacion); }else console.log('Estudiante no existe en la BD'); } const gano = (materia) =>{ listar(); console.log('Listado de estudiantes que ganaron '+materia+'\n'); let ganan = listaEstudiantes.filter(mat => mat[materia] >=3) if (ganan.length) { ganan.forEach(estudiante => { console.log('Nombre '+estudiante.nombre); console.log(' Nota '+materia+': '+estudiante[materia]+'\n'); }); }else console.log('Ningun estudiante gano la materia '+materia+'\n'); } const promedio = (nomb) =>{ listar(); if (est = listaEstudiantes.find(nom => nom.nombre == nomb)) { console.log('Nombre '+est.nombre); console.log(' Promedio de notas '+((est.matematicas+est.ingles+est.programacion)/3)+'\n'); }else console.log('Estudiante no existe en la BD'); } const promedioMayor = () =>{ listar(); const mayorTres = (est) =>{return ((est.matematicas+est.ingles+est.programacion)/3) > 3;} let promMayor = listaEstudiantes.filter(mayorTres); var texto = 'Listado de estudiantes con promedio mayor a 3'+'<br>'; if (promMayor.length) { promMayor.forEach(est => { texto = texto + 'Nombre '+est.nombre+' '; texto = texto + ' promedio de notas '+((est.matematicas+est.ingles+est.programacion)/3)+'<br><br>'; }); }else texto = texto + 'Ningun estudiante tiene promedio por encima de 3'; app.get('/', function (req, res) { res.send(texto) }) app.listen(3000) } const guardar = () => { let datos = JSON.stringify(listaEstudiantes); fs.writeFile('listado.json', datos, (err)=>{ if (err) throw (err); console.log('Archivo Creado con exito'); }); } module.exports = { crear, mostrar, buscar, gano, promedio, promedioMayor }<file_sep>const {obtenerPromedio, argv} = require('./datos') const express = require('express') const app = express() //console.log(argv); console.log(argv); if (argv._[0]=='promedio') { texto='El promedio de es '+obtenerPromedio(argv.i,argv.m,argv.p); } else { texto='Promedio no calculado'; } app.get('/', function (req, res) { res.send(texto) }) app.listen(3000)
926e4eeb485c74d1e56368b28129e67ea3f4d267
[ "JavaScript" ]
3
JavaScript
markus993/tarea2
25747b37c0068554c49abc88eb31faae56e47320
447daff259da0d5ce7731d9054e1abd3f4e2b3f3
refs/heads/master
<repo_name>rez151/automl<file_sep>/drdetection.py import os from keras import callbacks from keras import optimizers from keras.callbacks import History from keras.layers import Dropout, Flatten, Dense, Activation, BatchNormalization from keras.layers.convolutional import Convolution2D, MaxPooling2D from keras.models import Sequential from keras.preprocessing.image import ImageDataGenerator train_data_path = './datasets/train' test_data_path = './datasets/test' validation_data_path = './datasets/validation' """ Parameters """ img_width, img_height = 150, 150 batch_size = 32 samples_per_epoch = 1000 validation_steps = 10 classes_num = 5 lr = 0.00001 epochs = 50 class_weight = { 0: 3., 1: 3., 2: 1., 3: 3., 4: 3. } """ CNN Properties """ nb_filters1 = 64 nb_filters2 = 128 conv1_size = 3 conv2_size = 2 conv3_size = 2 conv4_size = 2 conv5_size = 2 pool_size = 2 """ Model """ model = Sequential() model.add(Convolution2D(nb_filters1, (conv1_size, conv1_size), padding="same", input_shape=(img_width, img_height, 3))) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv2_size, conv2_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv2_size, conv2_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv3_size, conv3_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv3_size, conv3_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv4_size, conv4_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv4_size, conv4_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=(pool_size, pool_size))) model.add(Convolution2D(nb_filters2, (conv4_size, conv4_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=1)) model.add(Convolution2D(nb_filters2, (conv5_size, conv5_size), padding="same")) model.add(Activation("relu")) model.add(MaxPooling2D(pool_size=1)) model.add(Flatten()) model.add(Dense(256)) model.add(Activation("relu")) model.add(Dropout(0.3)) model.add(Dense(classes_num, activation='softmax')) #model.add(Flatten()) #model.add(Dense(4096, init='normal')) #model.add(Activation('relu')) #model.add(Dense(4096, init='normal')) #model.add(Activation('relu')) #model.add(Dense(1000, init='normal')) #model.add(Activation('softmax')) model.compile(loss='categorical_crossentropy', optimizer=optimizers.SGD(lr=lr), metrics=['accuracy']) train_datagen = ImageDataGenerator( rescale=1. / 255, shear_range=0.2, zoom_range=0.2, horizontal_flip=True) val_datagen = ImageDataGenerator(rescale=1. / 255) test_datagen = ImageDataGenerator(rescale=1. / 255) train_generator = train_datagen.flow_from_directory( train_data_path, target_size=(img_height, img_width), batch_size=batch_size, class_mode='categorical') validation_generator = val_datagen.flow_from_directory( validation_data_path, target_size=(img_height, img_width), batch_size=batch_size, class_mode='categorical') """ Tensorboard log """ log_dir = './tf-log/' tb_cb = callbacks.TensorBoard(log_dir=log_dir, histogram_freq=0) # cbks = [tb_cb] hist = History() cbks = [hist] model.fit_generator( generator=train_generator, samples_per_epoch=samples_per_epoch, epochs=epochs, callbacks=cbks, steps_per_epoch=31, validation_data=validation_generator, validation_steps=validation_steps, class_weight=class_weight ) test_generator = test_datagen.flow_from_directory( test_data_path, target_size=(150, 150), class_mode='categorical', batch_size=1) filenames = test_generator.filenames nb_samples = len(filenames) predict = model.predict_generator(test_generator, steps=nb_samples) print(predict) target_dir = './models/' if not os.path.exists(target_dir): os.mkdir(target_dir) model.save('./models/model20000e.h5') model.save_weights('./models/weights20000e.h5') results = hist.history.items() print(results) with open("results.txt", "w") as text_file: print(results, file=text_file) <file_sep>/mainscripts/savecallback.py import os import keras from keras.utils import plot_model class SaveCallback(keras.callbacks.Callback): def __init__(self, model, modelname): self.__best_loss = 100.0 self.__best_acc = 0.0 self.model_to_save = model self.__model_name = modelname self.__saved_model_path = "" self.__save_path = '/home/determinants/automl/models/' + modelname + "/" if not os.path.exists(self.__save_path): os.makedirs(self.__save_path) plot_model(model, to_file=self.__save_path + str(modelname) + '.png', show_shapes=True) model.summary() def on_train_end(self, logs=None): super().on_train_end(logs) def on_epoch_end(self, epoch, logs='val_loss'): if float(logs['val_loss']) < float(self.__best_loss): self.__best_loss = float(logs['val_loss']) filename = self.__save_path + self.__model_name + '_ep_' + str(epoch) + "_val_loss_" + str( '{:{width}.{prec}f}'.format(logs['val_loss'], width=4, prec=2)) + '_val_acc_' + str( '{:{width}.{prec}f}'.format(logs['val_acc'], width=4, prec=2) + '.h5') self.overwrite(filename) def overwrite(self, filename): if self.__saved_model_path != "": os.remove(self.__saved_model_path) self.model_to_save.save(filename) self.__saved_model_path = filename <file_sep>/preprocessing/sorter.py import shutil import pandas as pd from util.directories import createDirs def sort(config): labelfile = config['labelfile'] loaddir = config['loaddir'] classes = config['classes'] validationsplit = config['validationsplit'] extension = config['fileextension'] lines = pd.read_csv(labelfile) imgcount = lines.size / 2 validcount = imgcount * validationsplit createDirs(loaddir, classes) counter = 0 for i in lines.values: file = i[0] level = i[1] if counter < imgcount - validcount: shutil.move(loaddir + "/train/" + file + extension, loaddir + "/train/" + classes[level] + "/" + file + extension) else: shutil.move(loaddir + "/train/" + file + extension, loaddir + "/validation/" + classes[level] + "/" + file + extension) counter += 1 if (counter % 100) == 0: print(str(counter) + '/' + str(imgcount)) def revert(config): labelfile = config['labelfile'] loaddir = config['loaddir'] classes = config['classes'] validationsplit = config['validationsplit'] lines = pd.read_csv(labelfile) imgcount = lines.size / 2 validcount = imgcount * validationsplit createDirs(loaddir, classes) counter = 0 for i in lines.values: file = i[0] level = i[1] if counter < imgcount - validcount: shutil.move(loaddir + "/train/" + classes[level] + "/" + file + ".jpeg", loaddir + "/train/" + file + ".jpeg") else: shutil.move(loaddir + "/validation/" + classes[level] + "/" + file + ".jpeg", loaddir + "/train/" + file + ".jpeg") counter += 1<file_sep>/requirements.txt plt Augmentor numpy pip>=9.0.0 pandas keras h5py scikit-learn scipy tensorflow-gpu matplotlib jupyter pillow pydot graphviz<file_sep>/preprocessing/resizer.py import os import pandas as pd import shutil from PIL import Image width = 512 height = 512 lines = pd.read_csv("/home/determinants/automl/datasets/diabetic-retinopathy-detection/trainLabels.csv") def getlevel(levelnr): switcher = { 0: "0_nodr", 1: "1_mild", 2: "2_moderate", 3: "3_severe", 4: "4_proliferativedr" } return switcher.get(levelnr, "invalid") def resize_train(height, width): for i in lines.values: file = i[0] level = i[1] filenr = file.split('_')[0] extension = ".jpeg" filelevel = getlevel(level) loaddir = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/la/train/" + str(filelevel) savedir = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/la/500/" + str(filelevel) try: # Open the image file. img = Image.open(os.path.join(loaddir, file + extension)) # Resize it. img = img.resize((width, height), Image.ANTIALIAS) # Save it back to disk. img.save(os.path.join(savedir, file + extension)) except: print("file " + str(i) + " not found") print(filenr + " / " + str(lines.size) + "images train") def resize_test(height, width): loaddirtest = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/la/test" savedirtest = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/la/test500" files = os.listdir(loaddirtest) testcount = len(files) counter = 0 for f in files: if not os.path.exists(savedirtest + "/" + f): # Open the image file. img = Image.open(os.path.join(loaddirtest, f)) # Resize it. img = img.resize((width, height), Image.ANTIALIAS) # Save it back to disk. img.save(os.path.join(savedirtest, f)) counter += 1 if (counter % 100) == 0: print(str(counter) + " / " + str(testcount)) <file_sep>/models/architectures.py import tensorflow as tf from keras import Sequential from keras.applications import InceptionV3, Xception, VGG16, VGG19, ResNet50, InceptionResNetV2, MobileNet, DenseNet121, \ DenseNet169, DenseNet201 from keras.layers import Conv2D, MaxPooling2D, BatchNormalization, Flatten, Dense, Dropout, AveragePooling2D, \ MaxoutDense, LeakyReLU def load_2nd_place(width, height, classes_num): with tf.device('/cpu:0'): model = Sequential() model.add(Conv2D(32, 5, strides=2, activation='relu', padding='same', input_shape=(width, height, 3))) model.add(Conv2D(32, 3, strides=2, activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(Conv2D(64, 5, strides=2, activation='relu', padding='same')) model.add(Conv2D(64, 3, activation='relu', padding='same')) model.add(Conv2D(64, 3, activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(Conv2D(128, 3, activation='relu', padding='same')) model.add(Conv2D(128, 3, activation='relu', padding='same')) model.add(Conv2D(128, 3, activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(Conv2D(256, 3, activation='relu', padding='same')) model.add(Conv2D(256, 3, activation='relu', padding='same')) model.add(AveragePooling2D(pool_size=3, strides=2)) model.add(Flatten()) model.add(Dropout(0.4)) model.add(Dense(1024)) model.add(Dropout(0.4)) model.add(Dense(classes_num, activation='softmax')) return model def load_usuyama(width, height, classes_num): with tf.device('/cpu:0'): model = Sequential() model.add(Conv2D(32, (3, 3), activation='relu', input_shape=(width, height, 3))) model.add(Conv2D(32, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(64, (3, 3), activation='relu')) model.add(Conv2D(64, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(96, (3, 3), activation='relu')) model.add(Conv2D(96, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(128, (3, 3), activation='relu')) model.add(Conv2D(128, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(192, (3, 3), activation='relu')) model.add(Conv2D(192, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(256, (3, 3), activation='relu')) model.add(Conv2D(256, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Conv2D(256, (3, 3), activation='relu')) model.add(MaxPooling2D(pool_size=(2, 2))) model.add(Flatten()) model.add(Dense(256, activation='relu')) model.add(Dense(classes_num, activation='softmax')) return model def load_m42(width, height, classes_num): with tf.device('/cpu:0'): model = Sequential() model.add(Conv2D(32, 4, padding='same', input_shape=(width, height, 3))) model.add(LeakyReLU()) model.add(Conv2D(32, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(64, 4,padding='same')) model.add(LeakyReLU()) model.add(Conv2D(64, 4,padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(128, 4, padding='same')) model.add(LeakyReLU()) model.add(Conv2D(128, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(256, 4, padding='same')) model.add(LeakyReLU()) model.add(Conv2D(256, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(384, 4, padding='same')) model.add(LeakyReLU()) model.add(Conv2D(384, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(512, 4, padding='same')) model.add(LeakyReLU()) model.add(Conv2D(512, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Conv2D(512, 4, padding='same')) model.add(LeakyReLU()) model.add(Conv2D(512, 4, padding='same')) model.add(LeakyReLU()) model.add(MaxPooling2D(pool_size=3, strides=2)) model.add(LeakyReLU()) model.add(Dropout(0.5)) model.add(LeakyReLU()) model.add(Dense(1024)) model.add(LeakyReLU()) model.add(Flatten()) model.add(LeakyReLU()) model.add(Dense(1024)) model.add(LeakyReLU()) model.add(Dense(classes_num, activation='softmax')) return model def load_alexnet(width, height, classes_num): # AlexNet with batch normalization in Keras # input image is 224x224 # Define the Model with tf.device('/cpu:0'): model = Sequential() model.add( Conv2D(96, (11, 11), strides=(4, 4), activation='relu', padding='same', input_shape=(None, None, 3))) # for original Alexnet # model.add(Conv2D(96, (3,3), strides=(2,2), activation='relu', padding='same', input_shape=(img_height, img_width, 3))) model.add(MaxPooling2D(pool_size=(2, 2), strides=(2, 2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Conv2D(256, (5, 5), activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=(3, 3), strides=(2, 2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Conv2D(384, (3, 3), activation='relu', padding='same')) model.add(Conv2D(384, (3, 3), activation='relu', padding='same')) model.add(Conv2D(256, (3, 3), activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=(3, 3), strides=(2, 2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Flatten()) model.add(Dense(4096, activation='tanh')) model.add(Dropout(0.2)) model.add(Dense(4096, activation='tanh')) model.add(Dropout(0.2)) model.add(Dense(classes_num, activation='softmax')) return model def load_customnet(width, height, classes_num, layer, min_filters, max_filters, conv_window=3, pool=3, strides=2, dense_layers=2, dense_units=256, dropout=0.1): with tf.device('/cpu:0'): hidden_layers = 0 model = Sequential() model.add( Conv2D(min_filters, (11, 11), strides=4, activation='relu', padding='same', input_shape=(width, height, 3))) model.add(MaxPooling2D()) model.add(BatchNormalization()) filters = min_filters + 32 model.add(Conv2D(filters, conv_window, activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=pool, strides=strides)) filters = min_filters + 32 while filters <= max_filters: model.add(Conv2D(filters, conv_window, activation='relu', padding='same')) model.add(BatchNormalization()) filters += 32 hidden_layers += 1 if hidden_layers < layer: for i in range(hidden_layers, layer): model.add(Conv2D(filters, conv_window, activation='relu', padding='same')) model.add(BatchNormalization()) model.add(Conv2D(filters, conv_window, activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=pool, strides=strides)) model.add(BatchNormalization()) model.add(Flatten()) for i in range(dense_layers): model.add(Dense(dense_units, activation='tanh')) model.add(Dropout(dropout)) model.add(Dense(classes_num, activation='softmax')) return model def load_inception_v3(width, height, classes_num): with tf.device('/cpu:0'): model = InceptionV3(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_xception(width, height, classes_num): with tf.device('/cpu:0'): model = Xception(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_vgg16(width, height, classes_num): with tf.device('/cpu:0'): model = VGG16(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_vgg19(width, height, classes_num): with tf.device('/cpu:0'): model = VGG19(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_resnet50(width, height, classes_num): with tf.device('/cpu:0'): model = ResNet50(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_inceptionresnet_v2(width, height, classes_num): with tf.device('/cpu:0'): model = InceptionResNetV2(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_mobilenet(width, height, classes_num): with tf.device('/cpu:0'): model = MobileNet(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_densenet121(width, height, classes_num): with tf.device('/cpu:0'): model = DenseNet121(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_densenet169(width, height, classes_num): with tf.device('/cpu:0'): model = DenseNet169(weights=None, input_shape=(width, height, 3), classes=classes_num) return model def load_densenet201(width, height, classes_num): with tf.device('/cpu:0'): model = DenseNet201(weights=None, input_shape=(width, height, 3), classes=classes_num) return model <file_sep>/mainscripts/main.py import sys sys.path.insert(0,'/home/determinants/automl') from mainscripts.trainer import Trainer from configs.drconfig import DR_CONFIG from preprocessing.localaverage import localAverage from test.drprediction import predictdr, predict_all_models """ Parameters """ PARAMETERS = { 'num_gpus' : 2, 'img_width' : 512, 'img_height' : 512, 'batch_size' : 32, 'samples_per_epoch' : 10000, 'validation_steps' : 10, 'classes_num' : 5, 'lr' : 0.05, 'epochs': 200, 'patience' : 50 } def main(): # sorting datasets to classdirs and split train/validation # sort(DR_CONFIG) # preprocess images: resize and filter # hefilter(DR_CONFIG) # localAverage(DR_CONFIG) trainer = Trainer(DR_CONFIG, PARAMETERS) trainer.start() #from preprocessing.resizer import resize_test #resize_test(512,512) #predictdr(DR_CONFIG, PARAMETERS['img_width'], PARAMETERS['img_height']) #predict_all_models(DR_CONFIG, PARAMETERS['img_width'], PARAMETERS['img_height']) if __name__ == "__main__": main() <file_sep>/preprocessing/localaverage.py import os import cv2 import numpy import pandas as pd from util.directories import createDirs def scaleRadius(img, scale): try: x = img[img.shape[0] // 2, :, :].sum(1) r = (x > x.mean() / 10).sum() / 2 s = scale * 1.0 / r return cv2.resize(img, (0, 0), fx=s, fy=s) except: print("r is 0") scale = 300 def localAverage(config): labelfile = config['labelfile'] loaddir = config['loaddir'] classes = config['classes'] validationsplit = config['validationsplit'] extension = config['fileextension'] lines = pd.read_csv(labelfile) imgcount = lines.size / 2 validcount = imgcount * validationsplit savedir = loaddir + "/la" createDirs(savedir, classes) counter = 0 for i in lines.values: file = i[0] level = i[1] if counter < imgcount - validcount: if not os.path.exists(savedir + "/train/" + classes[level] + "/" + file + extension): a = cv2.imread(loaddir + "/train/" + classes[level] + "/" + file + extension) # scale img to a given radius a = scaleRadius(a, scale) # subtract local mean color a = cv2.addWeighted(a, 4, cv2.GaussianBlur(a, (0, 0), scale / 30), -4, 128) # remove outer 10% b = numpy.zeros(a.shape) cv2.circle(b, (int(a.shape[1] / 2), int(a.shape[0] / 2)), int(scale * 0.9), (1, 1, 1), -1, 8, 0) a = a * b + 128 * (1 - b) cv2.imwrite(savedir + "/train/" + classes[level] + "/" + file + extension, a) else: if not os.path.exists(savedir + "/validation/" + classes[level] + "/" + file + extension): a = cv2.imread(loaddir + "/validation/" + classes[level] + "/" + file + extension) # scale img to a given radius a = scaleRadius(a, scale) # subtract local mean color a = cv2.addWeighted(a, 4, cv2.GaussianBlur(a, (0, 0), scale / 30), -4, 128) # remove outer 10% b = numpy.zeros(a.shape) cv2.circle(b, (int(a.shape[1] / 2), int(a.shape[0] / 2)), int(scale * 0.9), (1, 1, 1), -1, 8, 0) a = a * b + 128 * (1 - b) cv2.imwrite(savedir + "/validation/" + classes[level] + "/" + file + extension, a) counter += 1 if (counter % 100) == 0: print(str(counter) + '/' + str(imgcount)) print("converting testimages...") if not os.path.exists(savedir + "/test"): os.makedirs(savedir + "/test") files = os.listdir(loaddir + "/test/") testcount = len(files) counter = 0 for f in files: if not os.path.exists(savedir + "/test/" + f): a = cv2.imread(loaddir + "/test/" + f) # scale img to a given radius a = scaleRadius(a, scale) # subtract local mean color a = cv2.addWeighted(a, 4, cv2.GaussianBlur(a, (0, 0), scale / 30), -4, 128) # remove outer 10% b = numpy.zeros(a.shape) cv2.circle(b, (int(a.shape[1] / 2), int(a.shape[0] / 2)), int(scale * 0.9), (1, 1, 1), -1, 8, 0) a = a * b + 128 * (1 - b) cv2.imwrite(savedir + "/test/" + f, a) counter += 1 if (counter % 100) == 0: print(str(counter) + " / " + str(testcount)) print("filtering done") <file_sep>/mainscripts/trainer.py import os import keras from ipython_genutils.py3compat import xrange from keras import optimizers from keras.backend import clear_session from keras.callbacks import ModelCheckpoint, EarlyStopping, ReduceLROnPlateau from keras.optimizers import * from keras.optimizers import SGD from keras.preprocessing.image import ImageDataGenerator from keras.utils import multi_gpu_model, plot_model from sklearn.utils import compute_class_weight from mainscripts.savecallback import SaveCallback from models.architectures import * class Trainer(object): def __init__(self, config, parameters): # load parameters for diabetic retinopathy self.__name = config['name'] self.__loaddir = config['loaddir'] self.__labelfile = config['labelfile'] self.__fileextension = config['fileextension'] self.__classes = config['classes'] self.__class_weights = config['classweights'] self.__validation_split = config['validationsplit'] # load parameters for training self.__num_gpus = parameters['num_gpus'] self.__width = parameters['img_width'] self.__height = parameters['img_height'] self.__batch_size = parameters['batch_size'] self.__samples_per_epoch = parameters['samples_per_epoch'] self.__validation_steps = parameters['validation_steps'] self.__classes_num = parameters['classes_num'] self.__lr = parameters['lr'] self.__epochs = parameters['epochs'] self.__patience = parameters['patience'] self.counter = 0 # get imagedatagenerators self.__train_generator, self.__validation_generator = self.get_generators() # instantiate optimizers self.__optimizers = { 'sgd': SGD(), 'rmsprop': RMSprop(), 'adagrad': Adagrad(), 'adadelta': Adadelta(), 'adam': Adam(), 'adamax': Adamax(), 'nadam': Nadam() } def get_generators(self): train_data_path = self.__loaddir + "/equal/train" # files_per_class = [] # for folder in sorted(os.listdir(train_data_path)): # if not os.path.isfile(folder): # files_per_class.append(len(os.listdir(train_data_path + '/' + folder))) # total_files = sum(files_per_class) # class_weights = {} # for i in xrange(len(files_per_class)): # class_weights[i] = 1 - (float(files_per_class[i]) / total_files) # print(class_weights) datagen = ImageDataGenerator( rescale=1. / 255, rotation_range=360, validation_split=0.1 ) train_generator = datagen.flow_from_directory( train_data_path, target_size=(self.__height, self.__width), batch_size=self.__batch_size, class_mode='categorical', subset='training' #save_to_dir='/home/determinants/automl/datasets/diabetic-retinopathy-detection/savedir' ) validation_data = datagen.flow_from_directory( train_data_path, target_size=(self.__height, self.__width), batch_size=self.__batch_size, class_mode='categorical', subset='validation' ) return train_generator, validation_data def start(self): for optimizer in self.__optimizers: #for f in range(32, 512, 32): # for l in range(5, 30, 5): # model = load_customnet(self.__width, self.__height, self.__classes_num, l, f, 512) # self.train('custom_' + str(f) + "_" + str(l), model, optimizer) # self.counter += 1 #model = load_customnet(self.__width, self.__height, self.__classes_num, 50, 256, 512, dense_units=2048) #self.train('custom_' + str(30) + "_" + str(256) + "_" + str(512), model, optimizer) #model = load_usuyama(self.__width, self.__height, self.__classes_num) #self.train('usuyama', model, optimizer) model = load_inception_v3(self.__width, self.__height, self.__classes_num) self.train('inceptionv3', model, optimizer) #model = load_m42(self.__width, self.__height, self.__classes_num) #self.train('m42', model, optimizer) # #model = load_2nd_place(self.__width, self.__height, self.__classes_num) #self.train('second place', model, optimizer) # #clear_session() #model = load_inception_v3(self.__width, self.__height, self.__classes_num) #self.train('inception', model, optimizer) ''' model = load_alexnet(self.__width, self.__height, self.__classes_num) self.train('alexnet', model, optimizer) clear_session() model = load_xception(self.__width, self.__height, self.__classes_num) self.train('Xception', model, optimizer) clear_session() model = load_vgg16(self.__width, self.__height, self.__classes_num) self.train('VGG16', model, optimizer) clear_session() model = load_vgg19(self.__width, self.__height, self.__classes_num) self.train('VGG19', model, optimizer) clear_session() model = load_resnet50(self.__width, self.__height, self.__classes_num) self.train('ResNet50', model, optimizer) clear_session() model = load_inceptionresnet_v2(self.__width, self.__height, self.__classes_num) self.train('InceptionResNetV2', model, optimizer) clear_session() model = load_mobilenet(self.__width, self.__height, self.__classes_num) self.train('MobileNet', model, optimizer) clear_session() model = load_densenet121(self.__width, self.__height, self.__classes_num) self.train('DenseNet121', model, optimizer) clear_session() model = load_densenet169(self.__width, self.__height, self.__classes_num) self.train('DenseNet169', model, optimizer) clear_session() model = load_densenet201(self.__width, self.__height, self.__classes_num) self.train('DenseNet201', model, optimizer) ''' return 0 def train(self, modelname, model, optimizer): # checkpoint = ModelCheckpoint( # '/home/determinants/automl/reports/' + modelname + '_' + 'weights.{epoch:02d}-{val_loss:.2f}.hdf5', # save_best_only=True) #plot_model(model, to_file='/home/determinants/automl/models/' + str(modelname) + '.png', show_shapes=True) print("train with: " + modelname) print("optimizer : " + optimizer) # DEFINE CALLBACKS save_callback = SaveCallback(model, modelname) early_stopping = EarlyStopping(patience=self.__patience) # USE MORE GPUS parallel_model = multi_gpu_model(model, gpus=2) parallel_model.compile(loss='categorical_crossentropy', #optimizer=self.__optimizers[optimizer], #optimizer=self.__optimizers['adam'], optimizer=SGD(lr=0.01, momentum=0.9, nesterov=True), metrics=['accuracy']) callbacks = [save_callback, early_stopping, ReduceLROnPlateau(monitor='val_loss', factor=0.5, patience=5, verbose=1, mode='auto', epsilon=0.01, cooldown=0, min_lr=1e-6)] parallel_model.fit_generator( use_multiprocessing=True, generator=self.__train_generator, samples_per_epoch=self.__samples_per_epoch, epochs=self.__epochs, validation_data=self.__validation_generator, validation_steps=self.__validation_steps, #class_weight=self.__class_weights, callbacks=callbacks ) model.save("/home/determinants/automl/reports/last" + str(self.counter) + ".h5") <file_sep>/preprocessing/preprocess.py import cv2, glob, os import numpy as np import pandas as pd # See Dr. Graham's preprocessing's method # https://www.kaggle.com/c/diabetic-retinopathy-detection/discussion/15801 #import plt as plt def estimate_radius(img): mx = img[img.shape[0] // 2, :, :].sum(1) rx = (mx > mx.mean() / 10).sum() / 2 my = img[:, img.shape[1] // 2, :].sum(1) ry = (my > my.mean() / 10).sum() / 2 return (ry, rx) def subtract_gaussian_blur(img): # http://docs.opencv.org/trunk/d0/d86/tutorial_py_image_arithmetics.html # http://docs.opencv.org/3.1.0/d4/d13/tutorial_py_filtering.html gb_img = cv2.GaussianBlur(img, (0, 0), 5) return cv2.addWeighted(img, 4, gb_img, -4, 128) def remove_outer_circle(a, p, r): b = np.zeros(a.shape, dtype=np.uint8) cv2.circle(b, (a.shape[1] // 2, a.shape[0] // 2), int(r * p), (1, 1, 1), -1, 8, 0) return a * b + 128 * (1 - b) def crop_img(img, h, w): h_margin = (img.shape[0] - h) // 2 if img.shape[0] > h else 0 w_margin = (img.shape[1] - w) // 2 if img.shape[1] > w else 0 crop_img = img[h_margin:h + h_margin, w_margin:w + w_margin, :] return crop_img def place_in_square(img, r, h, w): new_img = np.zeros((2 * r, 2 * r, 3), dtype=np.uint8) new_img += 128 new_img[r - h // 2:r - h // 2 + img.shape[0], r - w // 2:r - w // 2 + img.shape[1]] = img return new_img def preprocess(f, r, debug_plot=False): try: img = cv2.imread(f) ry, rx = estimate_radius(img) #if debug_plot: #plt.figure() #plt.imshow(img) resize_scale = r / max(rx, ry) w = min(int(rx * resize_scale * 2), r * 2) h = min(int(ry * resize_scale * 2), r * 2) img = cv2.resize(img, (0, 0), fx=resize_scale, fy=resize_scale) img = crop_img(img, h, w) print("crop_img", np.mean(img), np.std(img)) #if debug_plot: #plt.figure() #plt.imshow(img) img = subtract_gaussian_blur(img) img = remove_outer_circle(img, 0.9, r) img = place_in_square(img, r, h, w) #if debug_plot: #plt.figure() #plt.imshow(img) return img except Exception as e: print("file {} exception {}".format(f, e)) return None input_path0 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/train/0_nodr" input_path1 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/train/1_mild" input_path2 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/train/2_moderate" input_path3 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/train/3_severe" input_path4 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/train/4_proliferativedr" df = pd.read_csv("/home/determinants/automl/datasets/diabetic-retinopathy-detection/trainLabels.csv") train_files0 = glob.glob(os.path.join(input_path0, "*.jpeg")) train_files1 = glob.glob(os.path.join(input_path1, "*.jpeg")) train_files2 = glob.glob(os.path.join(input_path2, "*.jpeg")) train_files3 = glob.glob(os.path.join(input_path3, "*.jpeg")) train_files4 = glob.glob(os.path.join(input_path4, "*.jpeg")) out_directory0 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/0_nodr" out_directory1 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/1_mild" out_directory2 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/2_moderate" out_directory3 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/3_severe" out_directory4 = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/4_proliferativedr" if not os.path.exists(out_directory0): os.makedirs(out_directory0) if not os.path.exists(out_directory1): os.makedirs(out_directory1) if not os.path.exists(out_directory2): os.makedirs(out_directory2) if not os.path.exists(out_directory3): os.makedirs(out_directory3) if not os.path.exists(out_directory4): os.makedirs(out_directory4) input_test = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/test" test_files = glob.glob(os.path.join(input_test, "*.jpeg")) out_test = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/test/" if not os.path.exists(out_test): os.makedirs(out_test) def process_and_save(f, out_directory): basename = os.path.basename(f) image_id = basename.split(".")[0] if len(df[df['image'] == image_id]) < 1: print("missing annotation: " + image_id) return target_path = os.path.join(out_directory, basename) print("processing:", f, target_path) if os.path.exists(target_path): print("skip: " + target_path) return result = preprocess(f, 256) if result is None: return # NOTE: Filter low contrast images for tutorial std = np.std(result) if std < 12: print("skip low std", std, f) return if result is not None: print(cv2.imwrite(target_path, result)) from joblib import Parallel, delayed Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory1) for f in train_files1) ''' print('1/5') # Specify the number of cpu cores Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory0) for f in train_files0) print('2/5') Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory1) for f in train_files1) print('3/5') Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory2) for f in train_files2) print('4/5') Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory3) for f in train_files3) print('5/5') Parallel(n_jobs=16)(delayed(process_and_save)(f, out_directory4) for f in train_files4) ''' #Parallel(n_jobs=16)(delayed(process_and_save)(f, out_test) for f in test_files)<file_sep>/test/drprediction.py import csv import os import numpy as np from keras.preprocessing import image from keras.models import load_model import matplotlib.pyplot as plt def load_image(img_path, width, height, show=False): img = image.load_img(img_path, target_size=(width, height)) img_tensor = image.img_to_array(img) # (height, width, channels) img_tensor = np.expand_dims(img_tensor, axis=0) # (1, height, width, channels), add a dimension because the model expects this shape: (batch_size, height, width, channels) img_tensor /= 255. # imshow expects values in the range [0, 1] if show: plt.imshow(img_tensor[0]) plt.axis('off') plt.show() return img_tensor def createSubmissionFile(filepath): with open(filepath, 'w') as csvfile: #filewriter = csv.writer(csvfile, delimiter=',', # quotechar='|', quoting=csv.QUOTE_MINIMAL) csvfile.write('image' + "," + 'level' + "\n") csvfile.close() def appendToFile(filepath, file, prediction): with open(filepath, 'a') as csvfile: #filewriter = csv.writer(csvfile, delimiter=',', # quotechar='|', quoting=csv.QUOTE_MINIMAL) csvfile.write(file + "," + prediction + "\n") csvfile.close() def predictdr(config, width, height): model = load_model("/home/determinants/automl/models/inceptionv3/inceptionv3_ep_1_val_loss_1.31_val_acc_0.39.h5") testdir = config['loaddir'] + "/preprocess/512/test/" files = os.listdir(testdir) counter = 0 filecount = len(files) submissionFilePath = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/inception.csv" createSubmissionFile(submissionFilePath) for file in files: print(str(counter) + " / " + str(filecount) + ": " + str(file)) new_image = load_image(testdir + file, width, height) pred = model.predict(new_image) classes = pred.argmax(axis=-1) appendToFile(submissionFilePath, file.replace(".jpeg", ""), str(classes[0])) counter += 1 def predict_all_models(config, width, height): loaddir = "/home/determinants/automl/reports/" directory = os.fsencode(loaddir) for file in sorted(os.listdir(directory)): filename = os.fsdecode(file) print(loaddir + filename) model = load_model(loaddir + filename) testdir = config['loaddir'] + "/la/test500/" files = os.listdir(testdir) counter = 0 filecount = len(files) submissionFilePath = "/home/determinants/automl/datasets/diabetic-retinopathy-detection/" + filename +".csv" if submissionFilePath != "/home/determinants/automl/datasets/diabetic-retinopathy-detection/custom_32_10_ep_82_val_loss_1.60_val_acc_0.22.h5.csv": createSubmissionFile(submissionFilePath) for file in files: new_image = load_image(testdir + file, width, height) pred = model.predict(new_image) classes = pred.argmax(axis=-1) appendToFile(submissionFilePath, file.replace(".jpeg", ""), str(classes[0])) counter += 1 print(str(counter) + " / " + str(filecount)) <file_sep>/util/augmentor.py import Augmentor print("1") p = Augmentor.Pipeline(source_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/0_nodr", output_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/equal/train/0_nodr/") p.zoom(probability=1, min_factor=1, max_factor=1.1) p.flip_top_bottom(probability=0.5) p.sample(10000, multi_threaded=True) print("2") p = Augmentor.Pipeline(source_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/1_mild", output_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/equal/train/1_mild/") p.zoom(probability=1, min_factor=1, max_factor=1.1) p.flip_top_bottom(probability=0.5) p.sample(10000, multi_threaded=True) print("3") p = Augmentor.Pipeline(source_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/2_moderate", output_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/equal/train/2_moderate/") p.zoom(probability=1, min_factor=1, max_factor=1.1) p.flip_top_bottom(probability=0.5) p.sample(10000, multi_threaded=True) print("4") p = Augmentor.Pipeline(source_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/3_severe", output_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/equal/train/3_severe/") p.zoom(probability=1, min_factor=1, max_factor=1.1) p.flip_top_bottom(probability=0.5) p.sample(10000, multi_threaded=True) print("5") p = Augmentor.Pipeline(source_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/preprocess/512/train/4_proliferativedr", output_directory="/home/determinants/automl/datasets/diabetic-retinopathy-detection/equal/train/4_proliferativedr/") p.zoom(probability=1, min_factor=1, max_factor=1.1) p.flip_top_bottom(probability=0.5) p.sample(10000, multi_threaded=True) <file_sep>/util/directories.py import os def createDirs(loaddir, classes): if not os.path.exists(loaddir): os.makedirs(loaddir) for c in classes: if not os.path.exists(loaddir + "/train/" + c): os.makedirs(loaddir + "/train/" + c) if not os.path.exists(loaddir + "/validation/" + c): os.makedirs(loaddir + "/validation/" + c) <file_sep>/configs/drconfig.py DR_CONFIG = { 'name': 'drdetection', 'loaddir': '/home/determinants/automl/datasets/diabetic-retinopathy-detection', 'labelfile': '/home/determinants/automl/datasets/diabetic-retinopathy-detection/trainLabels.csv', 'fileextension': '.jpeg', 'classes': ('0_nodr', '1_mild', '2_moderate', '3_severe', '4_proliferativedr'), 'classweights': {0: 1, 1: 10.5641, 2: 6.7507, 3: 29.5624, 4: 36.452}, 'validationsplit': 0.2 } # 'classweights': (1, 11, 5, 29, 37), <file_sep>/predict.py import sys import os from keras.preprocessing.image import ImageDataGenerator from keras import optimizers from keras.models import Sequential from keras.layers import Dropout, Flatten, Dense, Activation from keras.layers.convolutional import Convolution2D, MaxPooling2D from keras import callbacks from keras.preprocessing import image from keras.models import load_model import matplotlib.pyplot as plt import numpy as np def load_image(img_path, show=False): img = image.load_img(img_path, target_size=(224, 224)) img_tensor = image.img_to_array(img) # (height, width, channels) img_tensor = np.expand_dims(img_tensor, axis=0) # (1, height, width, channels), add a dimension because the model expects this shape: (batch_size, height, width, channels) img_tensor /= 255. # imshow expects values in the range [0, 1] if show: plt.imshow(img_tensor[0]) plt.axis('off') plt.show() return img_tensor """ Parameters """ img_width, img_height = 224, 224 classes_num = 5 model = load_model("models/model20000e.h5") #img_path = 'datasets/validation/proliferativedr/40178_left-resized.jpeg' img_path = '/home/determinants/automl/datasets/train/mild/10234_left-resized.jpeg' new_image = load_image(img_path) pred = model.predict(new_image) classes = pred.argmax(axis=-1) print(pred) print(classes) img_path = '/home/determinants/automl/datasets/train/moderate/1032_right-resized.jpeg' new_image = load_image(img_path) pred = model.predict(new_image) classes = pred.argmax(axis=-1) print(pred) print(classes) img_path = '/home/determinants/automl/datasets/train/nodr/10009_left-resized.jpeg' new_image = load_image(img_path) pred = model.predict(new_image) classes = pred.argmax(axis=-1) print(pred) print(classes) img_path = '/home/determinants/automl/datasets/train/proliferativedr/11874_left-resized.jpeg' new_image = load_image(img_path) pred = model.predict(new_image) classes = pred.argmax(axis=-1) print(pred) print(classes) img_path = '/home/determinants/automl/datasets/train/severe/11529_left-resized.jpeg' new_image = load_image(img_path) pred = model.predict(new_image) classes = pred.argmax(axis=-1) print(pred) print(classes) <file_sep>/preprocessing/filter.py import os import cv2 as cv2 import pandas as pd from util.directories import createDirs def hefilter(config): labelfile = config['labelfile'] loaddir = config['loaddir'] classes = config['classes'] validationsplit = config['validationsplit'] extension = config['fileextension'] lines = pd.read_csv(labelfile) imgcount = lines.size / 2 validcount = imgcount * validationsplit savedir = loaddir + "/he" createDirs(savedir, classes) counter = 0 for i in lines.values: file = i[0] level = i[1] if counter < imgcount - validcount: if not os.path.exists(savedir + "/train/" + classes[level] + "/" + file + extension): img = cv2.imread(loaddir + "/train/" + classes[level] + "/" + file + extension, 0) equ = cv2.equalizeHist(img) cv2.imwrite(savedir + "/train/" + classes[level] + "/" + file + extension, equ) else: if not os.path.exists(savedir + "/validation/" + classes[level] + "/" + file + extension): img = cv2.imread(loaddir + "/validation/" + classes[level] + "/" + file + extension, 0) equ = cv2.equalizeHist(img) cv2.imwrite(savedir + "/validation/" + classes[level] + "/" + file + extension, equ) counter += 1 if (counter % 100) == 0: print(str(counter) + '/' + str(imgcount)) print("converting testimages...") if not os.path.exists(savedir + "/test"): os.makedirs(savedir + "/test") files = os.listdir(loaddir + "/test/") testcount = len(files) counter = 0 for f in files: if not os.path.exists(savedir + "/test/" + f): img = cv2.imread(loaddir + "/test/" + f, 0) equ = cv2.equalizeHist(img) cv2.imwrite(savedir + "/test/" + f, equ) counter += 1 if (counter % 100) == 0: print(str(counter) + " / " + str(testcount)) print("filtering done") <file_sep>/alexnet.py import os from keras import callbacks from keras import optimizers from keras.callbacks import History from keras.layers import Dropout, Flatten, Dense, Activation, BatchNormalization, Conv2D from keras.layers.convolutional import Convolution2D, MaxPooling2D from keras.models import Sequential from keras.preprocessing.image import ImageDataGenerator train_data_path = './datasets/filtered/train' test_data_path = './datasets/test' validation_data_path = './datasets/filtered/validation' """ Parameters """ img_width, img_height = 500, 500 batch_size = 32 samples_per_epoch = 1000 validation_steps = 10 classes_num = 5 lr = 0.00005 epochs = 2000 class_weight = { 0: 11., 1: 5., 2: 1., 3: 40., 4: 30. } """ Model """ #AlexNet with batch normalization in Keras #input image is 224x224 # Define the Model model = Sequential() model.add(Conv2D(96, (11,11), strides=(4,4), activation='relu', padding='same', input_shape=(img_height, img_width, 3))) # for original Alexnet #model.add(Conv2D(96, (3,3), strides=(2,2), activation='relu', padding='same', input_shape=(img_height, img_width, 3))) model.add(MaxPooling2D(pool_size=(2, 2), strides=(2,2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Conv2D(256, (5,5), activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=(3, 3), strides=(2,2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Conv2D(384, (3,3), activation='relu', padding='same')) model.add(Conv2D(384, (3,3), activation='relu', padding='same')) model.add(Conv2D(256, (3,3), activation='relu', padding='same')) model.add(MaxPooling2D(pool_size=(3, 3), strides=(2,2))) # Local Response normalization for Original Alexnet model.add(BatchNormalization()) model.add(Flatten()) model.add(Dense(4096, activation='tanh')) model.add(Dropout(0.5)) model.add(Dense(4096, activation='tanh')) model.add(Dropout(0.5)) model.add(Dense(5, activation='softmax')) model.compile(loss='categorical_crossentropy', optimizer=optimizers.SGD(lr=lr), metrics=['accuracy']) train_datagen = ImageDataGenerator( rescale=1. / 255, shear_range=0.2, zoom_range=0.2, horizontal_flip=True) val_datagen = ImageDataGenerator(rescale=1. / 255) test_datagen = ImageDataGenerator(rescale=1. / 255) train_generator = train_datagen.flow_from_directory( train_data_path, target_size=(img_height, img_width), batch_size=batch_size, class_mode='categorical') y_true_labels = train_generator.class_indices print(y_true_labels) validation_generator = val_datagen.flow_from_directory( validation_data_path, target_size=(img_height, img_width), batch_size=batch_size, class_mode='categorical') hist = History() cbks = [hist] model.fit_generator( generator=train_generator, samples_per_epoch=samples_per_epoch, epochs=epochs, callbacks=cbks, steps_per_epoch=31, validation_data=validation_generator, validation_steps=validation_steps, class_weight=class_weight ) test_generator = test_datagen.flow_from_directory( test_data_path, target_size=(224, 224), class_mode='categorical', batch_size=1) filenames = test_generator.filenames nb_samples = len(filenames) predict = model.predict_generator(test_generator, steps=nb_samples) print(predict) target_dir = './models/' if not os.path.exists(target_dir): os.mkdir(target_dir) model.save('./models/modelalexe.h5') model.save_weights('./models/weightsalexe.h5') results = hist.history.items() print(results) with open("results.txt", "w") as text_file: print(results, file=text_file) <file_sep>/util/savetxt.py result = "asdf123455" with open("results.txt", "w") as text_file: print("Result: " + result, file=text_file)
589ba3807f70269c4cc9686f2163973e3c8e215b
[ "Python", "Text" ]
18
Python
rez151/automl
38a36e2625c504163f80ca73ff488d0e996eece3
7ffffcc41c66943e83e6890f25f90602edb7cac0
refs/heads/master
<repo_name>wankunde/textsplit<file_sep>/src/test/java/com/wankun/textsplit/MockitoTest.java package com.wankun.textsplit; import static org.mockito.Matchers.*; import static org.mockito.Mockito.*; import java.util.List; import java.util.Map; import org.junit.Assert; import org.junit.Test; /** * Mockito 测试框架 * mock对象就是在调试期间用来作为真实对象的替代品。 * * mock测试就是在测试过程中,对那些不容易构建的对象用一个虚拟对象来代替测试的方法就叫mock测试。 * * 来源:{@link http://liuzhijun.iteye.com/blog/1512780} * */ public class MockitoTest { @Test public void simpleTest() { // 创建mock对象,参数可以是类,也可以是接口 List<String> list = mock(List.class); // 设置方法的预期返回值 when(list.get(0)).thenReturn("helloworld"); String result = list.get(0); // 验证方法调用(是否调用了get(0)) verify(list).get(0); // junit测试 Assert.assertEquals("helloworld", result); // 可对方法设定返回异常 when(list.get(1)).thenThrow(new RuntimeException("test excpetion")); // 测试调用会返回异常 // String exception = list.get(1); } /** * Matchers类内加你有很多参数匹配器 * anyInt、anyString、anyMap.....Mockito类继承于Matchers,Stubbing时使用内建参数匹配器 */ @Test public void argumentMatcherTest() { List<String> list = mock(List.class); when(list.get(anyInt())).thenReturn("hello", "world"); String result = list.get(0) + list.get(1); verify(list, times(2)).get(anyInt()); Assert.assertEquals("helloworld", result); } @Test public void argumentMatcherTest2() { Map<Integer, String> map = mock(Map.class); when(map.put(anyInt(), anyString())).thenReturn("hello");// anyString()替换成"hello"就会报错 map.put(1, "world"); verify(map).put(eq(1), eq("world")); // eq("world")替换成"world"也会报错 } @Test public void verifyInvocate() { List<String> mockedList = mock(List.class); // using mock mockedList.add("once"); mockedList.add("twice"); mockedList.add("twice"); mockedList.add("three times"); mockedList.add("three times"); mockedList.add("three times"); /** * 基本的验证方法 verify方法验证mock对象是否有没有调用mockedList.add("once")方法 * 不关心其是否有返回值,如果没有调用测试失败。 */ verify(mockedList).add("once"); verify(mockedList, times(1)).add("once");// 默认调用一次,times(1)可以省略 verify(mockedList, times(2)).add("twice"); verify(mockedList, times(3)).add("three times"); // never()等同于time(0),一次也没有调用 verify(mockedList, times(0)).add("never happened"); // atLeastOnece/atLeast()/atMost() verify(mockedList, atLeastOnce()).add("three times"); verify(mockedList, atLeast(2)).add("twice"); verify(mockedList, atMost(5)).add("three times"); } } <file_sep>/pom.xml <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>com.wankun</groupId> <artifactId>textsplit</artifactId> <version>1.0.0</version> <packaging>jar</packaging> <name>textsplit</name> <url>http://maven.apache.org</url> <build> <testResources> <testResource> <directory>src/main/resources</directory> <excludes> <exclude>**/*logback*.properties</exclude> </excludes> </testResource> <testResource> <directory>src/test/resources</directory> </testResource> </testResources> <!-- 解决M2eclipse插件引起的Pom.Xml校验错误.导致此错误是m2eclipse插件0.12及之前的版本在Eclipse 内执行了一系列的生命周期引起冲突导致的 --> <pluginManagement> <plugins> <plugin> <groupId>org.eclipse.m2e</groupId> <artifactId>lifecycle-mapping</artifactId> <version>1.0.0</version> <configuration> <lifecycleMappingMetadata> <pluginExecutions> <pluginExecution> <pluginExecutionFilter> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-dependency-plugin</artifactId> <versionRange>[2.0,)</versionRange> <goals> <goal>copy-dependencies</goal> <goal>unpack</goal> </goals> </pluginExecutionFilter> <action> <ignore /> </action> </pluginExecution> </pluginExecutions> </lifecycleMappingMetadata> </configuration> </plugin> </plugins> </pluginManagement> <plugins> <!-- 编译插件, 设定JDK版本 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-compiler-plugin</artifactId> <version>${maven-compiler-plugin.version}</version> <configuration> <encoding>${project.build.sourceEncoding}</encoding> <source>${java.version}</source> <target>${java.version}</target> <showDeprecation>true</showDeprecation> <showWarnings>true</showWarnings> <debug>true</debug> </configuration> </plugin> <!-- 单元测试插件 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-surefire-plugin</artifactId> <version>${maven-surefire-plugin.version}</version> <configuration> <testFailureIgnore>true</testFailureIgnore> <additionalClasspathElements> <additionalClasspathElement>target/conf</additionalClasspathElement> </additionalClasspathElements> </configuration> </plugin> <!-- resource插件, 解决资源文件的编码问题 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-resources-plugin</artifactId> <version>${maven-resources-plugin.version}</version> <configuration> <encoding>${project.build.sourceEncoding}</encoding> </configuration> <executions> <execution> <id>copy-resources</id> <phase>package</phase> <goals> <goal>copy-resources</goal> </goals> <configuration> <outputDirectory>target</outputDirectory> <resources> <resource> <directory>src/main/resources</directory> <filtering>true</filtering> </resource> </resources> </configuration> </execution> </executions> </plugin> <!-- 打包插件,增加了测试类的打包,打包包含java和resources两个目录下文件 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-jar-plugin</artifactId> <version>${maven-jar-plugin.version}</version> <configuration> <archive> <manifest> <!-- 这个功能有限,可以配合maven-dependency-plugin插件使用,前者拷贝依赖包到指定目录,这里将指定目录添加为classpath --> <addClasspath>true</addClasspath> <classpathPrefix>libs/</classpathPrefix> <mainClass>com.wankun.textsplit.TestConfig</mainClass> </manifest> </archive> </configuration> <executions> <execution> <goals> <goal>test-jar</goal> </goals> </execution> </executions> </plugin> <!-- source插件,打包源码 --> <plugin> <artifactId>maven-source-plugin</artifactId> <version>${maven-source-plugin.version}</version> <executions> <execution> <id>attach-sources</id> <goals> <goal>jar-no-fork</goal> <goal>test-jar-no-fork</goal> </goals> </execution> </executions> </plugin> <!-- javadoc插件, 可以生成doc文件和doc jar --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-javadoc-plugin</artifactId> <version>${maven-javadoc-plugin.version}</version> <executions> <execution> <id>attach-javadoc</id> <phase>package</phase> <goals> <goal>jar</goal> </goals> </execution> </executions> <configuration> <charset>UTF-8</charset> </configuration> </plugin> <!-- 拷贝依赖包 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-dependency-plugin</artifactId> <version>${maven-dependency-plugin.version}</version> <executions> <execution> <id>copy-dependencies</id> <phase>package</phase> <goals> <goal>copy-dependencies</goal> </goals> <configuration> <outputDirectory>${project.build.directory}/libs</outputDirectory> <!-- <overWriteReleases>false</overWriteReleases> <overWriteSnapshots>false</overWriteSnapshots> <overWriteIfNewer>true</overWriteIfNewer> 这里的选项可以省去,默认会打包所有的依赖库 <includeArtifactIds> ansj_seg,hamcrest-all,junit,logback-classic,logback-core,slf4j-api,guava </includeArtifactIds> --> </configuration> </execution> </executions> </plugin> <!-- 生成运行文件 插件 --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-antrun-plugin</artifactId> <version>${maven-antrun-plugin.version}</version> <executions> <execution> <id>manifest</id> <phase>package</phase> <goals> <goal>run</goal> </goals> <configuration> <target> <echo file="target/runtextsplit.sh"> java -Dlogback.configurationFile=conf/logback.xml -jar textsplit-1.0.0.jar com.wankun.textsplit.TestConfig </echo> </target> </configuration> </execution> </executions> </plugin> </plugins> </build> <properties> <!-- property用处:对于本pom中多个相同配置统一管理 ;对于含子项目的pom配置统一管理 --> <java.version>1.7</java.version> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> <maven-compiler-plugin.version>3.0</maven-compiler-plugin.version> <maven-jar-plugin.version>2.5</maven-jar-plugin.version> <maven-surefire-plugin.version>2.14</maven-surefire-plugin.version> <maven-resources-plugin.version>2.6</maven-resources-plugin.version> <maven-source-plugin.version>2.2.1</maven-source-plugin.version> <maven-javadoc-plugin.version>2.8.1</maven-javadoc-plugin.version> <maven-dependency-plugin.version>2.8</maven-dependency-plugin.version> <maven-antrun-plugin.version>1.7</maven-antrun-plugin.version> <ansj_seg.version>1.4.1</ansj_seg.version> <hamcrest-all.version>1.3</hamcrest-all.version> <junit.version>4.10</junit.version> <logback-classic.version>1.1.2</logback-classic.version> <guava.version>11.0.2</guava.version> <mockito.version>1.9.5</mockito.version> </properties> <repositories> <repository> <id>mvn-repo</id> <url>http://maven.ansj.org/</url> </repository> </repositories> <dependencies> <dependency> <groupId>org.ansj</groupId> <artifactId>ansj_seg</artifactId> <version>${ansj_seg.version}</version> </dependency> <dependency> <groupId>org.hamcrest</groupId> <artifactId>hamcrest-all</artifactId> <version>${hamcrest-all.version}</version> </dependency> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>${junit.version}</version> <scope>test</scope> </dependency> <dependency> <groupId>ch.qos.logback</groupId> <artifactId>logback-classic</artifactId> <version>${logback-classic.version}</version> </dependency> <dependency> <groupId>com.google.guava</groupId> <artifactId>guava</artifactId> <version>${guava.version}</version> </dependency> <dependency> <groupId>org.mockito</groupId> <artifactId>mockito-all</artifactId> <version>${mockito.version}</version> <scope>test</scope> </dependency> </dependencies> </project><file_sep>/src/test/java/com/wankun/textsplit/Test2.java package com.wankun.textsplit; import java.io.File; import java.net.URISyntaxException; import love.cq.domain.Forest; import org.ansj.library.UserDefineLibrary; public class Test2 { public static void main(String[] args) { String line ="你好,马勒戈壁的"; System.out.println(SplitUtil.splitText(line)); try { UserDefineLibrary.loadFile(new Forest(), new File(App.class.getClassLoader().getResource("library/my.dict").toURI())); } catch (URISyntaxException e1) { System.out.println("加载自定义词库失败"); e1.printStackTrace(); } System.out.println(SplitUtil.splitText(line)); } } <file_sep>/src/test/java/com/wankun/textsplit/AppTest.java package com.wankun.textsplit; import java.util.List; import org.ansj.domain.Nature; import org.ansj.domain.Term; import org.ansj.recognition.NatureRecognition; import org.ansj.splitWord.analysis.NlpAnalysis; import org.ansj.splitWord.analysis.ToAnalysis; /** * Unit test for simple App. */ public class AppTest { public static void main(String[] args) { //String str = "本赛季德甲#Q球队霍芬海姆的两名年轻球员菲尔米诺和福兰德表现出色,但球队主帅吉斯多尔态度强硬。"; String str = "去年中国的GDP增长率为8.8%。"; System.out.println(ToAnalysis.parse(str)); System.out.println(NlpAnalysis.parse(str)); String res=ansjAnalyzerNature(str); System.out.println(res); StringBuilder sb = new StringBuilder(); List<Term> terms = NlpAnalysis.parse(str); for (Term term : terms) { sb.append(term.getName()+"|"); } sb.deleteCharAt(sb.length()-1); System.out.println(sb.toString()); } public static String ansjAnalyzerNature(String str) { List<Term> terms = NlpAnalysis.parse(str); new NatureRecognition(terms).recognition(); StringBuilder sb = new StringBuilder(); System.out.println(terms.toString()); // 词性过滤 Nature nature; for (Term term : terms) { nature = term.getNatrue(); if (nature.natureStr.subSequence(0, 1).equals("n") || nature.natureStr.subSequence(0, 1).equals("h")) { if (!" ".equals(term.getName()) && !" ".equals(term.getName()) && term.getName().trim().replaceAll("[\\pP\\pM\\pS]", "").length() > 1) { sb.append(term.getName()).append("|"); } } } return sb.toString(); } } <file_sep>/src/main/java/com/wankun/textsplit/TestConfig.java package com.wankun.textsplit; import java.io.File; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import ch.qos.logback.classic.LoggerContext; import ch.qos.logback.classic.joran.JoranConfigurator; import ch.qos.logback.core.joran.spi.JoranException; public class TestConfig { // static { // LoggerContext lc = (LoggerContext) LoggerFactory.getILoggerFactory(); // JoranConfigurator configurator = new Joranonfigurator(); // configurator.setContext(lc); // lc.reset(); // try { // System.out.println(new File("conf/logback.xml").exists()); // configurator.doConfigure("conf/logback.xml"); // } catch (JoranException e) { // System.out.println("加载logback配置文件失败!"); // e.printStackTrace(); // } // } private final static Logger logger = LoggerFactory.getLogger(TestConfig.class); public static void main(String[] args) { logger.info("doing my job by info"); } } <file_sep>/README.md # 项目说明 本项目根据某金融论坛的帖子内容进行分词。 * 本项目使用ANSJ进行中文分词 * 使用hamcrest进行增强的单元测试 * 使用了maven打包,单元测试等多个插件进行项目管理 # 使用Hamcrest增强JUnit的测试能力 ### 介绍 Hamcrest框架提供了一些相对通俗并高效的方法来进行一些junit比较困难的测试。 比如比较数值大小、测试对象类型、测试数组元素等等。 ### 实例: pom.xml: <dependency> <groupId>org.hamcrest</groupId> <artifactId>hamcrest-all</artifactId> <version>1.3</version> </dependency> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.10</version> <scope>test</scope> </dependency> 例子: TestByHamcrest.java TestByHamcrest2.java ### 注意事项 测试时可能报告类似这个的异常java.lang.NoSuchMethodError: org.hamcrest.core.AllOf.allOf.这时只需将hamcrest.jar移到junit.jar的前面就可以了,否则组合条件如allOf、anyOff等都会抛此异常 # logback 日志系统 ### logback介绍 logback简单来说就是比log4j更好的日志库,Logback 分为三个模块:logback-core,logback-classic,logback-access。 * logback-core 是核心; * logback-classic 改善了 log4j,且自身实现了 SLF4J API,所以即使用 Logback 你仍然可以使用其他的日志实现,如原始的 Log4J,java.util.logging 等; * logback-access 让你方便的访问日志信息,如通过 http 的方式。 ### logback使用 pom.xml: <dependency> <groupId>ch.qos.logback</groupId> <artifactId>logback-classic</artifactId> <version>1.1.2</version> </dependency> 同时引入的包有:slf4j-api-1.7.6.jar,logback-classic-1.1.2.jar,logback-core-1.1.2.jar。 增加配置文件logback.xml 在程序中使用日志库 Logger logger = LoggerFactory.getLogger(TestLogback.class); @Test public void testLogDebug() { logger.debug("doing my job by debug"); } ### 当logback.xml不在根目录下时处理方式 * 通过代码加载target目录下配置的方式:main和test均测试通过,但是路径会写死,不利于程序部署。 * 通过maven-surefire-plugin插件,自动去寻找编译好的logback文件:main不可以,test类通过mvn test可以,在eclipse中不行。 ``` LoggerContext lc = (LoggerContext) LoggerFactory.getILoggerFactory(); JoranConfigurator configurator = new JoranConfigurator(); configurator.setContext(lc); lc.reset(); try { configurator.doConfigure(&quot;target/conf/logback.xml&quot;); } catch (JoranException e) { System.out.println(&quot;加载logback配置文件失败!&quot;); e.printStackTrace(); } ``` * 通过Java命令行添加参数方式指定配置文件,在maven测试和eclipse环境不好弄,但是在命令行中允许可以。 ``` java -Dlogback.configurationFile=conf/logback.xml -jar textsplit-1.0.0.jar com.wankun.textsplit.TestConfig ``` # Mockito 测试框架 ### 介绍 mock对象就是在调试期间用来作为真实对象的替代品。 mock测试就是在测试过程中,对那些不容易构建的对象用一个虚拟对象来代替测试的方法就叫mock测试。 实例:http://liuzhijun.iteye.com/blog/1512780
341248b753e771c71cc00c346ca0fd0058d2d6bb
[ "Markdown", "Java", "Maven POM" ]
6
Java
wankunde/textsplit
166793e61eb74630f769bbca7c101d57b0c4a181
cff08186866c0fc8606d6a9c3872abe057dcc808
refs/heads/master
<file_sep>1. How long did you spend on the coding test? What would you add to your solution if you had more time? If you didn't spend much time on the coding test then use this as an opportunity to explain what you would add. I had completed the test in 45 mins. I will create separate pipe for the filter the list of restaurants. I will create separate service to handle the http request and response 2. What was the most useful feature that was added to the latest version of your chosen language? Please include a snippet of code that shows how you've used it. I had used the filter function filterRestuarants(searchString: string) { return this.restuarant.filter(restuarant => restuarant.city.toLowerCase().indexOf(searchString.toLowerCase()) !== -1); } } 3. How would you track down a performance issue in production? Have you ever had to do this? We can use the lazy loading concept and Webpack Bundle analyzer will gives a helpful breakdown about the anatomy of the bundle. 4. Please describe yourself using JSON. JSON represents the structure of data. Using JSON we can create our models and implement the data in our program. In my previous experience, on the first day of sprint, the backend developer will share the json structure with me. I will create the separate model and I will implement the data using this model. <file_sep>import { Component, OnInit } from '@angular/core'; import { RESTUARANT } from '../resturantants'; @Component({ selector: 'app-resturant-list', templateUrl: './resturant-list.component.html', styleUrls: ['./resturant-list.component.css'] }) export class ResturantListComponent implements OnInit { constructor() { } ngOnInit() { } restuarant = RESTUARANT; cflag = false; filterRestuarant: any[]; private _searchTerm: string; get searchTerm(): string { return this._searchTerm; } set searchTerm(value: string) { this._searchTerm = value; this.filterRestuarant = this.filterRestuarants(value); } filterRestuarants(searchString: string) { this.cflag = true; return this.restuarant.filter(restuarant => restuarant.city.toLowerCase().indexOf(searchString.toLowerCase()) !== -1); } } <file_sep>import { Restuarant } from './restuarant'; export const RESTUARANT: Restuarant[] = [ { id:21307, name:"<NAME>", city:"Toronto", rating:4, type:"Chinese" }, { id:82957, name:"The Sultan's Tent", city:"Mississauga", rating:4, type:"Chinese" }, { id:108505, name:"Salt Wine Bar", city:"Toronto", rating:3, type:"Mexican" }, { id:3637, name:"North 44", city:"Toronto", rating:3, type:"Mississauga" }, { id:105922, name:"Woods Restaurant \u0026 Bar", city:"Northyork", rating:3, type:"Mexican" }, { id:91948, name:"<NAME>", city:"Richmondhill", rating:3, type:"Italian" }, { id:44791, name:"<NAME>", city:"Northyork", rating:3, type:"Italian" }, { id:75154, name:"<NAME>", city:"Toronto", rating:3, type:"Italian" }, { id:14806, name:"<NAME>", city:"Richmondhill", rating:3, type:"Italian" }, { id:150661, name:"<NAME> - Toronto", city:"RichmondHill", rating:4, type:"Italian" }, { id:40507, name:"360 The Restaurant at the CN Tower", city:"Mississauga", rating:3, type:"Italian" }, { id:112033, name:"<NAME>", city:"Northyork", rating:2, type:"Thai" }, { id:114148, name:"Stratus", city:"Richmondhill", rating:2, type:"Thai" }, { id:108499, name:"<NAME>", city:"Mississauga", rating:2, type:"Thai" }, { id:70072, name:"The Old Spaghetti Factory - Toronto", city:"Toronto", rating:2, type:"Thai" }, { id:61609, name:"Against the Grain Urban Tavern-Corus Quay", city:"Northyork", rating:2, type:"Thai" }, { id:118675, name:"<NAME>", city:"Toronto", rating:2, type:"Indian" }, { id:115321, name:"<NAME>", city:"Mississauga", rating:2, type:"Indian" }, { id:89974, name:"<NAME>", city:"Northyork", rating:2, type:"Indian" }, { id:63499, name:"<NAME>", city:"Mississauga", rating:2, type:"Indian" }, { id:17146, name:"<NAME>", city:"Richmondhill", rating:4, type:"Indian" }, { id:113926, name:"<NAME>", city:"Toronto", rating:4, type:"Indian" }, { id:5970, name:"<NAME>", city:"Toronto", rating:4, type:"Indian" }, { id:115669, name:"<NAME> Inc.", city:"Toronto", rating:2, type:"Indian" }, { id:113791, name:"<NAME>", city:"Northyork", rating:2, type:"Indian" } ];
b442f05a2aa4b374c8ded67c83ce8b84ab716b5b
[ "Markdown", "TypeScript" ]
3
Markdown
LalithaSridhar/ResturantList
6c5ea03b7c6aa340c9c273a45cb74d73f39af487
a189b42f86663c8eb879eaab29e439b94d6133e4
refs/heads/master
<repo_name>Lenguti/todo-go-api<file_sep>/main.go package main import ( "encoding/json" "io" "log" "net/http" "strconv" "strings" ) const port = ":3000" const limit = 1 << 20 func main() { log.Println("now listening on port " + port) r := MyRouter() if err := http.ListenAndServe(port, r); err != nil { log.Fatal(err) } } func Index(w http.ResponseWriter, r *http.Request) { json.NewEncoder(w).Encode("Welcome") } func TodoIndex(w http.ResponseWriter, r *http.Request) { todos := &todos json.NewEncoder(w).Encode(*todos) } func TodoShow(w http.ResponseWriter, r *http.Request) { query := strings.Split(r.URL.Path, "/") id := query[len(query)-1] find, err := strconv.Atoi(id) if err != nil { log.Fatal(err) } for _, v := range todos { if v.ID == find { json.NewEncoder(w).Encode(v) return } } w.WriteHeader(http.StatusNotFound) } func CreateTodo(w http.ResponseWriter, r *http.Request) { todo := Todo{} if err := json.NewDecoder(io.LimitReader(r.Body, limit)).Decode(&todo); err != nil { log.Printf("error decoding todo: %s\n", err) w.WriteHeader(422) return } todos = append(todos, todo) w.WriteHeader(http.StatusCreated) json.NewEncoder(w).Encode(todo) } type Todo struct { ID int `json:"id"` Name string `json:"name"` Completed bool `json:"completed"` } var todos = []Todo{ {ID: 1, Name: "Finish this practice exercise", Completed: false}, {ID: 2, Name: "Eat some din din", Completed: false}, {ID: 3, Name: "sleepy time sleepy", Completed: false}, } <file_sep>/routes.go package main import ( "net/http" ) type Route struct { Method string Pattern string HandlerFunc http.HandlerFunc } func MyRouter() *http.ServeMux { router := http.NewServeMux() for _, route := range routes { router.Handle(route.Pattern, route.HandlerFunc) } return router } var routes = []Route{ { Method: "GET", Pattern: "/", HandlerFunc: Index, }, { Method: "GET", Pattern: "/todos", HandlerFunc: TodoIndex, }, { Method: "GET", Pattern: "/todos/", HandlerFunc: TodoShow, }, { Method: "POST", Pattern: "/todo", HandlerFunc: CreateTodo, }, } <file_sep>/Makefile CC = curl -H "Content-Type: application/json" APP = localhost:3000 CPOST = -X POST CGET = -X GET CPATCH = -X PATCH ID ?= 1 default: make clean go build . ./rest_api tests: make test.get make test.post make test.show clean: rm rest_api test.get: echo "now testing get request" ${CC} ${CGET} ${APP}/todos test.post: echo "now testing post request" ${CC} ${CGET} ${APP}/todo -d '{"id": 5, "name": "worked", "completed": false}' test.show: echo "now testing show request" ${CC} ${CGET} ${APP}/todos/${ID}
51dbd02d76c94f5f915d7d9bc841abfb7e183664
[ "Makefile", "Go" ]
3
Go
Lenguti/todo-go-api
301cc406720dadc97de75dc21d0869d22057d686
0d00892b4fcfe6176bea526fc41acd01c54065ff
refs/heads/main
<file_sep>#include <stdio.h> void rotatebyOne(int ar[], int a); void rotate(int ar[], int n, int a) { int i; for (i = 0; i < n; i++) rotatebyOne(ar, a); } void rotatebyOne(int ar[], int a) { int temp = ar[0], i; for (i = 0; i < a - 1; i++) ar[i] = ar[i + 1]; ar[a-1] = temp; } void printArray(int ar[], int a) { int i; for (i = 0; i < a; i++) printf("%d ", ar[i]); } int main() { int ar[] = { 10, 20, 30, 40, 50, 60, 70, 80 }; rotate(ar, 3, 8); printArray(ar, 8); return 0; } <file_sep>#include <bits/stdc++.h> using namespace std; int mostFrequent(int array[], int SizeOfArray) { sort(array, array + SizeOfArray); int max_count = 1, res = array[0], curr_count = 1; for (int i = 1; i < SizeOfArray; i++) { if (array[i] == array[i - 1]) curr_count++; else { if (curr_count > max_count) { max_count = curr_count; res = array[i - 1]; } curr_count = 1; } } if (curr_count > max_count) { max_count = curr_count; res = array[SizeOfArray - 1]; } return res; } int main() { int array[100]; int SizeOfArray; cout<<"Enter Size Of Array\n"; cin>>SizeOfArray; cout<<"Enter integers:\n"; for(int i=0;i<SizeOfArray;i++) { cin>>array[i]; } cout<<"Most Frequent Element:\n"; cout << mostFrequent(array, SizeOfArray); return 0; } <file_sep>#include<stdio.h> int main() { int n1=0,n2=1,n3,i,num; scanf("%d",&num); printf("\n%d %d ",n1, n2); for(i=2;i<num;i++) { n3=n1+n2; printf("%d ",n3); n1=n2; n2=n3; } return 0; }<file_sep>#include<stdio.h> int main() { int i,temp,array[1000]; FILE *fp ; if ( fp = fopen("abcde.txt","r")) { i=0; while(!feof(fp)) { fscanf(fp, "%d", &temp); if(temp!='\n') { array[i]=temp; i++; } } } int n=i; int leftMax[n]; leftMax[0] = -999999; for (i = 1; i < n; i++) { if(leftMax[i-1]>array[i-1]) leftMax[i]=leftMax[i-1]; else leftMax[i]=array[i-1]; } int rightMin = 999999; for (i=n-1; i>=0; i--) { if (leftMax[i] < array[i] && rightMin > array[i]) { printf("%d ",array[i]); return; } if(rightMin>array[i]) rightMin=array[i]; else rightMin=rightMin; } printf("-1"); }<file_sep>#include<stdio.h> int main() { int n, i=0, sum=0, NextElement; int add=0,array[1000]; float Next_average, average; printf("Enter the number of elements:\n"); scanf("%d",&n); printf("Enter the elements:\n"); for(int i=0;i<n;i++) { scanf("%d",&array[i]); } for(i=0;i<n;i++) { sum=sum+array[i]; } average=(float)sum/n; printf("Average of the given string is : \n%.2f\n",average); int k=0; do { printf("\nEnter the next element : \n"); scanf("%d",&NextElement); array[n+k]=NextElement; k++; printf("Array after insertion of new element : \n"); for(i=0;i<n+k;i++) { printf("%d ",array[i]); } add=0; for(i=1;i<=n;i++) { add=add+array[n+k-i]; } Next_average=(float)add/(n); printf("\nAverage after insertion of element: %.2f",Next_average); }while(NextElement!=00); }<file_sep> #include<stdio.h> #include<math.h> int fib(int n) { double phi = (1 + sqrt(5)) / 2; return round(pow(phi, n) / sqrt(5)); } int main () { int n; printf("Enter the nth position to find fibonacci number : "); scanf("%d",&n); printf("Fibonacci number at %d position : ",n); printf("%d", fib(n)); return 0; } <file_sep>#include <stdio.h> int main() { int numberOfRows, row, column, number = 1; printf("Enter the number of rows of Floyd's triangle to print\n"); scanf("%d", &numberOfRows); for (row = 1; row <= numberOfRows; row++) { for (column = 1; column <= row; column++) { printf("%d ", number); // Please note space after %d number++; } printf("\n"); } return 0; }<file_sep>#include <stdio.h> int binarySearch(int array[], int left, int right, int searchElement) { if (right >= left) { int mid = left + (right - left) / 2; if (array[mid] == searchElement) return mid; if (array[mid] > searchElement) return binarySearch(array, left, mid - 1, searchElement); return binarySearch(array, mid + 1, right, searchElement); } return -1; } int main() { int array[1000], searchElement, SizeOfArray, i, j, temp; printf("Enter the number of elements in an array : "); scanf("%d", &SizeOfArray); printf("Enter the numbers \n"); for (i = 0; i < SizeOfArray; ++i) { scanf("%d", &array[i]); } for (i = 0; i < SizeOfArray; ++i) { for (j = i + 1; j < SizeOfArray; ++j) { if (array[i] > array[j]) { temp = array[i]; array[i] = array[j]; array[j] = temp; } } } printf("The numbers arranged in ascending order are given below \n"); for (i = 0; i < SizeOfArray; ++i) { printf("%d\n", array[i]); } printf("Enter the element to be searched : "); scanf("%d",&searchElement); int result = binarySearch(array, 0, SizeOfArray - 1, searchElement); if(result == -1) { printf("Element is not present in array"); } else { printf("Element is present at index %d", result); } return 0; } <file_sep>#include<bits/stdc++.h> using namespace std; void splitString(string str) { string alpha, num, special; for (int i=0; i<str.length(); i++) { if (isdigit(str[i])) num.push_back(str[i]); else if((str[i] >= 'A' && str[i] <= 'Z') || (str[i] >= 'a' && str[i] <= 'z')) alpha.push_back(str[i]); else special.push_back(str[i]); } cout << "alphabets : "; cout << alpha << endl; cout << "numbers : " << num << endl; cout << "special symbols : " << special << endl; } int main() { string str = "Li476#)fe^*34is78beauti8ful"; splitString(str); return 0; } <file_sep>#include<stdio.h> void printFibonacci(int n) { static int n1=0, n2=1, n3; if(n>0) { n3=n1+n2; n1=n2; n2=n3; printf("%d ",n3); printFibonacci(n-1); } } int main() { int n; printf("Enter the number to find fibonacci series : "); scanf("%d",&n); printf("Fibonacci series of the given number :\n"); printf("%d %d ",0,1); printFibonacci(n-2); return 0; }<file_sep>#include <stdio.h> long factorial(int numberOfRows) { int j; long result = 1; for (j = 1; j <= numberOfRows; j++) result = result*j; return result; } int main() { int i, numberOfRows, j; printf("Enter the number of rows you wish to see in pascal triangle\n"); scanf("%d",&numberOfRows); for (i = 0; i < numberOfRows; i++) { for (j = 0; j <= (numberOfRows - i - 2); j++) printf(" "); for (j = 0 ; j <= i; j++) printf("%ld ",factorial(i)/(factorial(j)*factorial(i-j))); printf("\n"); } return 0; } <file_sep>#include <stdio.h> #include <stdlib.h> struct Node { int data; struct Node* next; }; void printList(struct Node* a) { while (a != '\0') { printf(" %d ", a->data); a = a->next; } } int main() { struct Node* head = '\0'; struct Node* middle = '\0'; struct Node* end = '\0'; head = (struct Node*)malloc(sizeof(struct Node)); middle = (struct Node*)malloc(sizeof(struct Node)); end = (struct Node*)malloc(sizeof(struct Node)); head->data = 100; head->next = middle; middle->data = 200; middle->next = end; end->data = 300; end->next = '\0'; printList(head); return 0; } <file_sep>#include <stdio.h> #include <stdlib.h> int main() { char str[100], ss[100], a[100], d[100]; char ch; int i=0, j=0, k=0, l=0; printf("Enter a string: "); scanf("%s",str); while((ch=str[i])!='\0') { if((ch>=48)&&(ch<=57)) { d[j]=ch; j++; } else if(((ch>=65)&&(ch<=90))||((ch>=97)&&(ch<=122))) { a[k]=ch; k++; } else { if(ch==32) { i++; continue; } ss[l]=ch; l++; } i++; } if(j!=0) printf("Digits : "); for(i=0;i<j;i++) { printf("%c ",d[i]); } if(k!=0) printf("\nAlphabets : "); for(i=0;i<k;i++) { printf("%c ",a[i]); } if(l!=0) printf("\nSpecial Symbols : "); for(i=0;i<l;i++) { printf("%c ",ss[i]); } return 0; }<file_sep>#include<stdio.h> int main() { int n, array[100], i=0, sum=0, SecondElement; int add=0; float second_average, average; printf("Enter the number of elements:\n"); scanf("%d",&n); printf("Enter the elements:\n"); for(int i=0;i<n;i++) { scanf("%d",&array[i]); } for(i=0;i<n;i++) { sum=sum+array[i]; } average=(float)sum/n; printf("Average of the given string is : \n%.2f\n",average); printf("Enter the second element:\n"); scanf("%d",&SecondElement); array[n]=SecondElement; for(i=0;i<n+1;i++) { printf("%d ",array[i]); } for(i=1;i<n+1;i++) { add=add+array[i]; } second_average=(float)add/(n); printf("\nAverage after insertion of element: %.2f",second_average); }<file_sep>#include <stdio.h> #include <string.h> int main() { char a[1000],operators[100],alphabets[100],sc[100]; int operands[100],y,i,total_operator,opi=0,ain=0,opn=0,scn=0; printf("Enter a String:"); scanf("%s",a); i=0; while(a[i]!='\0') { if(isdigit(a[i])) { total_operator=0; while(isdigit(a[i])) { y=a[i]-'0'; total_operator=(total_operator*10)+y; i++; } operands[opi++]=total_operator; i--; } else if(isalpha(a[i])) { alphabets[ain++]=a[i]; } else if(a[i]=='+'||a[i]=='-'||a[i]=='*'||a[i]=='/') { operators[opn++]=a[i]; } else { sc[scn++]=a[i]; } i++; } char x; int pointn=0,points=0; int p=operands[pointn]; int answer=p; for(pointn=1;pointn<opi;pointn++) { int p=operands[pointn]; x=operators[points]; if(x=='+') { answer = answer+p; } else if(x=='-') { answer = answer-p; } else if(x=='*') { answer = answer*p; } else { answer = answer/p; } points++; } printf("%d",answer); }<file_sep>#include<stdio.h> int main() { int m, n, p, q, i, j, k, sum=0; int a[100][100], b[100][100], c[100][100]; printf("Enter number of rows and columns of matrix A : \n"); scanf("%d %d",&m,&n); printf("Enter number of rows and columns of matrix B : \n"); scanf("%d %d",&p,&q); printf("\nEnter elements in matrix A : \n"); for(i=0;i<m;i++) { for(j=0;j<n;j++) { scanf("%d",&a[i][j]); } } printf("\nEnter elements in matrix B : \n"); for(i=0;i<p;i++) { for(j=0;j<q;j++) { scanf("%d",&b[i][j]); } } for(i=0;i<m;i++) { for(j=0;j<q;j++) { for(k=0;k<p;k++) { sum=sum+a[i][k]*b[k][j]; } c[i][j]=sum; sum=0; } } printf("\nProduct of the matrix A and B : \n"); for(i=0;i<m;i++) { for(j=0;j<q;j++) { printf("%d\t",c[i][j]); } printf("\n"); } }<file_sep>#include<stdio.h> void reverese(int ar[], int first, int last) { int temp; while (first < last) { temp = ar[first]; ar[first] = ar[last]; ar[last] = temp; first++; last--; } } void printArray(int ar[], int n) { int i; for (i=0; i < n; i++) { printf("%d ", ar[i]); } printf("\n"); } int main() { int ar[] = {10, 20, 30, 40, 50, 60, 70}; int a = sizeof(ar) / sizeof(ar[0]); printArray(ar, a); reverese(ar, 0, a-1); printf("Reversed array \n"); printArray(ar, a); return 0; } <file_sep>#include <stdio.h> #include <string.h> #define size 100 int peep,stack[size]; void push(char s) { if(top == size-1) { printf("stack overflow"); } else { stack[++top]=s; } } void pop() { printf("%c",stack[top--]); } void main() { char str[]="Life is beautiful"; int l = strlen(str); int i; for(i=0;i<l;i++) push(str[i]); for(i=0;i<l;i++) pop(); } <file_sep>#include <stdio.h> int greaterElement(int ar[], int size) { int i; int maximum = ar[0]; for (i = 1; i < size; i++) { if (ar[i] > maximum) { maximum = ar[i]; } } return maximum; } int main() { int ar[] = {100, 2340, 540, 30, 708}; int n = sizeof(ar)/sizeof(ar[0]); printf("Greatest element is %d", greaterElement(ar, n)); return 0; }
e528eb7d8fa5779b1cea2334312f02e19799c11a
[ "C", "C++" ]
19
C
BrindhaaRavindran/DataStructures
ae6c307348d73795a60ada90a8a30abafc1f0f86
5911ee1023596c5910d7546b92ec97b69f58732a
refs/heads/master
<file_sep>-- phpMyAdmin SQL Dump -- version 4.1.14 -- http://www.phpmyadmin.net -- -- Host: 1172.16.17.32 -- Generation Time: Jun 04, 2016 at 03:32 AM -- Server version: 5.6.17 -- PHP Version: 5.5.12 SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO"; SET time_zone = "+00:00"; /*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */; /*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */; /*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */; /*!40101 SET NAMES utf8 */; -- -- Database: `mydbweek10` -- -- -------------------------------------------------------- -- -- Table structure for table `address_book` -- CREATE TABLE IF NOT EXISTS `address_book` ( `ID` int(11) NOT NULL AUTO_INCREMENT, `Name` varchar(100) NOT NULL, `Address` varchar(100) NOT NULL, `Phone` varchar(100) NOT NULL, PRIMARY KEY (`ID`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=6 ; -- -- Dumping data for table `address_book` -- INSERT INTO `address_book` (`ID`, `Name`, `Address`, `Phone`) VALUES (1, 'AAA', 'Address 1', '11111111'), (3, 'John', 'Doe', '99999'), (4, 'CCC', 'Address 3', '33333333'), (5, 'DDD', 'Address 4', '44444444'); -- -------------------------------------------------------- -- -- Table structure for table `banner` -- CREATE TABLE IF NOT EXISTS `banner` ( `BannerID` int(11) NOT NULL AUTO_INCREMENT, `BannerName` varchar(255) NOT NULL, `BannerDesc` varchar(255) NOT NULL, `DispalyOrder` int(11) NOT NULL, `IsActive` int(11) NOT NULL, PRIMARY KEY (`BannerID`) ) ENGINE=MyISAM DEFAULT CHARSET=latin1 AUTO_INCREMENT=15 ; -- -- Dumping data for table `banner` -- INSERT INTO `banner` (`BannerID`, `BannerName`, `BannerDesc`, `DispalyOrder`, `IsActive`) VALUES (11, '1417604790banner.jpg', '', 1, 0), (12, '1417779215banner1.jpg', 'banner2', 2, 0), (13, '1442838045Mobile Apps Development.jpeg', 'Image 3', 3, 0), (14, '14433162813.jpg', 'Banner 4', 4, 0); -- -------------------------------------------------------- -- -- Table structure for table `category` -- CREATE TABLE IF NOT EXISTS `category` ( `CategoryID` int(11) NOT NULL AUTO_INCREMENT, `CategoryName` varchar(255) NOT NULL, PRIMARY KEY (`CategoryID`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=12 ; -- -- Dumping data for table `category` -- INSERT INTO `category` (`CategoryID`, `CategoryName`) VALUES (4, 'Mobile'), (5, 'Laptops'), (6, 'Mouse'), (7, 'Speaker'), (8, 'Pendrive'), (10, 'My Category 1'), (11, 'Category 7'); -- -------------------------------------------------------- -- -- Table structure for table `facebook` -- CREATE TABLE IF NOT EXISTS `facebook` ( `ID` int(11) NOT NULL AUTO_INCREMENT, `FacebookID` varchar(255) NOT NULL, PRIMARY KEY (`ID`) ) ENGINE=MyISAM DEFAULT CHARSET=latin1 AUTO_INCREMENT=2 ; -- -- Dumping data for table `facebook` -- INSERT INTO `facebook` (`ID`, `FacebookID`) VALUES (1, '283953351632017'); -- -------------------------------------------------------- -- -- Table structure for table `menupage` -- CREATE TABLE IF NOT EXISTS `menupage` ( `MenuPageID` int(11) NOT NULL AUTO_INCREMENT, `MenuPageName` varchar(255) NOT NULL, `MenuPageOrder` int(11) NOT NULL, `MenuPageArticle` longtext NOT NULL, PRIMARY KEY (`MenuPageID`) ) ENGINE=MyISAM DEFAULT CHARSET=latin1 AUTO_INCREMENT=7 ; -- -- Dumping data for table `menupage` -- INSERT INTO `menupage` (`MenuPageID`, `MenuPageName`, `MenuPageOrder`, `MenuPageArticle`) VALUES (1, 'Home', 1, ' 1231111'), (2, 'About Us', 2, 'AMSOFT is a group of energetic youth which provide full-service on Web Presence Provider and Software Development. We are committed to excellence in web site design, Web Site Maintenance, CMS Design and Software development to our valuable clients. We can meet your needs, big or small, from a quality and cheap web page design to with all the latest technologies. If you would like to grasp more information, then please feel free to contact us.AMSOFT is a group of energetic youth which provide full-service on Web Presence Provider and Software Development. We are committed to excellence in web site design, Web Site Maintenance, CMS Design and Software development to our valuable clients. We can meet your needs, big or small, from a quality and cheap web page design to with all the latest technologies. If you would like to grasp more information, then please feel free to contact us.'), (3, 'Contact Us', 3, ''), (4, 'New Page', 4, 'New Page Content<span style="white-space: pre;"> </span>'), (5, 'My Page 1', 5, 'My Page `1 Description&nbsp;'), (6, 'Academia Menu', 0, 'asdfadsf&nbsp;<br />asdf<br /><br />asdfasf <br /><br />asfsf'); -- -------------------------------------------------------- -- -- Table structure for table `product` -- CREATE TABLE IF NOT EXISTS `product` ( `ProductID` int(11) NOT NULL AUTO_INCREMENT, `ProductImage` varchar(255) NOT NULL, `ProductName` varchar(255) NOT NULL, `ProductDesc` text NOT NULL, `ProductPrice` varchar(255) NOT NULL, `CategoryID` int(11) NOT NULL, `ProductFeature` varchar(255) NOT NULL, PRIMARY KEY (`ProductID`), KEY `CategoryID` (`CategoryID`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=12 ; -- -- Dumping data for table `product` -- INSERT INTO `product` (`ProductID`, `ProductImage`, `ProductName`, `ProductDesc`, `ProductPrice`, `CategoryID`, `ProductFeature`) VALUES (1, '1417759175micromax-a290.jpg', 'Micromax A290', 'Canvas Knight Cameo', '200', 4, 'No'), (2, '1417759699apple-iphone-6-3.jpg', 'iPhone 6', 'Apple', '800', 4, 'Yes'), (3, '1417759765samsung-galaxy-note-4-new.jpg', 'Samsung Galaxy Note 4', 'Samsung', '800', 4, 'Yes'), (4, '1417759975samsung-galaxy-grand-prime-sm-g530h.jpg', 'Grand Prime', 'Samsung ', '400', 4, 'Yes'), (5, '1417760088moto-nexus-6.jpg', 'Nexus 6', 'Motorola ', '500', 4, 'Yes'), (6, '1417760281lenovo-golden-warrior-note-8.jpg', 'Golden Warrior Note 8', 'Lenovo', '600', 4, 'Yes'), (7, '1417760367lenovo-a319.jpg', 'A319', 'Lenovo', '350', 4, 'Yes'), (8, '1417760524lenovo-golden-warrior-s8-.jpg', 'Golden Warrior S8', 'Lenovo', '500', 4, 'Yes'), (9, '1417770959Acer-4919-79018-1-product.jpg', 'Aspire e-1 571 ', 'Acer ', '500', 5, 'Yes'), (10, '1417774689lenovo-a319.jpg', 'test1', 'test1', '200', 7, 'Yes'), (11, '1443316141MobileAppsDev1.png', 'AAA', 'Desc 1', '10000', 10, 'Yes'); -- -------------------------------------------------------- -- -- Table structure for table `user` -- CREATE TABLE IF NOT EXISTS `user` ( `UserID` int(11) NOT NULL AUTO_INCREMENT, `FullName` varchar(100) NOT NULL, `Username` varchar(100) NOT NULL, `Email` varchar(100) NOT NULL, `Password` varchar(100) NOT NULL, `IsActive` int(11) NOT NULL, PRIMARY KEY (`UserID`), UNIQUE KEY `Username` (`Username`,`Email`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=5 ; -- -- Dumping data for table `user` -- INSERT INTO `user` (`UserID`, `FullName`, `Username`, `Email`, `Password`, `IsActive`) VALUES (1, 'Administrator', 'admin', '<EMAIL>', '<PASSWORD>', 1), (2, 'Administrator 1', 'admin1', '<EMAIL>', 'admin1', 1), (3, 'admin10', 'admin10', 'admin10', 'admin10', 1), (4, 'fullName', 'username', 'email', '<PASSWORD>', 1); -- -- Constraints for dumped tables -- -- -- Constraints for table `product` -- ALTER TABLE `product` ADD CONSTRAINT `product_ibfk_1` FOREIGN KEY (`CategoryID`) REFERENCES `category` (`CategoryID`) ON DELETE CASCADE ON UPDATE CASCADE; /*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */; /*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */; /*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
cc58497c375e9e293c73deda391f131be6740e3f
[ "SQL" ]
1
SQL
amitstime/jsp_test_git
7aec772ccb3e865dda2d69b89fe614df09b309c8
9d629bd1fb80a347b9b83e3cae85f0dff70e38de
refs/heads/master
<file_sep>using Microsoft.VisualStudio.TestTools.UnitTesting; namespace RSocket.Tests { [TestClass] public class ProtocolTests { [TestMethod] public void SimpleInvariantsTest() { Assert.AreEqual(0, RSocketProtocol.Header.DEFAULT_STREAM, "Default Stream should always be zero."); Assert.AreEqual(1, RSocketProtocol.MAJOR_VERSION, nameof(RSocketProtocol.MAJOR_VERSION)); Assert.AreEqual(0, RSocketProtocol.MINOR_VERSION, nameof(RSocketProtocol.MINOR_VERSION)); } [TestMethod] public void StateMachineBasicTest() { } [TestMethod] public void SetupValidationTest() { } [TestMethod] public void LeaseValidationTest() { } [TestMethod] public void KeepAliveValidationTest() { } [TestMethod] public void RequestResponseValidationTest() { } [TestMethod] public void RequestFireAndForgetValidationTest() { } [TestMethod] public void RequestStreamValidationTest() { } [TestMethod] public void RequestChannelValidationTest() { } [TestMethod] public void RequestNValidationTest() { } [TestMethod] public void CancelValidationTest() { } [TestMethod] public void PayloadValidationTest() { } [TestMethod] public void ErrorValidationTest() { } [TestMethod] public void MetadataPushValidationTest() { } [TestMethod] public void ExtensionValidationTest() { } } }
5c4d3382548ae3e422f158c33b9d21dd4b589bbc
[ "C#" ]
1
C#
intelliBrain/rsocket-net
756e8014498654c8d3cea4fb39689f53ee02cb2a
994d17234d638dd8c79d0a19bc7da4a80d0a0d65
refs/heads/main
<file_sep>package akhilesh; public class hellogit { public static void main(String[] args) { System.out.println(" hello "); System.out.println(" I write in github"); } }
5652af60c5f6cb87d12538b3830a6272132df8ff
[ "Java" ]
1
Java
akhil030698/gitrespo
4245df09c28c0fd721b2f28195f557bcff922977
4345b995562ce9667ace7ab5b04e4cf912bc01f0
refs/heads/master
<file_sep>const contentS = "<!--CONTENT-->"; const navS = "<!--NAV-->"; module.exports = function renderPage(template, navmenu, content) { return template .split(navS) .join(navmenu) .split(contentS) .join(content); };
144a9676a2a09aec4cee509af3a06835cd03ca95
[ "JavaScript" ]
1
JavaScript
riomyers/markdown-folder-to-html
0af9253ea77561c62c506cc094108a2ac96b56d9
bc37fad050823b2614bfbe7dde4189552c6ced0d
refs/heads/master
<repo_name>azmisahin/azmisahin-software-web-architecture-dotnetcore<file_sep>/Models/AppDbContext.cs using Microsoft.EntityFrameworkCore; namespace web{ public class AppDbContext : DbContext{ public AppDbContext(DbContextOptions options) : base(options){ } public DbSet<Customer> Customers { get;set;} } }<file_sep>/readme.md # dot.net core web application Web MVC Application with C#. ## Install ```shell $ dotnet build ▀ ╢█████████████░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░╟ ``` ## Usage ```shell $ dotnet run ▀ ╢█████████████░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░░╟ ``` ## Try ## Test ## Pipeline [![Build Status](https://dev.azure.com/azmisahin-github/azmisahin-software-web-architecture-dotnetcore/_apis/build/status/azmisahin.azmisahin-software-web-architecture-dotnetcore?branchName=master)](https://dev.azure.com/azmisahin-github/azmisahin-software-web-architecture-dotnetcore/_build/latest?definitionId=13&branchName=master)<file_sep>/Controllers/CustomerControllers.cs using System; using System.Collections.Generic; using System.Diagnostics; using System.Linq; using System.Threading.Tasks; using Microsoft.AspNetCore.Mvc; using azmisahin_software_web_architecture_dotnetcore.Models; using web; namespace azmisahin_software_web_architecture_dotnetcore.Controllers { public class CustomerController : Controller { private readonly AppDbContext _db; public CustomerController(AppDbContext db) { _db = db; } public IActionResult Index() { var customers = _db.Customers.ToList(); return View(customers); } public IActionResult Create(){ return View(new Customer()); } [HttpPost] public IActionResult Create(Customer model){ if(!ModelState.IsValid) return View(); _db.Customers.Add(model); _db.SaveChanges(); return Redirect("./"); } } }
4836867fd9662b62b1d4d4dcf65390da81d5af43
[ "Markdown", "C#" ]
3
C#
azmisahin/azmisahin-software-web-architecture-dotnetcore
ef486d3e15f833ca6a68be4ec12fbfbb3c9d5c1b
d3d2e4717efc715a1a4ba5f36c2bc7e8b9db6abb
refs/heads/master
<file_sep>import React from "react"; import SearchBar from "./searchBar"; import Stories from "./stories"; class App extends React.Component { constructor(props) { super(props); this.state = { articles0:[], articles1: [], articles2: [], }; this.saveArticles = this.saveArticles.bind(this); } saveArticles(articles) { const articles0 = []; const articles1 = []; const articles2 = []; for (let i = 0; i < articles.length; i += 3) { if (articles[i]) { articles0.push(articles[i]); } else break; if (articles[i+1]){ articles1.push(articles[i + 1]); } else break; if (articles[i+2]){ articles2.push(articles[i+2]); } else break; } const newState = { articles0: articles0, articles1: articles1, articles2: articles2, } this.setState(() => newState, () => {console.log("STATE", this.state)}) } render() { return( <div> <SearchBar saveArticles={this.saveArticles}></SearchBar> <Stories column0={this.state.articles0} column1={this.state.articles1} column2={this.state.articles2}></Stories> </div> ) } } export default App;<file_sep># news_api Consumes NewsAPI Allows search for articles Displays Thumbnail, Title, Blurb, Link to full article Change display order<file_sep>import React from "react"; class SearchBar extends React.Component { constructor(props) { super(props); this.state = {searchTerm: ""}; this.handleChange = this.handleChange.bind(this); this.handleSubmit = this.handleSubmit.bind(this); } handleChange(event) { this.setState({searchTerm: event.target.value}); } handleSubmit(event) { event.preventDefault(); this.getStories(this.state.searchTerm); } getStories(searchTerm) { let url = 'https://newsapi.org/v2/everything?' + 'q=' + searchTerm + '&' + 'sortBy=relevancy&' + 'apiKey=<KEY>'; fetch(url) .then((response) => response.json()) .then((storiesJSON)=> { this.props.saveArticles(storiesJSON.articles); }) } render() { return( <section className="hero"> <div className="hero-body"> <form onSubmit={this.handleSubmit}> <div className="field has-addons"> <div className="control"> <input className="input" type="text" placeholder="Search" value={this.state.searchTerm} onChange={this.handleChange}></input> </div> <div className="control"> <input type="submit" className="button is-info" value="Search" /> </div> </div> </form> </div> </section> ) } } export default SearchBar
a86b6fd0b112b0c9b019f3421f0bfc0c33ba85ec
[ "JavaScript", "Markdown" ]
3
JavaScript
james-owen/news_api
4a8c4832f4fee8e5b865732d9abc1f297c464dfe
dd250a7a776413bf4405f8b99180dedc375a7a54
refs/heads/master
<file_sep>const chalk = require('chalk'); const moment = require('moment'); const chalkFn = (color, bold = true, underline = false) => { let ch = chalk[color]; if (bold) ch = ch.bold; if (underline) ch = ch.underline; return ch; } const log = (color, domain, message, underline = false) => { console.log( chalkFn(color, true, underline)( `@indexed-finance/core${domain}:${moment(new Date()).format('HH:mm:ss')}: ` ) + message ); }; const Logger = (chainID = undefined, domain = '') => { if (domain != '') domain = `/${domain}`; return { info: (v, u = false) => { if (chainID !== undefined && chainID != 1 && chainID != 4) return; log('cyan', domain, v, u); return v; }, success: (v, u = false) => { if (chainID !== undefined && chainID != 1 && chainID != 4) return; log('green', domain, v, u); return v; }, error: (v, u = false) => { if (chainID !== undefined && chainID != 1 && chainID != 4) return; log('red', domain, v, u); return v; }, }; }; module.exports = Logger;<file_sep>const Deployer = require('../lib/deployer'); const Logger = require('../lib/logger'); module.exports = async (bre) => { const { getChainId, getNamedAccounts } = bre; const chainID = +(await getChainId()); const logger = Logger(chainID, 'deploy-uniswap-mocks'); const { deployer } = await getNamedAccounts(); const deploy = await Deployer(bre, logger); if (chainID == 1 && bre.network.name != 'coverage') return; const weth = await deploy('MockERC20', 'weth', { from: deployer, gas: 4000000, args: ["Wrapped Ether V9", "WETH9"] }); if (chainID == 4) return; const uniswapFactory = await deploy("UniswapV2Factory", 'uniswapFactory', { from: deployer, gas: 4000000, args: [deployer] }); const uniswapRouter = await deploy('UniswapV2Router02', 'uniswapRouter', { from: deployer, gas: 4000000, args: [uniswapFactory.address, weth.address] }); const liquidityAdder = await deploy('LiquidityAdder', 'liquidityAdder', { from: deployer, gas: 1000000, args: [ weth.address, uniswapFactory.address, uniswapRouter.address ] }, true); }; module.exports.tags = ['Mocks', 'Uniswap'];<file_sep>const { BigNumber } = require('ethers'); const { formatEther } = require('ethers/lib/utils'); const bre = require("@nomiclabs/buidler"); const HOUR = 3600; const DAY = 86400; const WEEK = 604800; async function mineBlock(timestamp) { return bre.ethers.provider.send('evm_mine', timestamp ? [timestamp] : []) } async function fastForward(seconds) { await bre.ethers.provider.send('evm_increaseTime', [seconds]); await mineBlock(); } async function fastForwardToPeriodStart(observationPeriod) { const timestamp = await bre.run('getTimestamp'); const seconds = observationPeriod - ((+timestamp) % observationPeriod); await fastForward(seconds); } async function fastForwardToNextHour() { await fastForwardToPeriodStart(HOUR); } function expandTo18Decimals(n) { return BigNumber.from(n).mul(BigNumber.from(10).pow(18)) } function from18Decimals(n) { return formatEther(n); } function encodePrice(_tokenReserves, _wethReserves, _blockTimestamp, lastPrice = {}) { const blockTimestamp = _blockTimestamp % (2**32); const timeElapsed = blockTimestamp - (lastPrice.blockTimestamp || 0); let tokenPriceAverage = lastPrice.tokenPriceAverage; let ethPriceAverage = lastPrice.ethPriceAverage; let tokenPriceCumulativeLast = BigNumber.from(0) let ethPriceCumulativeLast = BigNumber.from(0); if (timeElapsed > 0 && lastPrice.tokenReserves && lastPrice.wethReserves) { const { tokenReserves, wethReserves } = lastPrice; tokenPriceAverage = wethReserves.mul(BigNumber.from(2).pow(112)).div(tokenReserves); ethPriceAverage = tokenReserves.mul(BigNumber.from(2).pow(112)).div(wethReserves); tokenPriceCumulativeLast = lastPrice.tokenPriceCumulativeLast.add( tokenPriceAverage.mul(timeElapsed) ); ethPriceCumulativeLast = lastPrice.ethPriceCumulativeLast.add( ethPriceAverage.mul(timeElapsed) ); } const tokenReserves = BigNumber.from(lastPrice.tokenReserves || 0).add(_tokenReserves); const wethReserves = BigNumber.from(lastPrice.wethReserves || 0).add(_wethReserves); return { tokenReserves, wethReserves, tokenPriceAverage, ethPriceAverage, blockTimestamp, tokenPriceCumulativeLast, ethPriceCumulativeLast }; } async function getTransactionTimestamp(_tx) { const tx = await Promise.resolve(_tx) const receipt = await tx.wait(); const { timestamp } = await ethers.provider.getBlock(receipt.blockNumber); return timestamp; } module.exports = { HOUR, DAY, WEEK, expandTo18Decimals, from18Decimals, fastForward, fastForwardToNextHour, fastForwardToPeriodStart, encodePrice, getTransactionTimestamp }<file_sep>## Tests **Run all tests** `npx buidler test` **Run test coverage** `npm run coverage` <file_sep>const Deployer = require('../lib/deployer'); const Logger = require('../lib/logger'); module.exports = async (bre) => { const { deployments, getChainId, getNamedAccounts, ethers } = bre; const chainID = await getChainId(); const logger = Logger(chainID) const { deployer } = await getNamedAccounts(); const deploy = await Deployer(bre, logger); const uniswapFactory = (await deployments.get('uniswapFactory')).address; const weth = (await deployments.get('weth')).address; await deploy("IndexedUniswapV2Oracle", 'IndexedOracle', { from: deployer, gas: 4000000, args: [uniswapFactory, weth] }); }; module.exports.tags = ['Oracle']; module.exports.dependencies = ['Uniswap']<file_sep>const chai = require("chai"); chai.use(require('chai-as-promised')) const { expect } = chai; const freshFixture = deployments.createFixture(async ({ deployments, ethers }) => { await deployments.fixture(); const ExampleKeyIndex = await ethers.getContractFactory("ExampleKeyIndex"); const example = await ExampleKeyIndex.deploy(); return example; }); const filledFixture = deployments.createFixture(async ({ deployments, ethers }) => { await deployments.fixture(); const ExampleKeyIndex = await ethers.getContractFactory("ExampleKeyIndex"); const example = await ExampleKeyIndex.deploy(); const proms = []; for (let i = 0; i < 512; i++) { proms.push(example.writeValue(i, i).then(tx => tx.wait())); } await Promise.all(proms); return example; }); const sparseFixture = deployments.createFixture(async ({ deployments, ethers }) => { await deployments.fixture(); const ExampleKeyIndex = await ethers.getContractFactory("ExampleKeyIndex"); const example = await ExampleKeyIndex.deploy(); const proms = []; for (let i = 0; i < 512; i += 32) { proms.push(example.writeValue(i, i).then(tx => tx.wait())); } await Promise.all(proms); return example; }); describe("ExampleKeyIndex", function() { describe('getPreviousValue()', async () => { it('Reverts when 0 is the starting key', async () => { const example = await freshFixture(); await expect(example.getPreviousValue(0, 1)).to.be.rejectedWith(/KeyIndex::findLastSetKey:Can not query value prior to 0\./g); }); it('Returns false when search passes 0', async () => { const example = await freshFixture(); const [foundValue, value] = await example.getPreviousValue(256, 256); expect(foundValue).to.be.false; expect(value.toNumber()).to.eq(0); }); it('Finds previous value in filled indices', async () => { const example = await filledFixture(); let i = 511 try { for (; i > 0; i--) { const [foundValue, value] = await example.getPreviousValue(i, 1); expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(i - 1); } } catch (err) { console.log(i); throw err; } }); it('Finds previous value 1 key behind', async () => { const example = await freshFixture(); const receipt0 = await example.writeValue(0, 100).then(tx => tx.wait()); console.log(`First write value cost: ${receipt0.cumulativeGasUsed}`); const gasUsed1 = await example.estimateGas.writeValue(1, 200); console.log(`Second write value cost: ${gasUsed1}`); const gasUsed2 = await example.estimateGas.getPreviousValue(1, 1); console.log(`Find previous value cost: ${gasUsed2}`); const [foundValue, value] = await example.getPreviousValue(1, 1); expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(100); }); it('Fails to find value further than max distance', async () => { const example = await freshFixture(); await example.writeValue(0, 100); await example.writeValue(1000, 200); let [foundValue, value] = await example.getPreviousValue(1000, 999); expect(foundValue).to.be.false; expect(value.toNumber()).to.eq(0); [foundValue, value] = await example.getPreviousValue(1000, 1000); expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(100); }); }); describe('getNextValue()', async () => { it('Finds next value in filled indices', async () => { const example = await filledFixture(); try { for (let i = 0; i < 511; i++) { const [foundValue, value] = await example.getNextValue(i, 1); expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(i + 1); } } catch (err) { // console.log(i); throw err; } }); it('Finds value 1 key ahead', async () => { const example = await freshFixture(); await example.writeValue(1, 100); const gasUsed = await example.estimateGas.getNextValue(0, 1); console.log(`Find next value cost (distance 1): ${gasUsed}`); const [foundValue, value] = await example.getNextValue(0, 1); expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(100); }); it('Fails to find value further than max distance', async () => { const example = await freshFixture(); await example.writeValue(0, 100); await example.writeValue(1000, 200); let [foundValue, value] = await example.getNextValue(0, 999); expect(foundValue).to.be.false; expect(value.toNumber()).to.eq(0); [foundValue, value] = await example.getNextValue(0, 1000); const gasUsed = await example.estimateGas.getNextValue(0, 1000); console.log(`getNextValue() (distance 1000) | Cost ${gasUsed}`) expect(foundValue).to.be.true; expect(value.toNumber()).to.eq(200); }); }); describe('getSetKeysInRange()', async () => { it('Reverts if bad range is given', async () => { const example = await freshFixture(); await expect(example.getSetKeysInRange(1, 0)).to.be.rejectedWith(/ExampleKeyIndex::getSetKeysInRange: Invalid Range/g); }); it('Returns all set keys in filled range', async () => { const example = await filledFixture(); const setKeys = await example.getSetKeysInRange(0, 512); const gas = await example.estimateGas.getSetKeysInRange(0, 512); console.log(`getSetKeysInRange(): filled [range 512] | Cost ${gas}`); expect(setKeys.length).to.eq(512); const numericKeys = setKeys.map(k => k.toNumber()); const expectedKeys = new Array(512).fill(null).map((_, i) => i); expect(numericKeys).to.deep.eq(expectedKeys); }); it('Returns all set keys in sparse range', async () => { const example = await sparseFixture(); const setKeys = await example.getSetKeysInRange(0, 512); const gas = await example.estimateGas.getSetKeysInRange(0, 512); console.log(`getSetKeysInRange(): sparse [range 512] | Cost ${gas}`); expect(setKeys.length).to.eq(16); const numericKeys = setKeys.map(k => k.toNumber()); const expectedKeys = new Array(512).fill(null).map((_, i) => i).filter(i => (i % 32) == 0); expect(numericKeys).to.deep.eq(expectedKeys); }); }); describe('getValuesInRange()', async () => { it('Reverts if bad range is given', async () => { const example = await freshFixture(); await expect(example.getValuesInRange(1, 0)).to.be.rejectedWith(/ExampleKeyIndex::getValuesInRange: Invalid Range/g); }); it('Returns all set keys in range', async () => { const example = await filledFixture(); const gas = await example.estimateGas.getValuesInRange(0, 512); console.log(`getValuesInRange() range 512 | Cost ${gas}`); const setKeys = await example.getValuesInRange(0, 512); expect(setKeys.length).to.eq(512); const numericKeys = setKeys.map(k => k.toNumber()); const expectedValues = new Array(512).fill(null).map((_, i) => i); expect(numericKeys).to.deep.eq(expectedValues); }); }); }); <file_sep>const chai = require("chai"); chai.use(require('chai-as-promised')) const { expect } = chai; const bre = require('@nomiclabs/buidler'); const { expandTo18Decimals, fastForwardToNextHour, encodePrice, getTransactionTimestamp, fastForward, HOUR, fastForwardToPeriodStart } = require('./utils'); const { testTokensFixture } = require("./tokens-fixture"); const { BigNumber } = require("ethers"); const token0Amount = expandTo18Decimals(5); const token1Amount = expandTo18Decimals(6); const wethAmount = expandTo18Decimals(10); const overrides = {gasLimit: 999999}; describe('IndexedUniswapV2Oracle', async () => { let oracle; let deployer; let token0, token1, weth; let pair0, pair1; before(async () => { ({deployer} = await getNamedAccounts()); await deployments.fixture('Oracle'); const [signer] = await ethers.getSigners(); oracle = await ethers.getContract('IndexedUniswapV2Oracle', signer); weth = await ethers.getContract('weth', signer); }); let expectedPrice0; let expectedPrice1; async function addLiquidity0() { await token0.getFreeTokens(pair0.address, token0Amount); await weth.getFreeTokens(pair0.address, wethAmount); const timestamp = await getTransactionTimestamp(pair0.mint(deployer, overrides)); expectedPrice0 = encodePrice(token0Amount, wethAmount, +timestamp, expectedPrice0); } async function addLiquidity1() { await token1.getFreeTokens(pair1.address, token1Amount); await weth.getFreeTokens(pair1.address, wethAmount); const timestamp = await getTransactionTimestamp(pair1.mint(deployer, overrides)); expectedPrice1 = encodePrice(token1Amount, wethAmount, +timestamp, expectedPrice1); } describe('Restrictions', async () => { before(async () => { ({ token0, token1, pair0, pair1 } = await testTokensFixture()); expectedPrice0 = undefined; expectedPrice1 = undefined; }); it('getPriceInWindow() reverts if there is no price for the window', async () => { await expect( oracle.getPriceObservationInWindow(token0.address, 0) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::getPriceObservationInWindow: No price observed in given hour\./g); }); it('updatePrice() reverts if a pair has no reserves', async () => { await expect(oracle.updatePrice(token0.address)).to.be.rejectedWith( /UniswapV2OracleLibrary::currentCumulativePrices: Pair has no reserves./g ); }); it('canUpdatePrice() returns false if a pair has no reserves', async () => { const canUpdatePrice = await oracle.canUpdatePrice(token0.address); expect(canUpdatePrice).to.be.false; }); it('canUpdatePrices() returns false if a pair has no reserves', async () => { const canUpdatePrices = await oracle.canUpdatePrices([token0.address, token1.address]); expect(canUpdatePrices).to.deep.equal([false, false]); }); it('Does update price once there are reserves', async () => { await fastForwardToNextHour(); await fastForward(0.7 * HOUR); await addLiquidity0(); await addLiquidity1(); await getTransactionTimestamp(oracle.updatePrices([token0.address, token1.address])); }); it('getPriceObservationsInRange() reverts if timeFrom >= timeTo', async () => { await expect( oracle.getPriceObservationsInRange(token0.address, 1, 0) ).to.be.rejectedWith(/IndexedPriceMapLibrary::getPriceObservationsInRange: Invalid time range/g); }) it('computeAverageEthForTokens() reverts if array lengths do not match', async () => { await expect( oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']( [token0.address], [0, 1], 0.5 * HOUR, 2 * HOUR ) ).to.be.rejectedWith( /IndexedUniswapV2Oracle::computeAverageEthForTokens: Tokens and amounts have different lengths\./g ); }); it('computeAverageTokensForEth() reverts if array lengths do not match', async () => { await expect( oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']( [token0.address], [0, 1], 0.5 * HOUR, 2 * HOUR ) ).to.be.rejectedWith( /IndexedUniswapV2Oracle::computeAverageTokensForEth: Tokens and amounts have different lengths\./g ); }); it('All price queries fail when `minTimeElapsed` has not passed', async () => { await expect(oracle.computeTwoWayAveragePrice(token0.address, 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTwoWayPrice: No price found in provided range\./g); await expect(oracle.computeAverageTokenPrice(token0.address, 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect(oracle.computeAverageEthPrice(token0.address, 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); await expect(oracle.computeTwoWayAveragePrices([token0.address], 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTwoWayPrice: No price found in provided range\./g); await expect(oracle.computeAverageTokenPrices([token0.address], 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect(oracle.computeAverageEthPrices([token0.address], 0.5 * HOUR, 2 * HOUR)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); await expect( oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)']( token0.address, 0, 0.5 * HOUR, 2 * HOUR) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g ); await expect( oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)']( token0.address, 0, 0.5 * HOUR, 2 * HOUR) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g ); await expect( oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']( [token0.address], [0], 0.5 * HOUR, 2 * HOUR) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g ); await expect( oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']( [token0.address], [0], 0.5 * HOUR, 2 * HOUR) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g ); }); it('All price queries fail when there are no prices between `minTimeElapsed` and `maxTimeElapsed`', async () => { await expect(oracle.computeTwoWayAveragePrice(token0.address, 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTwoWayPrice: No price found in provided range\./g); await expect(oracle.computeAverageTokenPrice(token0.address, 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect(oracle.computeAverageEthPrice(token0.address, 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); await expect(oracle.computeTwoWayAveragePrices([token0.address], 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTwoWayPrice: No price found in provided range\./g); await expect(oracle.computeAverageTokenPrices([token0.address], 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect(oracle.computeAverageEthPrices([token0.address], 0, 1)).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); await expect( oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)'](token0.address, 0, 0, 1) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect( oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)'](token0.address, 0, 0, 1) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); await expect( oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']([token0.address], [0], 0, 1) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getTokenPrice: No price found in provided range\./g); await expect( oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']([token0.address], [0], 0, 1) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::_getEthPrice: No price found in provided range\./g); }); it('canUpdatePrice() returns false during the same observation window as last update', async () => { const canUpdatePrice = await oracle.canUpdatePrice(token0.address); expect(canUpdatePrice).to.be.false; }); it('canUpdatePrices() returns false during the same observation window as last update', async () => { const canUpdatePrices = await oracle.canUpdatePrices([token0.address, token1.address]); expect(canUpdatePrices).to.deep.equal([false, false]); }); it('updatePrice() does not update during the same observation window as last update', async () => { const wouldUpdatePrice = await oracle.callStatic.updatePrice(token0.address); expect(wouldUpdatePrice).to.be.false; }); it('updatePrices() does not update during the same observation window as last update', async () => { const wouldUpdatePrices = await oracle.callStatic.updatePrices([token0.address, token1.address]); expect(wouldUpdatePrices).to.deep.equal([false, false]); }); it('canUpdatePrice() returns false during the next observation window if <30 min have passed since last update', async () => { await fastForwardToNextHour(); const canUpdatePrice = await oracle.canUpdatePrice(token0.address); expect(canUpdatePrice).to.be.false; }); it('canUpdatePrices() returns false during the next observation window if <30 min have passed since last update', async () => { const canUpdatePrices = await oracle.canUpdatePrices([token0.address, token1.address]); expect(canUpdatePrices).to.deep.equal([false, false]); }); it('updatePrice() does not update if <30 min have passed since last update', async () => { const wouldUpdatePrice = await oracle.callStatic.updatePrice(token0.address); expect(wouldUpdatePrice).to.be.false; }); it('updatePrices() does not update if <30 min have passed since last update', async () => { const wouldUpdatePrices = await oracle.callStatic.updatePrices([token0.address, token1.address]); expect(wouldUpdatePrices).to.deep.equal([false, false]); }); it('canUpdatePrice() returns true during the next observation window if >=30 min have passed since last update', async () => { await fastForward(0.3 * HOUR) const canUpdatePrice = await oracle.canUpdatePrice(token0.address); expect(canUpdatePrice).to.be.true; }); it('canUpdatePrices() returns true during the next observation window if >=30 min have passed since last update', async () => { const canUpdatePrices = await oracle.canUpdatePrices([token0.address, token1.address]); expect(canUpdatePrices).to.deep.equal([true, true]); }); describe('validMinMax', async () => { async function failsMinMax(fnName, ...beginArgs) { await expect( oracle[fnName](...beginArgs) ).to.be.rejectedWith(/IndexedUniswapV2Oracle::validMinMax: Minimum age can not be higher than maximum\./g) } it('All functions with validMinMax modifier reject invalid min/max values', async () => { await failsMinMax('computeTwoWayAveragePrice', token0.address, 2, 1); await failsMinMax('computeAverageTokenPrice', token0.address, 2, 1); await failsMinMax('computeAverageEthPrice', token0.address, 2, 1); await failsMinMax('computeTwoWayAveragePrices', [token0.address], 2, 1); await failsMinMax('computeAverageTokenPrices', [token0.address], 2, 1); await failsMinMax('computeAverageEthPrices', [token0.address], 2, 1); await failsMinMax('computeAverageEthForTokens(address,uint256,uint256,uint256)', token0.address, 0, 2, 1); await failsMinMax('computeAverageTokensForEth(address,uint256,uint256,uint256)', token0.address, 0, 2, 1); await failsMinMax('computeAverageEthForTokens(address[],uint256[],uint256,uint256)', [token0.address], [0], 2, 1); await failsMinMax('computeAverageTokensForEth(address[],uint256[],uint256,uint256)', [token0.address], [0], 2, 1); }); }); }); describe('Price Queries', async () => { let timestampUpdated; before(async () => { ({ token0, token1, pair0, pair1 } = await testTokensFixture()); expectedPrice0 = undefined; expectedPrice1 = undefined; }); it('updatePrice()', async () => { await fastForwardToNextHour(); await addLiquidity0(); await addLiquidity1(); const timestamp = await getTransactionTimestamp( oracle.updatePrices([token0.address, token1.address]) ); expectedPrice0 = encodePrice(0, 0, timestamp, expectedPrice0); expectedPrice1 = encodePrice(0, 0, timestamp, expectedPrice1); timestampUpdated = timestamp; }); it('updatePrice() returns true if token is WETH', async () => { expect(await oracle.callStatic.updatePrice(weth.address)).to.be.true; }); it('hasPriceObservationInWindow()', async () => { expect(await oracle.hasPriceObservationInWindow(token0.address, Math.floor(timestampUpdated / 3600))).to.be.true; expect(await oracle.hasPriceObservationInWindow(token0.address, 0)).to.be.false; }); it('getPriceObservationInWindow()', async () => { const priceObservation = await oracle.getPriceObservationInWindow(token0.address, Math.floor(timestampUpdated / 3600)); expect(priceObservation.timestamp).to.eq(timestampUpdated); expect(priceObservation.priceCumulativeLast.eq(expectedPrice0.tokenPriceCumulativeLast)).to.be.true; expect(priceObservation.ethPriceCumulativeLast.eq(expectedPrice0.ethPriceCumulativeLast)).to.be.true; }); it('computeTwoWayAveragePrice()', async () => { await fastForwardToNextHour(); await fastForward(0.3 * HOUR) await addLiquidity0(); await addLiquidity1(); const timestamp = await getTransactionTimestamp( oracle.updatePrices([token0.address, token1.address]) ); expectedPrice0 = encodePrice(0, 0, +timestamp, expectedPrice0); expectedPrice1 = encodePrice(0, 0, +timestamp, expectedPrice1); timestampUpdated = timestamp; const price0 = await oracle.computeTwoWayAveragePrice(token0.address, 1, 2 * HOUR); expect(price0.priceAverage.eq(expectedPrice0.tokenPriceAverage)).to.be.true; expect(price0.ethPriceAverage.eq(expectedPrice0.ethPriceAverage)).to.be.true; const price1 = await oracle.computeTwoWayAveragePrice(token1.address, 1, 2 * HOUR); expect(price1.priceAverage.eq(expectedPrice1.tokenPriceAverage)).to.be.true; expect(price1.ethPriceAverage.eq(expectedPrice1.ethPriceAverage)).to.be.true; const priceWeth = await oracle.computeTwoWayAveragePrice(weth.address, 1, 2 * HOUR); expect(priceWeth.priceAverage.eq(BigNumber.from(2).pow(112))).to.be.true expect(priceWeth.ethPriceAverage.eq(BigNumber.from(2).pow(112))).to.be.true }); it('computeTwoWayAveragePrices()', async () => { const [price0, price1, priceWeth] = await oracle.computeTwoWayAveragePrices([token0.address, token1.address, weth.address], 1, 2 * HOUR); expect(price0.priceAverage.eq(expectedPrice0.tokenPriceAverage)).to.be.true; expect(price0.ethPriceAverage.eq(expectedPrice0.ethPriceAverage)).to.be.true; expect(price1.priceAverage.eq(expectedPrice1.tokenPriceAverage)).to.be.true; expect(price1.ethPriceAverage.eq(expectedPrice1.ethPriceAverage)).to.be.true; expect(priceWeth.priceAverage.eq(BigNumber.from(2).pow(112))).to.be.true expect(priceWeth.ethPriceAverage.eq(BigNumber.from(2).pow(112))).to.be.true }); it('computeAverageTokenPrice()', async () => { const price0 = await oracle.computeAverageTokenPrice(token0.address, 1, 2 * HOUR); expect(price0._x.eq(expectedPrice0.tokenPriceAverage)).to.be.true; const price1 = await oracle.computeAverageTokenPrice(token1.address, 1, 2 * HOUR); expect(price1._x.eq(expectedPrice1.tokenPriceAverage)).to.be.true; const priceWeth = await oracle.computeAverageTokenPrice(weth.address, 1, 2 * HOUR); expect(priceWeth._x.eq(BigNumber.from(2).pow(112))).to.be.true; }); it('computeAverageTokenPrices()', async () => { const [price0, price1, priceWeth] = await oracle.computeAverageTokenPrices([token0.address, token1.address, weth.address], 1, 2 * HOUR); expect(price0._x.eq(expectedPrice0.tokenPriceAverage)).to.be.true; expect(price1._x.eq(expectedPrice1.tokenPriceAverage)).to.be.true; expect(priceWeth._x.eq(BigNumber.from(2).pow(112))).to.be.true; }); it('computeAverageEthPrice()', async () => { const price0 = await oracle.computeAverageEthPrice(token0.address, 1, 2 * HOUR); expect(price0._x.eq(expectedPrice0.ethPriceAverage)).to.be.true; const price1 = await oracle.computeAverageEthPrice(token1.address, 1, 2 * HOUR); expect(price1._x.eq(expectedPrice1.ethPriceAverage)).to.be.true; const priceWeth = await oracle.computeAverageEthPrice(weth.address, 1, 2 * HOUR); expect(priceWeth._x.eq(BigNumber.from(2).pow(112))).to.be.true; }); it('computeAverageEthPrices()', async () => { const [price0, price1, priceWeth] = await oracle.computeAverageEthPrices([token0.address, token1.address, weth.address], 1, 2 * HOUR); expect(price0._x.eq(expectedPrice0.ethPriceAverage)).to.be.true; expect(price1._x.eq(expectedPrice1.ethPriceAverage)).to.be.true; expect(priceWeth._x.eq(BigNumber.from(2).pow(112))).to.be.true; }); it('computeAverageEthForTokens(address,uint256,uint256,uint256)', async () => { const amountToken = expandTo18Decimals(10); const expectedValue0 = expectedPrice0.tokenPriceAverage.mul(amountToken).div(BigNumber.from(2).pow(112)); const expectedValue1 = expectedPrice1.tokenPriceAverage.mul(amountToken).div(BigNumber.from(2).pow(112)); const tokenValue0 = await oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)']( token0.address, amountToken, 1, 2 * HOUR ); const tokenValue1 = await oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)']( token1.address, amountToken, 1, 2 * HOUR ); const tokenValueWeth = await oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)']( weth.address, amountToken, 1, 2 * HOUR ); expect(tokenValue0.eq(expectedValue0)).to.be.true; expect(tokenValue1.eq(expectedValue1)).to.be.true; expect(tokenValueWeth.eq(amountToken)).to.be.true ; }); it('computeAverageEthForTokens(address[],uint256[],uint256,uint256)', async () => { const amountToken = expandTo18Decimals(10); const expectedValue0 = expectedPrice0.tokenPriceAverage.mul(amountToken).div(BigNumber.from(2).pow(112)); const expectedValue1 = expectedPrice1.tokenPriceAverage.mul(amountToken).div(BigNumber.from(2).pow(112)); const [tokenValue0, tokenValue1, tokenValueWeth] = await oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']( [token0.address,token1.address, weth.address], [amountToken, amountToken, amountToken], 1, 2 * HOUR ); expect(tokenValue0.eq(expectedValue0)).to.be.true; expect(tokenValue1.eq(expectedValue1)).to.be.true; expect(tokenValueWeth.eq(amountToken)).to.be.true; }); it('computeAverageTokensForEth(address,uint256,uint256,uint256)', async () => { const amountWeth = expandTo18Decimals(10); const expectedValue0 = expectedPrice0.ethPriceAverage.mul(amountWeth).div(BigNumber.from(2).pow(112)); const expectedValue1 = expectedPrice1.ethPriceAverage.mul(amountWeth).div(BigNumber.from(2).pow(112)); const ethValue0 = await oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)']( token0.address, amountWeth, 1, 2 * HOUR ); const ethValue1 = await oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)']( token1.address, amountWeth, 1, 2 * HOUR ); const ethValueWeth = await oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)']( weth.address, amountWeth, 1, 2 * HOUR ); expect(ethValue0.eq(expectedValue0)).to.be.true; expect(ethValue1.eq(expectedValue1)).to.be.true; expect(ethValueWeth.eq(amountWeth)).to.be.true; }); it('computeAverageTokensForEth(address[],uint256[],uint256,uint256)', async () => { const amountWeth = expandTo18Decimals(10); const expectedValue0 = expectedPrice0.ethPriceAverage.mul(amountWeth).div(BigNumber.from(2).pow(112)); const expectedValue1 = expectedPrice1.ethPriceAverage.mul(amountWeth).div(BigNumber.from(2).pow(112)); const [ethValue0, ethValue1, ethValueWeth] = await oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']( [token0.address,token1.address, weth.address], [amountWeth, amountWeth, amountWeth], 1, 2 * HOUR ); expect(ethValue0.eq(expectedValue0)).to.be.true; expect(ethValue1.eq(expectedValue1)).to.be.true; expect(ethValueWeth.eq(amountWeth)).to.be.true; }); it('All price queries succeed when there is a price between `minTimeElapsed` and `maxTimeElapsed` in the same observation window', async () => { await fastForward(0.2 * HOUR); await oracle.computeTwoWayAveragePrice(token0.address, 0, 0.4 * HOUR); await oracle.computeAverageTokenPrice(token0.address, 0, 0.4 * HOUR); await oracle.computeAverageEthPrice(token0.address, 0, 0.4 * HOUR); await oracle.computeTwoWayAveragePrices([token0.address], 0, 0.4 * HOUR); await oracle.computeAverageTokenPrices([token0.address], 0, 0.4 * HOUR); await oracle.computeAverageEthPrices([token0.address], 0, 0.4 * HOUR); await oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)'](token0.address, 0, 0, 0.4 * HOUR); await oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)'](token0.address, 0, 0, 0.4 * HOUR); await oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']([token0.address], [0], 0, 0.4 * HOUR); await oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']([token0.address], [0], 0, 0.4 * HOUR); }); it('All price queries succeed when there is a price between `minTimeElapsed` and `maxTimeElapsed` which is multiple observation windows old', async () => { await fastForwardToNextHour(); await addLiquidity0(); await addLiquidity1(); const timestamp = await getTransactionTimestamp( oracle.updatePrices([token0.address, token1.address]) ); expectedPrice0 = encodePrice(0, 0, +timestamp, expectedPrice0); expectedPrice1 = encodePrice(0, 0, +timestamp, expectedPrice1); timestampUpdated = timestamp; await fastForward(5 * HOUR); await oracle.computeTwoWayAveragePrice(token0.address, 2*HOUR, 10 * HOUR); await oracle.computeAverageTokenPrice(token0.address, 2*HOUR, 10 * HOUR); await oracle.computeAverageEthPrice(token0.address, 2*HOUR, 10 * HOUR); await oracle.computeTwoWayAveragePrices([token0.address], 2*HOUR, 10 * HOUR); await oracle.computeAverageTokenPrices([token0.address], 2*HOUR, 10 * HOUR); await oracle.computeAverageEthPrices([token0.address], 2*HOUR, 10 * HOUR); await oracle['computeAverageEthForTokens(address,uint256,uint256,uint256)'](token0.address, 0, 2*HOUR, 10 * HOUR); await oracle['computeAverageTokensForEth(address,uint256,uint256,uint256)'](token0.address, 0, 2*HOUR, 10 * HOUR); await oracle['computeAverageEthForTokens(address[],uint256[],uint256,uint256)']([token0.address], [0], 2*HOUR, 10 * HOUR); await oracle['computeAverageTokensForEth(address[],uint256[],uint256,uint256)']([token0.address], [0], 2*HOUR, 10 * HOUR); }); it('getPriceObservationsInRange()', async () => { await fastForwardToPeriodStart(HOUR * 256); const {timestamp} = await ethers.provider.getBlock('latest'); const timestamps = []; for (let i = 0; i < 10; i++) { await fastForwardToNextHour(); await addLiquidity0(); await addLiquidity1(); const txTimestamp = await getTransactionTimestamp( oracle.updatePrices([token0.address, token1.address]) ); timestamps.push(+txTimestamp); } const observations = await oracle.getPriceObservationsInRange(token0.address, +timestamp, (+timestamp) + HOUR * 10); const actualTimestamps = observations.map(obs => +obs.timestamp); expect(actualTimestamps).to.deep.eq(timestamps); }); }); });<file_sep>const chai = require("chai"); chai.use(require('chai-as-promised')) const { expect } = chai; const chalk = require('chalk'); const Table = require('cli-table3'); const bre = require('@nomiclabs/buidler'); const { oneToken, toBN, toHex } = require('../lib/bn'); const testTokens = require('../test/test-data/test-tokens.json'); const { fastForwardToPeriodStart } = require("./utils"); const HOUR = 3600; const DAY = 86400; const WEEK = 604800; return; describe('Compare Oracles', async () => { let weeklyTWAP, hourlyTWAP, indexedTWAP; let tokens = []; let addresses = []; let table; before(async () => { const [signer] = await ethers.getSigners(); await deployments.fixture('Tokens'); hourlyTWAP = await ethers.getContract('HourlyTWAPUniswapV2Oracle', signer); weeklyTWAP = await ethers.getContract('WeeklyTWAPUniswapV2Oracle', signer); indexedTWAP = await ethers.getContract('IndexedOracle', signer); for (let token of testTokens) { const { symbol } = token; const erc20 = await ethers.getContractAt( 'MockERC20', (await deployments.getOrNull(symbol.toLowerCase())).address, signer ); tokens.push({...token, erc20 }); addresses.push(erc20.address); } table = new Table({ head: ['Scenario', 'Net Savings/Loss'] }); }); after(() => { console.log(table.toString()); }); async function addLiquidityAll() { for (let token of tokens) { const { marketcap, price, symbol } = token; let amountWeth = toBN(marketcap).divn(10); let amountToken = amountWeth.divn(price); await bre.run('add-liquidity', { symbol, amountToken: toHex(amountToken.mul(oneToken)), amountWeth: toHex(amountWeth.mul(oneToken)) }); } } function pushGasTable(title, oldPrice, newPrice) { // const table = new Table({ head: [title] }); let _diff = (+oldPrice) - (+newPrice); let diff; if (_diff > 0) { diff = chalk.green(_diff); } else { diff = chalk.red(_diff); } table.push([title, diff]); } describe('Hourly TWAP - computeTwoWayAveragePrices', async () => { it('Price is in the same observation window', async () => { await fastForwardToPeriodStart(HOUR); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); await bre.run('increaseTime', { hours: 0.6 }); await addLiquidityAll(); const oldPrice = await hourlyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, HOUR * 0.5, HOUR * 2); pushGasTable( 'Price in same observation window | Hourly TWAP', oldPrice, newPrice ); }); it('Price is in the previous observation window', async () => { await fastForwardToPeriodStart(HOUR); await addLiquidityAll(); const oldTimestamp = await bre.run('getTimestamp'); console.log(`Seconds since hour start: ${oldTimestamp % HOUR}`); await bre.run('update-prices', { tokens: addresses }); await fastForwardToPeriodStart(HOUR); await addLiquidityAll(); const newTimestamp = await bre.run('getTimestamp'); console.log(`Seconds since hour start: ${newTimestamp % HOUR}`); const oldPrice = await hourlyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, HOUR * 0.5, HOUR * 2); pushGasTable( 'Price in previous observation window | Hourly TWAP', oldPrice, newPrice ); }); it('Price is 2 observation periods old', async () => { await fastForwardToPeriodStart(HOUR); await bre.run('increaseTime', { hours: 0.8 }); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); // await fastForwardToPeriodStart(HOUR); await bre.run('increaseTime', { hours: 1.5 }); await addLiquidityAll(); const oldPrice = await hourlyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, HOUR * 0.5, HOUR * 2); pushGasTable( 'Price is 2 observation periods old | Hourly TWAP', oldPrice, newPrice ); }); it('Price is 6 observation periods old', async () => { await fastForwardToPeriodStart(HOUR); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); await bre.run('increaseTime', { hours: 5 }); await addLiquidityAll(); await hourlyTWAP.setMaximumObservationAge(HOUR * 6).then(tx => tx.wait()); const oldPrice = await hourlyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, HOUR * 0.5, HOUR * 6); pushGasTable( 'Price is 6 observation periods old | Hourly TWAP', oldPrice, newPrice ); }); }); describe('Weekly TWAP - computeTwoWayAveragePrices', async () => { it('Price is in the same observation window', async () => { await fastForwardToPeriodStart(WEEK); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); await bre.run('increaseTime', { days: 3.5 }); await addLiquidityAll(); const oldPrice = await weeklyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, WEEK * 0.5, WEEK * 2); pushGasTable( 'Price in same observation window | Weekly TWAP', oldPrice, newPrice ); }); it('Price is in the previous observation window', async () => { await fastForwardToPeriodStart(WEEK); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); const diff = await fastForwardToPeriodStart(WEEK); console.log(diff) await addLiquidityAll(); const oldPrice = await weeklyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, WEEK * 0.5, WEEK * 2); const oldValue = await weeklyTWAP.getLastPriceObservation(addresses[0]); const newValue = await indexedTWAP.getLastPriceObservation(addresses[0], WEEK * 0.5, WEEK * 2); console.log(oldValue.timestamp); console.log(newValue.timestamp); pushGasTable( 'Price in previous observation window | Weekly TWAP', oldPrice, newPrice ); }); it('Price is 2 observation periods old', async () => { await fastForwardToPeriodStart(WEEK); await bre.run('increaseTime', { days: 6 }); await addLiquidityAll(); await bre.run('update-prices', { tokens: addresses }); await fastForwardToPeriodStart(WEEK); await bre.run('increaseTime', { days: 7 }); await addLiquidityAll(); const oldPrice = await weeklyTWAP.estimateGas.computeTwoWayAveragePrices(addresses); const newPrice = await indexedTWAP.estimateGas.computeTwoWayAveragePrices(addresses, WEEK * 0.5, WEEK * 2); pushGasTable( 'Price is 2 observation periods old | Weekly TWAP', oldPrice, newPrice ); }); }); });<file_sep>const { BigNumber } = require("ethers"); let i = 0; const testTokensFixture = deployments.createFixture(async ({ deployments, getNamedAccounts, ethers }) => { const [signer] = await ethers.getSigners(); const weth = await ethers.getContract('weth', signer); const MockERC20 = await ethers.getContractFactory('MockERC20'); let token0 = await MockERC20.deploy(`Token${i++}`, `Token${i}`); let token1 = await MockERC20.deploy(`Token${i++}`, `Token${i}`); let wethBN = BigNumber.from(weth.address); let token0BN = BigNumber.from(token0.address); let token1BN = BigNumber.from(token1.address); // Coverage of case in observeTwoWayPrice where token is greater than weth while (token0BN.gt(wethBN)) { token0 = await MockERC20.deploy(`Token${i++}`, `Token${i}`); token0BN = BigNumber.from(token0.address); } // Coverage of case in observeTwoWayPrice where token is greater than weth while (wethBN.gt(token1BN)) { token1 = await MockERC20.deploy(`Token${i++}`, `Token${i}`); token1BN = BigNumber.from(token1.address); } let pair0, pair1; const uniswapFactory = await ethers.getContract('UniswapV2Factory', signer); await uniswapFactory.createPair(token0.address, weth.address).then(tx => tx.wait()).then(async ({ events }) => { const { args: { pair: pairAddress } } = events.filter(e => e.event == 'PairCreated')[0]; pair0 = await ethers.getContractAt('IUniswapV2Pair', pairAddress, signer); }); await uniswapFactory.createPair(token1.address, weth.address).then(tx => tx.wait()).then(async ({ events }) => { const { args: { pair: pairAddress } } = events.filter(e => e.event == 'PairCreated')[0]; pair1 = await ethers.getContractAt('IUniswapV2Pair', pairAddress, signer); }); return { token0, token1, pair0, pair1 }; }); module.exports = {testTokensFixture};<file_sep>const Deployer = async (bre, logger) => { const { ethers } = bre; const [ signer ] = await ethers.getSigners(); const deploy = async (name, contractName, opts, returnContract = false) => { try { // if (await deployments.getOrNull(contractName)) { // logger.info(`Found ${contractName} [${name}]`); // return await ethers.getContract(contractName, signer); // } const deployment = await bre.deployments.deploy(name, { ...opts, contractName }); if (deployment.newlyDeployed) { logger.success(`Deployed ${contractName} [${name}]`); await bre.deployments.save(contractName, deployment); } else { logger.info(`Found ${contractName} [${name}]`); } if (returnContract) { const contract = await ethers.getContractAt(deployment.abi, deployment.address, signer); contract.newlyDeployed = deployment.newlyDeployed; return contract; } return deployment; } catch (err) { logger.error(`Error deploying ${contractName} [${name}]`); throw err; } }; return deploy; } module.exports = Deployer;<file_sep>const { BigNumber } = require("ethers"); const toBN = (bn) => BigNumber.from(bn); const oneToken = toBN(10).pow(18); // 10 ** decimals const nTokens = (amount) => oneToken.mul(amount); const toHex = (bn) => bn.toHexString(); const nTokensHex = (amount) => toHex(nTokens(amount)); module.exports = { toBN, oneToken, nTokens, toHex, nTokensHex };<file_sep>const chai = require("chai"); chai.use(require('chai-as-promised')) const { expect } = chai; describe('TestErrorTriggers', async () => { let test; before(async () => { const TestErrorTriggers = await ethers .getContractFactory('TestErrorTriggers'); test = await TestErrorTriggers.deploy(); }); it('UniswapV2Library.sortTokens() fails if the tokens are the same', async () => { await expect(test.triggerUniswapLibrarySameTokenError()).to.be.rejectedWith(/UniswapV2Library: IDENTICAL_ADDRESSES/g); }); it('UniswapV2Library.sortTokens() fails if null address is given', async () => { await expect(test.triggerUniswapLibraryNullTokenError()).to.be.rejectedWith(/UniswapV2Library: ZERO_ADDRESS/g); }); it('Bits.highestBitSet() fails if zero is given', async () => { await expect(test.triggerHighestBitError()).to.be.rejectedWith(/Bits::highestBitSet: Value 0 has no bits set/g); }); it('Bits.lowestBitSet() fails if zero is given', async () => { await expect(test.triggerLowestBitError()).to.be.rejectedWith(/Bits::lowestBitSet: Value 0 has no bits set/g); }); });
99a10da9c87b6a002b55348b6a706f37161af839
[ "JavaScript", "Markdown" ]
12
JavaScript
Kalesberg/Indexed-Uniswap-Draft
f00fa3d83a1b9f69a906d33fb3191076659f93c1
b0b642d17f7509cdf448afb5466102508e0aedf0
refs/heads/master
<file_sep>ip addr add dev JUL-eth0 fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b/64 ip addr add dev JUL-eth0 fd00:fdf8:f53e:61e4::18/64 ip -6 route add ::/0 via fd00:300:4:0b10:: <file_sep>#!/bin/bash ################################################################################ ################################################################################ ## FIREWALL ## ################################################################################ ################################################################################ ################################################################################ # Begin by flushing any default rules to create them from scratch # ################################################################################ ip6tables -F INPUT ip6tables -F OUTPUT ip6tables -F FORWARD ip6tables -F ################################################################################ # Whitelisting policy # ################################################################################ ip6tables -P INPUT DROP ip6tables -P FORWARD DROP ip6tables -P OUTPUT DROP ################################################################################ # Allow packets coming from related and established connections # ################################################################################ ip6tables -A INPUT -m state --state ESTABLISHED,RELATED -j ACCEPT ip6tables -A FORWARD -m state --state RELATED,ESTABLISHED -j ACCEPT ip6tables -A OUTPUT -m state --state ESTABLISHED,RELATED -j ACCEPT ################################################################################ # Allow loopback # ################################################################################ ip6tables -A INPUT -i lo -j ACCEPT ip6tables -A OUPUT -o lo -j ACCEPT <% if @type == "border" %> ################################################################################ # Block traffic going to wrong AS # ################################################################################ ip6tables -A FORWARD -o <%= @interface %> -s <%= @wrong_prefix %>::/48 -j DROP ip6tables -A OUTPUT -o <%= @interface %> -s <%= @wrong_prefix %>::/48 -j DROP ################################################################################ # Block spoofed source ip # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -s <%= @prefix_a %>::/52 -j DROP \ -m comment --comment "incomming packet with source ip from our network" ip6tables -A INPUT -i <%= @interface %> -s <%= @prefix_b %>::/52 -j DROP \ -m comment --comment "incomming packet with source ip from our network" ip6tables -A FORWARD -i <%= @interface %> -s <%= @prefix_a %>::/52 -j DROP \ -m comment --comment "forwarding packet with source ip from our network" ip6tables -A FORWARD -i <%= @interface %> -s <%= @prefix_b %>::/52 -j DROP \ -m comment --comment "forwarding packet with source ip from our network" ################################################################################ # Block traffic comming from outside the network towards a router # # (prevent against topology discovery and neighbor discovery) # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -d <%= @prefix %>:0f00::/56 -j DROP ip6tables -A FORWARD -i <%= @interface %> -d <%= @prefix %>:0f00::/56 -j DROP ################################################################################ # Block incomming and outgoing ospf packets towards / from <%= @interface %> # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -p ospf -j DROP -m comment --comment \ "block incomming ospf packets" ip6tables -A FORWARD -i <%= @interface %> -p ospf -j DROP -m comment --comment \ "block incomming forwarding ospf packets" ip6tables -A FORWARD -o <%= @interface %> -p ospf -j DROP -m comment --comment \ "block outgoing forwarding ospf packets" ip6tables -A OUTPUT -o <%= @interface %> -p ospf -j DROP -m comment --comment \ "block outgoing ospf packets" ################################################################################ # Block router advertisement from leaving our network, # # icmpv6 packets type 134/0 # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -p icmpv6 --icmpv6-type 134/0 -j DROP ip6tables -A FORWARD -i <%= @interface %> -p icmpv6 --icmpv6-type 134/0 -j DROP ip6tables -A FORWARD -o <%= @interface %> -p icmpv6 --icmpv6-type 134/0 -j DROP ip6tables -A OUTPUT -o <%= @interface %> -p icmpv6 --icmpv6-type 134/0 -j DROP ################################################################################ # Block dhcp from incomming our network # ################################################################################ ip6tables -A INPUT -p udp -i <%= @interface %> -m multiport --dports 546,547 \ -j DROP ip6tables -A FORWARD -p udp -i <%= @interface %> -m multiport --dports 546,547 \ -j DROP ################################################################################ # We block hop limit exceeded towards outside network # # (rule against topology discovery with traceroute) # ################################################################################ ip6tables -A OUTPUT -o <%= @interface %> -p icmpv6 --icmpv6-type time-exceeded \ -j DROP ip6tables -A FORWARD -o <%= @interface %> -p icmpv6 --icmpv6-type time-exceeded \ -j DROP ################################################################################ # block traceroute on the interface belneta # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -p udp --dport 33434:33534 -j DROP ip6tables -A FORWARD -i <%= @interface %> -p udp --dport 33434:33534 -j DROP ################################################################################ # Allow bgp on <%= @interface %> # ################################################################################ ip6tables -A INPUT -i <%= @interface %> -p tcp --dport 179 -j ACCEPT ip6tables -A OUTPUT -o <%= @interface %> -p tcp --dport 179 -j ACCEPT <%- end -%> ################################################################################ # Allow ospf # ################################################################################ ip6tables -A INPUT -p ospf -j ACCEPT ip6tables -A FORWARD -p ospf -j ACCEPT ip6tables -A OUTPUT -p ospf -j ACCEPT ################################################################################ # Allow RA # ################################################################################ ip6tables -A INPUT -p icmpv6 --icmpv6-type 134/0 -j ACCEPT -m comment \ --comment "Allow router advertisement" ip6tables -A OUTPUT -p icmpv6 --icmpv6-type 134/0 -j ACCEPT -m comment \ --comment "Allow router advertisement" ################################################################################ # Allow RS # ################################################################################ ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p icmpv6 --icmpv6-type 133/0 \ -j ACCEPT -m comment --comment "Allow router Solicitation" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p icmpv6 --icmpv6-type 133/0 \ -j ACCEPT -m comment --comment "Allow router Solicitation" ip6tables -A OUTPUT --dst <%= @prefix_a %>::/48 -p icmpv6 --icmpv6-type 133/0 \ -j ACCEPT -m comment --comment "Allow router Solicitation" ip6tables -A OUTPUT --dst <%= @prefix_b %>::/48 -p icmpv6 --icmpv6-type 133/0 \ -j ACCEPT -m comment --comment "Allow router Solicitation" ################################################################################ # Neighbour Solicitation limitation to avoid DoS # ################################################################################ ip6tables -A INPUT -p icmpv6 --icmpv6-type 135/0 -j ACCEPT --match limit \ --limit 10/minute ################################################################################ # Accept icmpv6 when it comes from our network # ################################################################################ ip6tables -A INPUT -p icmpv6 -j ACCEPT <%- if @type == "border" -%> # This is a border router, don't allow forwarding of pings, only border routers # can be pinged ip6tables -A FORWARD -p icmpv6 -i <%= @interface %> -j DROP <%- end -%> ip6tables -A FORWARD -p icmpv6 -j ACCEPT ip6tables -A OUTPUT -p icmpv6 -j ACCEPT ################################################################################ # Allow traceroute # ################################################################################ ip6tables -A INPUT -p udp --dport 33434:33534 -j ACCEPT ip6tables -A OUTPUT -p udp --dport 33434:33534 -j ACCEPT ip6tables -A FORWARD -p udp --dport 33434:33534 -j ACCEPT ################################################################################ # Allow router to send DNS requests # ################################################################################ ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p udp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p udp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p udp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p tcp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p tcp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_a %>::/48 -p udp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_b %>::/48 -p udp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_a %>::/48 -p tcp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_b %>::/48 -p tcp --dport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p udp --sport 53 -j ACCEPT -m \ ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p udp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p udp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p tcp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p tcp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_a %>::/48 -p udp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_b %>::/48 -p udp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_a %>::/48 -p tcp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ip6tables -A OUTPUT --dst <%= @prefix_b %>::/48 -p tcp --sport 53 -j ACCEPT -m \ comment --comment "Allow DNS" ################################################################################ # Allow SNMP requests # ################################################################################ ip6tables -A INPUT --dst <%= @prefix_a %>::/52 -p udp --match multiport \ --dports 161,162 -j ACCEPT ip6tables -A INPUT --dst <%= @prefix_b %>::/52 -p udp --match multiport \ --dports 161,162 -j ACCEPT ip6tables -A FORWARD --dst <%= @prefix_a %>::/52 -p udp --match multiport \ --dports 161,162 -j ACCEPT ip6tables -A FORWARD --dst <%= @prefix_b %>::/52 -p udp --match multiport \ --dports 161,162 -j ACCEPT # # Only administrators have the right to access the monitoring server # ip6tables -A FORWARD --dst <%= @prefix_a %>:e11::3/128 --src <%= @prefix_a %>:a00::/56 \ -j ACCEPT -m comment --comment "Admin access monitoring server" ip6tables -A FORWARD --dst <%= @prefix_b %>:fc00:e968:6179::de52:7100/128 --src <%= @prefix_b %>:a00::/56 \ -j ACCEPT -m comment --comment "Admin access monitoring" ip6tables -A FORWARD --dst <%= @prefix_a %>:fc00:e968:6179::de52:7100/128 --src <%= @prefix_b %>:a00::/56 \ -j ACCEPT -m comment --comment "Admin access monitoring server" ip6tables -A FORWARD --dst <%= @prefix_b %>:fc00:e968:6179::de52:7100/128 --src <%= @prefix_a %>:a00::/56 \ -j ACCEPT -m comment --comment "Admin access monitoring" ip6tables -A FORWARD --dst <%= @prefix_a %>:fc00:e968:6179::de52:7100/128 -j DROP -m comment \ --comment "only administrators have access to monitoring servers" ip6tables -A FORWARD --dst <%= @prefix_b %>:fc00:e968:6179::de52:7100/128 -j DROP -m comment \ --comment "only administrators have access to monitoring servers" ################################################################################ # Allow tunneling # ################################################################################ ip6tables -A INPUT -p 41 -j ACCEPT -m comment --comment "tunneling by prot" ip6tables -A FORWARD -p 41 -j ACCEPT -m comment --comment "tunneling by prot" ip6tables -A OUTPUT -p 41 -j ACCEPT -m comment --comment "tunneling by prot" ################################################################################ # User type: 'a' reserved for administrators # ################################################################################ # # Administrators have access to all services # ip6tables -A INPUT --src <%= @prefix_a %>:0a00::/56 -j ACCEPT -m comment \ --comment "User type: a" ip6tables -A INPUT --src <%= @prefix_b %>:0a00::/56 -j ACCEPT -m comment \ --comment "User type: a" ip6tables -A FORWARD --src <%= @prefix_a %>:0a00::/56 -j ACCEPT -m comment \ --comment "User type: a" ip6tables -A FORWARD --src <%= @prefix_b %>:0a00::/56 -j ACCEPT -m comment \ --comment "User type: a" ################################################################################ # User type: 'b' reserved for students # ################################################################################ # # A student should not host a service so we DROP all traffic going to a student # ip6tables -A FORWARD --dst <%= @prefix_a %>:0b00::/56 -j REJECT -m comment \ --comment "Student should not host services" ip6tables -A FORWARD --dst <%= @prefix_b %>:0b00::/56 -j REJECT -m comment \ --comment "Student should not host services" # # You can find more information about why we allow those ports in our report # ip6tables -A FORWARD --src <%= @prefix_a %>:0b00::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: b" ip6tables -A FORWARD --src <%= @prefix_b %>:0b00::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: b" ip6tables -A FORWARD --src <%= @prefix_a %>:0b00::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: b" ip6tables -A FORWARD --src <%= @prefix_b %>:0b00::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: b" ################################################################################ # User type: '9' reserved for teachers # ################################################################################ # # You can find more information about why we allow those ports in our report # ip6tables -A FORWARD --src <%= @prefix_a %>:0900::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: 9" ip6tables -A FORWARD --src <%= @prefix_b %>:0900::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: 9" ip6tables -A FORWARD --src <%= @prefix_a %>:0900::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: 9" ip6tables -A FORWARD --src <%= @prefix_b %>:0900::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: 9" ################################################################################ # User type: 'e' reserved for servers # ################################################################################ # # You can find more information about why we allow those ports in our report # ip6tables -A FORWARD --src <%= @prefix_a %>:0e00::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,161,162,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: e" ip6tables -A FORWARD --src <%= @prefix_b %>:0e00::/56 -p tcp --match multiport \ --dports 22,25,53,80,109,110,143,220,443,993,995,5001 -j ACCEPT -m comment \ --comment "User type: e" ip6tables -A FORWARD --src <%= @prefix_a %>:0e00::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: e" ip6tables -A FORWARD --src <%= @prefix_b %>:0e00::/56 -p upd --dport 53 -j ACCEPT \ -m comment --comment "User type: e" ################################################################################ # User type: 'd' reserved for services # ################################################################################ # # You can find more information about why we allow those ports in our report # ip6tables -A FORWARD --src <%= @prefix_a %>:0d00::/56 -p tcp --match multiport \ --dports 53,5001,5060,5061 -j ACCEPT -m comment --comment "User type: d" ip6tables -A FORWARD --src <%= @prefix_b %>:0d00::/56 -p tcp --match multiport \ --dports 53,2302,5001,5060,5061 -j ACCEPT -m comment --comment "User type: d" ip6tables -A FORWARD --src <%= @prefix_a %>:0d00::/56 -p udp --match multiport \ --dports 53,5060,5061 -j ACCEPT -m comment --comment "User type: d" ip6tables -A FORWARD --src <%= @prefix_b %>:0d00::/56 -p udp --match multiport \ --dports 53,5060,5061 -j ACCEPT -m comment --comment "User type: d" ip6tables -A FORWARD --src <%= @prefix_a %>:0d00::/56 -p udp --dport 16384:16472 \ -j ACCEPT -m comment --comment "User type: d" ip6tables -A FORWARD --src <%= @prefix_b %>:0d00::/56 -p udp --dport 16384:16472 \ -j ACCEPT -m comment --comment "User type: d" ################################################################################ # User type: 'c' reserved for guests # ################################################################################ # # A guest should not host a service so we DROP all traffic going to a guest # ip6tables -A FORWARD --dst <%= @prefix_a %>:0c00::/56 -j DROP -m comment \ --comment "Student should not host services" ip6tables -A FORWARD --dst <%= @prefix_b %>:0c00::/56 -j DROP -m comment \ --comment "Student should not host services" # # You can find more information about why we allow those ports in our report # ip6tables -A FORWARD --src <%= @prefix_a %>:0c00::/56 -p tcp --match multiport \ --dports 25,53,80,443 -j ACCEPT -m comment \ --comment "User type: c" ip6tables -A FORWARD --src <%= @prefix_b %>:0c00::/56 -p tcp --match multiport \ --dports 25,53,80,443 -j ACCEPT -m comment \ --comment "User type: c" ip6tables -A FORWARD --src <%= @prefix_a %>:0c00::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: c" ip6tables -A FORWARD --src <%= @prefix_b %>:0c00::/56 -p udp --dport 53 -j ACCEPT \ -m comment --comment "User type: c" ################################################################################ # Allowed ports for external users # ################################################################################ ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p tcp --match multiport \ --dports 22,25,53,80,443 -j ACCEPT -m comment --comment "comming from outside" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p tcp --match multiport \ --dports 22,25,53,80,443 -j ACCEPT -m comment --comment "comming from outside" ip6tables -A FORWARD --dst <%= @prefix_a %>::/48 -p udp --dport 53 -j ACCEPT \ -m comment --comment "comming from outside" ip6tables -A FORWARD --dst <%= @prefix_b %>::/48 -p udp --dport 53 -j ACCEPT \ -m comment --comment "comming from outside" ################################################################################ # Log the dropped packets ! # ################################################################################ ip6tables -A INPUT -j NFLOG --nflog-prefix "[DROP-INPUT]<%= @router_name %>" ip6tables -A FORWARD -j NFLOG --nflog-prefix "[DROP-FORWARD]<%= @router_name %>" ip6tables -A OUTPUT -j NFLOG --nflog-prefix "[DROP-OUTPUT]<%= @router_name %>" <file_sep>#!/bin/bash for a in $(ps -ax |grep lingi2142 |grep -v 'makefile\|kill_all_processes\|cleanup\|grep' | awk '{ print $1; }') do if ps -p $a > /dev/null; then sudo kill $a; fi done <file_sep>ip addr add dev TCH1-eth0 fd00:fc00:db20:35b:7399::5/64 ip addr add dev TCH1-eth0 fd00:fc00:db20:35b:7399::5/64 ip -6 route add ::/0 via fd00:300:4:0960:: <file_sep>import glob, random from helpers import * import helpers main_dir = os.path.dirname(__file__) + '/main' targets = sorted(glob.glob(main_dir + "/*.py")) targets = [x.replace(main_dir + '/', '').replace('.py', '') for x in targets] targets = list(filter(lambda x: x != "__init__", targets)) target_files = [main_dir + "/" + x + ".py" for x in targets] def usage(): print("Please select one target in") print(" all_tests") for target in targets: print(" " + target) def test(file): os.system("python3 " + file) if __name__ == "__main__": if len(sys.argv) <= 1: usage() target = sys.argv[1] if target == "all_tests": print("Target " + str(target) + " selected") for x in targets: helpers.title(x) test(target_files[targets.index(x)]) elif target =="help": usage() elif target in targets: print("Target " + str(target) + " selected") helpers.title(target) test(target_files[targets.index(target)]) else: print("Invalid target: ", target) usage() <file_sep>ip addr add dev MAX-eth0 fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b/64 ip addr add dev MAX-eth0 fd00:fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b/64 ip -6 route add ::/0 via fd00:300:4:0b30:: <file_sep>ip addr add dev ADM1-eth0 fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b/64 ip addr add dev ADM1-eth0 fd00:fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b/64 ip -6 route add ::/0 via fd00:300:4:0a20:: <file_sep>#https://makina-corpus.com/blog/metier/2016/initiation-a-snmp-avec-python-pysnmp import time from pysnmp.hlapi import * from itertools import izip as zip USER = 'adminUser' AUTH_PWD = '<PASSWORD>' PRIV_PWD = '<PASSWORD>' #Sending SNMP requests to each router RMT_HOST = [ 'fd00:fc00:db20:35b:7399::5', #pyth 'fd00:fc00:e968:6179::de52:7100', #hall 'fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b', #stev 'fd00:fc00:db20:35b:7399::5', #carn 'fd00:300:4:f53::5', #sh1c 'fd00:fc00:db20:35b:7399::5' #mich ] PORT_NBR = [161,161,161,161,161,161] TIME_IN_SEC = 120 #delta of 2 min for calculations #equivalent to snmpget def get(host, port, mibs, oids, itfs): list_of_res = [] data = [ ObjectType(ObjectIdentity(mib, oid, itf)) for mib, oid, itf in zip(mibs, oids, itfs) ] g = getCmd(SnmpEngine(), UsmUserData(USER, authKey=AUTH_PWD, privKey=PRIV_PWD), Udp6TransportTarget((host, port)), ContextData(), *data) for (errorIndication, errorStatus, errorIndex, varBinds) in g: if errorIndication: print(errorIndication) return None elif errorStatus: print('%s at %s' % ( errorStatus.prettyPrint(), errorIndex and varBinds[int(errorIndex) - 1][0] or '?' ) ) return None else: for varBind in varBinds: list_of_res.append(str(varBind[1])) return list_of_res #equivalent to snmpwalk def walk(host, port, mib, oid): list_of_res = [] g = nextCmd(SnmpEngine(), UsmUserData(USER, authKey=AUTH_PWD, privKey=PRIV_PWD), Udp6TransportTarget((host, port)), ContextData(), ObjectType(ObjectIdentity(mib, oid)), lexicographicMode=False) for (errorIndication, errorStatus, errorIndex, varBinds) in g: if errorIndication: print(errorIndication) return None elif errorStatus: print('%s at %s' % ( errorStatus.prettyPrint(), errorIndex and varBinds[int(errorIndex) - 1][0] or '?' ) ) return None else: for varBind in varBinds: list_of_res.append(str(varBind[1])) return list_of_res def get_list_of_itfs(hosts, ports): list_of_res = {} mib = 'IF-MIB' ind_oid = 'ifIndex' descr_oid = 'ifDescr' for h, p in zip(hosts, ports): oid_list = {} for x, y in zip(walk(h, p, mib, ind_oid),walk(h, p, mib, descr_oid)): oid_list[x] = y list_of_res[h] = oid_list return list_of_res def get_list_of_itfs_nbr(itfs): list_of_res = [] for host in RMT_HOST: list_of_res.append(itfs[host].keys()) return list_of_res def get_list_of_datas(hosts, ports, itfs): list_of_res = {} for i in range(0, len(hosts)): list_of_res_for_one_router = {} for j in itfs[i]: list_of_res_for_one_router[j] = get_data_of_itf(hosts[i],ports[i],j) list_of_res[hosts[i]] = list_of_res_for_one_router return list_of_res def get_data_of_itf(host, port, itf): mib = 'IF-MIB' isUp = str(get(host, port, [mib], ['ifOperStatus'], [itf])[0]) if isUp != 'up': lastChange = str(get(host, port, [mib], ['ifLastChange'], [itf])[0]) strRes = "Interface "+str(itf)+" from "+str(host)+" is "+str(isUp)+" since "+str(lastChange) return strRes mib_tab = [mib, mib, mib, mib, mib, mib, mib] itf_tab = [itf, itf, itf, itf, itf, itf, itf] oid_tab = ['ifInOctets', 'ifOutOctets', 'ifInErrors', 'ifOutErrors', 'ifInDiscards', 'ifOutDiscards', 'ifSpeed'] return get(host, port, mib_tab, oid_tab, itf_tab) def compute_results(old_values, new_values, inIndex, outIndex): deltas = compute_deltas(old_values, new_values, inIndex, outIndex) return apply_formula(deltas) def compute_deltas(old_values, new_values, inIndex, outIndex): #print("old_values", old_values) list_of_res = {} for host in new_values.keys(): list_of_for_one_itf = {} for itf in new_values[host].keys(): if type(new_values[host][itf]) is str: #could be a string if interface is not up (see get_data_of_itf) list_of_for_one_itf[itf] = [new_values[host][itf]] else: list_of_for_one_itf[itf] = [ float(new_values[host][itf][inIndex])-float(old_values[host][itf][inIndex]), float(new_values[host][itf][outIndex])-float(old_values[host][itf][outIndex]), float(new_values[host][itf][6]) #speed index ] list_of_res[host] = list_of_for_one_itf return list_of_res def apply_formula(results): """Applying calculation formula according to https://support.solarwinds.com/Success_Center/Network_Performance_Monitor_(NPM)/Knowledgebase_Articles/Calculate_interface_bandwidth_utilization """ list_of_res = {} for host, values in results.items(): list_of_for_one_itf = {} for itf, itf_values in values.items(): in_and_out = [] for i in range(0,len(itf_values)-1): #skipping the speed index if type(itf_values) is str: #could be a string if interface is not up (see get_data_of_itf) in_and_out.append(itf_values) else: if itf_values[len(itf_values)-1]==0.0: cal = "Speed problem" else: cal = (itf_values[i]*8*100)/(TIME_IN_SEC*itf_values[len(itf_values)-1]) in_and_out.append(cal) list_of_for_one_itf[itf] = in_and_out list_of_res[host] = list_of_for_one_itf return list_of_res def improve_display(mapping,first_datas,second_datas,inIndex,outIndex): dico = { 'fd00:fc00:db20:35b:7399::5':'Pythagore', 'fd00:fc00:e968:6179::de52:7100':'Halles', 'fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b':'Stevin', 'fd00:fc00:db20:35b:7399::5':'Carnoy', 'fd00:fdf8:f53e:61e4::18':'SH1C', 'fd00:300:4:f31::3':'Michotte' } old_display = compute_results(first_datas, second_datas, inIndex, outIndex) list_of_hosts = {} for host in old_display.keys(): list_of_itf = {} for itf in old_display[host].keys(): list_of_itf[mapping[host][itf]] = old_display[host][itf] list_of_hosts[dico[host]] = list_of_itf return list_of_hosts def printer(tab): for i in range(0,len(tab)): print(tab[i]) print("\n") if __name__ == '__main__': list_of_itfs = get_list_of_itfs(RMT_HOST, PORT_NBR) list_of_itfs_nbr = get_list_of_itfs_nbr(list_of_itfs) first_datas = get_list_of_datas(RMT_HOST, PORT_NBR, list_of_itfs_nbr) time.sleep(TIME_IN_SEC) second_datas = get_list_of_datas(RMT_HOST, PORT_NBR, list_of_itfs_nbr) #printing the different results #bandwith print("----------BANDWIDTH----------") printer(str(improve_display(list_of_itfs,first_datas, second_datas, 0, 1)).split('}, ')) #errors print("----------ERRORS----------") printer(str(improve_display(list_of_itfs,first_datas, second_datas, 2, 3)).split('}, ')) #discarded packets print("----------DISCARDED PACKETS----------") printer(str(improve_display(list_of_itfs,first_datas, second_datas, 4, 5)).split('}, ')) <file_sep>ip addr add dev GST1-eth0 fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b/64 ip addr add dev GST1-eth0 fd00:fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b/64 ip -6 route add ::/0 via fd00:300:4:0c60:: <file_sep>#!/bin/bash ip addr add dev DNS1-eth0 fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b/64 ip -6 route add ::/0 via fd00:300:4:e11:: named <file_sep>ip addr add dev ADM2-eth0 fd00:fdf8:f53e:61e4::18/64 ip addr add dev ADM2-eth0 fd00:fc00:e968:6179::de52:7100/64 ip -6 route add ::/0 via fd00:300:4:0a60:: <file_sep>#!/bin/bash DATE=`date '+%Y-%m-%d %H:%M:%S'` echo "Checking BGP status on boarder routers [$DATE]" sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/bgp_script/check_BGP.sh PYTH if [ $? -ne 1 ] then echo "BGP ERROR : session not established on PYTH" else echo "BGP session established on PYTH" fi sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/bgp_script/check_BGP.sh HALL if [ $? -ne 1 ] then echo "BGP ERROR : session not established on HALL" else echo "BGP session established on HALL" fi echo "BGP test script terminated" <file_sep>#!/bin/bash routers="HALL PYTH MICH SH1C CARN STEV" boot="#!/bin/bash\n\nsysctl -p" start="#!/bin/bash\n\npuppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules" for r in $routers; do cp /etc/protocols gr4_cfg/$r/protocols done <file_sep>#!/bin/sh # $1 is router, $2 is ethernet interface res=$(ip addr show $1-$2 | grep $1-$2 | awk '{print $9}') if [ "$res" != "UP" ] then exit 0 else exit 1 fi <file_sep>#!/bin/bash # $1 : name of the routeur res=$(birdc -s /tmp/$1_bird6.ctl "show protocol all bgp_provider" | sed -n 3p | awk {'print $6'}) if [ "$res" != "Established" ]; then exit 0 else exit 1 fi <file_sep>#!/bin/bash puppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules ip -6 rule add from fd00:300:4::/48 to fd00:200:4::/48 pref 1000 table main ip -6 rule add from fd00:300:4::/48 to fd00:300:4::/48 pref 1000 table main ip -6 rule add from fd00:300:4::/48 pref 2000 table 10 ip -6 tunnel add mytun mode ip6ip6 remote fd00:300:4:0f00::4 local fdfd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b ip -6 link set mytun up ip -6 addr add fdfd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b dev mytun ip -6 addr add fdfdf8:f53e:61e4::18 dev mytun ip -6 route add fd00:300::/48 dev mytun ip -6 route add ::/0 dev mytun table 10 <file_sep>################################################################################ # Building the VM # ################################################################################ To build the vm you need to install virtualbox, vagrant and the plugin vargant-vbguest on your computer. Open a terminal and execute the following command to create the vm: $ vagrant up --provision The --provision is important, without that the dependencies won't be installed. Now you can log into the vm with ssh like this: $ vagrant ssh Normally all dependencies and tools are installed but if they don't you can (again) refer to the @dependencies section. ################################################################################ # How to run this network # ################################################################################ This file explains how to run this network. You will need to install manually snmp-mibs-downloader so please follow the following steps: 1. go to /etc/apt/ 2. open the file sources.list 3. add the following lines at the end of the file: - deb http://ftp.br.debian.org/debian/ jessie main contrib non-free - deb-src http://ftp.br.debian.org/debian/ jessie main contrib non-free 4. update the VM: $ sudo apt-get update 5. now we can install the package $ sudo apt-get install snmp-mibs-downloader Normally all other dependencies are well installed but if they don't (error while launching the network) you can refer to the @dependencies section. ################################################################################ # Launch the network # ################################################################################ To launch and generate the scripts, juste move to the root directory (where the makefile is present) and run $ make To stop and clean the network you just have to run the following command: $ make clean ################################################################################ # Use the network # ################################################################################ To connect to a particular server, router or lan you can use the following command: $ make connect NODE Once inside a router, server or lan you can run any command that you want. ################################################################################ # Test the network # ################################################################################ Before testing the network make sure you wait enough time (+- 1min), the network has to configure itselfs. To test the whole network you can just run: $ make test all_tests You can also specify a target (ex: firewall). If you are not sure about which targets exist, please run: $ make test help or refer to the README.md in the tests/ repository ################################################################################ # dependencies # ################################################################################ Normally the provision file should download all the necessary files. If it is not the case you can try to download them manually. $ apt-get -y -qq --force-yes install git bash vim-nox tcpdump nano bird6 quagga inotify-tools iperf bind9 radvd puppet nmap <file_sep>#!/bin/sh ###################################################################### # Making Script Inter-routeur Ping # ###################################################################### <%- if @id != 1 -%> <%- @carn_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @carn %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @carn %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @carn %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @carn %>" fi <%- end -%> <%- end -%> <%- if @id != 2 -%> <%- @hall_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @hall %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @hall %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @hall %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @hall %>" fi <%- end -%> <%- end -%> <%- if @id != 3 -%> <%- @mich_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @mich %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @mich %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @mich %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @mich %>" fi <%- end -%> <%- end -%> <%- if @id != 4 -%> <%- @pyth_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @pyth %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @pyth %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @pyth %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @pyth %>" fi <%- end -%> <%- end -%> <%- if @id != 5 -%> <%- @sh1c_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @sh1c %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @sh1c %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @sh1c %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @sh1c %>" fi <%- end -%> <%- end -%> <%- if @id != 6 -%> <%- @stev_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @stev %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_b %>:0004:<%= val %>::<%= @stev %>" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @stev %> > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:0004:<%= val %>::<%= @stev %>" fi <%- end -%> <%- end -%> ################################################################################################ #Ping Router address ping6 -q -c1 <%= @prefix_a %>:fc00:e968:6179::de52:7100 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fc00:e968:6179::de52:7100" fi ping6 -q -c1 <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi ping6 -q -c1 <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi ping6 -q -c1 <%= @prefix_a %>:0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b" fi ping6 -q -c1 <%= @prefix_a %>:fc00:e968:6179::de52:7100 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fc00:e968:6179::de52:7100" fi ping6 -q -c1 <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From <%= @id %> to <%= @prefix_a %>:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi ################################################################################################ #Ping fdfdf8:f53e:61e4::18 and fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b <%- if @id == 1 -%> ping6 -q -c1 -I fd00:fc00:db20:35b:7399::5 fd0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd00:fc00:db20:35b:7399::5 to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd00:fdf8:f53e:61e4::18 fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd00:fdf8:f53e:61e4::18 to fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi <%- end -%> <%- if @id == 2 -%> ping6 -q -c1 -I fd0fc00:e968:6179::de52:7100 fd0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fc00:e968:6179::de52:7100 to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd00:fc00:db20:35b:7399::5 fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fdf8:f53e:61e4::18 to fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi <%- end -%> <%- if @id == 3 -%> ping6 -q -c1 -I fd0fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b fd0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fdfd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd0fc00:db20:35b:7399::5 fd00:fdf8:f53e:61e4::18 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd00:fd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b to fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi <%- end -%> <%- if @id == 4 -%> ping6 -q -c1 -I fd0fc00:e968:6179::de52:7100 fd0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fc00:e968:6179::de52:7100 to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd00:fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b to fd00:fdf8:f53e:61e4::18" fi <%- end -%> <%- if @id == 5 -%> ping6 -q -c1 -I fdfd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b fd00:2fc00:e968:6179::de52:7100 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd0fc00:e968:6179::de52:7100 fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fc00:e968:6179::de52:7100 to fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi <%- end -%> <%- if @id == 6 -%> ping6 -q -c1 -I fd0fc00:e968:6179::de52:7100 fd0fc00:db20:35b:7399::5 > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd0fc00:e968:6179::de52:7100 to fd0fc00:db20:35b:7399::5" fi ping6 -q -c1 -I fd00:fc00:e968:6179::de52:7100 fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b > /dev/null if [ $? -ne 0 ] then echo "ERREUR PING From fd00:fc00:e968:6179::de52:7100 to fd0fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b" fi <%- end -%> <file_sep>import unittest import os, sys, inspect curdir = os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe()))) pardir = os.path.dirname(curdir) sys.path.insert(0,pardir) from helpers import * import helpers class TestDDNS(unittest.TestCase): def test_servail(self): helpers.entete('Check if a dig return a servail error') output = execute('../../monit_tests/dns_test.sh') self.assertEquals(-1, output.find('SERVFAIL')) def test_nxdomain(self): helpers.entete('Check if a dig return a nxdomain error') output = execute('../../monit_tests/dns_test.sh') self.assertEquals(-1, output.find('NXDOMAIN')) if __name__ == '__main__': unittest.main(verbosity=2) <file_sep>import os, sys import subprocess def execute(command): p = subprocess.Popen( command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True) output, err = p.communicate() return output.decode("utf-8") def title(arg): print( "######################################################################") print("# Test the %s #" % (arg)) print("######################################################################") def entete(text): print() print("#") print("# %s" % (text)) print("#") print("... ") <file_sep>ip addr add dev STUD1-eth0 fd0fdf8:f53e:61e4::18/64 ip -6 route add ::/0 via fd00:300:4:0b40:: <file_sep>Those tests are unittest writtin in python. If you want to add some tests for your module please create a new file in test/main with "module_name".py. In each test start with helpers.entete("some text explaining the test"). Don't forget to import the helpers module (see in test/main/firewall.py how to do so). You are free to add some test to an existing module. <file_sep>#!/bin/bash puppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules ip link set dev MONI-eth0 up ip addr add dev MONI-eth0 fd00:300:4:e11::3/64 ip -6 route add ::/0 via fd00:300:4:e11:: <file_sep>#!/bin/bash # Create a virtual network using network namespaces and veth pairs # to connect them. # Assuming $CONFIGDIR == "cfg": # * Files in cfg/<Node name> will be overlaid over /etc, i.e. if a file with # the same name exists in both directory, the one in cfg/<Node name> will # be the one used. # * If cfg/<Node name>_$BOOT (defaults to cfg/<Node name>_boot) exists and # is executable, it will be executed when the node is created # * If cfg/<Node name>_$STARTUP (defaults to cfg/<Node name>_start) exists and # is executable, it will be executed when the whole network has started # # You can override any of these settings on a per-topology basis # Group number GROUPNUMBER=4 # Node configs CONFIGDIR=gr4_cfg # boot script name BOOT="boot.sh" # startup script name STARTUP="start.sh" PREFIXLEN_as200=48 PREFIXBASE_as200="fd00:200:${GROUPNUMBER}::/${PREFIXLEN_as200}" # You can reuse the above two to generate ip addresses/routes, ... # in you boot and startup scripts # e.g. "${PREFIXBASE}:1234::/$((PREFIXLEN+16))" # This function describes the network topology that we want to emulate function mk_topo { echo "@@ Adding links and nodes" # Build a minimal UCL network # Nodes are created on the fly, and their interface are assigned as # <node name>-eth<count>, where count starts at 0 and is increased by 1 # after each new interface add_link MICH SH1C # Michotte-eth0 <-> SH1C-eth0 add_link SH1C HALL # SH1C-eth1 <-> Halles-eth0 add_link MICH CARN # Michotte-eth1 <-> Carnoy-eth0 add_link HALL PYTH # Halles-eth1 <-> Pythagore-eth0 add_link CARN PYTH # Carnoy-eth1 <-> Pythagore-eth1 add_link CARN STEV # Carnoy-eth2 <-> Stevin-eth0 add_link STEV PYTH # Stevin-eth1 <-> Pythagore-eth2 echo "@@ Adding LANs" # You can add your LANs here mk_LAN CARN TEST JUL mk_LAN CARN DNS1 MONI mk_LAN MICH MAX mk_LAN MICH DNS2 mk_LAN PYTH STUD1 mk_LAN HALL ADM1 mk_LAN STEV ADM2 mk_LAN STEV TCH1 mk_LAN STEV GST1 mk_LAN SH1C Guest mk_LAN SH1C Stud mk_LAN SH1C Admin mk_LAN SH1C Teach echo "@@ Bridging the network" # Connect to belneta and belnetb bridge_node PYTH eth1 belneta bridge_node HALL eth2 belnetb echo "@@ Making the virtual network reachable from the host machine" # Enable IPv6 forwarding on the bridges sysctl -w net.ipv6.conf.breth1.forwarding=1 sysctl -w net.ipv6.conf.breth2.forwarding=1 # Add (hopefully) unique source addresses on the bridge ip address add dev breth1 "fd00:300::${GROUPNUMBER}:1/64" ip address add dev breth2 "fd00:200::${GROUPNUMBER}:1/64" # Route the virtual network prefixes over the bridges ip route add "fd00:300:${GROUPNUMBER}::/48" via "fd00:300::${GROUPNUMBER}" ip route add "fd00:200:${GROUPNUMBER}::/48" via "fd00:200::${GROUPNUMBER}" } <file_sep>#!/bin/sh ###################################################################### # Static routes and ips # ###################################################################### <%- @interfaces.each do |val| -%> ip link set dev <%= val["interface"] %> up ip address add dev <%= val["interface"] %> <%= @prefix_b %>:0004:<%= val["route"] %>::<%= @id %>/64 ip address add dev <%= val["interface"] %> <%= @prefix_a %>:0004:<%= val["route"] %>::<%= @id %>/64 <%- end -%> ip -6 addr add fd00:300:4:f00::<%= @id %> dev lo #ajoute l'adress ip du routeur <%- if @id == 2 -%> ip link set dev belnetb up ip address add dev belnetb <%= @prefix_b %>::4/48 <%- elsif @id == 4 -%> ip link set dev belneta up ip address add dev belneta <%= @prefix_a %>::4/48 <%- end -%> <file_sep>#!/bin/bash sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/script/check_OSPF.sh sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/script/check_OSPF.sh sudo ip netns exec STEV /home/vagrant/lingi2142/gr4_cfg/STEV/script/check_OSPF.sh sudo ip netns exec CARN /home/vagrant/lingi2142/gr4_cfg/CARN/script/check_OSPF.sh sudo ip netns exec SH1C /home/vagrant/lingi2142/gr4_cfg/SH1C/script/check_OSPF.sh sudo ip netns exec MICH /home/vagrant/lingi2142/gr4_cfg/MICH/script/check_OSPF.sh echo "OSPF script terminated" <file_sep>#!/bin/bash puppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules ip -6 rule add from fd00:200:4::/48 to fd00:200:4::/48 pref 1000 table main ip -6 rule add from fd00:200:4::/48 to fd00:300:4::/48 pref 1000 table main ip -6 rule add from fd00:200:4::/48 pref 2000 table 10 ip -6 tunnel add mytun mode ip6ip6 remote fd00:300:4:0f00::2 local fdfc00:db20:35b:7399::5 ip -6 link set mytun up ip -6 addr add fdfc00:e968:6179::de52:7100 dev mytun ip -6 addr add fdfd00:a516:7c1b:17cd:6d81:2137:bd2a:2c5b dev mytun ip -6 route add fd00:200::/48 dev mytun ip -6 route add ::/0 dev mytun table 10 <file_sep>#!/bin/bash # $1 is the interface we check DATE=`date '+%Y-%m-%d %H:%M:%S'` echo "Setting HALL-eth1 down" sudo ip netns exec HALL ip link set HALL-eth1 down echo "Waiting stabilization" sleep 20 echo "Checking if PYTH-HALL link fails [$DATE]" sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/bgp_script/ask_if_up.sh HALL eth1 if [ $? -ne 1 ] then echo "WARNING : eth1 on HALL is down, maybe link failure !" else echo "eth1 on HALL is up" fi echo "Setting HALL-eth1 up" sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/static_routes/static_routes.sh >/dev/null 2>&1 echo "Waiting stabilization" sleep 20 echo "Checking if PYTH-HALL link fails [$DATE]" sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/bgp_script/ask_if_up.sh HALL eth1 if [ $? -ne 1 ] then echo "WARNING : eth1 on HALL is down, maybe link failure !" else echo "eth1 on HALL is up" fi echo "Setting PYTH-eth0 down" sudo ip netns exec PYTH ip link set PYTH-eth0 down echo "Waiting stabilization" sleep 20 echo "Checking if PYTH-HALL link fails [$DATE]" sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/bgp_script/ask_if_up.sh PYTH eth0 if [ $? -ne 1 ] then echo "WARNING : eth0 on PYTH is down, maybe link failure !" else echo "eth0 on PYTH is up" fi echo "Setting PYTH-eth0 up" sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/static_routes/static_routes.sh >/dev/null 2>&1 echo "Waiting stabilization" sleep 20 echo "Checking if PYTH-HALL link fails [$DATE]" sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/bgp_script/ask_if_up.sh PYTH eth0 if [ $? -ne 1 ] then echo "WARNING : eth0 on PYTH is down, maybe link failure !" else echo "eth0 on PYTH is up" fi echo "Check link failure script terminated" <file_sep>#!/bin/bash sleep 10 #add some time just to be sure about the network creation while true do /home/vagrant/lingi2142/monit_tests/inter_routing_test.sh >> /home/vagrant/lingi2142/gr4_cfg/MONI/logs/ospf_logs.log 2>&1 /home/vagrant/lingi2142/monit_tests/bgp_test.sh >> /home/vagrant/lingi2142/gr4_cfg/MONI/logs/bgp_logs.log 2>&1 /home/vagrant/lingi2142/monit_tests/ping_bgp.sh >> /home/vagrant/lingi2142/gr4_cfg/MONI/logs/bgp_logs.log 2>&1 /home/vagrant/lingi2142/monit_tests/launch_snmp.sh >> /home/vagrant/lingi2142/gr4_cfg/MONI/logs/snmp_logs.log 2>&1 /home/vagrant/lingi2142/monit_tests/dns_test.sh >> /home/vagrant/lingi2142/gr4_cfg/MONI/logs/dns_logs.log 2>&1 sleep 300 done <file_sep>import os, inspect, sys, time, subprocess curdir = os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe()))) pardir = os.path.dirname(curdir) sys.path.insert(0,pardir) from tests import helpers #Testing if network is set by pinging from STEV to HALL during 5 min, after that we estimate than there's an error in the network creation print() print("Please wait while the network is being set up. This might take a few seconds...") starttime = int(round(time.time())) kword = "100%" while kword == "100%" and (int(round(time.time())) - starttime < 300): cmd = helpers.execute("sudo ip netns exec STEV ping6 -w 2 -q fd00:300:4:f24::2") #Try to ping HALL if not cmd == "": lines = cmd.split("\n") line = lines[3].split(" ") kword = line[7] if kword == "100%": print("Network still not set up after 5 minutes") else: print("Network is up ! Launching scripts...") subprocess.Popen("sudo /home/vagrant/lingi2142/monit_tests/script_launcher.sh", shell=True) <file_sep>#!/bin/bash sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/script/check_DNS.sh sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/script/check_DNS.sh sudo ip netns exec STEV /home/vagrant/lingi2142/gr4_cfg/STEV/script/check_DNS.sh sudo ip netns exec CARN /home/vagrant/lingi2142/gr4_cfg/CARN/script/check_DNS.sh sudo ip netns exec SH1C /home/vagrant/lingi2142/gr4_cfg/SH1C/script/check_DNS.sh sudo ip netns exec MICH /home/vagrant/lingi2142/gr4_cfg/MICH/script/check_DNS.sh echo "DNS script terminated" <file_sep>#!/bin/sh ###################################################################### # Making Script Inter-routeur DNS # ###################################################################### DATE=`date '+%Y-%m-%d %H:%M:%S'` echo "Output of DNS check script launched on <%= @node_name %> at $DATE" echo "################################################" <%- if @id != 1 -%> res=$(dig AAAA carn.group4.ingi @fd00:fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging carn.group4.ingi : $res" <%- end -%> <%- if @id != 2 -%> res2=$(dig AAAA hall.group4.ingi @fd00:3fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging hall.group4.ingi : $res" <%- end -%> <%- if @id != 3 -%> res=$(dig AAAA mich.group4.ingi @fd00:fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging mich.group4.ingi : $res" <%- end -%> <%- if @id != 4 -%> res=$(dig AAAA pyth.group4.ingi @fd00:fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging pyth.group4.ingi : $res" <%- end -%> <%- if @id != 5 -%> res=$(dig AAAA sh1c.group4.ingi @fd00:3fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging sh1c.group4.ingi : $res" <%- end -%> <%- if @id != 6 -%> res=$(dig AAAA stev.group4.ingi @fd00:3fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging stev.group4.ingi : $res" <%- end -%> res=$(dig AAAA pyth.group4.ingi @fd00:3fdf8:f53e:61e4::18) echo "From <%= @node_name %> digging ns.group4.ingi : $res" res=$(dig AAAA pyth.group4.ingi @fd00:3fc00:e968:6179::de52:7100) echo "From <%= @node_name %> digging ns.group4.ingi : $res" echo "################################################" <file_sep>all: config_log create_network config_log: sudo ./util/create_configs.sh create_network: sudo ./create_network.sh gr4_topo python3 util/start_ping.py & connect: sudo ./connect_to.sh gr4_cfg/ $(filter-out $@,$(MAKECMDGOALS)) test: sudo python3 tests/main_tests.py $(filter-out $@,$(MAKECMDGOALS)) %: @: clean: sudo ./cleanup.sh <file_sep>#!/bin/bash sudo ip netns exec PYTH /home/vagrant/lingi2142/gr4_cfg/PYTH/bgp_script/ping_BGP.sh sudo ip netns exec HALL /home/vagrant/lingi2142/gr4_cfg/HALL/bgp_script/ping_BGP.sh echo "BGP ping script terminated"<file_sep>#!/bin/bash puppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules ip addr add dev MICH-lan0 fd00:300:4:e33::/64 <file_sep>#!/bin/bash apt-get -y -qq --force-yes update #apt-get -y -qq --force-yes install build-essential checkinstall #if !which cmake; then # wget http://www.cmake.org/files/v3.2/cmake-3.2.2.tar.gz # tar xf cmake-3.2.2.tar.gz # cd cmake-3.2.2 # ./configure # make # checkinstall -y # cd .. #fi #apt-get -y -qq --force-yes update apt-get -y -qq --force-yes install git bash vim-nox tcpdump nano bird6 quagga inotify-tools iperf bind9 radvd snmp snmpd apt-get -y -qq --force-yes install python python3 python-pip python3-pip pip install pysnmp # dependencies for puppet # apt-get -y -qq --force-yes install ruby ruby-dev libboost-all-dev gettext curl libcurl4-openssl-dev libyaml-cpp-dev apt-get -y -qq --force-yes install puppet # TODO Get more recent version of puppet #gem install puppet -f apt-get -y -qq --force-yes install nmap update-rc.d quagga disable &> /dev/null || true update-rc.d bird disable &> /dev/null || true update-rc.d bird6 disable &> /dev/null || true update-rc.d snmpd disable $> /dev/null || true service quagga stop service bird stop service bird6 stop service snmpd stop (cd /sbin && ln -s /usr/lib/quagga/* .) su vagrant -c 'cd && git clone https://github.com/destmaxi/lingi2142.git' <file_sep>#!/bin/bash if [[ "$UID" != "0" ]]; then echo "This script must be run as root" exit 1 fi if [[ "$#" -lt "2" ]]; then echo "usage: ./exec_command NODE COMMAND" exit 1 fi ip netns exec "$1" "${@:2}" <file_sep>#!/bin/bash sudo ip netns exec MONI python /home/vagrant/lingi2142/gr4_cfg/MONI/snmp_requests.py <file_sep>#!/bin/bash ip addr add dev DNS2-eth0 fd0fdf8:f53e:61e4::18/64 ip -6 route add ::/0 via fd00:300:4:e31:: named <file_sep>import unittest import os, inspect, sys curdir = os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe()))) pardir = os.path.dirname(curdir) sys.path.insert(0,pardir) from helpers import * import helpers import time class Testrouting(unittest.TestCase): def test_ping_everything_from_CARN(self): helpers.entete("Ping toutes les interfaces depuis CARN") output = execute("sudo ip netns exec CARN /etc/script/script.sh") self.assertFalse(output!="") def test_ping_everything_from_HALL(self): helpers.entete("Ping toutes les interfaces depuis HALL") output = execute("sudo ip netns exec HALL /etc/script/script.sh") self.assertFalse(output!="") def test_ping_everything_from_MICH(self): helpers.entete("Ping toutes les interfaces depuis MICH") output = execute("sudo ip netns exec MICH /etc/script/script.sh") self.assertFalse(output!="") def test_ping_everything_from_PYTH(self): helpers.entete("Ping toutes les interfaces depuis PYTH") output = execute("sudo ip netns exec PYTH /etc/script/script.sh") self.assertFalse(output!="") def test_ping_everything_from_SH1C(self): helpers.entete("Ping toutes les interfaces depuis SH1C") output = execute("sudo ip netns exec SH1C /etc/script/script.sh") self.assertFalse(output!="") def test_ping_everything_from_STEV(self): helpers.entete("Ping toutes les interfaces depuis STEV") output = execute("sudo ip netns exec STEV /etc/script/script.sh") self.assertFalse(output!="") def test_tunnel(self): helpers.entete("Set inteface HALL-eth1 down") output = execute("sudo ip netns exec HALL ip link set HALL-eth1 down") helpers.entete("We wait 30 secondes to let OSPF modify the routing's tables") time.sleep(30) helpers.entete("We ping every routers and pop from every routers") output = execute("sudo ip netns exec CARN /etc/script/script.sh ") self.assertEqual(output.count('\n'),0) #2 because they will be 2 error to ping the 2 addresses of HALL-eth1 output = execute("sudo ip netns exec HALL /etc/script/script.sh ") self.assertEqual(output.count('\n'),0) output = execute("sudo ip netns exec MICH /etc/script/script.sh") self.assertEqual(output.count('\n'),0) output = execute("sudo ip netns exec PYTH /etc/script/script.sh ") self.assertEqual(output.count('\n'),0) output = execute("sudo ip netns exec SH1C /etc/script/script.sh") self.assertEqual(output.count('\n'),0) output = execute("sudo ip netns exec STEV /etc/script/script.sh ") self.assertEqual(output.count('\n'),0) helpers.entete("Set inteface HALL-eth1 up") output = execute("sudo ip netns exec HALL /etc/static_routes/static_routes.sh 2> /dev/null") if __name__ == '__main__': unittest.main(verbosity=2) <file_sep>import unittest import os, inspect, sys curdir = os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe()))) pardir = os.path.dirname(curdir) sys.path.insert(0,pardir) from helpers import * import helpers google = "fc00:e968:6179::de52:7100" STUD1 = "fd00:300:4:b40::1" ADM1 = "fd00:300:4:a20::1" ADM2 = "fd00:300:4:a60::1" MICH = "fd00:300:4:f00::3" CARN = "fd00:300:4:f00::6" GST1 = "fd00:300:4:c60::1" TCH1 = "fd00:300:4:960::1" class TestFirewall(unittest.TestCase): def deleteUselessLines(self, l): for i in l: if len(i) < 4 or i[2] in {"open, closed, filtered"}: l.remove(i) def checkStatus(self, status): for port in status: if port in {"open", "closed"}: return True return False def test_open_TCP_ports_student(self): helpers.entete("Test tcp ports 80, 443 from a student towards an external server") count = 0 output = execute("sudo ip netns exec STUD1 nmap -6 -Pn T:80,443 %s" % (google)) list_results = output.split("\n") self.deleteUselessLines(list_results) for port in list_results: getStatus = port.split(" ") if self.checkStatus(getStatus): count += 1 self.assertEqual(count, 2) def test_student_not_host(self): helpers.entete("Ensure that a student can't host a service") output = execute("sudo ip netns exec ADM1 nmap -6 -Pn T:22 %s" % (STUD1)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_guest_not_host(self): helpers.entete("Ensure that a guest can't host a service") output = execute("sudo ip netns exec ADM1 nmap -6 -Pn T:22 %s" % (GST1)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_guest_not_ssh(self): helpers.entete("Ensure that a guest can't use ssh over our network") output = execute("sudo ip netns exec GST1 nmap -6 -Pn T:22 %s" % (ADM1)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_admin_can_host(self): helpers.entete("Ensure that an admin can host a service") output = execute("sudo ip netns exec ADM2 nmap -6 -Pn T:22 %s" % (ADM1)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_teacher_can_host(self): helpers.entete("Ensure that an teacher can host a service") output = execute("sudo ip netns exec ADM2 nmap -6 -Pn T:22 %s" % (TCH1)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_router_not_reachable_from_student(self): helpers.entete("Ensure that a student can't send traffic towards a router") output = execute("sudo ip netns exec STUD1 nmap -6 -Pn -p T:80 %s" % (MICH)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) def test_router_reachable_from_admin(self): helpers.entete("Ensure that an admin can send traffic towards a router") output = execute("sudo ip netns exec ADM1 nmap -6 -Pn -p T:80 %s" % (MICH)) list_results = output.split("\n") self.deleteUselessLines(list_results) result = self.checkStatus(list_results[0].split(" ")) self.assertFalse(result) if __name__ == '__main__': unittest.main(verbosity=2) <file_sep>#!/bin/bash puppet apply --verbose --parser future --hiera_config=/etc/puppet/hiera.yaml /etc/puppet/site.pp --modulepath=/puppetmodules radvd <file_sep>#!/bin/sh ###################################################################### # Making Script Inter-routeur Ping # ###################################################################### DATE=`date '+%Y-%m-%d %H:%M:%S'` echo "Output of OSPF check script launched on <%= @node_name %> at $DATE" echo "################################################" <%- if @id != 1 -%> <%- @carn_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @carn %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to CARN on <%= @prefix_b %>:0004:<%= val %>::<%= @carn %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @carn %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to CARN on <%= @prefix_a %>:0004:<%= val %>::<%= @carn %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id != 2 -%> <%- @hall_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @hall %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to HALL on <%= @prefix_b %>:0004:<%= val %>::<%= @hall %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @hall %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to HALL on <%= @prefix_a %>:0004:<%= val %>::<%= @hall %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id != 3 -%> <%- @mich_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @mich %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to MICH on <%= @prefix_b %>:0004:<%= val %>::<%= @mich %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @mich %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to MICH on <%= @prefix_a %>:0004:<%= val %>::<%= @mich %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id != 4 -%> <%- @pyth_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @pyth %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to PYTH on <%= @prefix_b %>:0004:<%= val %>::<%= @pyth %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @pyth %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to PYTH on <%= @prefix_a %>:0004:<%= val %>::<%= @pyth %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id != 5 -%> <%- @sh1c_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @sh1c %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to SH1C on <%= @prefix_b %>:0004:<%= val %>::<%= @sh1c %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @sh1c %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to SH1C on <%= @prefix_a %>:0004:<%= val %>::<%= @sh1c %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id != 6 -%> <%- @stev_link.each do |val| -%> ping6 -q -c1 <%= @prefix_b %>:0004:<%= val %>::<%= @stev %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to STEV on <%= @prefix_b %>:0004:<%= val %>::<%= @stev %>" else echo "OK" fi ping6 -q -c1 <%= @prefix_a %>:0004:<%= val %>::<%= @stev %> > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to STEV on <%= @prefix_a %>:0004:<%= val %>::<%= @stev %>" else echo "OK" fi <%- end -%> <%- end -%> <%- if @id == 7 -%> ping6 -q -c1 fd00:200:3:8888:: > /dev/null #ping to Google if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to Google on fd00:200:3:8888::" else echo "OK" fi <%- end -%> echo "################################################" <file_sep>#!/bin/bash if [[ "$UID" != "0" ]]; then echo "This script must be run as root!" exit 1 fi _dname=$(dirname "$0") BDIR=$(cd "$_dname"; pwd -P) # Get config-specific settings (i.e. to override GROUPNUMBER) _settings="${BDIR}/settings" if [ -x "$_settings" ]; then source "$_settings" fi echo 'Destroying the root bridges' # Gracefully disconnect from the bridge in the root namespace (if any) for i in eth1\ eth2; do # Destroy slave of "br$i" because it doesn't always get destroyed slave=$(ip link | grep "\-$i" | cut -d ":" -f 2 | cut -c 2-) if ! [ -z "${slave}" ]; then ip link del dev "${slave}" fi ip link del dev "br$i" &> /dev/null done # Cleanup all network namespaces for ns in $(ip netns list) ; do echo "Killing namespace $ns" # Kill all processes running in the namespaces # First SIGTERM ip netns pids "$ns" | xargs '-I{}' kill '{}' sleep .05 # Then SIGKILL ip netns pids "$ns" | xargs '-I{}' kill -s 9 '{}' # Destroy the net NS --- All interfaces/bridges will be destroyed alonside ip netns del "$ns" done # Destroy bird/zebra temp files rm -f /tmp/*.{api,ctl} # Removing generated files from routers declare source="gr4_cfg/" declare -a rout=("HALL/" "PYTH/" "STEV/" "MICH/" "CARN/" "SH1C/" "MONI/") declare -a fold=("init.d" "snmp" "bgp_script" "script" "firewall" "bird" "static_routes" "services" "alternatives" "logs") for r in "${rout[@]}" do for f in "${fold[@]}" do echo "Removing $f from $r" rm -rf "$source$r$f" done done # Kill all remaining processes ./util/kill_all_processes.sh <file_sep>#!/bin/sh DATE=`date '+%Y-%m-%d %H:%M:%S'` echo "Output of BGP ping script launched on <%= @node_name %> at $DATE" echo "################################################" <%- if @id == 2 -%> ping6 -q -c1 fd00:200::b > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to belnetb on fd00:200::b" else echo "OK" fi <%- end -%> <%- if @id == 4 -%> ping6 -q -c1 fd00:300::b > /dev/null if [ $? -ne 0 ] then echo "Ping error from <%= @node_name %> to belneta on fd00:300::b" else echo "OK" fi <%- end -%> echo "################################################"
102379a9f3200f79d684484a6eaee1da8278b24b
[ "Markdown", "Python", "Makefile", "Shell" ]
45
Shell
destmaxi/lingi2142
5fac9f0a4d5e76196b63b107093149326d5f470f
d38f0406e4e54baad98738bf2f41eda6c3d17e4f
refs/heads/master
<repo_name>leandrommoliveira/quero-ser-clickbus<file_sep>/testes/cash-machine/tests/CashMachineTest.php <?php use PHPUnit_Framework_TestCase as PHPUnit; use Application\Controller\CashMachine; class CashMachineTest extends PHPUnit { protected $cashMachine; public function setUp() { $this->cashMachine = new CashMachine; } /** * @dataProvider successProvider */ public function testSaque($a, $b) { $this->assertEquals(array($a, $b), $this->cashMachine->saque($a+$b)); } /** * @dataProvider errorProvider */ public function testError($a, $b) { $this->assertEquals($b, $this->cashMachine->saque($a)); } /** * @dataProvider exceptionProvider * @expectedException Exception */ public function testException($a) { $this->cashMachine->saque($a); } public function successProvider() { return array( array(100, 20), array(100, 50), array(20, 10) ); } public function errorProvider() { return array( array(null, array()) ); } public function exceptionProvider() { return array( array(-10), array(-55), array(55) ); } }<file_sep>/testes/cash-machine/index.php <?php include 'config/bootstrap.php'; use Application\Controller\CashMachine; $machine = new CashMachine; var_dump($machine->saque(120));<file_sep>/testes/cash-machine/src/Application/Exception/NoteUnavailableException.php <?php namespace Application\Exception; class NoteUnavailableException extends \Exception { }<file_sep>/testes/cash-machine/src/Application/Controller/CashMachine.php <?php namespace Application\Controller; use Application\Exception\NoteUnavailableException; class CashMachine { protected $notas = array(); public function saque($valor) { if(is_null($valor)){ return $this->notas; } if($valor <= 0){ throw new \InvalidArgumentException(); } while($valor != 0){ $valor = $this->contaNotas($valor); } return $this->notas; } public function contaNotas($valor) { switch($valor){ case ($valor >= 100) : $this->notas[] = 100; return $valor - 100; case ($valor >= 50) : $this->notas[] = 50; return $valor - 50; case ($valor >= 20) : $this->notas[] = 20; return $valor - 20; case ($valor >= 10) : $this->notas[] = 10; return $valor - 10; default : throw new NoteUnavailableException(); } } }
3aef0aaf7aee83685e396a0b3696459e85beffa7
[ "PHP" ]
4
PHP
leandrommoliveira/quero-ser-clickbus
1c4b71c453643269cb21a56e8249dffb14fede1c
73b1271d986799b0e0d94797f4004f6dcf1478e9
refs/heads/master
<file_sep> (function($){ $.expr[':'].external = function(object) { // work on this part return(object.hostname != location.hostname); }; $.fn.updatePosition = function(event){ return this.each(function(){ $(this).css({ left:event.pageX+20, top:event.pageY-20 }); }); }; $.fn.toolTip = function(){ return this.each(function(){ var e = $(this); var title = e.attr("title"); if(e.is("a") && title !=''){ e.removeAttr('title') .hover(function(event){ $('<div id="toolTip" /> ').appendTo("body") .text(title) .hide() .updatePosition(event) .fadeIn(400); },function(){ $("#toolTip").remove(); }) .mousemove(function(event){ $("#tooltip").updatePosition(event); }); } }); }; })(jQuery) /* (function($) { $.expr[':'].external = function(object) { return(object.hostname != location.hostname); }; $.fn.updatePosition = function(event) { return this.each(function() { $(this).css({ left: event.pageX+20, top: event.pageY-20 }); }); }; $.fn.tooltip = function() { return this.each(function() { var e = $(this); var title = e.attr("title"); if(e.is("a") && title != '') { e.removeAttr('title') .hover(function(event) { // mouse hovers $('<div id="tooltip" />').appendTo("body") .text(title) .hide() .updatePosition(event) .fadeIn(400); }, function() { // mouse leaves $("#tooltip").remove(); }) .mousemove(function(event) { // mouse moves $("#tooltip").updatePosition(event); }); } }); }; })(jQuery)
17e457a48ce0f7640f5afad52e678821ec1ae99b
[ "JavaScript" ]
1
JavaScript
gamwebdev/toolTipPlugin
13fc0c5604f37137f3e48555506ce55dc196f5bd
2ed53dcf798cb79e6f36cfb311e2ebece1264378
refs/heads/master
<file_sep>XmlConfig =============== XmlConfig is an application configuration system written in C# and based on XML Features ---------- XmlConfig offers the following: - Thread-safe configuration class - Easy to use and extend - You can store the configuration in encrypted or plain xml files - Support of settings changed event Sample ---------- ``` csharp class TestSettings: Settings { [SettingItem("RegistrationInfo")] public ServerRegistrationInfo RegistrationInfo { get { var info = (ServerRegistrationInfo) this["RegistrationInfo"]; if (info == null) { info = new ServerRegistrationInfo(); this["RegistrationInfo"] = info; } return info; } set { this["RegistrationInfo"] = value; } } } //Set current settings //Null password means we don't use encryption SettingsManager.SetCurrentSettings<TestSettings>("settings.xml", null); //Try to load the settings from the file try { SettingsManager.Load(); } catch (Exception ex) { Console.WriteLine(ex.Message); } //Change some settings SettingsManager.GetSettings<TestSettings>().RegistrationInfo = new ServerRegistrationInfo("user1", "<PASSWORD>", "http://google.com"); //Save settings SettingsManager.Save(); ``` License ------ Copyright (c) 2012 by <NAME> Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.<file_sep>using System; using Mihmerk.XmlConfig; namespace Mihmerk.XmlConfigExample { class Program { static void Main(string[] args) { SettingsManager.SetCurrentSettings<TestSettings>("settings.xml", null); try { SettingsManager.Load(); } catch (Exception ex) { Console.WriteLine(ex.Message); } SettingsManager.GetSettings<TestSettings>().RegistrationInfo = new ServerRegistrationInfo("user1", "<PASSWORD>", "http://google.com"); SettingsManager.Save(); } } } <file_sep>using System; using Mihmerk.XmlConfig; namespace Mihmerk.XmlConfigExample { [Serializable] public class ServerRegistrationInfo : IEquatable<ServerRegistrationInfo> { public string UserName { get; set; } public string Password { get; set; } private string _serverUrl; public string ServerUrl { get { return _serverUrl; } set { _serverUrl = value; } } [System.Xml.Serialization.XmlIgnore] public Uri ServerUri { get { return _serverUrl == null ? null : new Uri(_serverUrl); } } public ServerRegistrationInfo() { } public ServerRegistrationInfo(string userName, string password, string serverUrl) { UserName = userName; Password = <PASSWORD>; ServerUrl = serverUrl; } public void ClearRegistration() { UserName = null; Password = <PASSWORD>; ServerUrl = null; } #region Implementation of IEquatable<ServerRegistrationInfo> public bool Equals(ServerRegistrationInfo other) { if (other == null) return false; return UserName == other.UserName && Password == <PASSWORD> && _serverUrl == other._serverUrl; } #endregion } class TestSettings: Settings { [SettingItem("RegistrationInfo")] public ServerRegistrationInfo RegistrationInfo { get { var info = (ServerRegistrationInfo) this["RegistrationInfo"]; if (info == null) { info = new ServerRegistrationInfo(); this["RegistrationInfo"] = info; } return info; } set { this["RegistrationInfo"] = value; } } } }
ec20cf5db5a8403b86d74cfcf9aa1eddd7f91c0f
[ "Markdown", "C#" ]
3
Markdown
sywymj/XmlConfig
811bc5f8293f05c62ce8ea68fa36b6d414b13837
61379494d4bcafd1dacc69f5f584d4c522a4932f
refs/heads/master
<repo_name>Firnis/memcached<file_sep>/benchmarks/memcache.set.js 'use strict'; /** * Benchmark dependencies */ const Benchmark = require('benchmark'); const microtime = require('microtime'); const { tinyString, smallString, mediumString, largeString, printInfo, runNext, options, tests } = require('./common'); /** * Different memcached drivers */ const Memcached = require('memcached'); /** * Setup the different benchmarks and stress tests */ const memcache = new Memcached('localhost'); /** * Benchmark setting of tiny strings */ tests.push(new Benchmark('tinySet', Object.assign({ defer: false, fn: function(deferred) { memcache.set('benchmark:set:1', tinyString, 0); } }, options))); /** * Benchmark setting of small strings */ tests.push(new Benchmark('smallSet', Object.assign({ defer: false, fn: function(deferred) { memcache.set('benchmark:set:1', smallString, 0); } }, options))); /** * Run the suites */ runNext(); <file_sep>/lib/utils.js "use strict"; const createHash = require('crypto').createHash; const toString = Object.prototype.toString; const copy = Array.prototype.slice; exports.validateArg = function validateArg (args, config) { let err; args.validate.forEach(function (tokens) { const key = tokens[0] const value = args[key]; const valueString = toString.call(value); switch(tokens[1]){ case String: if (valueString !== '[object String]') { err = 'Argument "' + key + '" is not a valid String.'; } if (!err && key === 'key') { var result = validateKeySize(config, key, value); if (result.err) { err = result.err; } else { args.command = reallocString(args.command).replace(value, result['value']); } } break; case Function: if (valueString !== '[object Function]') { err = 'Argument "' + key + '" is not a valid Function.'; } break; case Number: if (valueString !== '[object Number]') { err = 'Argument "' + key + '" is not a valid Number.'; } break; case Boolean: if (valueString !== '[object Boolean]') { err = 'Argument "' + key + '" is not a valid Boolean.'; } break; case Array: if (valueString !== '[object Array]') { err = 'Argument "' + key + '" is not a valid Array.'; } if (!err && key === 'key') { for (var vKey=0; vKey<value.length; vKey++) { var vValue = value[vKey]; var result = validateKeySize(config, vKey, vValue); if (result.err) { err = result.err; } else { args.command = args.command.replace(vValue, result['value']); } } } break; case Object: if (valueString !== '[object Object]') { err = 'Argument "' + key + '" is not a valid Object.'; } break; default: if (valueString === '[object global]' && !tokens[2]) { err = 'Argument "' + key + '" is not defined.'; } } }); if (err){ if (args.callback) args.callback(new Error(err)); return false; } return true; }; var validateKeySize = function validateKeySize(config, key, value) { if (value.length > config.maxKeySize) { if (config.keyCompression){ return { err: false, value: createHash('md5').update(value).digest('hex') }; } else { return { err: 'Argument "' + key + '" is longer than the maximum allowed length of ' + config.maxKeySize }; } } else if (/[\s\n\r]/.test(value)) { return { err: 'The key should not contain any whitespace or new lines' }; } else { return { err: false, value: value }; } }; // a small util to use an object for eventEmitter exports.fuse = function fuse (target, handlers) { const keys = Object.keys(handlers); for (let i = 0, len = keys.length; i < len; ++i) { target.on(keys[i], handlers[keys[i]]); } }; // merges a object's proppertys / values with a other object exports.merge = function merge (target, obj) { for (var i in obj) { target[i] = obj[i]; } return target; }; function fastConcat (input, source) { const target = copy.call(input); const len = source.length; for (let i = 0; i < len; ++i) { target.push(source[i]); } return target; } // curry/bind functions exports.curry = function curry (context, fn) { const args = copy.call(arguments, 2); return function bowlofcurry () { return fn.apply(context || this, fastConcat(args, arguments)); }; }; //Escapes values by putting backslashes before line breaks exports.escapeValue = function(value) { return value.replace(/(\r|\n)/g, '\\$1'); }; //Unescapes escaped values by removing backslashes before line breaks exports.unescapeValue = function(value) { return value.replace(/\\(\r|\n)/g, '$1'); }; // Reallocate string to fix slow string operations in node 0.10 // see https://code.google.com/p/v8/issues/detail?id=2869 for details const reallocString = exports.reallocString = value => (' ' + value).substring(1); <file_sep>/benchmarks/common.js const fs = require('fs'); const path = require('path'); const common = require('../test/common'); const tests = []; /** * Generate data that will be used for testing */ const tinyString = common.alphabet(12); const smallString = common.alphabet(1E3); const mediumString = common.alphabet(25E3); const largeString = fs.readFileSync(path.join(__dirname, '../test/fixtures/lipsum.txt')); const options = { minSamples: 200, onComplete: runNext, onError: function () { console.log(arguments); } }; function runNext(bench) { bench && printInfo(bench); const test = tests.shift(); if (test) { console.log(test.name); test.run(); } else { process.exit(); } } function printInfo(bench) { console.log("Executing benchmark:" + bench.target); } module.exports = { tinyString, smallString, mediumString, largeString, printInfo, runNext, options, tests };
0e69173725522197d38c97dafbd38f70d943f59c
[ "JavaScript" ]
3
JavaScript
Firnis/memcached
484a5821aa87f203ea6ae70c6d0b5363de1ead07
0a40f597bcfb7609889fa40536b6238887ebaaad
refs/heads/master
<repo_name>fuzexin/wikidata_pro<file_sep>/wikidata_json_import/src/material/Entity.java package material; import java.util.ArrayList; import java.util.Iterator; import net.sf.json.JSONArray; import net.sf.json.JSONObject; import util.JsonFileRead; /* * @author JohnsonFu * * @date 11-1-2017 */ public class Entity { public String entity_id, entity_type;// entity_list; // fingerprint building public ArrayList<Labels> labelsArrayList = new ArrayList<Labels>();// lables_list; public ArrayList<Aliases> aliasesArrayList = new ArrayList<Aliases>();// aliases_list; public ArrayList<Descriptions> descriptionsArrayList = new ArrayList<Descriptions>();// description_list; public ArrayList<Properties> propertiesArrayList = new ArrayList<Properties>();// properties_list; // /* * String property_id, property_type;// property_list; String string_type, * string_value;// property_string_list; String numeric_id;// * property_entity; String latitude, longitude, altitude;// * property_globecoordinate String amount;// property_quantity; String * time;// property_time; */ public static boolean isEntity(String jsonString) { if (jsonString.charAt(0) == '{') return true; return false; } public boolean extract(String jsonString) { try { JSONObject line = JSONObject.fromString(jsonString); entity_id = line.getString("id"); entity_type = line.getString("type"); // modified_time = line.getString("modified"); // labels extract Labels tempLabels = new Labels(); if (line.getJSONObject("labels").has("en")) { tempLabels.setAll("en", line.getJSONObject("labels").getJSONObject("en").getString("value")); labelsArrayList.add(tempLabels); } if (line.getJSONObject("labels").has("zh-cn")) { tempLabels = new Labels(); tempLabels.setAll("zh-cn", line.getJSONObject("labels").getJSONObject("zh-cn").getString("value")); labelsArrayList.add(tempLabels); } // aliases extract Aliases tempAliases; JSONArray transArray; if (line.getJSONObject("aliases").has("en")) { transArray = line.getJSONObject("aliases").getJSONArray("en"); for (int i = 0; i < transArray.length(); i++) { tempAliases = new Aliases(); tempAliases.setAll(transArray.getJSONObject(i).getString("language"), transArray.getJSONObject(i).getString("value")); aliasesArrayList.add(tempAliases); } } if (line.getJSONObject("aliases").has("zh-cn")) { transArray = line.getJSONObject("aliases").getJSONArray("zh-cn"); for (int i = 0; i < transArray.length(); i++) { tempAliases = new Aliases(); tempAliases.setAll(transArray.getJSONObject(i).getString("language"), transArray.getJSONObject(i).getString("value")); aliasesArrayList.add(tempAliases); } } // descriptions extract Descriptions tempDesriptions; tempDesriptions = new Descriptions(); if (line.getJSONObject("descriptions").has("en")) { tempDesriptions.setAll(line.getJSONObject("descriptions").getJSONObject("en").getString("language"), line.getJSONObject("descriptions").getJSONObject("en").getString("value")); } descriptionsArrayList.add(tempDesriptions); if (line.getJSONObject("descriptions").has("zh-cn")) { tempDesriptions = new Descriptions(); tempDesriptions.setAll(line.getJSONObject("descriptions").getJSONObject("zh-cn").getString("language"), line.getJSONObject("descriptions").getJSONObject("zh-cn").getString("value")); descriptionsArrayList.add(tempDesriptions); } // property extract Iterator iterator = line.getJSONObject("claims").keys(); String tempKey;// claim's son ,unknown properties JSONArray propertyJsonArray; JSONObject propertyJsonObject; Properties temProperties; String propertyID, valueType, value; while (iterator.hasNext()) { tempKey = (String) iterator.next();// iterator.next()=P1151(property_id // has multiple mainSnak son // ) propertyJsonArray = line.getJSONObject("claims").getJSONArray(tempKey); for (int i = 0; i < propertyJsonArray.length(); i++) { propertyJsonObject = propertyJsonArray.getJSONObject(i); // propertyType = propertyJsonObject.getString("type");// // propertiesType propertyID = propertyJsonObject.getJSONObject("mainsnak").getString("property");// propertyID valueType = propertyJsonObject.getJSONObject("mainsnak").getString("datatype");// valueType if (valueType.equals("wikibase-item")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getJSONObject("value").getString("id"); } else { value = "unknown"; } } else if (valueType.equals("globe-coordinate")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = "latitude:" + propertyJsonObject.getJSONObject("mainsnak") .getJSONObject("datavalue").getJSONObject("value").getString("latitude"); value = value + "longitude:" + propertyJsonObject.getJSONObject("mainsnak") .getJSONObject("datavalue").getJSONObject("value").getString("longitude"); value = value + "altitude:" + propertyJsonObject.getJSONObject("mainsnak") .getJSONObject("datavalue").getJSONObject("value").getString("altitude"); } else { value = "unknown"; } } else if (valueType.equals("quantity")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getJSONObject("value").getString("amount"); } else { value = "unknown"; } } else if (valueType.equals("time")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getJSONObject("value").getString("time"); } else { value = "unknown"; } } else if (valueType.equals("wikibase-property")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getJSONObject("value").getString("id"); } else { value = "unknown"; } } else if (valueType.equals("monolingualtext")) { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getJSONObject("value").getString("text"); } else { value = "unknown"; } } else { if (propertyJsonObject.getJSONObject("mainsnak").has("datavalue")) { value = propertyJsonObject.getJSONObject("mainsnak").getJSONObject("datavalue") .getString("value"); } else { value = "unknown"; } } // value temProperties = new Properties(); if (!value.equals("unknown")) { temProperties.setAll(propertyID, valueType, value); propertiesArrayList.add(temProperties); } } } return true; } catch (Exception exception) { return false; } } } <file_sep>/wikidata.sql /* Navicat MySQL Data Transfer Source Server : localhost Source Server Version : 50615 Source Host : localhost:3306 Source Database : wikidata Target Server Type : MYSQL Target Server Version : 50615 File Encoding : 65001 Date: 2018-09-04 14:06:13 */ SET FOREIGN_KEY_CHECKS=0; -- ---------------------------- -- Table structure for aliases -- ---------------------------- DROP TABLE IF EXISTS `aliases`; CREATE TABLE `aliases` ( `entity_id` varchar(10) NOT NULL, `language` varchar(5) NOT NULL, `content` varchar(255) NOT NULL, KEY `entity_id_Btree_index` (`entity_id`) USING BTREE, KEY `content_Btree_index` (`content`) USING BTREE ) ENGINE=InnoDB DEFAULT CHARSET=utf8; -- ---------------------------- -- Table structure for descriptions -- ---------------------------- DROP TABLE IF EXISTS `descriptions`; CREATE TABLE `descriptions` ( `entity_id` varchar(10) NOT NULL, `language` varchar(5) NOT NULL, `content` text NOT NULL, KEY `entityID_Btree_index` (`entity_id`) USING BTREE ) ENGINE=InnoDB DEFAULT CHARSET=utf8; -- ---------------------------- -- Table structure for entity -- ---------------------------- DROP TABLE IF EXISTS `entity`; CREATE TABLE `entity` ( `id` varchar(10) NOT NULL, `type` varchar(10) DEFAULT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8; -- ---------------------------- -- Table structure for labels -- ---------------------------- DROP TABLE IF EXISTS `labels`; CREATE TABLE `labels` ( `entity_id` varchar(10) DEFAULT NULL, `language` varchar(5) DEFAULT NULL, `content` varchar(255) DEFAULT NULL, KEY `entityID_Btree_index` (`entity_id`) USING BTREE, KEY `content_Btree_index` (`content`) USING BTREE ) ENGINE=InnoDB DEFAULT CHARSET=utf8; -- ---------------------------- -- Table structure for property -- ---------------------------- DROP TABLE IF EXISTS `property`; CREATE TABLE `property` ( `property_id` varchar(10) NOT NULL, `entity_id` varchar(10) DEFAULT NULL, `valueType` varchar(20) DEFAULT NULL, `value` text, KEY `entityID_Btree_index` (`entity_id`) USING BTREE ) ENGINE=InnoDB DEFAULT CHARSET=utf8; <file_sep>/wikidata_json_import/src/conn/DatabaseConnection.java package conn; import java.sql.Connection; import java.sql.DriverManager; import java.sql.Statement; import java.util.ArrayList; import java.sql.PreparedStatement; import material.Aliases; import material.Descriptions; import material.Entity; import material.Labels; import material.Properties; import util.ImportContentDispose; import util.JsonFileRead; public class DatabaseConnection { Connection conn; PreparedStatement psEntity; PreparedStatement psLabels; PreparedStatement psAliases; PreparedStatement psDescriptions; PreparedStatement psProperty; //=================================================== String entity_id ; String entity_type; ArrayList<Labels> labelsArrayList ; ArrayList<Aliases> aliasesArrayList ; ArrayList<Descriptions> descriptionsArrayList; ArrayList<Properties> propertiesArrayList ; //=================================================================================== public void getConn(){ try{ Class.forName("com.mysql.jdbc.Driver").newInstance(); String url="jdbc:mysql://localhost/wikidata?user=root&password=<PASSWORD>"+ "&useUnicode=true&characterEncoding=utf8"; conn = DriverManager.getConnection(url); conn.setAutoCommit(false); //conn.setAutoCommit(true); String sqlEntity = "insert into entity(id,type) "+"values(?,?)"; String sqlLabels ="insert into labels(entity_id,language,content) "+"values(?,?,?)"; String sqlAliases = "insert into aliases(entity_id,language,content) "+"values(?,?,?)"; String sqlDescriptions = "insert into descriptions(entity_id,language,content) "+"values(?,?,?)"; String sqlProperty = "insert into property(property_id,entity_id,valueType,value) "+"values(?,?,?,?)"; psEntity= conn.prepareStatement(sqlEntity); psLabels= conn.prepareStatement(sqlLabels); psAliases= conn.prepareStatement(sqlAliases); psDescriptions= conn.prepareStatement(sqlDescriptions); psProperty= conn.prepareStatement(sqlProperty); }catch(Exception e){ e.printStackTrace(); } } public boolean recieveEntity(Entity transEntity){ try{ if(transEntity==null || transEntity.entity_id==null){ return false; } entity_id = transEntity.entity_id; entity_type=transEntity.entity_type; labelsArrayList = transEntity.labelsArrayList; aliasesArrayList = transEntity.aliasesArrayList; descriptionsArrayList = transEntity.descriptionsArrayList; propertiesArrayList = transEntity.propertiesArrayList; psEntity.setString(1, entity_id); psEntity.setString(2, entity_type); psEntity.addBatch(); for(int i=0;i<labelsArrayList.size();i++){ String language = labelsArrayList.get(i).language; String content = labelsArrayList.get(i).value; content = content.replace("'", "*"); if(ImportContentDispose.containsEmoji(content)){ content="Emoji"; } psLabels.setString(1, entity_id); psLabels.setString(2, language); psLabels.setString(3, content); psLabels.addBatch(); } for(int i=0;i<aliasesArrayList.size();i++){ String language = aliasesArrayList.get(i).language; String content = aliasesArrayList.get(i).value; content = content.replace("'", "*"); if(ImportContentDispose.containsEmoji(content)){ content="Emoji"; } psAliases.setString(1, entity_id); psAliases.setString(2, language); psAliases.setString(3, content); psAliases.addBatch(); }//============================ for(int i = 0;i<descriptionsArrayList.size();i++){ String language =descriptionsArrayList.get(i).language; String content = descriptionsArrayList.get(i).value; if(content!=null){ content = content.replace("'", "*"); } psDescriptions.setString(1, entity_id); psDescriptions.setString(2, language); psDescriptions.setString(3, content); psDescriptions.addBatch(); } for(int i=0;i<propertiesArrayList.size();i++){ String property_id = propertiesArrayList.get(i).id; //String propertyType = propertiesArrayList.get(i).propertiesType; String valueType = propertiesArrayList.get(i).valueType; String value = propertiesArrayList.get(i).value; value = value.replace("'", "*"); if(ImportContentDispose.containsEmoji(value)){ value ="Emoji"; } psProperty.setString(1, property_id); psProperty.setString(2, entity_id); psProperty.setString(3, valueType); psProperty.setString(4, value); psProperty.addBatch(); } return true; } catch(Exception e){ e.printStackTrace(); return false; } } public void insertIntoTable(){ try{ psAliases.executeBatch(); conn.commit(); psDescriptions.executeBatch(); conn.commit(); psEntity.executeBatch(); conn.commit(); psLabels.executeBatch(); conn.commit(); psProperty.executeBatch(); conn.commit(); psAliases.clearBatch(); psDescriptions.clearBatch(); psEntity.clearBatch(); psLabels.clearBatch(); psProperty.clearBatch(); //conn.setAutoCommit(true); } catch(Exception e){ e.printStackTrace(); } } } <file_sep>/README.md # wikidata_pro 高级数据库作业 include wikidata的数据导出,以及使用jsp开发的网页的搜索数据的展示。 Wikidata的源数据的格式为json格式 email:<EMAIL> <file_sep>/wikidata_json_import/src/util/JsonFileRead.java package util; import java.io.BufferedReader; import java.io.File; import java.io.FileReader; import java.io.IOException; public class JsonFileRead { /* * @author JohnsonFu * * @date 11-1-2017 * */ public static String readFile(String path) { File file = new File(path); BufferedReader reader = null; String currentString = ""; try { reader = new BufferedReader(new FileReader(file)); String tempString = null; while ((tempString = reader.readLine()) != null) { currentString = currentString + tempString; } reader.close(); } catch (IOException e) { e.printStackTrace(); } finally { if (reader != null) { try { reader.close(); } catch (IOException e1) { } } } return currentString; } }
139bbd25b717daa0fad92e1b221043e8066810e3
[ "Markdown", "Java", "SQL" ]
5
Java
fuzexin/wikidata_pro
c933bfa2900b24533f5f9eb946bdd89c077c98ea
e757b510f7b4866ce8af3274ae2bdb2a88b895b7
refs/heads/master
<file_sep>import KBucket from 'k-bucket' import Network from './network' import fs from 'fs' import Emitter from 'events' import { QueryMessage, ResponseMessage } from './message' import Node from './node' import InfoHash from './infoHash' export default class Crawler extends Emitter { constructor(options = {}) { super() this.config = Object.assign({ minFindInterval: 1000, maxFindInterval: 2 * 60 * 1000, maxRouteTableLen: 1000, maxInfoHashTableLen: 10000, persistentPeersLen: 100, nodeIdFile: '.nodeid.data', peersFile: '.peers.data' }, options) this.bootstrapNode = new Node( new Buffer(''), { ip: 'router.bittorrent.com', // ip: 'dht.transmissionbt.com', port: 6881 } ) this.messageTable = new Map() this.infoHashTable = new Map() this.token = this.constructor.generateId(8) this.network = new Network(this.config.listenPort) this.network.on('message', (message, address) => { switch (message.type) { case 'query': return this.handleQueryMessage(message, address) case 'response': return this.handleResponseMessage(message, address) case 'error': return this.handleErrorMessage(message, address) default: return } }) } async start() { const initRoute = () => { return new Promise((resolve, reject) => { fs.readFile(this.config.nodeIdFile, 'utf-8', (_, data) => { let localNodeId if (data) { const idBuffer = new Buffer(data, 'base64') if (idBuffer.length == 20) localNodeId = idBuffer } this.routeTable = new KBucket({ localNodeId: localNodeId, numberOfNodesPerKBucket: parseInt(this.config.maxRouteTableLen / 10) }) this.nodeId = this.routeTable.localNodeId fs.writeFile(this.config.nodeIdFile, this.nodeId.toString('base64'), error => { if (error) return reject(error) resolve() }) }) }) } await initRoute() await this.network.build() this.routeTable.add(this.bootstrapNode) this.routeTable.on('added', (newNode) => { newNode.init(newNode !== this.bootstrapNode) newNode.on('ping', () => { this.ping(newNode) }) newNode.on('destroy', () => { this.infoHashTable.forEach(info => { info.queryNodesDelete(newNode.id.toString('hex')) }) this.routeTable.remove(newNode.id) }) }) await this.loadLastRoutes() const findDivNum = Math.pow(this.config.maxRouteTableLen, 2) / (this.config.maxFindInterval - this.config.minFindInterval) this.on('_find_once', () => { const allNodesCount = this.routeTable.count() const currentTimeout = this.config.maxFindInterval - Math.pow((allNodesCount - this.config.maxRouteTableLen), 2) / findDivNum this.findInterval = setTimeout(() => this.emit('_find_once'), currentTimeout) if (allNodesCount > this.config.persistentPeersLen) { this.persistentNodes() } if (allNodesCount < this.config.maxRouteTableLen) { this.findMoreNodes() } else { this.getMorePeers() } }) this.findInterval = setTimeout(() => this.emit('_find_once'), this.config.minFindInterval) } async stop() { await this.network.destroy() this.findInterval && clearTimeout(this.findInterval) const allNodes = this.routeTable.toArray() allNodes.forEach(node => { node.destroy() }) this.infoHashTable.forEach(info => { info.destroy() }) this.infoHashTable.clear() this.messageTable.forEach(msg => { msg.destroy() }) this.messageTable.clear() } ping(remoteNode) { const message = this.createQueryMessage('ping', { id: this.nodeId }, (resp, _remoteAddress) => { if (resp.id == undefined) return if (KBucket.distance(remoteNode.id, resp.id) == 0) { remoteNode.refresh() } else if (remoteNode == this.bootstrapNode) { remoteNode.id = resp.id remoteNode.refresh() } }) this.network.sendMessage(message, remoteNode.address) } handlePing(message, address) { const resp = new ResponseMessage(message.id, { id: this.nodeId }) this.network.sendMessage(resp, address) } findMoreNodes() { const allNodes = this.routeTable.toArray() allNodes.forEach(node => { this.findNode(node) }) } findNode(remoteNode) { const message = this.createQueryMessage('find_node', { id: this.nodeId, target: this.nodeId }, (resp, _remoteAddress) => { if (resp.id === undefined || resp.nodes === undefined) return this.addNodes(resp.nodes) }) this.network.sendMessage(message, remoteNode.address) } handleFindNode(message, address) { const params = message.params if (params.id == undefined || params.target == undefined) return this.addNode({ id: params.id, address: address }) const nodes = this.routeTable.closest(params.target, 16) const nodesBin = QueryMessage.serializeNodes(nodes) const resp = new ResponseMessage(message.id, { id: this.nodeId, nodes: nodesBin }) this.network.sendMessage(resp, address) } getMorePeers() { const sortedInfoHashes = Array.from(this.infoHashTable).sort((a, b) => { return b[1].calScore() - a[1].calScore() }) const filteredInfoHashes = sortedInfoHashes.slice(0, this.config.maxRouteTableLen) filteredInfoHashes.forEach(([infoHashStr, info]) => { const infoHash = new Buffer(infoHashStr, 'hex') const closestNodes = this.routeTable.closest(infoHash, 16) closestNodes.forEach(node => { this.getPeers(info, infoHash, node) }) info.incrFindCount() }) } getPeers(torrent, infoHash, node) { const address = node.address const message = this.createQueryMessage('get_peers', { id: this.nodeId, target: infoHash }, (resp, _remoteAddress) => { if (resp.id !== node.id || resp.token === undefined) return node.refreshToken(resp.token) if (resp.values !== undefined) { const peers = ResponseMessage.parsePeers(resp.values) peers.forEach((addressStr) => { torrent.announceNodesAdd(addressStr) torrent.refresh() }) } else if (resp.nodes !== undefined) { this.addNodes(resp.nodes) } }) this.network.sendMessage(message, address) } handleGetPeers(message, address) { const params = message.params if (params.id == undefined || params.info_hash == undefined) return this.addNode({ id: params.id, address: address }) const infoHashStr = params.info_hash.toString('hex') const torrent = this.addInfoHash(infoHashStr) let resp if (torrent && torrent.announceNodes.size > 0) { const peers = Array.from(torrent.announceNodes) resp = new ResponseMessage(message.id, { id: this.nodeId, token: this.token, values: QueryMessage.serializePeers(peers) }) } else { if (torrent !== undefined) { torrent.queryNodesAdd(params.id.toString('hex')) } const nodes = this.routeTable.closest(params.info_hash, 16) const nodesBin = QueryMessage.serializeNodes(nodes) resp = new ResponseMessage(message.id, { id: this.nodeId, token: this.token, nodes: nodesBin }) } this.network.sendMessage(resp, address) } announcePeers(infoHashStr, port) { const infoHash = new Buffer(infoHashStr, 'hex') const closestNodes = this.routeTable.closest(infoHash, 16) closestNodes.filter(n => n.token).forEach(node => { this.announcePeer(infoHash, port, node) }) } announcePeer(infoHash, port, node) { const address = node.address const message = this.createQueryMessage('announce_peer', { id: this.nodeId, info_hash: infoHash, port: port, token: <PASSWORD>.token }) this.network.sendMessage(message, address) } handleAnnouncePeer(message, address) { const params = message.params if (params.id == undefined || params.info_hash == undefined || params.port == undefined) return const node = this.addNode({ id: params.id, address: address }) const infoHashStr = params.info_hash.toString('hex') const torrent = this.addInfoHash(infoHashStr) if (torrent !== undefined) { const ipStr = address.ip let port if (params.implied_port) { port = address.port } else { port = params.port } torrent.announceNodesAdd(ipStr + ':' + port, params.implied_port) if (node) { node.announceInfoHashesAdd(infoHashStr) } } const resp = new ResponseMessage(message.id, { id: this.nodeId }) this.network.sendMessage(resp, address) } handleQueryMessage(message, address) { if (message.id == undefined || message.action == undefined || message.params == undefined) { return } const action = message.action if (action == 'ping') { this.handlePing(message, address) } else if (action == 'find_node') { this.handleFindNode(message, address) } else if (action == 'get_peers') { this.handleGetPeers(message, address) } else if (action == 'announce_peer') { this.handleAnnouncePeer(message, address) } else { console.error(`receive unknown query message ${action} from ${address.ip}`) } } handleResponseMessage(message, address) { if (message.id == undefined || message.response == undefined) return const transactionId = message.id if (!this.messageTable.has(transactionId)) return const msg = this.messageTable.get(transactionId) msg.responseHandler && msg.responseHandler(message.response, address) msg.destroy() } handleErrorMessage(message, address) { // console.error(`receive error message ${message.error} from ${address.ip}`) } createQueryMessage(action, params, responseHandler) { const id = this.constructor.generateId(2) const message = new QueryMessage(id, action, params, responseHandler) message.on('destroy', () => { this.messageTable.delete(id) }) this.messageTable.set(id, message) return message } loadLastRoutes() { return new Promise((resolve) => { fs.readFile(this.config.peersFile, 'utf-8', (_, data) => { if (!data) return resolve() let peers = [] try { peers = JSON.parse(data) } catch (e) { } peers.forEach(peer => { const peerNode = { id: new Buffer(peer.id, 'base64'), address: peer.address, createdAt: peer.createdAt } this.addNode(peerNode) }) resolve() }) }) } addNodes(nodesBin) { const nodes = ResponseMessage.parseNodes(nodesBin) nodes.forEach(n => this.addNode(n)) } addNode(node) { if (this.routeTable.count() > this.config.maxRouteTableLen) return const existNode = this.routeTable.get(node.id) if (existNode) { existNode.refresh() return existNode } if (KBucket.distance(node.id, this.nodeId) != 0) { const newNode = new Node(node.id, node.address, node.createdAt) this.routeTable.add(newNode) return newNode } } persistentNodes() { const allNodes = this.routeTable.toArray() const exceptBootstrap = allNodes.filter(n => n.address.ip !== this.bootstrapNode.address.ip) const sortedNodes = exceptBootstrap.sort((a, b) => { return b.calScore() - a.calScore() }) const persistentedNodes = sortedNodes.slice(0, this.config.persistentPeersLen).map(n => { return { id: n.id.toString('base64'), address: n.address, createdAt: n.createdAt, announceNodesCount: n.announceInfoHashes.size } }) fs.writeFile(this.config.peersFile, JSON.stringify(persistentedNodes), error => { if (error) console.error('persistent nodes failed', error) }) } addInfoHash(infoHashStr) { if (this.infoHashTable.size > this.config.maxInfoHashTableLen) return const existInfoHash = this.infoHashTable.get(infoHashStr) if (existInfoHash) { existInfoHash.refresh() return existInfoHash } const torrent = new InfoHash() torrent.on('announce', (addressStr, impliedPort) => { this.emit('announce_peer', infoHashStr, addressStr, impliedPort, torrent) }) torrent.on('destroy', () => { this.infoHashTable.delete(infoHashStr) }) this.infoHashTable.set(infoHashStr, torrent) this.emit('new_info_hash', infoHashStr, torrent) return torrent } static generateId(len) { const chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789" const text = Array.from(Array(len).keys()).map(i => chars.charAt(Math.floor((Math.random() * chars.length)))) return text.join('') } }<file_sep># node-dht-peer-crawler [![Travis Build Status](https://travis-ci.com/Covertness/node-dht-peer-crawler.svg?branch=master)](https://travis-ci.com/Covertness/node-dht-peer-crawler) [![Coverage Status](https://coveralls.io/repos/github/Covertness/node-dht-peer-crawler/badge.svg?branch=master)](https://coveralls.io/github/Covertness/node-dht-peer-crawler?branch=master) [![MIT licensed](https://img.shields.io/badge/license-MIT-blue.svg)](./LICENSE) [![npm version](https://badge.fury.io/js/dht-peer-crawler.svg)](http://badge.fury.io/js/dht-peer-crawler) ![Downloads](https://img.shields.io/npm/dm/dht-peer-crawler.svg?style=flat) A fast and stable DHT crawler. ## Installation ```bash $ npm install dht-peer-crawler ``` ## Usage ```js import Crawler from 'dht-peer-crawler' const crawler = new Crawler() crawler.on('announce_peer', (infoHashStr, addressStr) => { console.log(`got a peer ${addressStr} on ${infoHashStr}`) }) crawler.start().then(() => { console.log('start crawler success') }, (error) => { console.error(`start crawler failed: ${error}`) }) const signalTraps = ['SIGTERM', 'SIGINT', 'SIGUSR2'] signalTraps.map(type => { process.once(type, async () => { try { await crawler.stop() console.log('stop crawler success') } finally { process.kill(process.pid, type) } }) }) ``` ## Test ```bash $ npm test ``` ## API #### `crawler = new Crawler(listenPort)` Create a new crawler instance. #### `crawler.announcePeers(infoHashStr, port)` announce the peer. #### `crawler.on('announce_peer', [infoHashStr, addressStr, impliedPort, torrent])` Emitted when received an `announce_peer` message. #### `crawler.on('new_info_hash', [infoHashStr])` Emitted when find a new `info_hash`.<file_sep>import fs from 'fs' import KBucket from 'k-bucket' import Network from '../lib/network' import Node from '../lib/node' import { TYPE, QueryMessage } from '../lib/message' import Crawler from '../lib/crawler' jest.mock('../lib/network') beforeEach(() => { Network.mockClear() }) it('network built after the crawler started', async () => { const crawler = new Crawler() await crawler.start() expect(Network).toHaveBeenCalledTimes(1) const networkInstance = Network.mock.instances[0] expect(networkInstance.build).toHaveBeenCalledTimes(1) await crawler.stop() }) describe('message', () => { const address = { ip: '1.1.1.1', port: '6881' } const peer = address.ip + ':' + address.port const infoHash = new Buffer('95b26a83dc5c130584ca19b350c87fec9afda6bc', 'hex') let crawler beforeEach(async () => { crawler = new Crawler() await crawler.start() crawler.createQueryMessage = jest.fn((action, params) => new QueryMessage('tt', action, params)) }) afterEach(async () => { await crawler.stop() }) describe('collection', () => { it('get_more_peers', () => { crawler.getPeers = jest.fn() crawler.addInfoHash(infoHash.toString('hex')) crawler.getMorePeers() expect(crawler.getPeers).toHaveBeenCalledTimes(1) // bootstrapNode }) it('announce_peers', () => { crawler.announcePeer = jest.fn() crawler.addNode({ id: new Buffer('gw0S7yYnVtiC8A22GarM2RXsoo8=', 'base64'), address: address }) const nodeWithToken = crawler.addNode({ id: new Buffer('AhEtNLOoSbSvIK4rW+gyWVmbsPI=', 'base64'), address: address }) nodeWithToken.refreshToken('<PASSWORD>') crawler.announcePeers(infoHash.toString('hex'), address.port) expect(crawler.announcePeer).toHaveBeenCalledTimes(1) }) }) describe('send', () => { const remoteNode = new Node( new Buffer('AhEtNLOoSbSvIK4rW+gyWVmbsPI=', 'base64'), address, new Date() ) remoteNode.refreshToken('<PASSWORD>') it('ping', () => { crawler.ping(remoteNode) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const req = networkMethod.mock.calls[0][0] expect(req.type).toEqual(TYPE.q) expect(req.action).toEqual('ping') expect(req.params.id).toEqual(crawler.nodeId) const createQueryMessage = crawler.createQueryMessage expect(createQueryMessage).toHaveBeenCalledTimes(1) // call response handler createQueryMessage.mock.calls[0][2](remoteNode) }) it('find_node', () => { crawler.findNode(remoteNode) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const req = networkMethod.mock.calls[0][0] expect(req.type).toEqual(TYPE.q) expect(req.action).toEqual('find_node') expect(req.params.id).toEqual(crawler.nodeId) expect(req.params.target).toEqual(crawler.nodeId) const createQueryMessage = crawler.createQueryMessage expect(createQueryMessage).toHaveBeenCalledTimes(1) // call response handler createQueryMessage.mock.calls[0][2]({ id: remoteNode.id, nodes: QueryMessage.serializeNodes([remoteNode]) }) }) it('get_peers', () => { const torrent = crawler.addInfoHash(infoHash.toString('hex')) crawler.getPeers(torrent, infoHash, remoteNode) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const req = networkMethod.mock.calls[0][0] expect(req.type).toEqual(TYPE.q) expect(req.action).toEqual('get_peers') expect(req.params.id).toEqual(crawler.nodeId) expect(req.params.target).toEqual(infoHash) const createQueryMessage = crawler.createQueryMessage expect(createQueryMessage).toHaveBeenCalledTimes(1) // call response handler createQueryMessage.mock.calls[0][2]({ id: remoteNode.id, nodes: QueryMessage.serializeNodes([remoteNode]) }) createQueryMessage.mock.calls[0][2]({ id: remoteNode.id, values: QueryMessage.serializePeers([[peer, {address: peer}]]) }) }) it('announce_peer', () => { crawler.announcePeer(infoHash, address.port, remoteNode) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const req = networkMethod.mock.calls[0][0] expect(req.type).toEqual(TYPE.q) expect(req.action).toEqual('announce_peer') expect(req.params.id).toEqual(crawler.nodeId) expect(req.params.info_hash).toEqual(infoHash) expect(req.params.port).toEqual(address.port) expect(req.params.token).toEqual(remoteNode.token) const createQueryMessage = crawler.createQueryMessage expect(createQueryMessage).toHaveBeenCalledTimes(1) }) }) describe('handler', () => { it('ping', () => { const message = crawler.createQueryMessage('ping', { id: crawler.nodeId }) crawler.handleQueryMessage(message, address) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const resp = networkMethod.mock.calls[0][0] expect(resp.type).toEqual(TYPE.r) expect(resp.id).toEqual(message.id) expect(resp.response.id).toEqual(crawler.nodeId) const respAddress = networkMethod.mock.calls[0][1] expect(respAddress).toEqual(address) }) it('find_node', () => { const message = crawler.createQueryMessage('find_node', { id: crawler.nodeId, target: crawler.nodeId }) crawler.handleQueryMessage(message, address) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const resp = networkMethod.mock.calls[0][0] expect(resp.type).toEqual(TYPE.r) expect(resp.id).toEqual(message.id) expect(resp.response.id).toEqual(crawler.nodeId) const nodes = crawler.routeTable.closest(crawler.nodeId, 16) expect(resp.response.nodes).toEqual(QueryMessage.serializeNodes(nodes)) const respAddress = networkMethod.mock.calls[0][1] expect(respAddress).toEqual(address) }) describe('get_peers', () => { let message beforeEach(() => { message = crawler.createQueryMessage('get_peers', { id: crawler.nodeId, info_hash: infoHash }) }) it('got nodes', () => { crawler.handleQueryMessage(message, address) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const resp = networkMethod.mock.calls[0][0] expect(resp.type).toEqual(TYPE.r) expect(resp.id).toEqual(message.id) expect(resp.response.id).toEqual(crawler.nodeId) expect(resp.response.token).toEqual(crawler.token) const nodes = crawler.routeTable.closest(infoHash, 16) expect(resp.response.nodes).toEqual(QueryMessage.serializeNodes(nodes)) const respAddress = networkMethod.mock.calls[0][1] expect(respAddress).toEqual(address) }) it('got peers', () => { const torrent = crawler.addInfoHash(infoHash.toString('hex')) torrent.announceNodesAdd(peer) crawler.handleQueryMessage(message, address) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const resp = networkMethod.mock.calls[0][0] expect(resp.type).toEqual(TYPE.r) expect(resp.id).toEqual(message.id) expect(resp.response.id).toEqual(crawler.nodeId) expect(resp.response.token).toEqual(crawler.token) expect(resp.response.values).toEqual(QueryMessage.serializePeers([[peer, {address: peer}]])) const respAddress = networkMethod.mock.calls[0][1] expect(respAddress).toEqual(address) }) }) it('announce_peer', () => { const message = crawler.createQueryMessage('announce_peer', { id: crawler.nodeId, info_hash: infoHash, port: address.port }) crawler.handleQueryMessage(message, address) const networkMethod = Network.mock.instances[0].sendMessage expect(networkMethod).toHaveBeenCalledTimes(1) const resp = networkMethod.mock.calls[0][0] expect(resp.type).toEqual(TYPE.r) expect(resp.id).toEqual(message.id) expect(resp.response.id).toEqual(crawler.nodeId) const respAddress = networkMethod.mock.calls[0][1] expect(respAddress).toEqual(address) }) }) }) describe('peer data', () => { const peerData = [{ id: 'AhEtNLOoSbSvIK4rW+gyWVmbsPI=', address: { ip: '1.1.1.1', port: 30225 }, createdAt: 1543154241400, announceNodesCount: 0 }] let fsReadFile, fsWriteFile, crawler beforeAll(() => { fsReadFile = fs.readFile fsWriteFile = fs.writeFile fs.readFile = jest.fn((_p, _e, cb) => cb(null, JSON.stringify(peerData))) fs.writeFile = jest.fn() crawler = new Crawler() crawler.routeTable = new KBucket() crawler.nodeId = crawler.routeTable.localNodeId }) afterAll(() => { fs.writeFile = fsWriteFile fs.readFile = fsReadFile }) it('load last data', async () => { await crawler.loadLastRoutes() expect(crawler.routeTable.count()).toBe(1) const peer = crawler.routeTable.get(new Buffer(peerData[0].id, 'base64')) expect(peer.address).toEqual(peerData[0].address) expect(peer.createdAt).toBe(peerData[0].createdAt) }) it('persistent data', () => { crawler.routeTable.add(new Node( new Buffer(peerData[0].id, 'base64'), peerData[0].address, peerData[0].createdAt )) crawler.persistentNodes() expect(fs.writeFile.mock.calls[0][1]).toBe(JSON.stringify(peerData)) }) })<file_sep>import Emitter from 'events' import dgram from 'dgram' import bencode from 'bencode' import { Message } from './message' export default class Network extends Emitter { constructor(listenPort) { super() this.listenPort = listenPort || 6881 this.udpSocket = dgram.createSocket({ type: 'udp4', reuseAddr: false }) this.udpSocket.on('error', (err) => { if (this.errorCB) this.errorCB(err) }) this.udpSocket.on('close', () => { if (this.closeCB) this.closeCB() }) this.udpSocket.on('listening', () => { if (this.listenCB) this.listenCB() }) this.udpSocket.on('message', (data, remote) => { let message try { message = bencode.decode(data) } catch (e) { // console.error(`decode error: ${data}`) return } const msg = Message.parse(message, remote) if (!msg) return if (msg) this.emit('message', msg, {ip: remote.address, port: remote.port}) }) } async build() { return new Promise((resolve, reject) => { this.errorCB = (error) => { reject(error) } this.listenCB = () => { resolve() } this.udpSocket.bind(this.listenPort) }) } sendMessage(message, address) { if(address.port < 0 || address.port > 65536) return const data = bencode.encode(message.serialize()) this.udpSocket.send(data, 0, data.length, address.port, address.ip) } async destroy() { return new Promise((resolve) => { this.udpSocket.close(() => { resolve() }) }) } }<file_sep>import Emitter from 'events' import QuickLRU from 'quick-lru' export default class InfoHash extends Emitter { constructor() { super() this.config = { infoHashTimeout: 30 * 60 * 1000 } this.queryNodes = new QuickLRU({maxSize: 5}) // TotalSize: 10 this.announceNodes = new Map() this.lastActive = Date.now() this.findCount = 0 this.checkInterval = setInterval(() => { if (Date.now() - this.lastActive >= this.config.infoHashTimeout) { this.destroy() } }, this.config.infoHashTimeout) } destroy() { clearInterval(this.checkInterval) this.emit('destroy') } refresh() { this.lastActive = Date.now() } queryNodesAdd(nodeIdStr) { this.queryNodes.set(nodeIdStr, nodeIdStr) } queryNodesDelete(nodeIdStr) { this.queryNodes.delete(nodeIdStr) } announceNodesAdd(addressStr, impliedPort) { this.announceNodes.set(addressStr, { address: addressStr, impliedPort: impliedPort }) this.emit('announce', addressStr, impliedPort) } incrFindCount() { this.findCount += 1 } calScore() { return 100 - Math.pow(this.announceNodes.size - 10, 2) - this.findCount } }<file_sep>import Emitter from 'events' export const TYPE = { q: 'query', r: 'response', e: 'error' } export const TYPE_CODE = {} for (let key of Object.keys(TYPE)) { TYPE_CODE[TYPE[key]] = key } export class Message extends Emitter { static parse(msg) { if (msg.v !== undefined) return switch (TYPE[msg.y]) { case TYPE.q: return new QueryMessage(msg.t, msg.q, msg.a) case TYPE.r: return new ResponseMessage(msg.t, msg.r) case TYPE.e: return new ErrorMessage(msg.t, msg.e) default: { console.error('unknown message:') console.dir(msg, { depth: null }) return } } } constructor(t, y) { super() this.t = t this.y = y } get id() { return this.t && this.t.toString() } } export class QueryMessage extends Message { constructor(id, action, params, responseHandler) { super(id, 'q') this.config = { messageTimeout: 60 * 1000 } this.q = action this.a = params this.responseHandler = responseHandler this.timeout = setTimeout(() => { this.destroy() }, this.config.messageTimeout) } destroy() { clearTimeout(this.timeout) this.emit('destroy') } get type() { return TYPE.q } get action() { return this.q && this.q.toString() } get params() { return this.a } serialize() { return { t: this.t, y: this.y, q: this.q, a: this.a } } static serializeNodes(nodes) { const nodesBin = new Buffer(nodes.length * 26) let pos = 0 nodes.forEach(node => { node.id.copy(nodesBin, pos, 0, 20) const ip = node.address.ip.split('.') nodesBin[pos+20] = ip[0] | 0 nodesBin[pos+21] = ip[1] | 0 nodesBin[pos+22] = ip[2] | 0 nodesBin[pos+23] = ip[3] | 0 nodesBin[pos+24] = (node.address.port/256) | 0 nodesBin[pos+25] = node.address.port%256 pos += 26 }) return nodesBin } static serializePeers(peers) { return peers.filter(p => !p[1].impliedPort).map(p => { const nodeBin = new Buffer(6) const pp = p[1].address.split(':') const ip = pp[0].split('.') const port = parseInt(pp[1]) nodeBin[0] = ip[0] | 0 nodeBin[1] = ip[1] | 0 nodeBin[2] = ip[2] | 0 nodeBin[3] = ip[3] | 0 nodeBin[4] = (port/256) | 0 nodeBin[5] = port%256 return nodeBin }) } } export class ResponseMessage extends Message { constructor(id, response) { super(id, 'r') this.r = response } get type() { return TYPE.r } get response() { return this.r } serialize() { return { t: this.t, y: this.y, r: this.r } } static parseNodes(nodesBin) { if(nodesBin.length % 26 != 0) return [] const ns = [] for (let index = 0; index < nodesBin.length; index+=26) { ns.push({ id: nodesBin.slice(index, index + 20), address: { ip: nodesBin[index + 20] + "." + nodesBin[index + 21] + "." + nodesBin[index + 22] + "." + nodesBin[index + 23], port: nodesBin.readUInt16BE(index + 24) } }) } return ns } static parsePeers(peerBins) { return peerBins.map(peerBin => { const ip = peerBin[0] + "." + peerBin[1] + "." + peerBin[2] + "." + peerBin[3] const port = peerBin.readUInt16BE(4) return ip + ':' + port }) } } export class ErrorMessage extends Message { constructor(id, error) { super(id, 'e') this.e = error } get type() { return TYPE.e } get error() { return this.e } serialize() { return { t: this.t, y: this.y, e: this.e } } }<file_sep>import Network from '../lib/network' import { ResponseMessage } from '../lib/message' let network beforeEach(async () => { network = new Network() await network.build() }) afterEach(async () => { await network.destroy() }) it('send message with valid port', () => { network.udpSocket.send = jest.fn() const message = new ResponseMessage('tt') network.sendMessage(message, {ip: '1.1.1.1', port: 6881}) expect(network.udpSocket.send).toHaveBeenCalledTimes(1) }) it('send message with invalid port', () => { network.udpSocket.send = jest.fn() const message = new ResponseMessage('tt') network.sendMessage(message, {ip: '1.1.1.1', port: 68811}) expect(network.udpSocket.send).toHaveBeenCalledTimes(0) })<file_sep>import Emitter from 'events' export default class Node extends Emitter { constructor(id, address, createdAt) { super() this.config = { pingInterval: 3 * 60 * 1000 } this.id = id this.address = address this.createdAt = createdAt this.lastActive = Date.now() if (!this.createdAt) this.createdAt = Date.now() this.announceInfoHashes = new Set() this.workInfoHashes = new Set() } init(needCheck) { this.pingInterval = setInterval(() => this.emit('ping'), this.config.pingInterval) if (needCheck) { this.checkInterval = setInterval(() => { if (Date.now() - this.lastActive > 3 * this.config.pingInterval) { this.destroy() } }, 3 * this.config.pingInterval) } } destroy() { this.pingInterval && clearInterval(this.pingInterval) this.checkInterval && clearInterval(this.checkInterval) this.emit('destroy') } refresh() { this.lastActive = Date.now() } refreshToken(token) { this.token = token } announceInfoHashesAdd(infoHashStr) { this.announceInfoHashes.add(infoHashStr) } workInfoHashesAdd(infoHashStr) { this.workInfoHashes.add(infoHashStr) } get working() { return this.announceInfoHashes.size < 10 || this.workInfoHashes.size > 0 // TODO: 10 need to be validated } calScore() { return parseInt((Date.now() - this.createdAt) / (1000 * 60)) + (this.workInfoHashes.size > 0 ? this.announceInfoHashes.size : 0) * 24 * 60 } }
83c0cf561c672ec74ca7b11a05d3a74196a4cee8
[ "JavaScript", "Markdown" ]
8
JavaScript
Covertness/node-dht-broker
26ed1639d8863921c207fd50a94b23cb95460668
9d825b6264b0c3c82a3ee3d2975e8824e9dcbe3e
refs/heads/main
<repo_name>JaschaW/turtle_killer<file_sep>/README.md # Turtle Killer This is a helper script to try and delete every possible related items to the infamous Turtle Plugin. # The Goal The Turtle Plugin is a virus for most pipelines, and I am sure that most studios and pipelines have their own ways to address the issue, so here is my own that I use if I ever come across this annoying plugin. The main function will: 1. Finding all nodes in the scene and deleting them 2. Unloading the plugin if it is loaded 3. Looks for the mll plugin and deletes it. 4. Deletes the shelf inside Maya 5. Deletes the shelf mel file from disk To run it, simple call: ```python kill_the_turtle() ``` Optionially, you can call individual functions to use in your own way: ## Example 1: If you only wanted to delete the turtle shelf ```python delete_turtle_maya_shelve() ``` ## Example 2: If you only wanted to find all the turtle nodes in the scene ```python find_turtle_nodes() ``` <file_sep>/turtle_killer.py import os import shutil import maya.cmds as cmds import maya.mel as mel import maya.api.OpenMaya as om def kill_the_turtle(): """ This will try find and delete everything relating to the turtle plugin. This includes: 1. Finding all nodes in the scene and deleting them. 2. Unloading the plugin if it is loaded. 3. Looks for the mll plugin and deletes it. 4. Deletes the shelf inside Maya. 5. Deletes the shelf mel file from disk. """ # -- look in scene if there are any turtle nodes counter = 0 for turtle in find_turtle_nodes(): try: unlock_and_delete(turtle) counter += 1 except Exception as e: if e: om.MGlobal.displayError("Could not delete {0} successfully.".format(turtle)) om.MGlobal.displayInfo("Found and deleted {0} Turtle Nodes.".format(counter)) # -- check if it is loaded and unload it unload_turtle_plugin() # -- find where the turtle rests, and take him out. hunt_down_turtle_path() # -- delete the shelf if there is one. delete_turtle_maya_shelve() # -- delete the saved turtle shelf delete_saved_turtle_shelf() def find_turtle_nodes(): """ find all possible Turtle nodes within the current maya scene. :return: turtle nodes found :rtype: list[str] """ return [turtle for turtle in cmds.ls("Turtle*")] def unlock_and_delete(turtle): """ turtle nodes are locked by default, we unlock the node, then we can delete it. :param str turtle: turtle node that has been found in the scene """ # -- unlock the node before it can be deleted. cmds.lockNode(turtle, lock=False) # -- delete the node cmds.delete(turtle) om.MGlobal.displayInfo("Deleted {0} successfully.".format(turtle)) def unload_turtle_plugin(): """ Check if the node is currently loaded, if we do operations such as delete on the node while still loaded, could cause corrupt scenes down the line. """ # -- check if the plugin is loaded if cmds.pluginInfo("Turtle.mll", query=True, loaded=True): cmds.unloadPlugin("Turtle.mll", force=True) def hunt_down_turtle_path(): """ Try find the path from the node (can only be done if loaded). As an extra precautionary step we look in the maya bin folder for the node (normal installation destination) Because we cannot delete items unless we have admin rights, we move the turtle file to a custom directory that does not need admin rights and delete the node off of the machine. """ turtle_path = None move_path = join_file_path(os.path.expanduser("~"), "maya") # -- try query the node for the path try: turtle_path = cmds.pluginInfo("Turtle.mll", query=True, path=True) except Exception as e: if e: om.MGlobal.displayInfo("Could not find the path from the node.") # -- if turtle path is still None, we try look in the maya bin directory if not turtle_path: turtle_path = join_file_path(get_maya_bin_plugin_path(), "Turtle.mll") # -- if the path has been found we hunt it down if turtle_path: if os.path.exists(turtle_path) and os.path.isfile(turtle_path): try: # -- move the node move_file_destination(turtle_path, move_path) om.MGlobal.displayInfo("Moved the Turtle node to: {0}".format(move_path)) # -- delete the node os.remove(os.path.join(move_path, "Turtle.mll")) om.MGlobal.displayInfo("Turtle node has been deleted.") except Exception as e: if e: om.MGlobal.displayError("Could not delete the turtle plugin.") def delete_turtle_maya_shelve(): """ We try delete the TURTLE shelf if it is loaded. """ try: # -- finally, if there is a shelf, delete it!! top_level_shelves = mel.eval("$tmpVar=$gShelfTopLevel") shelves = cmds.tabLayout(top_level_shelves, query=True, childArray=True) if "TURTLE" in shelves: cmds.deleteUI("TURTLE") except Exception as e: if e: om.MGlobal.displayError("Could not delete the turtle shelf.") def move_file_destination(path, move_path): """ Helper function to move files from one destination to another. :param str path: source path to get file from :param str move_path: destination path to move the file to """ shutil.move(path, move_path) def join_file_path(path, *kwargs): """ Helper function to join user defined file paths correctly. :param str path: the main path that the user would start with :param kwargs: optional extra items to add to the final path :return: normalized file path :rtype: str """ return os.path.normpath(os.path.join(path, *kwargs)) def get_maya_bin_plugin_path(): """ We know that the turtle plugin path gets installed in the bin directory, we get the maya plugin path and target the bin directory. :return: plugin path :rtype: str """ # -- iterate over all plugin paths found for path in os.environ['MAYA_PLUG_IN_PATH'].split(";"): if "bin" not in path: continue return path or "" def delete_saved_turtle_shelf(): """ We look for the shelf that has been saved by the turtle and delete it off of the machine. """ # -- default shelf name turtle_shelf = "shelf_TURTLE.mel" path = join_file_path(os.path.expanduser("~"), "maya", cmds.about(version=True), "prefs", "shelves") for shelves in os.listdir(path): if shelves == turtle_shelf: os.remove(os.path.join(path, turtle_shelf)) om.MGlobal.displayInfo("Turtle Shelf has been deleted from disk.")
481628ea755d04fb725176311bd6b140831cea35
[ "Markdown", "Python" ]
2
Markdown
JaschaW/turtle_killer
8b9351b5037eaf8cf5f5d23f283e184cd588479a
15fc14ca6be34a9005590122377a8b95b9f39f3b
refs/heads/master
<file_sep>[SuiteResult context=UploadItemTest]<file_sep>package com.SeleniumFramework.pageObject; import org.openqa.selenium.WebDriver; import org.openqa.selenium.WebElement; import org.openqa.selenium.support.FindBy; import org.openqa.selenium.support.PageFactory; public class LoginPage { WebDriver ldriver; public LoginPage(WebDriver rdriver) { ldriver = rdriver; PageFactory.initElements(rdriver, this); } // internal @FindBy(id="j_username") WebElement txtIUsername; @FindBy(id="j_password") WebElement txtIPassword; @FindBy(id="submit") WebElement btnISubmit; // arcgis online @FindBy(linkText="Sign In") WebElement btnSignIn; @FindBy(id="user_username") WebElement txtUserName; @FindBy(id="user_password") WebElement txtPassword; @FindBy(id="signIn") WebElement btnSubmit; // internal login public void clickISignIn() { btnSignIn.click(); } public void setIUsername(String username) { txtIUsername.sendKeys(username); } public void setIPassword(String password) { txtIPassword.sendKeys(password); } public void clickISubmit() { btnISubmit.click(); } // arcgis online login public void clickSignIn() { btnSignIn.click(); } public void setUserName(String username) { txtUserName.sendKeys(username); } public void setPassword(String password) { txtPassword.sendKeys(password); } public void clickSubmit() { btnSubmit.click(); } } <file_sep>package com.SeleniumFramework.testCases; /* * This test case will log on to ArcGIS online through the internal login and ArcGIS login */ import java.io.IOException; import java.util.concurrent.TimeUnit; import org.openqa.selenium.By; import org.openqa.selenium.support.ui.ExpectedConditions; import org.openqa.selenium.support.ui.WebDriverWait; import org.testng.Assert; import org.testng.annotations.BeforeMethod; import org.testng.annotations.BeforeSuite; import org.testng.annotations.BeforeTest; import org.testng.annotations.Test; import com.SeleniumFramework.pageObject.BaseClass; import com.SeleniumFramework.pageObject.LoginPage; public class TC_Login_Devext extends BaseClass { @Test public void LoginTest_Devext() throws IOException, InterruptedException { logger = extent.createTest("Test 1: Login to devext", "Logging on to Devext: devext.arcgis.com"); login(driver, devextURL, devextUsername2, devextPassword); System.out.println("Test"); } } <file_sep>[SuiteResult context=UploadItemTest][SuiteResult context=CheckExtentTest]<file_sep>package com.SeleniumFramework.testCases; /* * This test case will log on to ArcGIS online through the internal login and ArcGIS login */ import java.io.IOException; import java.util.concurrent.TimeUnit; import org.openqa.selenium.By; import org.openqa.selenium.support.ui.ExpectedConditions; import org.openqa.selenium.support.ui.WebDriverWait; import org.testng.Assert; import org.testng.annotations.BeforeMethod; import org.testng.annotations.Test; import com.SeleniumFramework.pageObject.BaseClass; import com.SeleniumFramework.pageObject.LoginPage; public class TC_Login_QA extends BaseClass { @Test public void LoginTest_QA() throws IOException, InterruptedException { logger = extent.createTest("Test 2: Login to QA", "Logging on to QA: qaext.arcgis.com"); login(driver, qaURL, qaUsername, qaPassword); System.out.println("Test"); } } <file_sep># Hybrid Automation Framework based on Selenium This is a page object model framework implemented using Selenium to automate ArcGIS Online testing. ## Test Subject * https://devext.arcgis.com * https://qa.arcgis.com * https://arcgis.com ## Tools Versions are found in [POM](https://github.com/jchen9785/SeleniumFramework/blob/master/SeleniumFramework/pom.xml) file * Selenium - Web automation * TestNG - Test execution framework * Shutterbug - Screenshot and image comparison * log4j - Logs * browserup proxy - Capture network traffic and HAR files <file_sep><project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>SeleniumFramework</groupId> <artifactId>SeleniumFramework</artifactId> <version>0.0.1-SNAPSHOT</version> <packaging>jar</packaging> <name>SeleniumFramework</name> <url>http://maven.apache.org</url> <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> </properties> <dependencies> <dependency> <groupId>org.seleniumhq.selenium</groupId> <artifactId>selenium-java</artifactId> <version>3.141.59</version> </dependency> <dependency> <groupId>org.testng</groupId> <artifactId>testng</artifactId> <version>6.14.3</version> <scope>test</scope> </dependency> <!-- <dependency> <groupId>com.browserup</groupId> <artifactId>browserup-proxy-core</artifactId> <version>1.2.1</version> <scope>runtime</scope> </dependency> --> <!-- https://mvnrepository.com/artifact/log4j/log4j --> <dependency> <groupId>log4j</groupId> <artifactId>log4j</artifactId> <version>1.2.17</version> </dependency> <!-- https://mvnrepository.com/artifact/com.aventstack/extentreports --> <dependency> <groupId>com.aventstack</groupId> <artifactId>extentreports</artifactId> <version>4.0.9</version> </dependency> <!-- https://mvnrepository.com/artifact/com.assertthat/selenium-shutterbug --> <dependency> <groupId>com.assertthat</groupId> <artifactId>selenium-shutterbug</artifactId> <version>0.9.2</version> </dependency> <dependency> <groupId>net.lightbody.bmp</groupId> <artifactId>browsermob-core</artifactId> <version>2.1.5</version> <scope>test</scope> </dependency> <!-- https://mvnrepository.com/artifact/com.google.code.gson/gson --> <dependency> <groupId>org.codehaus.woodstox</groupId> <artifactId>woodstox-core-asl</artifactId> <version>4.1.4</version> </dependency> <dependency> <groupId>javax.xml.stream</groupId> <artifactId>stax-api</artifactId> <version>1.0-2</version> <scope>compile</scope> </dependency> <dependency> <groupId>org.glassfish</groupId> <artifactId>javax.json</artifactId> <version>1.0.4</version> </dependency> <!-- https://mvnrepository.com/artifact/org.jsoup/jsoup --> <dependency> <groupId>org.jsoup</groupId> <artifactId>jsoup</artifactId> <version>1.12.1</version> </dependency> </dependencies> </project> <file_sep>package com.SeleniumFramework.utilities; import java.io.DataOutputStream; import java.io.IOException; import java.net.HttpURLConnection; import java.net.MalformedURLException; import java.net.URL; import java.net.URLConnection; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Date; import javax.json.Json; import javax.json.JsonObject; import org.testng.ITestContext; import org.testng.ITestListener; import org.testng.ITestResult; public class Listener implements ITestListener{ public ArrayList<Boolean> reportStatus = new ArrayList<Boolean>(); public String finalStatus; public void onTestStart(ITestResult result) { // TODO Auto-generated method stub } public void onTestSuccess(ITestResult result) { // TODO Auto-generated method stub reportStatus.add(true); } public void onTestFailure(ITestResult result) { // TODO Auto-generated method stub reportStatus.add(false); } public void onTestSkipped(ITestResult result) { // TODO Auto-generated method stub } public void onTestFailedButWithinSuccessPercentage(ITestResult result) { // TODO Auto-generated method stub } public void onStart(ITestContext context) { // TODO Auto-generated method stub } public void onFinish(ITestContext context) { // TODO Auto-generated method stub } } <file_sep><h2>Methods run, sorted chronologically</h2><h3>&gt;&gt; means before, &lt;&lt; means after</h3><p/><br/><em>SeleniumFramework</em><p/><small><i>(Hover the method name to see the test class name)</i></small><p/> <table border="1"> <tr><th>Time</th><th>Delta (ms)</th><th>Suite<br>configuration</th><th>Test<br>configuration</th><th>Class<br>configuration</th><th>Groups<br>configuration</th><th>Method<br>configuration</th><th>Test<br>method</th><th>Thread</th><th>Instances</th></tr> <tr bgcolor="fc69bd"> <td>19/08/14 13:39:17</td> <td>0</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="TC_SpatialExtent.AddItem()[pri:2, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">AddItem</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="fc69bd"> <td>19/08/14 13:39:19</td> <td>1726</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="TC_SpatialExtent.CheckThumbnail()[pri:3, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">CheckThumbnail</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="fc69bd"> <td>19/08/14 13:39:03</td> <td>-14303</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="TC_SpatialExtent.LocationSearch1()[pri:1, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">LocationSearch1</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="fc69bd"> <td>19/08/14 13:40:17</td> <td>60045</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="TC_SpatialExtent.LocationSearch2()[pri:5, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">LocationSearch2</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="fc69bd"> <td>19/08/14 13:39:46</td> <td>28751</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="TC_SpatialExtent.UpdateExtent()[pri:4, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">UpdateExtent</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:40:28</td> <td>71455</td> <td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.afterClassTearDown()[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;afterClassTearDown</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:40:28</td> <td>71589</td> <td title="&lt;&lt;BaseClass.afterSuiteteardown()[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;afterSuiteteardown</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:38:58</td> <td>-18634</td> <td>&nbsp;</td><td>&nbsp;</td><td title="&gt;&gt;BaseClass.beforeClassSetup(java.lang.String)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&gt;&gt;beforeClassSetup</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:38:58</td> <td>-18747</td> <td title="&gt;&gt;BaseClass.beforeSuiteSetup(java.lang.String)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&gt;&gt;beforeSuiteSetup</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:39:17</td> <td>-3</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.getExtentReportResult(org.testng.ITestResult)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;getExtentReportResult</td> <td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:39:19</td> <td>1725</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.getExtentReportResult(org.testng.ITestResult)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;getExtentReportResult</td> <td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:39:46</td> <td>28750</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.getExtentReportResult(org.testng.ITestResult)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;getExtentReportResult</td> <td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:40:17</td> <td>60045</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.getExtentReportResult(org.testng.ITestResult)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;getExtentReportResult</td> <td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> <tr bgcolor="b5bebf"> <td>19/08/14 13:40:28</td> <td>71454</td> <td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td>&nbsp;</td><td title="&lt;&lt;BaseClass.getExtentReportResult(org.testng.ITestResult)[pri:0, instance:com.SeleniumFramework.testCases.TC_SpatialExtent@4fbe37eb]">&lt;&lt;getExtentReportResult</td> <td>&nbsp;</td> <td>main@28597262</td> <td></td> </tr> </table> <file_sep>[SuiteResult context=UploadItemTest][SuiteResult context=firefoxtest]<file_sep>package com.SeleniumFramework.testCases; import java.io.File; import java.io.IOException; import java.text.SimpleDateFormat; import java.util.Date; import org.openqa.selenium.By; import org.openqa.selenium.WebElement; import org.openqa.selenium.support.FindBy; import org.openqa.selenium.support.ui.ExpectedConditions; import org.openqa.selenium.support.ui.Sleeper; import org.openqa.selenium.support.ui.WebDriverWait; import org.testng.Assert; import org.testng.annotations.Test; import com.SeleniumFramework.pageObject.BaseClass; import com.SeleniumFramework.pageObject.ContentPage; import com.SeleniumFramework.pageObject.HomePage; import com.SeleniumFramework.pageObject.ItemPage; import com.SeleniumFramework.pageObject.SettingsPage; import com.aventstack.extentreports.MediaEntityBuilder; import net.lightbody.bmp.core.har.Har; import net.lightbody.bmp.proxy.CaptureType; public class TC_SpatialExtent extends BaseClass { @FindBy(id = "map-container") WebElement extentMap; @Test (priority = 1) public void LocationSearch1() throws IOException, InterruptedException { logger = extent.createTest("Test 1 : Initial location search", "Location search on Sapporo with no item's in the current content, should return no search results."); logger.info("Image Comparison"); loggerChild = logger.createNode("Search Sapporo"); ContentPage contentPage = new ContentPage(driver); HomePage homePage = new HomePage(driver); login(driver, devextURL, devextUsername1, devextPassword); homePage.clickContent(); Thread.sleep(2000); contentPage.setLocationSearch("Sapporo"); Thread.sleep(3000); contentPage.screenshotSearchResults("Sapporo"); loggerChild.info("Location search results",MediaEntityBuilder.createScreenCaptureFromPath(contentPage.screenshotSearchResults("Sapporo")).build()); } @Test (priority = 2) public void AddItem() throws IOException, InterruptedException { logger = extent.createTest("Test 2 : Add item from user local drive", "Adding zipped shapefile folder from user's local drive, capturing network traffic after uploading"); loggerChild = logger.createNode("Upload file"); ContentPage contentPage = new ContentPage(driver); contentPage.clickAddItem(); contentPage.clickAddFromComputer(); new WebDriverWait(driver, 10).until(ExpectedConditions.presenceOfElementLocated(By.id("file"))); contentPage.setFile(filePath); Thread.sleep(1000); contentPage.setTitle(uploadTitle + timeStamp); contentPage.setTags(uploadTag); contentPage.clickSubmitAddItem(); } @Test (priority = 3) public void CheckThumbnail() throws InterruptedException, IOException { logger= extent.createTest("Test 3 : Check thumbnail", "Screenshot and perform image comparison on new item's thumbnail"); loggerChild = logger.createNode("Image Comparison"); loggerChild.info("Image Comparison"); ItemPage itemPage = new ItemPage(driver); new WebDriverWait(driver, 60).until(ExpectedConditions .visibilityOfElementLocated(By.xpath("//*[@id=\"main-content-area\"]/div[2]/div[2]/div[1]/div/div"))); Thread.sleep(1000); getHAR(); itemPage.screenshotThumbnail(); itemPage.imageComparisonThumbnail(); loggerChild.info("Thumbnail Screenshot", MediaEntityBuilder.createScreenCaptureFromPath(itemPage.screenshotThumbnail()).build()); String[] array = itemPage.imageComparisonThumbnail(); imageComparison(array); softAssert.assertAll(); } @Test (priority = 4) public void UpdateExtent() throws InterruptedException, IOException { logger = extent.createTest("Test 4 : Test setting item extents", "Navigate to extent setting and update item's extent three different times. Each time screenshot will be captured and perform image comparison"); logger.info("Image Comparison"); ItemPage itemPage = new ItemPage(driver); SettingsPage settingsPage = new SettingsPage(driver); itemPage.clickSettings(); settingsPage.clickEditExtent(); new WebDriverWait(driver, 15).until(ExpectedConditions.presenceOfElementLocated(By.id("currfeatText"))); // setting extent to organization loggerChild = logger.createNode("Set extent to organization's extent"); settingsPage.clickOrgExtent(); Thread.sleep(1000); settingsPage.screenshotExtent("Org"); loggerChild.info("Extent screenshot", MediaEntityBuilder.createScreenCaptureFromPath(settingsPage.screenshotExtent("Org")).build()); String[] arrayOrg = settingsPage.imageComparisonExtent("Org"); imageComparison(arrayOrg); // setting extent to org's region loggerChild = logger.createNode("Set extent to organization's region"); settingsPage.clickOrgRegExtent(); Thread.sleep(1500); settingsPage.screenshotExtent("OrgRegion"); loggerChild.info("Extent screenshot", MediaEntityBuilder.createScreenCaptureFromPath(settingsPage.screenshotExtent("OrgRegion")).build()); String[] arrayRegion = settingsPage.imageComparisonExtent("OrgRegion"); imageComparison(arrayRegion); // setting extent to feature layer loggerChild = logger.createNode("Set extent to current features in layer"); settingsPage.clickCurrFeatureExtent(); Thread.sleep(1500); settingsPage.screenshotExtent("Feature"); loggerChild.info("Extent screenshot", MediaEntityBuilder.createScreenCaptureFromPath(settingsPage.screenshotExtent("Feature")).build()); String[] arrayFeature = settingsPage.imageComparisonExtent("Feature"); imageComparison(arrayFeature); // setting extent to search location loggerChild = logger.createNode("Set extent to Sapporo"); settingsPage.setExtentLocation("Sapporo"); Thread.sleep(1500); settingsPage.screenshotExtent("Sapporo"); loggerChild.info("Extent screenshot", MediaEntityBuilder.createScreenCaptureFromPath(settingsPage.screenshotExtent("Sapporo")).build()); String[] arraySapporo = settingsPage.imageComparisonExtent("Sapporo"); imageComparison(arraySapporo); // setting extent using coordinates loggerChild = logger.createNode("Set extent to international date line"); settingsPage.clickCoordinates(); Thread.sleep(1000); settingsPage.setExtentNorth(45.919591); Thread.sleep(1000); settingsPage.setExtentSouth(30.6464); Thread.sleep(1000); settingsPage.setExtentWest(128.249823); Thread.sleep(1000); settingsPage.setExtentEast(180.0); settingsPage.screenshotExtent("Coord"); loggerChild.info("Extent screenshot", MediaEntityBuilder.createScreenCaptureFromPath(settingsPage.screenshotExtent("Coord")).build()); String[] arrayCoord = settingsPage.imageComparisonExtent("Coord"); imageComparison(arrayCoord); // save extent loggerChild = logger.createNode("Save extent"); settingsPage.clickSave(); new WebDriverWait(driver, 15).until(ExpectedConditions.presenceOfElementLocated(By.linkText("Content"))); softAssert.assertAll(); } @Test (priority = 5) public void LocationSearch2() throws InterruptedException, IOException { logger = extent.createTest("Test 5 : Check location search result", "Location search on Sapporo after the item's extent is updated. Returned result should include uploaded item."); loggerChild = logger.createNode("Check update location search result"); ContentPage contentPage = new ContentPage(driver); contentPage.clickContent(); Thread.sleep(2000); contentPage.setLocationSearch("Sapporo"); Thread.sleep(3000); contentPage.screenshotSearchResults("Sapporo"); loggerChild.info("Location search results",MediaEntityBuilder.createScreenCaptureFromPath(contentPage.screenshotSearchResults("Sapporo")).build()); loggerChild = logger.createNode("Delete items"); contentPage.clickContent(); new WebDriverWait(driver, 10).until(ExpectedConditions.presenceOfElementLocated(By.id("esri_Evented_0"))); contentPage.deleteAll(); Thread.sleep(3000); } }<file_sep>package com.SeleniumFramework.pageObject; import org.openqa.selenium.WebDriver; import org.openqa.selenium.WebElement; import org.openqa.selenium.support.FindBy; import org.openqa.selenium.support.PageFactory; public class HomePage { WebDriver ldriver; public HomePage(WebDriver rdriver) { ldriver = rdriver; PageFactory.initElements(rdriver, this); } @FindBy(linkText = "Gallery") WebElement btnGallery; @FindBy(linkText = "Map") WebElement btnMap; @FindBy(linkText = "Scene") WebElement btnScene; @FindBy(linkText = "Groups") WebElement btnGroups; @FindBy(linkText = "Content") WebElement btnContent; @FindBy(linkText = "Organization") WebElement btnOrganization; public void clickGallery() { btnGallery.click(); } public void clickMap() { btnMap.click(); } public void clickScene() { btnScene.click(); } public void clickGroups() { btnGroups.click(); } public void clickContent() { btnContent.click(); } public void clickOrganization() { btnOrganization.click(); } }
677eddcf106702cd4fe884ec286f4d625e26d576
[ "HTML", "Markdown", "Maven POM", "INI", "Java" ]
12
INI
jimmychen97/Selenium-Framework
05e005e705b55c508cf6e1cc8be578ea4ef8515d
4789f2c194d26b93946c5e40c626219c7ab96872
refs/heads/master
<repo_name>wjtan/swagger-play<file_sep>/README.md [![Build Status](https://travis-ci.org/wjtan/swagger-play.svg?branch=master)](https://travis-ci.org/wjtan/swagger-play) [ ![Download](https://api.bintray.com/packages/wjtan/maven/swagger-play2/images/download.svg) ](https://bintray.com/wjtan/maven/swagger-play2/_latestVersion) # Swagger Play Integration The goal of Swagger™ is to define a standard, language-agnostic interface to REST APIs which allows both humans and computers to discover and understand the capabilities of the service without access to source code, documentation, or through network traffic inspection. When properly defined via Swagger, a consumer can understand and interact with the remote service with a minimal amount of implementation logic. Similar to what interfaces have done for lower-level programming, Swagger removes the guesswork in calling the service. Swagger-play is an integration specifically for the [Play framework](http://www.playframework.org). It is written in scala but can be used with either java or scala-based play2 applications. This is the fork of [Swagger Play](https://github.com/swagger-api/swagger-play) as their update is not frequent. ### Compatibility Scala Versions | Play Version | Swagger Version | swagger-play version ---------------|--------------|-----------------|--------------------- 2.13.1 | 2.8.x | 2.0 | 1.8.0 2.12.8 | 2.7.x | 2.0 | 1.7.0 2.12.3 | 2.6.x | 2.0 | 1.6.1-SNAPSHOT 2.11.8 | 2.5.x | 2.0 | 1.5.4-SNAPSHOT 2.11.6, 2.11.7 | 2.4.x | 2.0 | 1.5.2 2.10.4, 2.11.1 | 2.3.x | 1.2 | 1.3.12 2.9.1, 2.10.4 | 2.2.x | 1.2 | 1.3.7 2.9.1, 2.10.4 | 2.1.x | 1.2 | 1.3.5 2.8.1 | 1.2.x | 1.2 | 0.1 ### Usage You can depend on pre-built libraries in maven central by adding the following dependency: ``` libraryDependencies ++= Seq( "io.swagger" %% "swagger-play2" % "1.8.0" ) ``` Or you can build from source. ``` sbt publishLocal ``` ### Adding Swagger to your Play2 app There are just a couple steps to integrate your Play2 app with swagger. 1\. Add the Swagger module to your `application.conf` ``` play.modules.enabled += "play.modules.swagger.SwaggerModule" ``` 2\. Add the resource listing to your routes file (you can read more about the resource listing [here](https://github.com/swagger-api/swagger-core/wiki/Resource-Listing)) ``` GET /swagger.json controllers.ApiHelpController.getResources ``` 3\. Annotate your REST endpoints with Swagger annotations. This allows the Swagger framework to create the [api-declaration](https://github.com/swagger-api/swagger-core/wiki/API-Declaration) automatically! In your controller for, say your "pet" resource: ```scala @ApiResponses(Array( new ApiResponse(code = 400, message = "Invalid ID supplied"), new ApiResponse(code = 404, message = "Pet not found"))) def getPetById( @ApiParam(value = "ID of the pet to fetch") id: String) = Action { implicit request => petData.getPetbyId(getLong(0, 100000, 0, id)) match { case Some(pet) => JsonResponse(pet) case _ => JsonResponse(new value.ApiResponse(404, "Pet not found"), 404) } } ``` What this does is the following: * Tells swagger that the methods in this controller should be described under the `/api-docs/pet` path * The Routes file tells swagger that this API listens to `/{id}` * Describes the operation as a `GET` with the documentation `Find pet by Id` with more detailed notes `Returns a pet ....` * Takes the param `id`, which is a datatype `string` and a `path` param * Returns error codes 400 and 404, with the messages provided In the routes file, you then wire this api as follows: ``` GET /pet/:id controllers.PetApiController.getPetById(id) ``` This will "attach" the /api-docs/pet api to the swagger resource listing, and the method to the `getPetById` method above Please note that the minimum configuration needed to have a route/controller be exposed in swagger declaration is to have an `Api` annotation at class level. #### The ApiParam annotation Swagger for play has two types of `ApiParam`s--they are `ApiParam` and `ApiImplicitParam`. The distinction is that some paramaters (variables) are passed to the method implicitly by the framework. ALL body parameters need to be described with `ApiImplicitParam` annotations. If they are `queryParam`s or `pathParam`s, you can use `ApiParam` annotations. # application.conf - config options ``` api.version (String) - version of API | default: "beta" swagger.api.basepath (String) - base url | default: "http://localhost:9000" swagger.filter (String) - classname of swagger filter | default: empty swagger.api.info = { contact : (String) - Contact Information | default : empty, description : (String) - Description | default : empty, title : (String) - Title | default : empty, termsOfService : (String) - Terms Of Service | default : empty, license : (String) - Terms Of Service | default : empty, licenseUrl : (String) - Terms Of Service | default : empty } ``` ## Note on Dependency Injection This plugin works by default if your application uses Runtime dependency injection. Nevertheless, a helper is provided `SwaggerApplicationLoader` to ease the use of this plugin with Compile Time Dependency Injection. ## Other Swagger-Play integrations This Swagger-Play integration allows you to use [Swagger annotations](https://github.com/swagger-api/swagger-core/wiki/Annotations-1.5.X) on your Play actions to generate a Swagger spec at runtime. The libraries below take different approaches to creating an integration. * [iheartradio/play-swagger](https://github.com/iheartradio/play-swagger) - Write a Swagger spec in your routes file * [zalando/api-first-hand](https://github.com/zalando/api-first-hand) - Generate Play code from a Swagger spec ## License Copyright 2011-2016 SmartBear Software Copyright 2017-2020 <NAME> Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at [apache.org/licenses/LICENSE-2.0](http://www.apache.org/licenses/LICENSE-2.0) Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.<file_sep>/test/testdata/SettlementsSearcherController.java package testdata; import com.fasterxml.jackson.annotation.JsonInclude; import io.swagger.annotations.*; import play.mvc.Controller; import play.mvc.Http; import play.mvc.Http.Request; import play.mvc.Result; import java.util.List; @Api(value = "/apitest/search", tags = { "Search" }) public class SettlementsSearcherController extends Controller { @ApiOperation(value = "Search for settlement", notes = "Search for a settlement with personal number and property id.", httpMethod = "GET", nickname = "getsettlement", produces = "application/json", response = Settlement.class, responseContainer = "List") @ApiResponses({ @ApiResponse(code = Http.Status.BAD_REQUEST, message = "Bad Request"), @ApiResponse(code = Http.Status.UNAUTHORIZED, message = "Unauthorized"), @ApiResponse(code = Http.Status.INTERNAL_SERVER_ERROR, message = "Server error") }) @ApiImplicitParams({ @ApiImplicitParam(value = "Token for logged in user", name = "Authorization", required = false, dataType = "string", paramType = "header"), }) public Result search(Request req, @ApiParam(value = "A personal number of one of the sellers.", example = "0101201112345") String personalNumber, @ApiParam(value = "The cadastre or share id.", example = "1201-5-1-0-0", required = true) String propertyId) { return ok(); } // @ApiOperation(value = "Search for settlement", // notes = "Search for a settlement with personal number and property id.", // httpMethod = "GET", // nickname = "getsettlementToo", // produces = "application/json", // response = int.class) // public Result searchToo(Request req, @ApiParam(value = "The cadastre or share id.", example = "1201-5-1-0-0", required = // true) String propertyId) { // return ok(); // } } @JsonInclude(JsonInclude.Include.NON_EMPTY) class Settlement { @ApiModelProperty(required = true) public String settlementId; @ApiModelProperty(required = true) public List<String> sellers; @ApiModelProperty public List<String> buyers; @ApiModelProperty public Integer purchaseAmount; }
b980f7de3b55acefe21297ceb0165962ca8f9c20
[ "Markdown", "Java" ]
2
Markdown
wjtan/swagger-play
c5c5f9505fa75ae3bef1ee473c24ee5dc68c35aa
44a30397c45a94928a72adf2fe49e409a58bdd10
refs/heads/master
<file_sep>build_sitemap <- function(pkg = ".") { pkg <- as_pkgdown(pkg) url <- pkg$meta$url if (is.null(url)) { return() } urls <- paste0(url, "/", c( path("reference", unique(pkg$topics$file_out)), path(pkg$vignettes$file_out) ) ) write_if_different(pkg, urls, "sitemap.txt", check = FALSE) invisible() }
a37a6b800ac8c1c1ba7417a1e9453deeca6b5804
[ "R" ]
1
R
DataXujing/pkgdown
b074c575119c35459f544f15e3dae3a6d617d9bb
344c9555e4cd4b38fa57e15e694f5a9bf8919871
refs/heads/master
<file_sep>package com.zca.commons; import org.apache.commons.io.FileUtils; import org.apache.commons.io.IOUtils; import java.io.File; import java.io.IOException; import java.net.URL; import java.util.ArrayList; import java.util.List; /** * 写内容 * @author Altria */ public class TestCommons04 { public static void main(String[] args) throws IOException { // 拷贝文件 // FileUtils.copyFile(new File("Alter1.jpg"), new File("01.jpg")); // 拷贝文件到指定目录 // FileUtils.copyFileToDirectory(new File("Alter1.jpg"), new File("test")); // 将一个目录拷贝到另一个目录下 // FileUtils.copyDirectoryToDirectory(new File("test"), new File("test2")); // 将一个目录下的所有内容拷贝到另一个目录下 // FileUtils.copyDirectory(new File("test"), new File("test2")); // 拷贝url上的内容到文件 // String url = "https://img.nga.178.com/attachments/mon_201707/10/f0Q7uie-c3roK1wT1kS5a-3m.png"; // FileUtils.copyURLToFile(new URL(url), new File("FGO.png")); String datas = IOUtils.toString(new URL("http://www.baidu.com"), "UTF-8"); System.out.println(datas); } } <file_sep>package com.zca.commons; import org.apache.commons.io.FileUtils; import org.apache.commons.io.LineIterator; import java.io.File; import java.io.IOException; import java.util.List; /** * 读内容 * @author Altria */ public class TestCommons02 { public static void main(String[] args) throws IOException { // 读取整个文件 String msg = FileUtils.readFileToString(new File("test.txt"), "UTF-8"); System.out.println(msg); // 将文件读取到字节数组中 byte[] datas = FileUtils.readFileToByteArray(new File("test.txt")); System.out.println("字节数组的长度: " + datas.length); // 逐行读取: 一 List<String> msgs = FileUtils.readLines(new File("test.txt"), "UTF-8"); System.out.println("逐行读取文件: " + msgs.get(0)); // 逐行读取: 二 LineIterator it = FileUtils.lineIterator(new File("test.txt"), "UTF-8"); while(it.hasNext()){ System.out.println(it.nextLine()); } } }
de927c61423b9674315c0038cf5d18d50dcfb78c
[ "Java" ]
2
Java
Altria11043/Java_IO_Commons
58ce643260a77e096c2bb6d0c6f035860cbc6a30
44e6895c8148c22cadbd096aa6233031e2d0883b
refs/heads/master
<repo_name>jUNGDAi/sample-server<file_sep>/Dockerfile FROM node:8-alpine RUN mkdir /app COPY *.js /app/ COPY *.json /app/ COPY *.text /app/ WORKDIR /app RUN npm install # export port 8000 real port EXPOSE 8000 CMD "node" "app-express"<file_sep>/app.js var http = require('http'); // http เป็น build in ของ node มีมาให้เลย และ require เป็น function ของ node นะ ไม่ใช่ของ js ใช้สำหรับเรียก module http.createServer(function(req,res){  // การทำงานของ http มันก็จะต้องมี request and response res.writeHead(200,{'Content-Type':'text/plain'}); res.end('yes you can\n'); }).listen(8000); console.log("server running port 8000");  <file_sep>/app-call-pattern-5.js // /PATTERN 5: EXPORT A NAMED OBJECT var baz = require('./baz.js').Baz; baz.log(); // var baz2 = require('./baz.js').Baz2; // baz2.log();<file_sep>/app-express.js const express = require('express'); const bodyParser = require("body-parser"); /// ถ้าจะรับค่าจาก body :: POST จำเป็นต้องใช้ตัวนี้ const app = express(); const server = require('http').Server(app); const cors = require('cors'); server.listen(3000); const birds = require('./birds'); const user = require('./controller/user'); const login = require('./controller/login'); app.use(cors()); app.use(bodyParser.json()); app.use(bodyParser.urlencoded({ extended: true })) app.use(express.static('web')); /// folder อะไรก็ได้ อ้างอิงให้ถูกก็พอ console.log("server running port 3000"); app.use('/birds', birds); app.use("/api/v1/user", user); app.use("/api/v1/login", login); app.get('/te*', function (req, res, next) { console.log("ดีจ้า "); next(); }); app.get('/hello', function (req, res) { console.log(req.query) res.end(" Hello : alone " + req.query.userName); }) app.get('/hello/:userName/:age/', function (req, res) { console.log(req.params) res.end(" Hello : " + req.params.userName); }); app.post('/hello', function (req, res) { console.log(req.body); let obj = { code: "123456", name: req.body.data.name + " " + req.body.data.lastname } res.json(obj); //// .json คือ return เป็น application/json; }); var cb0 = function (req, res, next) { console.log('CB0'); next(); } var cb1 = function (req, res, next) { console.log('CB1'); next(); } var cb2 = function (req, res) { res.send('Hello from C!'); /// .send() คือสามารถส่งได้มากกว่า 1 ไม่เหมือน .end() } app.get('/example/c', [cb0, cb1, cb2]); app.route('/book') .get(function (req, res) { res.send('Get a random book'); }) .post(function (req, res) { res.send('Add a book'); }) .put(function (req, res) { res.send('Update the book'); }); <file_sep>/baz.js // /PATTERN 5: EXPORT A NAMED OBJECT var Baz = function () { }; Baz.prototype.log = function () { console.log('baz!'); }; exports.Baz = new Baz(); // var Baz2 = function () { }; // Baz2.prototype.log = function () { // console.log('baz2!'); // } // exports.Baz2 = new Baz2(); <file_sep>/controller/user.js const express = require('express'); const router = express.Router(); const mysqldb = require('../shared/mysql-db'); router.post('/', function (req, res) { let obj = req.body; let sql = ` insert into sc_user ( user_code, user_title, user_first_name, user_last_name, user_mobile, user_tel, user_email, user_pwd, user_active ) values ( '${obj.userCode}', '${obj.userTitle}', '${obj.userFirstName}', '${obj.userLastName}', '${obj.userMobile}', '${obj.userTel}', '${obj.userEmail}', '${obj.userPwd}', '${obj.userActive}' ) `; mysqldb.query(sql, function (err, result) { if (err) res.json(err); else res.json({ success: true }) }) }) module.exports = router;<file_sep>/buz.js // PATTERN 4: EXPORT AN ANONYMOUS OBJECT /// เพิ่ม method ได้เรื่อย ๆ เลย เป็นแบบ Object ตอนเรียกก็ไป dot dot เอา var Buz = function () { }; Buz.prototype.log = function () { console.log('buz!'); }; Buz.prototype.hi = function ( msg ) { console.log('Hi = ' + msg) } module.exports = new Buz(); <file_sep>/test-waterfall.js const async = require("async"); /// const คือ ตัวแปรที่ไม่มีการเปลี่ยนค่า ////// นิยม ใช้ ตอน การเชื่อมต่อฐานข้อมูล ในการ execute statement async.waterfall([ ////// Default ว่าต้องมีแค่ parameter เดียว function (callback) { /** * logic */ console.log("step 1") callback("Error Step 1", 'one', 'two'); }, function (arg1, arg2, callback) { // arg1 now equals 'one' and arg2 now equals 'two' console.log("step 2") callback(null, 'three'); }, function (arg1, callback) { // arg1 now equals 'three' console.log("step 3") callback(null, 'done'); } ], function (err, result, data) { // result now equals 'done' console.log("final step") if (err) console.error(err); console.log(result); });<file_sep>/app-call-pattern-7.js // PATTERN 7: EXPORT A NAMED PROTOTYPE var Qux = require('./qux.js').Qux; var qux = new Qux(); qux.log(); <file_sep>/test-parallel.js /// ไม่ต้องรอกัน const parallel = require("async").parallel; parallel([ function(callback) { setTimeout(function() { console.log('one'); callback(null, 'one'); }, 200); }, function(callback) { setTimeout(function() { console.log('two'); callback(null, 'two'); }, 100); }, function(callback) { setTimeout(function() { console.log('three'); callback("ERR-3", 'three'); }, 150); } ], // optional callback function(err, results) { //// ยังไงก็เข้า function นี้ และผลลัพธ์ จะเรียงกันมาเลย ตามลำดับ function แม้ 2 จะเสร็จก่อน 1 แต่ผลลัพธ์ที่มาในรูปแบบ array ก็จะเรียงกันมา 1,2 if ( err ) console.error(err) console.dir(results); });<file_sep>/app-call-pattern-6.js // PATTERN 6: EXPORT AN ANONYMOUS PROTOTYPE var Doo = require('./doo.js'); var doo = new Doo(); doo.log(); <file_sep>/app-call-pattern-2.js // PATTERN 2: EXPORT AN ANONYMOUS FUNCTION var bar = require('./bar.js'); bar(); /// bar นี้เป็นชื่อตัวแปร var bar ที่เราเรียก module<file_sep>/shared/mysql-db.js var MysqlDB = function () { }; var mysql = require('mysql'); var pool = mysql.createPool({ host: "192.168.99.100", user: "issue", password: "<PASSWORD>", database: "issue_db", connectionLimit: 10, multipleStatements: true }); MysqlDB.prototype.query = function (sql, cb) { pool.getConnection(function (err, _con) { if (err) { console.error('Connection fail'); console.error(err); } else { _con.query(sql, function (err, result) { _con.release(); cb(err, result); }); } }); }; module.exports = new MysqlDB(); <file_sep>/async.js var fs = require("fs"); // ธรรมชาติของ callback function ตัว parameter ที่เราจะมี 2 ตัว ตัวแรกคือ error ตัวที่สองคือ data ที่ return var call_back = function (err, data) { if (!err) { console.log(data); } } fs.readFile('message.text', 'utf8', call_back); console.log("something else");<file_sep>/foo.js //PATTERN 1: DEFINE A GLOBAL foo = function () { console.log('foo!'); } foo2 = function ( msg ) { console.log("msg = " + msg); }<file_sep>/test-series.js /// ใช้ PATTERN 3: EXPORT A NAMED FUNCTION const series = require("async").series; //// ทำเหมือน waterfall 1 -> 2 -> 3 series([ /// series จะมี Parameter callback อันเดียว function (callback) { // do some stuff ... console.log("step 1") callback(null, 'one'); }, function (callback) { // do some more stuff ... console.log("step 2") callback(null, 'two'); }, function (callback) { // do some stuff ... console.log("step 3") callback("ERR-3", 'three'); ////// ถ้าพังตรงนี้ มันจะส่งค่าที่มีการทำไปแล้ว แต่อาจจะทำไม่สมบูรณ์ กลับไปให้ด้วย เพื่อ Debug ดู }, function (callback) { // do some more stuff ... console.log("step 4") callback(null, 'four'); } ], // optional callback function (err, results) { // results is now equal to ['one', 'two'] if (err) console.error(err, results[results.length-1]); else console.log(results) } ); <file_sep>/fiz.js // PATTERN 3: EXPORT A NAMED FUNCTION // ข้อดีคือตั้งชื่อได้ มีหลาย fn ได้ exports.fiz = function () { console.log('fiz!'); }; exports.fiz2 = function (msg) { console.log("msg = " + msg); };<file_sep>/app-call-pattern-1.js // PATTERN 1: DEFINE A GLOBAL require('./foo.js'); foo(); foo2() foo2("ji"); foo2("v1", "v2", "v3"); <file_sep>/app-call-pattern-3.js // PATTERN 3: EXPORT A NAMED FUNCTION var fiz = require('./fiz.js').fiz; fiz(); fiz("v1"); var fiz2 = require('./fiz.js').fiz2; fiz2("v2"); var fizz = require('./fiz.js'); fizz.fiz(); fizz.fiz2("vAll");
fa2bfae041fb8e9d90a8e17c1a47bd28d77e529c
[ "JavaScript", "Dockerfile" ]
19
Dockerfile
jUNGDAi/sample-server
400e23a1858672811b4fd4678f52c3f1f02e94cd
9f2372b4bfb7d745151116827a37bb36fb2a58c2
refs/heads/master
<repo_name>Ruby-Zhuang/lotide<file_sep>/findKeyValue.js // ACTUAL FUNCTION const findKeyValue = function(object, value) { if (!object) { return; } let key; const existingKeys = Object.keys(object); for (const currentKey of existingKeys) { if (object[currentKey] === value) { key = currentKey; } } return key; }; module.exports = findKeyValue;<file_sep>/test/assertEqualTest.js // REQUIRE MODULES // const assertEqual = require('../assertEqual'); // TEST CODE // assertEqual(1, 3); // assertEqual(1, 1); // assertEqual("Lighthouse Labs", "Bootcamp"); // assertEqual("Bootcamp", "Bootcamp");<file_sep>/README.md # Lotide A mini clone of the [Lodash](https://lodash.com) library. ## Purpose **_BEWARE:_ This library was published for learning purposes. It is _not_ intended for use in production-grade software.** This project was created and published by me as part of my learnings at Lighthouse Labs. ## Usage **Install it:** `npm install @ruby.zhuang/lotide` **Require it:** `const _ = require('@ruby.zhuang/lotide');` **Call it:** `const results = _.tail([1, 2, 3]) // => [2, 3]` ## Documentation The following functions are currently implemented: * `countLetters(string)`: takes in a sentence (as a string) and then returns a count of each of the letters in that sentence. * `countOnly(array, object)`: takes in an array of items and then returns counts for a specific subset of those items. * `eqArrays(array1, array2)`: two arrays and then returns true or false, based on a perfect match. * `eqObjects(object1, object2)`: takes in two objects and then returns true or false, based on a perfect match. * `findKey(ojbect, vlaue)`: takes in an object and a value and then returns the first key which contains the given value. If no key with that given value is found, then it should return undefined. * `findKeyValue(object, callback)`: takes in an object and a callback and then returns the first key for which the callback returns a truthy value. If no key is found, then it should return undefined. * `flatten(array)`: takes in an array containing elements including nested arrays of elements, and then returns a "flattened" version of the array. * `head(array)`: takes in an array and then returns the first item in the array. * `letterPositions(string)`: takes in a sentence and then returns all the indices (zero-based positions) in the string where each character is found. * `map(array, callback)`: takes in an array and callback and then returns a new array based on the results of the callback function. * `middle(array)`: takes in an array and then returns the middle-most element(s) of the given array. * `tail(array)`: takes in an array and then returns the "tail" of an array - everything except for the first item (head) of the provided array. * `takeUntil(array, callback)`: takes in an array and callback function and then returns a slice of the array with elements taken from the beginning until the callback provided returns a truthy value. * `without(source, itemsToRemove)`: takes in a source array and a itemsToRemove array and then returns a subset of a given array, removing unwanted elements.<file_sep>/test/findKeyValueTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const findKeyValue = require("../findKeyValue"); // TEST CODE describe("#findKeyValue", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(findKeyValue({}, "drama")); }); it("returns undefined for empty value", () => { const input = {sciFi: "The Expanse", comedy: "Brooklyn Nine-Nine", romance: ""}; assert.strictEqual(findKeyValue(input), undefined); }); // Happy Path it("returns 'sciFi' for 'The Expanse' in {sciFi: 'The Expanse', comedy: 'Brooklyn Nine-Nine', romance: ''}", () => { const input = {sciFi: "The Expanse", comedy: "Brooklyn Nine-Nine", romance: ""}; assert.strictEqual(findKeyValue(input, "The Expanse"), "sciFi"); }); it("returns 'romance' for '' in {sciFi: 'The Expanse', comedy: 'Brooklyn Nine-Nine', romance: ''}", () => { const input = {sciFi: "The Expanse", comedy: "Brooklyn Nine-Nine", romance: ""}; assert.strictEqual(findKeyValue(input, ""), "romance"); }); it("returns undefined for 'That '70s Show' in {sciFi: 'The Expanse', comedy: 'Brooklyn Nine-Nine', romance: ''}", () => { const input = {sciFi: "The Expanse", comedy: "Brooklyn Nine-Nine", romance: ""}; assert.strictEqual(findKeyValue(input, "That '70s Show"), undefined); }); }); <file_sep>/takeUntil.js // TEST/ASSERTION FUNCTIONS //const eqArrays = require("./eqArrays"); //const assertArraysEqual = require("./assertArraysEqual"); // ACTUAL FUNCTION const takeUntil = function(array, callback) { const results = []; if (!array || !callback) { return; } for (const element of array) { if (!callback(element)) { results.push(element); } else { return results; } } return results; }; module.exports = takeUntil;<file_sep>/test/middleTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const middle = require("../middle"); // TEST CODE describe("#middle", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(middle()); }); it("returns [] for []", () => { assert.deepEqual(middle([]), []); }); it("returns [] for [1]", () => { assert.deepEqual(middle([1]), []); }); it("returns [] for [1, 2]]", () => { assert.deepEqual(middle([1, 2]), []); }); // Happy Path it("returns [2] for [1, 2, 3]", () => { assert.deepEqual(middle([1, 2, 3]),[2]); }); it("returns [2, 3] for [1, 2, 3, 4]", () => { assert.deepEqual(middle([1, 2, 3, 4]), [2, 3]); }); it("returns ['3', '4'] for [1, 2, '3', '4', 5, 6]", () => { assert.deepEqual(middle([1, 2, "3", "4", 5, 6]), ["3", "4"]); }); });<file_sep>/test/mapTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const map = require("../map"); // TEST CODE describe("#map", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(map()); }); // Happy Path it("returns ['g', 'c', 't', 'm', 't'] for ['ground', 'control', 'to', 'major', 'tom']", () => { const array = ["ground", "control", "to", "major", "tom"]; const actual = map(array, word => word[0]); const expected = ["g", "c", "t", "m", "t"]; assert.deepEqual(actual, expected); }); it("returns [2, 4, 6, 8] for [1, 2, 3, 4]", () => { const array = [1, 2, 3, 4]; const actual = map(array, num => num * 2); const expected = [2, 4, 6, 8]; assert.deepEqual(actual, expected); }); it("returns [false, true, false, true] for [1, 2, 3, 4]", () => { const array = [1, 2, 3, 4]; const actual = map(array, num => num % 2 === 0); const expected = [false, true, false, true]; assert.deepEqual(actual, expected); }); });<file_sep>/test/flattenTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const flatten = require("../flatten"); // TEST CODE describe("#flatten", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(flatten()); }); it("returns [] for []", () => { assert.deepEqual(flatten([]), []); }); // Happy Path it("returns [1, 2, 3, 4, 5, 6] for [1, 2, [3, 4], 5, [6]]", () => { const array = [1, 2, [3, 4], 5, [6]]; const actual = flatten(array); const expected = [1, 2, 3, 4, 5, 6]; assert.deepEqual(actual, expected); }); it("returns [1, 2, 3, 4, 5, 6] for [1, 2, [3, 4, 5], 6, []]", () => { const array = [1, 2, [3, 4, 5], 6, []]; const actual = flatten(array); const expected = [1, 2, 3, 4, 5, 6]; assert.deepEqual(actual, expected); }); it("returns ['1', '2', 3, '4', '5', 6] for ['1', '2', [3, '4'], '5', [6]]", () => { const array = ["1", "2", [3, "4"], "5", [6]]; const actual = flatten(array); const expected = ["1", "2", 3, "4", "5", 6]; assert.deepEqual(actual, expected); }); });<file_sep>/head.js // HEAD FUNCTION const head = function(array) { if (!Array.isArray(array)) { return; } if (array.length > 0) { return array[0]; } return; }; // MODULE EXPORTS module.exports = head;<file_sep>/eqObjects.js // REQUIRE FUNCTIONS const eqArrays = require("./eqArrays"); // ACTUAL FUNCTION const eqObjects = function(object1, object2) { const object1Keys = Object.keys(object1); const object2Keys = Object.keys(object2); if (object1Keys.length !== object2Keys.length) { return false; } for (const key of object1Keys) { const currentValue1 = object1[key]; const currentValue2 = object2[key]; // Check if objects are arrays if (Array.isArray(currentValue1) && Array.isArray(currentValue2)) { if (!eqArrays(currentValue1, currentValue2)) { return false; } // Recursive case if values are objects (but not arrays) } else if ((typeof currentValue1 === "object") && (typeof currentValue2 === "object")) { if (!eqObjects(currentValue1, currentValue2)) { return false; } // Base case } else if (currentValue1 !== currentValue2) { return false; } } return true; }; module.exports = eqObjects;<file_sep>/findKey.js // ACTUAL FUNCTION const findKey = function(array, callback) { let result; for (const key in array) { if (callback(array[key])) { result = key; return result; } } return result; }; module.exports = findKey;<file_sep>/test/eqObjectsTest.js // REQUIRE MODULES const assert = require('chai').assert; const eqObjects = require('../eqObjects'); // TEST CODE describe("#eqObjects", () => { // Happy Path it("returns false if number of keys don't match", () => { const ab = { a: "1", b: "2" }; const abc = { a: "1", b: "2", c: "3" }; assert.isFalse(eqObjects(ab, abc)); }); it("returns true for {a: '1', b: '2'} and {b: '2', a: '1'}", () => { const ab = { a: "1", b: "2" }; const ba = { b: "2", a: "1" }; assert.isTrue(eqObjects(ab, ba)); }); it("returns false for {a: '1', b: '2', c: '3'} and {a: '1', b: '2', d: '3'}", () => { const abc = { a: "1", b: "2", c: "3" }; const abd = { a: "1", b: "2", d: "3" }; assert.isFalse(eqObjects(abc, abd)); }); it("returns true for {c: '1', d: ['2', 3]} and {d: ['2', 3], c: '1'}", () => { const cd = { c: "1", d: ["2", 3] }; const dc = { d: ["2", 3], c: "1" }; assert.isTrue(eqObjects(cd, dc)); }); it("returns false for {c: '1', d: ['2', 3]} and {c: '1', d: ['2', 3, 4]}", () => { const cd = { c: "1", d: ["2", 3] }; const cd2 = { c: "1", d: ["2", 3, 4] }; assert.isFalse(eqObjects(cd, cd2)); }); it("returns false for {a: {z: 1}, b: 2} and {a: {z: 1}, b: 2}", () => { const object1 = { a: { z: 1 }, b: 2 }; const object2 = { a: { z: 1 }, b: 2 }; assert.isTrue(eqObjects(object1, object2)); }); it("returns false for {a: {y: 0, z: 1}, b: 2} and {a: {z: 1}, b: 2}", () => { const object1 = { a: { y: 0, z: 1 }, b: 2 }; const object2 = { a: { z: 1 }, b: 2 }; assert.isFalse(eqObjects(object1, object2)); }); it("returns true for {a: {z: {y: [1]}}, b: ['2', 3, 4]} and {a: {z: {y: [1]}}, b: ['2', 3, 4]}", () => { const object1 = { a: { z: {y: [1]}}, b: ["2", 3, 4] }; const object2 = { a: { z: {y: [1]}}, b: ["2", 3, 4] }; assert.isTrue(eqObjects(object1, object2)); }); });<file_sep>/countLetters.js // ACTUAL FUNCTION const countLetters = function(text) { if (!text) { return; } const result = {}; const noSpaces = text.split(" ").join(""); for (const letter of noSpaces) { if (result[letter]) { result[letter] += 1; } else { result[letter] = 1; } } return result; }; module.exports = countLetters;<file_sep>/test/takeUntilTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const takeUntil = require("../takeUntil"); // TEST CODE describe("#takeUntil", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(takeUntil()); }); // Happy Path it("returns [1, 2, 5, 7, 2] for [1, 2, 5, 7, 2, -1, 2, 4, 5] to take values until < 0", () => { const array = [1, 2, 5, 7, 2, -1, 2, 4, 5]; const actual = takeUntil(array, x => x < 0); const expected = [1, 2, 5, 7, 2]; assert.deepEqual(actual, expected); }); it("returns ['I've', 'been', 'to', 'Hollywood'] for ['I've', 'been', 'to', 'Hollywood', ',', 'I've', 'been', 'to', 'Redwood'] to take values until ','", () => { const array = ["I've", "been", "to", "Hollywood", ",", "I've", "been", "to", "Redwood"]; const actual = takeUntil(array, x => x === ','); const expected = ["I've", "been", "to", "Hollywood"]; assert.deepEqual(actual, expected); }); });<file_sep>/test/withoutTest.js // REQUIRE FUNCTIONS const assert = require('chai').assert; const without = require("../without"); // TEST CODE describe("#without", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(without()); }); it("returns [2, 3] for [2, 3] with no items to remove", () => { const array = [2, 3]; const actual = without(array, []); const expected = [2, 3]; assert.deepEqual(actual, expected); }); it("returns [2, 3] for [2, 3] removing [1]", () => { const array = [2, 3]; const actual = without(array, [1]); const expected = [2, 3]; assert.deepEqual(actual, expected); }); it("returns [] for [2, 3] removing [2, 3]", () => { const array = [2, 3]; const actual = without(array, [2, 3]); const expected = []; assert.deepEqual(actual, expected); }); // Happy Path it("returns ['1', '2'] for ['1', '2', '3'] removing [1, 2, '3']", () => { const array = ["1", "2", "3"]; const actual = without(array, [1, 2, "3"]); const expected = ["1", "2"]; assert.deepEqual(actual, expected); }); }); <file_sep>/test/tailTest.js // REQUIRE MODULES const assert = require('chai').assert; const tail = require('../tail'); // TEST CODE describe("#tail", () => { // Edge Cases it("returns undefined for empty input", () => { assert.isUndefined(tail()); }); it("returns [] for []", () => { assert.deepEqual(tail([]), []); }); it("returns [] for [1]", () => { assert.deepEqual(tail([1]), []); }); // Happy Path it("returns [2] for [1, 2]", () => { assert.deepEqual(tail([1, 2]),[2]); }); it("returns ['Lighthouse', 'Labs'] for ['Hello', 'Lighthouse', 'Labs']", () => { assert.deepEqual(tail(["Hello", "Lighthouse", "Labs"]),["Lighthouse", "Labs"]); }); });
5a55b4e8e4bda7514307b51e492bad8a07d72d4f
[ "JavaScript", "Markdown" ]
16
JavaScript
Ruby-Zhuang/lotide
7b5a8a50cc802a8377e106e55292f17835d9f4ac
640b1d58458ad6b56c9c13cabd57aee263554bc5
refs/heads/master
<repo_name>sifana06/reservasi_bordir<file_sep>/database/migrations/2020_04_27_091654_create_orders_table.php <?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; class CreateOrdersTable extends Migration { /** * Run the migrations. * * @return void */ public function up() { Schema::create('orders', function (Blueprint $table) { $table->bigIncrements('id'); $table->unsignedInteger('user_id'); $table->unsignedInteger('store_id')->nullable(); $table->unsignedInteger('product_id')->nullable(); $table->string('order_number')->unique(); $table->string('foto',191)->nullable(); $table->string('jenis_bordir', 15)->nullable(); $table->text('keterangan')->nullable(); $table->string('nama_pelanggan', 35); $table->string('email',50)->unique()->nullable(); $table->string('telepon', 13); $table->integer('kabupaten'); $table->integer('kecamatan'); $table->integer('desa'); $table->text('alamat'); $table->text('catatan'); $table->date('deadline'); $table->string('jumlah',3); $table->string('harga',7)->nullable(); $table->string('total', 8)->nullable(); $table->string('status_order',15)->nullable(); $table->string('status_pengiriman',15)->nullable(); $table->string('tipe_pembayaran', 15)->nullable(); $table->string('tipe_pengiriman', 15)->nullable(); $table->timestamp('order_at')->nullable(); $table->timestamp('received_at')->nullable(); $table->timestamps(); }); } /** * Reverse the migrations. * * @return void */ public function down() { Schema::dropIfExists('orders'); } } <file_sep>/database/seeds/UserSeeder.php <?php //panggil model use App\User; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\DB; class UserSeeder extends Seeder { /** * Run the database seeds. * * @return void */ public function run() { // panggil nama function $this->user(); } public function user() /**ini nama function.e, menyesuaikan aja */ { $payload = [ 'name' => 'Dandy', 'email' => '<EMAIL>', 'password' => bcrypt('<PASSWORD>'), 'phone' => '0823239323423', 'role' => 'admin', 'jenis_kelamin' => 'perempuan', ]; User::firstOrCreate($payload)->sharedLock()->get(); $payload = [ 'name' => 'Dono', 'email' => '<EMAIL>', 'password' => <PASSWORD>('<PASSWORD>'), 'phone' => '087567786734', 'role' => 'pemilik', 'jenis_kelamin' => 'perempuan', ]; User::firstOrCreate($payload); $payload = [ 'name' => 'Anda', 'email' => '<EMAIL>', 'password' => bcrypt('<PASSWORD>'), 'phone' => '0834573465234', 'role' => 'pemilik', 'jenis_kelamin' => 'perempuan', ]; User::firstOrCreate($payload); } } <file_sep>/database/migrations/2020_04_27_091634_create_transactions_table.php <?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; class CreateTransactionsTable extends Migration { /** * Run the migrations. * * @return void */ public function up() { Schema::create('transactions', function (Blueprint $table) { $table->bigIncrements('id'); $table->integer('pemilik_id')->nullable(); $table->integer('pelanggan_id')->nullable(); $table->integer('product_id')->nullable(); $table->integer('rekening_id')->nullable(); $table->integer('toko_id')->nullable(); $table->string('kode_transaksi', 15); $table->date('tanggal_transaksi'); $table->string('status',15); $table->timestamps(); }); } /** * Reverse the migrations. * * @return void */ public function down() { Schema::dropIfExists('transactions'); } } <file_sep>/database/migrations/2020_05_17_065519_create_kabupaten_kota_table.php <?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; class CreateKabupatenKotaTable extends Migration { /** * Run the migrations. * * @return void */ public function up() { Schema::create('kabupaten', function (Blueprint $table) { $table->bigIncrements('id'); $table->string('nama',15); $table->timestamps(); }); Schema::create('kecamatan', function (Blueprint $table) { $table->bigIncrements('id'); $table->integer('kabupaten_id'); $table->string('nama',25); $table->timestamps(); }); Schema::create('desa', function (Blueprint $table) { $table->bigIncrements('id'); $table->integer('kecamatan_id'); $table->string('nama',25); $table->timestamps(); }); } /** * Reverse the migrations. * * @return void */ public function down() { Schema::dropIfExists('kabupaten'); Schema::dropIfExists('kecamatan'); Schema::dropIfExists('desa'); } } <file_sep>/app/Http/Controllers/DashboardController.php <?php namespace App\Http\Controllers; use Illuminate\Http\Request; use Illuminate\Support\Facades\Storage; use Illuminate\Support\Facades\File; use App\Models\Transaksi; use App\Models\Order; use PDF; class DashboardController extends Controller { public function __construct() { $this->middleware(['auth','verified']); } public function index() { return redirect()->route('dashboard'); } public function dashboard() { $check = auth()->user()->role; if($check == 'pelanggan'){ return redirect()->route('home'); }else{ return view('dashboard.dashboard'); } } public function create() { // } public function store(Request $request) { // } public function show($id) { // } public function edit($id) { // } public function update(Request $request, $id) { // } public function destroy($id) { // } public function profile() { $user = auth()->user()->role; if($user == 'pelanggan'){ return view('pelanggan.profile'); }else{ return view('dashboard.profile'); } } public function profileUpdate(Request $request) { $messages = [ 'required' => ':attribute tidak boleh kosong.', 'regex' => ':attribute harus berupa karakter alphabet.', 'numeric' => ':attribute harus berupa karakter angka.', 'alpha' => ':attribute harus berupa karakter alphabet.', ]; $customAttributes = [ 'name' => 'Nama', 'phone' => 'Telepon', 'no_ijin' => 'Nomor Izin Usaha', ]; $valid = $request->validate([ 'name' => 'required|alpha', 'phone' => 'required|numeric|digits_between:11,13', 'no_ijin' => 'numeric' ],$messages,$customAttributes); if($valid == true){ $user = auth()->user(); $user->name = $request->name; $user->phone = $request->phone; $user->no_ijin = $request->no_ijin; $user->foto = $request->foto; if (isset($request->new_password) && $request->new_password == $request->confirm_password) { $user->password = <PASSWORD>($request->new_password); } $user->save(); return redirect()->route('profile')->with('success', 'Profile updated successfully.'); } return redirect()->route('profile')->with('error', 'Profile updated is failed.'); } public function updateFotoProfile(Request $request) { $valid = $request->validate([ 'foto' => 'required|mimes:jpg,png,jpeg,gif,svg' ]); if($valid == true){ //cek foto $cover = $request->file('foto'); $extension = $cover->getClientOriginalExtension(); Storage::disk('public')->put($cover->getFilename().'.'.$extension, File::get($cover)); $user = auth()->user(); $user->foto = $cover->getFilename().'.'.$extension; $user->save(); return redirect()->route('profile')->with('success', 'Profile updated successfully.'); } return redirect()->route('profile')->with('error', 'Profile updated is failed.'); } public function lapPesanan() { if(auth()->user()->role == 'pemilik'){ $id = auth()->user()->id; $data['pesanan'] = Order::with(['product','user_customer','store_product'])->select(['id', 'user_id','store_id','pemilik_id','product_id','order_number','foto','jenis_bordir','keterangan','nama_pelanggan','email','telepon','kabupaten','kecamatan','desa','alamat','catatan','deadline','jumlah','harga','total','status_order','status_pembayaran','status_pengiriman','tipe_pembayaran','order_at','received_at', 'created_at'])->where('pemilik_id',$id)->get(); } else{ $data['pesanan'] = Order::with(['product','user_customer','store_product'])->select(['id', 'user_id','store_id','product_id','order_number','foto','jenis_bordir','keterangan','nama_pelanggan','email','telepon','kabupaten','kecamatan','desa','alamat','catatan','deadline','jumlah','harga','total','status_order','status_pembayaran','status_pengiriman','tipe_pembayaran','order_at','received_at', 'created_at'])->get(); } return view('dashboard.laporan.lap_pesanan',$data); } public function cetak_pesanan() { if(auth()->user()->role == 'pemilik'){ $id = auth()->user()->id; $pesanan = Order::with(['product','user_customer','store_product'])->select(['id', 'user_id','store_id','pemilik_id','product_id','order_number','foto','jenis_bordir','keterangan','nama_pelanggan','email','telepon','kabupaten','kecamatan','desa','alamat','catatan','deadline','jumlah','harga','total','status_order','status_pembayaran','status_pengiriman','tipe_pembayaran','order_at','received_at', 'created_at'])->where('pemilik_id',$id)->get(); } else{ $pesanan = Order::with(['product','user_customer','store_product'])->select(['id', 'user_id','store_id','product_id','order_number','foto','jenis_bordir','keterangan','nama_pelanggan','email','telepon','kabupaten','kecamatan','desa','alamat','catatan','deadline','jumlah','harga','total','status_order','status_pembayaran','status_pengiriman','tipe_pembayaran','order_at','received_at', 'created_at'])->get(); } $pdf = PDF::loadview('dashboard.laporan.pesanan_pdf',['pesanan'=>$pesanan]); return $pdf->stream(); } public function lapTransaksi() { if(auth()->user()->role == 'pemilik'){ $id = auth()->user()->id; $data['transaksi'] = Transaksi::select(["id", "order_id","pemilik_id","pelanggan_id","product_id","rekening_id","toko_id","bukti_pembayaran","tanggal_transaksi"])->where('pemilik_id',$id)->get(); }else{ $data['transaksi'] = Transaksi::select(["id", "order_id","pemilik_id","pelanggan_id","product_id","rekening_id","toko_id","bukti_pembayaran","tanggal_transaksi"])->get(); } return view('dashboard.laporan.lap_transaksi',$data); } public function cetak_transaksi() { if(auth()->user()->role == 'pemilik'){ $id = auth()->user()->id; $transaksi = Transaksi::select(["id", "order_id","pemilik_id","pelanggan_id","product_id","rekening_id","toko_id","bukti_pembayaran","tanggal_transaksi"])->where('pemilik_id',$id)->get(); }else{ $transaksi = Transaksi::select(["id", "order_id","pemilik_id","pelanggan_id","product_id","rekening_id","toko_id","bukti_pembayaran","tanggal_transaksi"])->get(); } $pdf = PDF::loadview('dashboard.laporan.transaksi_pdf',['transaksi'=>$transaksi]); return $pdf->stream(); } }
0cb6d820dc8c94e78ed69a204790a015c96c790d
[ "PHP" ]
5
PHP
sifana06/reservasi_bordir
2ffe48d81764fd8ab92bdc416b9cac5e0c70278d
8052aba232bf9e7cd726d5b8db318800834f20e5
refs/heads/master
<file_sep>void print_servo(double Servo_1, double Servo_2) { // Serial.print(Servo_1); // Serial.print(" "); // Serial.println(Servo_2); //the function which you want to maximize while(1){ if (ultrasonic() == 0){ degreePos_1(Servo_1); degreePos_2(Servo_2); degreePos_1(0); degreePos_2(0); Serial.println(100*count); break; } } } // double out = 1 + (Servo_1 * Servo_1) + (Servo_2 * Servo_2); //Serial.println(out , 7); <file_sep>import serial """ theese lines are needed to initialize the serial port make sure to write a line in arduino in setup part which says Serial.println("ready") this is used to make sure that serial commiunication has started and there is no problem to it """ ser = serial.Serial() ser.baudrate = 9600 ser.port = 'COM14' ser.timeout = 20 ser.open() while True: income = ser.readline() ser.flush() serial_stat = income.decode('utf-8') if serial_stat == "ready\r\n" : break """ this is for reading an input and printing it as string """ #while 1: # inp = ser.readline() # ser.flush() # str_inp = inp.decode('utf-8') # print(str_inp) """ this is for sending a string and reciving the same string from the board """ for i in range(20): user = input("give me ") user_byt = bytes(user, 'utf-8') ser.write(user_byt) inp = ser.readline() ser.flush() str_inp = inp.decode('utf-8') print(str_inp) <file_sep>void degreePos_1(float motorPos1) { Ser_M1.attach(motorPinAttach_1); Ser_M1.write(180 - motorPos1); delay(300); } <file_sep>import numpy as np import scipy.optimize as optimize import time import serial import random ser = serial.Serial() ser.baudrate = 9600 ser.port = 'COM14' ser.open() while True: income = ser.readline() ser.flush() serial_stat = income.decode('utf-8') if serial_stat == "ready\r\n" : break state1_reward_dict = {} state2_reward_dict = {} trace_back_state = np.zeros((3,2)) trace_back_func = np.zeros((3,1)) def roll_forward_state(trace_back_state, a, b): k = 1 for i in range(0,2): for j in range (0,2): trace_back_state[k+1][j] = trace_back_state[k][j] k = k - 1 trace_back_state[0][0] = a trace_back_state[0][1] = b def roll_forward_func(trace_back_func, reward): k = 1 for i in range(0,2): trace_back_func[k+1][0] = trace_back_func[k][0] k = k - 1 trace_back_func[0][0] = reward def f(params): a, b = params if a > 90 or b > 120: return (0) reward = arduino(a, b) print(trace_back_state) roll_forward_state(trace_back_state, a, b) roll_forward_func(trace_back_func, reward) return reward def greedy(): if iteration == 1: optimize.minimize(f, initial_guess,(),'Nelder-Mead',None,None,5) print("iter aval tamoom shooddaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa") else: print("in iteration number 2") optimize.minimize(f, initial_guess,(),'Nelder-Mead',None,None,8,trace_back_state) def explore(): while True: print("###########################################################################################") #np.random.seed(47) servo1_angle = random.SystemRandom().randint(0 , 90) servo2_angle = random.SystemRandom().randint(0 , 110) if servo1_angle not in state1_reward_dict.keys() and servo2_angle not in state2_reward_dict.keys(): encoder_reward = arduino(servo1_angle, servo2_angle) print(encoder_reward) reward_max = min(state1_reward_dict.values()) if encoder_reward <= reward_max : print("i did it********************************************************") initial_guess = [servo1_angle, servo2_angle] optimize.minimize(f, initial_guess,(),'Nelder-Mead',None,None,5) state1_reward_dict[servo1_angle] = encoder_reward state2_reward_dict[servo2_angle] = encoder_reward break def arduino(servo1, servo2): servo1 = str(servo1) servo2 = str(servo2) out = servo1 + "&" + servo2 out_byt = bytes(out, 'utf-8') ser.write(out_byt) inp = ser.readline() ser.flush() str_inp = inp.decode('utf-8') reward = float(str_inp) return (reward) while 1 : #np.random.seed(47) servo1_angle = random.SystemRandom().randint(0 , 90) servo2_angle = random.SystemRandom().randint(0 , 110) if servo1_angle not in state1_reward_dict.keys() and servo2_angle not in state2_reward_dict.keys(): encoder_reward = arduino(servo1_angle, servo2_angle) # take reward from arduino initial_guess = [servo1_angle, servo2_angle] state1_reward_dict[servo1_angle] = encoder_reward state2_reward_dict[servo2_angle] = encoder_reward if encoder_reward <= 0 : iteration = 0 while 1: iteration = iteration + 1 epsilon = 0.3 p = np.random.uniform(0 , 1) if iteration > 1: if p >= epsilon : greedy() else : explore() else: greedy() print(iteration) #[[80.91282574 82.2934859 ] # [80.92403057 82.30225818] best last number # [80.92835398 82.30476674]] #[[81.83376125 71.15413063] # [82.63100859 69.3039418 ] # [82.14011875 70.42505938]]<file_sep> #define PinCLK 2 // Used for generating interrupts using CLK signal #define PinDT 3 // Used for reading DT signal // Used for the push button switch #define motorPinAttach_1 6 #define motorPinAttach_2 7 //ENCODER: long count = 0; volatile int A,B; byte state, statep; //SERVO: int virtualPosition = 0; #include <Servo.h> Servo Ser_M1; Servo Ser_M2; //ULTRASONIC: const int trigPin = 19; const int echoPin = 18; long duration; int distance = 0; int distance0 = 0; bool stoop=0; void setup() { Serial.begin(9600); Serial.setTimeout(20); Serial.println("ready"); pinMode(PinCLK,INPUT); pinMode(PinDT,INPUT); attachInterrupt (digitalPinToInterrupt(PinCLK),Achange,CHANGE); attachInterrupt (digitalPinToInterrupt(PinDT),Bchange,CHANGE); degreePos_2(87); degreePos_1(50); delay(500); degreePos_1(0); degreePos_2(0); pinMode(trigPin, OUTPUT); pinMode(echoPin, INPUT); } void loop() { getstring(); } <file_sep> // Servo_1 = S1.toInt(); // Servo_2 = S2.toInt(); // Serial.println(S1); // Serial.println(S2); //*********************************************** // //get the first number and put it in a char // // the length of s2 is one unit bigger than it should be // // when u put the correct form it doesn't work // //dont know why yet // // char s1[j] = "", s2[a.length()-1-j] = ""; // for(int i = 0; i < j; i++){ // s1[i] = a[i]; //// Serial.println(s1[i]); // } // // //get the second number and put it in a char // // for(int i = 0; i < a.length() - j - 2 ; i++){ // s2[i] = a[j+1+i]; // //Serial.print(s2[i-j-1]); // } // // //put the numbers into a string and then convers them into a integer // // S1 = s1 ; // S2 = s2 ; //************************************************************ <file_sep>int ultrasonic(){ // Clears the trigPin digitalWrite(trigPin, LOW); delayMicroseconds(2); // Sets the trigPin on HIGH state for 10 micro seconds digitalWrite(trigPin, HIGH); delayMicroseconds(10); digitalWrite(trigPin, LOW); // Reads the echoPin, returns the sound wave travel time in microseconds duration = pulseIn(echoPin, HIGH); // Calculating the distance distance= duration*0.034/2; if (abs(distance - distance0) > 20){ int iter = distance; distance = distance0; distance0 = iter; } if (distance <= 15 && distance>=0.5){ stoop=1; } else{ stoop=0; } return stoop; } <file_sep>void getstring(){ double S1_double , S2_double = 0; while(1){ if (Serial.available()){ String a = "", S1="", S2=""; // get the string from the usb and then slice it into the usefull numbers // in this case the numbers are being trasmitted using the utf-8 protocol // and the body of the string is like this number&number exp : 25&67 a = Serial.readString(); Serial.flush(); int j ; //slice the string into the 2 groups for (int i=0 ; i < a.length()-2;i++){ if (a[i] == '&'){ j = i ; } } // use the substrings S1 = a.substring(0, j); //if using arduino: S2 = a.substring(j+1, a.length()-1); //if using python: S2 = a.substring(j+1); S2 = a.substring(j+1); S1_double = string_to_double(S1); S2_double = string_to_double(S2); break; } } print_servo(S1_double, S2_double); } <file_sep>float string_to_double(String S){ // Serial.print(S); // Serial.print(" "); int dot = -1 ; int e = -1; double num = 0; for (int i = 0; i < S.length(); i++){ if (S[i] == '.'){ dot = i; } if (S[i] == 'e'){ e = i; } } if (dot > 0){ for (int i = 0; i < dot; i++){ long power = 1 ; for (int j = i; j < dot -1 ; j++){ power = power * 10; } num = num + (int(S[i])-48) * power; } if (e > 0){ for (int i = dot + 1; i < e; i++){ float power = 1 ; for (int j = 0; j < i - dot; j++){ power = power / 10 ; } num = num + (int(S[i])-48) * power; } if (S[e+1] == '-'){ long power = 1 ; int e_power = 0; for (int i = e + 2; i < S.length(); i++){ for (int j = i; j < S.length()-1 ; j++){ power = power * 10; } e_power = e_power + (int(S[i])-48) * power ; // Serial.print(e_power); // Serial.print(" "); } num = num * pow(10,-e_power); } if (S[e+1] == '+'){ long power = 1 ; int e_power = 0; for (int i = e + 2; i < S.length(); i++){ for (int j = i; j < S.length()-1 ; j++){ power = power * 10; } e_power = e_power + (int(S[i])-48) * power ; // Serial.print(e_power); // Serial.print(" "); } num = num * pow(10,e_power); } } if (e < 0) { for (int i = dot + 1; i < S.length(); i++){ float power = 1 ; for (int j = 0; j < i - dot; j++ ){ power = power / 10 ; } num = num + (int(S[i])-48) * power; } } } if(dot < 0){ for (int i = 0; i < S.length(); i++){ long power = 1; for (int j = i; j < S.length()-1; j++){ power = power * 10; } num = num + (int(S[i])-48) * power; } } // Serial.println(num); return(num); } <file_sep>void print_servo(double Servo_1, double Servo_2){ // Serial.print(Servo_1); // Serial.print(" "); // Serial.println(Servo_2); //the function which you want to maximize double out = -10 + (Servo_1*Servo_1) + (Servo_2*Servo_2); Serial.println(out , 7); } <file_sep> void degreePos_2(float motorPos2) { Ser_M2.attach(motorPinAttach_2); Ser_M2.write(150 - motorPos2); delay(300); } <file_sep> void setup() { Serial.begin(9600); Serial.setTimeout(20); Serial.println("ready"); } void loop() { getstring(); } <file_sep>void Achange() { A = digitalRead(2); B = digitalRead(3); if ((A==HIGH)&&(B==HIGH)) state = 1;// switch...case method used here if ((A==HIGH)&&(B==LOW)) state = 2; if ((A==LOW)&&(B==LOW)) state = 3; if((A==LOW)&&(B==HIGH)) state = 4; switch (state) { case 1: { if (statep == 2) count++; if (statep == 4) count--; break; } case 2: { if (statep == 1) count--; if (statep == 3) count++; break; } case 3: { if (statep == 2) count --; if (statep == 4) count ++; break; } default: { if (statep == 1) count++; if (statep == 3) count--; } } statep = state; } <file_sep>import scipy.optimize as optimize import serial import random import numpy as np ser = serial.Serial() ser.baudrate = 9600 ser.port = 'COM9' ser.open() while True: income = ser.readline() ser.flush() serial_stat = income.decode('utf-8') if serial_stat == "ready\r\n" : break trace_back_state = np.zeros((3,2)) trace_back_func = np.zeros((3,1)) def roll_forward_state(trace_back_state, a, b): k = 1 for i in range(0,2): for j in range (0,2): trace_back_state[k+1][j] = trace_back_state[k][j] k = k - 1 trace_back_state[0][0] = a trace_back_state[0][1] = b def roll_forward_func(trace_back_func, reward): k = 1 for i in range(0,2): trace_back_func[k+1][0] = trace_back_func[k][0] k = k - 1 trace_back_func[0][0] = reward def f(params): a, b = params a = str(a) b = str(b) out = a + "&" + b out_byt = bytes(out, 'utf-8') ser.write(out_byt) inp = ser.readline() ser.flush() str_inp = inp.decode('utf-8') reward = float(str_inp) roll_forward_state(trace_back_state, a, b) roll_forward_func(trace_back_func, reward) print(trace_back_state) #print(reward) return reward initial_guess = [10, 10] result = optimize.minimize(f, initial_guess,(),'Nelder-Mead') if result.success: fitted_params = result.x print(fitted_params) else: raise ValueError(result.message) print (result)
a795581f1e6a9c29f1cc90fd27f06a862c1ffe00
[ "Python", "C++" ]
14
C++
parhamkazemi76/RL-crawler
d93bba888e27046258870769d3c6eeb3e4c1b377
93f194b41928d29b777b7cbbf4f123431807276c
refs/heads/master
<file_sep>import React, { Component } from 'react'; import $ from 'jquery'; import 'fullcalendar'; import '../../styles/calendar.css'; class Calendar extends Component { constructor() { super() this.state = { events: [ { title: 'Gym', start: '2018-08-02T10:00:00', end: '2018-08-02T12:00:00', description: 'Running, lifting, stretching' }, { title: 'Meeting with team-members', start: '2018-08-02T14:00:00', end: '2018-08-02T15:00:00', description: 'Something here.' } ], mouseCoord: { x: null, y: null } } } componentDidMount() { $('.calendar').fullCalendar({ header: { left: 'month, agendaWeek, agendaDay', center: 'title', right: 'prev, today, next' }, height: 900, fixedWeekCount: false, showNonCurrentDates: false, // dayClick: function(date) { // console.log(date.format()); // }, events: this.state.events, // eventRender: function(event, element) { // element.find('.fc-title').append('<br/>' + event.description); // }, eventMouseover: function(data, event, view) { $('<div/>', { class: 'description-popup', text: `Event: ${data.title}` }).appendTo(this); view.el.find('.description-popup').append('<br/>' + data.description) $('.description-popup').css({ 'left': event.pageX, 'top': event.pageY }) }, eventMouseout: function(data, event, view) { view.el.find('.description-popup').remove(); } }) } render() { return ( <div className="calendar"> </div> ); } } export default Calendar;<file_sep>import React, { Component } from 'react'; class TopNav extends Component { render() { return ( <nav className="topnav"> <div className="nav-buttons"> <a href="something" className="logo"> ScheduleMaker </a> <span className="login-register"> <a href="something"> Login </a> <a href="something"> Register </a> </span> </div> <a href="something" className="demo"> View Demo </a> </nav> ); } } export default TopNav;
0c76269e90f801a06b7a8a6f34899122313468d3
[ "JavaScript" ]
2
JavaScript
Chrisyango/ScheduleMaker
7ecebe364b6af33d00e3505b9d061fc7dc58892e
90e3db635356a8d8167744bbebc928f698ccb6b9
refs/heads/master
<repo_name>james-jz-zheng/OtherStuff<file_sep>/core_utils.py import hashlib import json # Helper functions def hash(block): block_string = json.dumps(block, sort_keys=True).encode() return hashlib.sha256(block_string).hexdigest() def proof_of_work(last_proof): proof = 0 while valid_proof(last_proof, proof) is False: proof += 1 return proof def valid_proof(last_proof, proof): guess = '{0}{1}'.format(last_proof, proof).encode() guess_hash = hashlib.sha256(guess).hexdigest() return guess_hash[:4] == "0000" def valid_chain(chain): last_block = chain[0] for current_index in range(1, len(chain)): block = chain[current_index] if block['previous_hash'] != hash(last_block): return False if not valid_proof(last_block['proof'], block['proof']): return False last_block = block return True <file_sep>/blockchain.py import requests from time import time from urlparse import urlparse from blockchain.core_utils import hash, valid_chain class BlockChain: def __init__(self, model): self.current_transactions = [] self.chain = [] self.nodes = set() self.new_block(previous_hash='1', proof=100) self.model = model def register_node(self, address): self.nodes.add(urlparse(address).path) def resolve_conflicts(self): neighbours, new_chain, max_length = self.nodes, None, len(self.chain) for node in neighbours: response = requests.get('http://{0}/chain'.format(node)) if response.status_code == 200: length = response.json()['length'] chain = response.json()['chain'] # Validate and get the longer chain if length > max_length and valid_chain(chain) and self.model.model_validator(chain): max_length = length new_chain = chain if new_chain: self.chain = new_chain return True return False def new_block(self, proof, previous_hash): block = { 'index' : len(self.chain) + 1, 'timestamp' : time(), 'transactions' : self.current_transactions, 'proof' : proof, 'previous_hash' : previous_hash or hash(self.chain[-1]), } self.current_transactions = [] self.chain.append(block) return block def add_transactions(self, transactions): self.current_transactions.extend([t.value for t in transactions]) return self.last_block['index'] + 1 @property def last_block(self): return self.chain[-1] <file_sep>/secret_lottery_winning_no.py ### QUESTION: ''' Mr. X is approached in the subway by a guy who claims to be an alien stranded on Earth and to possess time machine that allows him to know the future. He needs funds to fix his flying saucer but filling in winning numbers for next week's lottery would create a time paradox. Therefore, he's willing to sell next week's winning numbers to Mr. X at a favorable price. Mr. X, as gullible as he is, feels that this may be a scam and asks for a proof. Alien gives him the next week's winning numbers in encrypted form so that Mr. X can't use them and then decide not to pay for them. After the lottery draw he'll give Mr. X the key to unlock the file and Mr. X can verify that the prediction was correct. After the draw, Mr. X gets the key and lo and behold, the numbers are correct! To rule out the possibility that it happened by chance, they do the experiment twice. Then thrice. Finally, Mr. X is persuaded. He pays the alien and gets the set of numbers for the next week's draw. But the numbers drawn are completely different. And now the question: How did the scam work? ''' ### SOLUTION: from random import randint from Crypto.Cipher import AES gen_encrypted_winning_no = lambda : ''.join([chr(randint(48,90)) for _ in range(32)]) gen_decrypt_key = lambda e,n: AES.new(e).encrypt(n.ljust(((len(n)-1)/16+1)*16)) decrypt_winning_no = lambda e,k: AES.new(e).decrypt(k).strip() locked_winning_no_to_MrX = gen_encrypted_winning_no() # give fake encrypted no. to mr. X print 'locked_winning_no_to_MrX :\n\t', locked_winning_no_to_MrX key_to_unlock = gen_decrypt_key(locked_winning_no_to_MrX, '12,3,4,9,20') # wait for actual winning no. is out and generate fake key print 'key_to_unlock :\n\t', ''.join([hex(ord(o))[2:] for o in key_to_unlock]) unlocked_winning_no_to_MrX = decrypt_winning_no(locked_winning_no_to_MrX, key_to_unlock) # mr. X uses the fake key to decrypt the fake encrpted no. print 'unlocked_winning_no_to_MrX :\n\t', unlocked_winning_no_to_MrX # print (lambda **_:_.keys()[0])(locked_winning_no_to_MrX=0), ':\n\t', locked_winning_no_to_MrX # print (lambda **_:_.keys()[0])(key_to_unlock=0), ':\n\t', ''.join([hex(ord(o))[2:] for o in key_to_unlock]) # print (lambda **_:_.keys()[0])(unlocked_winning_no_to_MrX=0), ':\n\t', unlocked_winning_no_to_MrX <file_sep>/doudizhu.py import random pai_char = '3456789XJQKA2'*4+'&@' pai_color = 'R'*13+'B'*13+'F'*13+'C'*13+'--' pai_grade = range(13)*4 + [13,14] pai = zip(pai_char,pai_color, pai_grade) PLAYERS_INIT = { 3: ((0,17), (17,34), (34, 51), (51,55)), 4: ((0,12), (12,24), (24, 36), (36,48), (48,55)), } def fenpai(p, nop): random.shuffle(p) slots = PLAYERS_INIT[nop] return [sorted(p[s[0]:s[1]], key=lambda x:x[2]) for s in slots] p4 = fenpai(pai, 4) p3 = fenpai(pai, 3) for i in p3: print [''.join(x[:2]) for x in i] for i in p4: print [''.join(x[:2]) for x in i] def groupings(p): g2 = [(p[i], p[i+1]) for i,_ in enumerate(p) if i < len(p) - 1 and p[i][0] == p[i+1][0]] g3 = [(p[i], p[i+1], p[i+2]) for i,_ in enumerate(p) if i < len(p) - 2 and p[i][0] == p[i+1][0] and p[i][0] == p[i+2][0]] g4 = [(p[i], p[i+1], p[i+2], p[i+3]) for i,_ in enumerate(p) if i < len(p) - 3 and p[i][0] == p[i+1][0] and p[i][0] == p[i+2][0] and p[i][0] == p[i+3][0]] l4 = [] #to be added return g2,g3,g4 gs = groupings(p3[0]) for i in gs: print ['|'.join([''.join(x[:2]) for x in ii]) for ii in i] ''' ### Run OUTPUT ### ['3R', '4B', '4C', '5F', '6F', '6R', '6B', '7C', '8C', '8R', 'XF', 'QC', 'AC', 'AR', 'AF', '2B', '@-'] ['4F', '5B', '5R', '8B', '9F', '9C', '9B', 'XR', 'JF', 'JB', 'QR', 'QF', 'KR', 'KB', 'KF', 'AB', '2F'] ['3C', '3F', '4R', '5C', '6C', '7R', '7B', '7F', '9R', 'XC', 'JR', 'JC', 'QB', 'KC', '2C', '2R', '&-'] ['3B', '8F', 'XB'] ['3F', '4F', '8R', '9B', '9F', 'XF', 'JR', 'JC', 'JB', 'QF', 'QC', 'AF'] ['3R', '4C', '5C', '7C', '7B', 'QR', 'KC', 'KB', 'AC', '2R', '2B', '@-'] ['3C', '4B', '4R', '5B', '6F', '8C', '9R', '9C', 'XR', 'JF', 'KR', 'AB'] ['3B', '5F', '5R', '6R', '6B', '7R', '7F', '8B', 'XB', 'QB', 'KF', '&-'] ['6C', '8F', 'XC', 'AR', '2F', '2C'] ['4B|4C', '6F|6R', '6R|6B', '8C|8R', 'AC|AR', 'AR|AF'] ['6F|6R|6B', 'AC|AR|AF'] [] ''' <file_sep>/spread_option_pricer.py import numpy as np from scipy import stats import matplotlib.pyplot as plt from math import exp, sqrt, log ''' Question: 1) Implement Monte Carlo (MC) simulation to solve the below spread option, => E[(S2 - S1 - K)^+] => Given S1, S2 are dependent GBMs with correlation 'rho' 2) Find a closed form approximation and implement the logic 3) Show MC convergence graph to the approximation 4) Implement the numerical double integration solution, - a) try equal step slices - b) try Gauss Legendre Quadrature - c) find the smart choices for boundary conditions and degrees Answer: * The Monte Carlo simulation was written in below function MC(). Use cases can be found in test1(), test2() * Implemented Kirk's approximation in function kirk(), - referring to, <NAME>. (1995): "Correlation in the energy markets," In Managing Energy Price Risk (First Edition) - Kirk's formula from link: http://www.opus-finance.com/sites/default/files/Fichier_Site_Opus/Article_recherche/Articles_externes/2013/Closed_form_spread_option_valuation/Closed_form_spread_option_valuation.pdf * test2() produces the MC convergence graph to Kirk approximation for given parameters * test3() performs a search for better Degrees of Gauss Legendre Quadrature for degree1 and degree2 * test4() performs a search for better boundary choices of Gauss Legendre Quadrature Potential improvements: This code is for demonstration purpose. Below points can be implemented if needed, 1) performance tweeks 2) improve the matplotlib result plotting 3) use OptionParser class for easier user inputs for testing => from optparse import OptionParser 4) more test cases Variables: s1, s2: asset prices v1, v2: daily volatilities r: riskless interest rate rho: correlation btw w1 and w2 t: time (in years) Given, corr(dw1, dw2) = rho Let w1 be an independent Geometric Brownian Motion(GBM), we have, w2 = rho * w1 + sqrt(1-rho**2) * w3 where w1 and w3 are independent GBMs Since s1, s2 follows GBM, we have, d ln(S1) = (r - (v1**2)/2)*dt + v1*dw1 d ln(S2) = (r - (v2**2)/2)*dt + v1*dw2 Output: ====== TEST1 ====== K \ Rho| -1.00 | -0.50 | 0.00 | 0.30 | 0.80 | 1.00 | MC, Kirk, Num.Slice, Num.GLQ| MC, Kirk, Num.Slice, Num.GLQ| MC, Kirk, Num.Slice, Num.GLQ| MC, Kirk, Num.Slice, Num.GLQ| MC, Kirk, Num.Slice, Num.GLQ| MC, Kirk, Num.Slice, Num.GLQ ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- K= -20 | 29.7512, 29.7149, 29.6474, 29.8115 | 28.9831, 29.0445, 28.9892, 29.0693 | 28.4542, 28.4183, 28.3753, 28.3840 | 27.8013, 28.0970, 28.0641, 28.0763 | 27.8057, 27.7720, 27.7638, 27.7635 | 27.6596, 27.7478, 27.7474, 27.7470 K= -10 | 21.6973, 21.8883, 21.8661, 21.1663 | 20.8373, 20.9229, 20.9000, 20.6936 | 20.2723, 19.9044, 19.8836, 19.8540 | 19.1476, 19.2835, 19.2646, 19.2964 | 18.3493, 18.3863, 18.3749, 18.3706 | 18.1331, 18.2394, 18.2375, 18.2352 K= 0 | 15.2335, 15.1293, 15.1321, 15.2180 | 14.0341, 13.9139, 13.9138, 14.1048 | 12.4652, 12.5194, 12.5195, 12.6128 | 11.5418, 11.5573, 11.5573, 11.5316 | 9.6600, 9.6273, 9.6273, 9.5868 | 8.8272, 8.8152, 8.8153, 8.7805 K= 5 | 12.3668, 12.2390, 12.2405, 12.8399 | 10.7278, 10.9507, 10.9527, 10.9260 | 9.3715, 9.4394, 9.4417, 9.4381 | 8.3792, 8.3611, 8.3636, 8.3020 | 5.8640, 5.9586, 5.9628, 5.8192 | 4.4850, 4.4369, 4.4482, 4.4579 K= 15 | 7.5361, 7.5351, 7.5117, 8.0839 | 6.3095, 6.2534, 6.2397, 6.1957 | 4.8348, 4.7539, 4.7422, 4.8298 | 3.6230, 3.6885, 3.6779, 3.6485 | 1.3802, 1.3529, 1.3410, 1.0446 | 0.0442, 0.0721, 0.0484, 0.0632 K= 25 | 4.0701, 4.2458, 4.1987, 3.3278 | 3.0990, 3.1672, 3.1285, 3.1886 | 1.9228, 1.9911, 1.9609, 1.8128 | 1.2301, 1.2431, 1.2190, 1.1798 | 0.1134, 0.1122, 0.1039, 0.0844 | 0.0000, 0.0000, 0.0000, 0.0000 ====== TEST2 ====== no.paths| Monte Carlo | Kirk's Approximation | Num.Slice, | Num.GLQ -------------------------------------------------------------------- 20 | 19.7817 | 19.2835 | 19.2646 | 19.2964 24 | 19.1159 | 19.2835 | 19.2646 | 19.2964 29 | 17.7505 | 19.2835 | 19.2646 | 19.2964 36 | 15.4069 | 19.2835 | 19.2646 | 19.2964 44 | 18.9405 | 19.2835 | 19.2646 | 19.2964 54 | 21.0290 | 19.2835 | 19.2646 | 19.2964 66 | 17.1551 | 19.2835 | 19.2646 | 19.2964 81 | 17.1686 | 19.2835 | 19.2646 | 19.2964 99 | 19.6217 | 19.2835 | 19.2646 | 19.2964 121 | 19.2620 | 19.2835 | 19.2646 | 19.2964 148 | 18.4132 | 19.2835 | 19.2646 | 19.2964 181 | 19.1960 | 19.2835 | 19.2646 | 19.2964 221 | 19.9849 | 19.2835 | 19.2646 | 19.2964 270 | 20.5231 | 19.2835 | 19.2646 | 19.2964 330 | 18.8010 | 19.2835 | 19.2646 | 19.2964 403 | 20.7350 | 19.2835 | 19.2646 | 19.2964 492 | 19.1022 | 19.2835 | 19.2646 | 19.2964 601 | 18.9688 | 19.2835 | 19.2646 | 19.2964 735 | 18.2864 | 19.2835 | 19.2646 | 19.2964 897 | 18.9394 | 19.2835 | 19.2646 | 19.2964 1096 | 18.8593 | 19.2835 | 19.2646 | 19.2964 1339 | 20.3417 | 19.2835 | 19.2646 | 19.2964 1635 | 19.4916 | 19.2835 | 19.2646 | 19.2964 1998 | 19.8150 | 19.2835 | 19.2646 | 19.2964 2440 | 19.6645 | 19.2835 | 19.2646 | 19.2964 2980 | 19.1268 | 19.2835 | 19.2646 | 19.2964 3640 | 19.0069 | 19.2835 | 19.2646 | 19.2964 4447 | 19.0047 | 19.2835 | 19.2646 | 19.2964 5431 | 19.5345 | 19.2835 | 19.2646 | 19.2964 6634 | 19.1961 | 19.2835 | 19.2646 | 19.2964 8103 | 19.2817 | 19.2835 | 19.2646 | 19.2964 9897 | 19.2699 | 19.2835 | 19.2646 | 19.2964 12088 | 19.3192 | 19.2835 | 19.2646 | 19.2964 14764 | 19.2644 | 19.2835 | 19.2646 | 19.2964 18033 | 19.2417 | 19.2835 | 19.2646 | 19.2964 22026 | 19.1681 | 19.2835 | 19.2646 | 19.2964 26903 | 19.2733 | 19.2835 | 19.2646 | 19.2964 32859 | 19.2242 | 19.2835 | 19.2646 | 19.2964 40134 | 19.2406 | 19.2835 | 19.2646 | 19.2964 49020 | 19.2157 | 19.2835 | 19.2646 | 19.2964 59874 | 19.2295 | 19.2835 | 19.2646 | 19.2964 73130 | 19.3218 | 19.2835 | 19.2646 | 19.2964 89321 | 19.1907 | 19.2835 | 19.2646 | 19.2964 109097 | 19.2196 | 19.2835 | 19.2646 | 19.2964 133252 | 19.2514 | 19.2835 | 19.2646 | 19.2964 ====== TEST3 ====== NoOfPoints Dim.1 = | 10 | 20 | 30 | 40 | 50 | 60 | 70 | 80 | 90 | 100 | 110 | 120 -------------------------------------------------------------------------------------------------------------------------------------------- NoOfPoints Dim2= 10 | 0.0889 | 1.0419 | 1.3262 | 1.3320 | 1.3249 | 1.3228 | 1.3188 | 1.3189 | 1.3183 | 1.3170 | 1.3177 | 1.3189 NoOfPoints Dim2= 20 | 1.1332 | 11.6905 | 14.7544 | 14.8736 | 14.9758 | 15.0749 | 15.1598 | 15.1697 | 15.1293 | 15.1379 | 15.1260 | 15.0954 NoOfPoints Dim2= 30 | 1.4553 | 14.4251 | 18.1484 | 18.7466 | 18.9979 | 18.9604 | 19.0486 | 19.0558 | 19.0015 | 18.9165 | 18.9582 | 18.9976 NoOfPoints Dim2= 40 | 1.4812 | 14.6239 | 18.2383 | 19.0896 | 19.3191 | 19.2687 | 19.2852 | 19.2909 | 19.2449 | 19.2151 | 19.2457 | 19.2828 NoOfPoints Dim2= 50 | 1.4819 | 14.7088 | 18.2042 | 19.1118 | 19.2964 | 19.2984 | 19.2774 | 19.2787 | 19.2337 | 19.2604 | 19.2570 | 19.2822 NoOfPoints Dim2= 60 | 1.4819 | 14.7410 | 18.2657 | 19.0886 | 19.3103 | 19.3098 | 19.2690 | 19.2696 | 19.2447 | 19.2743 | 19.2591 | 19.2701 NoOfPoints Dim2= 70 | 1.4819 | 14.7478 | 18.2974 | 19.0788 | 19.3156 | 19.3049 | 19.2642 | 19.2651 | 19.2578 | 19.2757 | 19.2598 | 19.2638 NoOfPoints Dim2= 80 | 1.4819 | 14.7423 | 18.3118 | 19.0926 | 19.3064 | 19.3041 | 19.2623 | 19.2617 | 19.2651 | 19.2702 | 19.2576 | 19.2669 NoOfPoints Dim2= 90 | 1.4819 | 14.7313 | 18.3166 | 19.0966 | 19.3096 | 19.2994 | 19.2592 | 19.2602 | 19.2680 | 19.2625 | 19.2653 | 19.2663 NoOfPoints Dim2= 100 | 1.4819 | 14.7180 | 18.3160 | 19.0919 | 19.3128 | 19.2951 | 19.2588 | 19.2585 | 19.2667 | 19.2561 | 19.2685 | 19.2652 NoOfPoints Dim2= 110 | 1.4819 | 14.7158 | 18.3123 | 19.0833 | 19.3100 | 19.3006 | 19.2597 | 19.2574 | 19.2661 | 19.2623 | 19.2690 | 19.2613 NoOfPoints Dim2= 120 | 1.4819 | 14.7258 | 18.3070 | 19.0903 | 19.3092 | 19.3023 | 19.2626 | 19.2570 | 19.2657 | 19.2660 | 19.2670 | 19.2627 ====== TEST4 ====== Boundary Dim.1(a,b) = | -0, 0 | -1, 1 | -2, 2 | -3, 3 | -5, 5 | -8, 8 | -10, 10 | -15, 15 | -20, 20 | -30, 30 | -50, 50 | -80, 80 -------------------------------------------------------------------------------------------------------------------------------------------------- Boundary Dim.2(a,b)= -0 0 | 2.7500 | 4.8480 | 6.7765 | 7.1545 | 7.1833 | 7.1827 | 7.1843 | 7.1941 | 7.1537 | 7.2492 | 6.8396 | 5.3932 Boundary Dim.2(a,b)= -1 1 | 4.9265 | 8.6860 | 12.1591 | 12.8345 | 12.8856 | 12.8856 | 12.8839 | 12.8878 | 12.8653 | 12.9801 | 12.2656 | 9.6392 Boundary Dim.2(a,b)= -2 2 | 6.9646 | 12.2937 | 17.2491 | 18.1980 | 18.2694 | 18.2696 | 18.2696 | 18.2692 | 18.2675 | 18.3323 | 17.5168 | 13.6817 Boundary Dim.2(a,b)= -3 3 | 7.3103 | 12.9142 | 18.1298 | 19.1233 | 19.1979 | 19.1981 | 19.1982 | 19.1983 | 19.1937 | 19.2530 | 18.4476 | 14.3927 Boundary Dim.2(a,b)= -5 5 | 7.3348 | 12.9588 | 18.1930 | 19.1896 | 19.2647 | 19.2641 | 19.2649 | 19.2644 | 19.2606 | 19.3199 | 18.5152 | 14.4452 Boundary Dim.2(a,b)= -8 8 | 7.3348 | 12.9587 | 18.1932 | 19.1885 | 19.2646 | 19.2627 | 19.2644 | 19.2644 | 19.2598 | 19.3197 | 18.5117 | 14.4462 Boundary Dim.2(a,b)=-10 10 | 7.3348 | 12.9588 | 18.1932 | 19.1898 | 19.2645 | 19.2650 | 19.2664 | 19.2655 | 19.2568 | 19.3206 | 18.5187 | 14.4378 Boundary Dim.2(a,b)=-15 15 | 7.3348 | 12.9586 | 18.1930 | 19.1900 | 19.2687 | 19.2649 | 19.2610 | 19.2684 | 19.2574 | 19.3172 | 18.5084 | 14.4404 Boundary Dim.2(a,b)=-20 20 | 7.3349 | 12.9590 | 18.1932 | 19.1894 | 19.2643 | 19.2594 | 19.2621 | 19.2634 | 19.2617 | 19.3191 | 18.5328 | 14.4515 Boundary Dim.2(a,b)=-30 30 | 7.3349 | 12.9596 | 18.1932 | 19.1903 | 19.2592 | 19.2598 | 19.2591 | 19.2596 | 19.2758 | 19.3186 | 18.4906 | 14.4538 Boundary Dim.2(a,b)=-50 50 | 7.2719 | 12.8370 | 18.0515 | 19.0393 | 19.1139 | 19.1238 | 19.1126 | 19.0670 | 19.1757 | 19.1435 | 18.3301 | 14.1508 Boundary Dim.2(a,b)=-80 80 | 5.5786 | 9.8897 | 13.9741 | 14.7186 | 14.7761 | 14.7704 | 14.7761 | 14.7911 | 14.8234 | 14.6226 | 14.5189 | 11.1626 ''' def GBM(s1, s2, v1, v2, r, t, rho, random_walk=False): ''' Geometric Brownian Motions (GBM) for 2 correlated assets ''' if not random_walk: dw1 = np.random.normal(0., 1.) dw2 = rho * dw1 + sqrt(1. - rho**2) * np.random.normal(0., 1.) s1 = s1 * exp( -0.5*t*v1**2 + v1*sqrt(t)*dw1 ) s2 = s2 * exp( -0.5*t*v2**2 + v2*sqrt(t)*dw2 ) else: w1, w2 = 0., 0. dt = t/365. days = int(t * 365) for i in range(days): dw1 = np.random.normal(0., 1.) dw2 = rho * dw1 + sqrt(1. - rho**2) * np.random.normal(0., 1.) s1 = s1 * exp( -0.5*dt*v1**2 + v1*sqrt(dt)*dw1 ) s2 = s2 * exp( -0.5*dt*v2**2 + v2*sqrt(dt)*dw2 ) return s1, s2 def MC(paths, r, t, k, s1, s2, v1, v2, rho): ''' monte carlo simulation for given number of paths ''' count, sums = 0, 0. for i in range(paths): _s1, _s2 = GBM(s1, s2, v1, v2, r, t, rho) sums += max(_s1 - _s2 - k, 0.) count += 1 return exp(-r*t) * sums/float(count) def Kirk(r, t, k, s1, s2, v1, v2, rho): ''' Kirk suggested the following approximation to spread call options => <NAME>. (1995): "Correlation in the energy markets," In Managing Energy Price Risk (First Edition) ''' s2k = s2/(s2 + k) sigk = sqrt(v1**2 - 2.*s2k*rho*v1*v2 + s2k**2 * v2**2) dk1 = (log(s1/(s2 + k)) + 0.5*t*sigk**2) / sigk * sqrt(t) dk2 = dk1 - sigk * sqrt(t) result = exp(-r * t) * (s1*stats.norm.cdf(dk1) - (s2+k)*stats.norm.cdf(dk2)) return result def _element(w1, w3, s1, s2, v1, v2, t, rho, k): s1 = s1 * exp( -0.5*t*v1**2 + v1*sqrt(t)*w1 ) w2 = rho * w1 + sqrt(1. - rho**2) * w3 s2 = s2 * exp( -0.5*t*v2**2 + v2*sqrt(t)*w2 ) return max(s1 - s2 - k, 0.) def numerical_slices(r,t,k,s1,s2,v1,v2,rho): # numerical integrations for equal length slices # setup the steps independent random variable w1, w3 # choosing a notation of '3' to identify the independent random var dw3 nofs1,dw1,left1 = 200, 0.1, -10. nofs3,dw3,left3 = 200, 0.1, -10. # nofs : number of steps # left : starting point from left side # 1,3 : refer to the two independent var sums = 0. for i in range(nofs1): for j in range(nofs3): w1, w3 = left1 + i*dw1, left3 + j*dw3 u = _element(w1, w3, s1, s2, v1, v2, t, rho, k) * stats.norm.pdf(w1) * stats.norm.pdf(w3) * dw1 * dw3 sums += u return exp(-r*t) * sums def numerical_gauss_legendre(r,t,k,s1,s2,v1,v2,rho, glq1=(-20., 20., 50), glq3=(-20., 20., 50)): # numerical integrations for Gauss Legendre Quadrature slices # setup the steps independent random variable w1, w3 # choosing a notation of '3' to identify the independent random var dw3 a1, b1, GL_DEGREE1 = glq1 a3, b3, GL_DEGREE3 = glq3 # a,b : a, b defines the left and right end for each dimention # GL_DEGREE : number of points and weights for Gauss-Legendre quadrature # 1,3 : refer to the two independent var bma1, bpa1 = 0.5*(b1-a1), 0.5*(b1+a1) bma3, bpa3 = 0.5*(b3-a3), 0.5*(b3+a3) # bma : (b-a) / 2 # bpa : (b+a) / 2 pnw1 = zip(*np.polynomial.legendre.leggauss(GL_DEGREE1)) # points and weight of gauss legendre pnw3 = zip(*np.polynomial.legendre.leggauss(GL_DEGREE3)) # points and weight of gauss legendre sums = 0. for x1, dw1 in pnw1: for x3, dw3 in pnw3: w1 = bma1*x1 + bpa1 w3 = bma3*x3 + bpa3 u = bma1 * bma3 * _element(w1, w3, s1, s2, v1, v2, t, rho, k) * stats.norm.pdf(w1) * stats.norm.pdf(w3) * dw1 * dw3 sums += u return exp(-r*t) * sums def test1(): ''' Tests 1: Comparing test results with <NAME> & <NAME>'s paper, Link: http://www.opus-finance.com/sites/default/files/Fichier_Site_Opus/Article_recherche/Articles_externes/2013/Closed_form_spread_option_valuation/Closed_form_spread_option_valuation.pdf Same parameters were choosen for comparison r, t, s1, s2, v1, v2 2 0.05,1.,112.22,103.05, 0.1, 0.15 Result can be compare with "Table 1 Spread option value approximation" in the paper, which are consistent. ''' r, t, s1, s2, v1, v2 = 0.05, 1.,112.22, 103.05, 0.1, 0.15 Ks = [-20, -10, 0, 5,15, 25] Rhos = [-1., -0.5, 0., 0.3, 0.8, 1.] print('\n====== TEST1 ======\n') print('K \ Rho|' + '|'.join([' {:8.2f} '.format(i) for i in Rhos])) print(' |'+'|'.join([' MC, Kirk, Num.Slice, Num.GLQ']* len(Rhos))) print('-'*229) for k in Ks: res = [] for rho in Rhos: mc_res = MC(10000,r,t,k,s1,s2,v1,v2,rho) kirk_res = Kirk(r,t,k,s1,s2,v1,v2,rho) numerical_slice_res = numerical_slices(r,t,k,s1,s2,v1,v2,rho) numerical_glq_res = numerical_gauss_legendre(r,t,k,s1,s2,v1,v2,rho) res.append('{:7.4f}, {:7.4f}, {:7.4f}, {:7.4f}'.format(mc_res, kirk_res, numerical_slice_res, numerical_glq_res)) print('K={:4.0f} | '.format(k) + ' | '.join(res)) def test2(): ''' Tests 2: test convergence on MC paths against Kirk approximation Steps are increased gradually for each run. Choose below parameters for testing, r, t, k, s1, s2, v1, v2, rho = 0.05,1., -10., 112.22, 103.05, 0.1, 0.15, 0.3 ''' r, t, k, s1, s2, v1, v2, rho = 0.05,1., -10.,112.22, 103.05, 0.1, 0.15, 0.3 kirk_res = Kirk(r,t,k,s1,s2,v1,v2,rho) numerical_slice_res = numerical_slices(r,t,k,s1,s2,v1,v2,rho) numerical_glq_res = numerical_gauss_legendre(r,t,k,s1,s2,v1,v2,rho) x,z0,z1,z2,z3 = [],[],[],[],[] print('\n====== TEST2 ======\n') print("no.paths| Monte Carlo | Kirk's Approximation | Num.Slice, | Num.GLQ") print("--------------------------------------------------------------------") for i in range(15, 60): no_of_paths = int(exp(i/5.)) mc_res = MC(no_of_paths,r,t,k,s1,s2,v1,v2,rho) x.append(no_of_paths) z0.append(mc_res) z1.append(kirk_res) z2.append(numerical_slice_res) z3.append(numerical_glq_res) print('{:7.0f} | {:7.4f} | {:7.4f} | {:7.4f} | {:7.4f}'.format(no_of_paths, mc_res, kirk_res, numerical_slice_res, numerical_glq_res)) plt.plot(x,z0, 'o--') plt.plot(x,z1, '--') plt.plot(x,z2, '--') plt.plot(x,z3, '--') plt.show() def test3(): ''' Tests 3: Simple search for better Degrees of Gauss Legendre Quadrature for degree1 and degree2 Same parameters were choosen for comparison r, t, s1, s2, v1, v2 2 0.05,1.,112.22,103.05, 0.1, 0.15 Result can be compare with "Table 1 Spread option value approximation" in the paper, which are consistent. ''' r, t, k, s1, s2, v1, v2, rho = 0.05,1., -10.,112.22, 103.05, 0.1, 0.15, 0.3 print('\n====== TEST3 ======\n') print('NoOfPoints Dim.1 = | ' + ' | '.join(['{:7.0f}'.format(i) for i in range(10,121,10)])) print('-'*140) for d1 in range(10,121,10): res = [] for d3 in range(10,121,10): glq1=(-20., 20., d1) glq3=(-20., 20., d3) numerical_glq_res = numerical_gauss_legendre(r,t,k,s1,s2,v1,v2,rho, glq1, glq3) res.append('{:7.4f}'.format(numerical_glq_res)) print('NoOfPoints Dim2={:4.0f} | '.format(d1) + ' | '.join(res)) def test4(): ''' Tests 4: Simple search for better boundary choices of Gauss Legendre Quadrature Same parameters were choosen for comparison r, t, s1, s2, v1, v2 2 0.05,1.,112.22,103.05, 0.1, 0.15 Result can be compare with "Table 1 Spread option value approximation" in the paper, which are consistent. ''' r, t, k, s1, s2, v1, v2, rho = 0.05,1., -10.,112.22, 103.05, 0.1, 0.15, 0.3 test_boundary = [0.5,1.,2.,3.,5.,8.,10.,15.,20.,30.,50.,80.] print('\n====== TEST4 ======\n') print('Boundary Dim.1(a,b) = | ' + ' | '.join(['{:3.0f},{:3.0f}'.format(-i,i) for i in test_boundary])) print('-'*146) for a1 in test_boundary: res = [] for a3 in test_boundary: glq1=(-a1, a1, 80) glq3=(-a3, a3, 80) numerical_glq_res = numerical_gauss_legendre(r,t,k,s1,s2,v1,v2,rho, glq1, glq3) res.append('{:7.4f}'.format(numerical_glq_res)) print('Boundary Dim.2(a,b)={:3.0f}{:3.0f} | '.format(-a1,a1) + ' | '.join(res)) # TEST RUN test1() test2() test3() test4() <file_sep>/secret_lottery_winning_no2.py ### QUESTION: ''' Mr. X is approached in the subway by a guy who claims to be an alien stranded on Earth and to possess time machine that allows him to know the future. He needs funds to fix his flying saucer but filling in winning numbers for next week's lottery would create a time paradox. Therefore, he's willing to sell next week's winning numbers to Mr. X at a favorable price. Mr. X, as gullible as he is, feels that this may be a scam and asks for a proof. Alien gives him the next week's winning numbers in encrypted form so that Mr. X can't use them and then decide not to pay for them. After the lottery draw he'll give Mr. X the key to unlock the file and Mr. X can verify that the prediction was correct. After the draw, Mr. X gets the key and lo and behold, the numbers are correct! To rule out the possibility that it happened by chance, they do the experiment twice. Then thrice. Finally, Mr. X is persuaded. He pays the alien and gets the set of numbers for the next week's draw. But the numbers drawn are completely different. And now the question: How did the scam work? ''' ### SOLUTION: import string, random UNIT, MAX_NO = 6, 48 d = dict(enumerate(string.ascii_letters + string.digits + '-_')) dr = dict(map(reversed, d.items())) # encoder, decoder encode = lambda d: ''.join(['1' if i+1 in d else '0' for i in range(MAX_NO)]) decode = lambda p: ''.join([('0'*UNIT+bin(dr[i])[2:])[-UNIT:] for i in p]) # main logic gen_encrypted_winning_no = lambda : ''.join(random.sample(string.ascii_letters*128,128)) gen_decrypt_key = lambda _, data : ''.join([d[eval('0b'+encode(data)[i*UNIT:(i+1)*UNIT])] for i in range((MAX_NO+UNIT-1)/UNIT)]) decrypt_winning_no = lambda _, passwd: [i+1 for i,v in enumerate(decode(passwd)) if v == '1'] ### USE CASE: # give fake encrypted no. to mr. X locked_winning_no_to_MrX = gen_encrypted_winning_no() print 'locked_winning_no_to_MrX :\n\t', locked_winning_no_to_MrX # wait for actual winning no. is out and generate fake key WINNING_NO = [1,2,5,6,7,9,12,13,15,16,17,20,21,23,25,26,27,28,29,30,33,36,37,39,43,44,47,48] key_to_unlock = gen_decrypt_key(locked_winning_no_to_MrX, WINNING_NO) print 'key_to_unlock :\n\t', key_to_unlock # mr. X uses the fake key to decrypt the fake encrpted no. unlocked_winning_no_to_MrX = decrypt_winning_no(locked_winning_no_to_MrX, key_to_unlock) print 'unlocked_winning_no_to_MrX :\n\t', unlocked_winning_no_to_MrX ### OUTPUT: ''' locked_winning_no_to_MrX : <KEY> key_to_unlock : ZPUA_jOZ unlocked_winning_no_to_MrX : [1, 2, 5, 6, 7, 9, 12, 13, 15, 16, 17, 20, 21, 23, 25, 26, 27, 28, 29, 30, 33, 36, 37, 39, 43, 44, 47, 48] ''' <file_sep>/is_square_number.py def is_square(n): bl = n.bit_length() half_bl = (bl-1)//2 if n < (1<<(bl//2))**2 else bl//2 x = 1<<half_bl for i in range(half_bl)[::-1]: if (x|1<<i)**2 <= n: x = x|1<<i if x**2 == n: return True return False for x in range(1, 1000): if is_square(x): print x, is_square(x) ''' ### OUTPUT ### 4 True 9 True 16 True 25 True 36 True 49 True 64 True 81 True 100 True 121 True 144 True 169 True 196 True 225 True 256 True 289 True 324 True 361 True 400 True 441 True 484 True 529 True 576 True 625 True 676 True 729 True 784 True 841 True 900 True 961 True >>> ''' <file_sep>/secret_lottery_winning_no3.py ### QUESTION: ''' Mr. X is approached in the subway by a guy who claims to be an alien stranded on Earth and to possess time machine that allows him to know the future. He needs funds to fix his flying saucer but filling in winning numbers for next week's lottery would create a time paradox. Therefore, he's willing to sell next week's winning numbers to Mr. X at a favorable price. Mr. X, as gullible as he is, feels that this may be a scam and asks for a proof. Alien gives him the next week's winning numbers in encrypted form so that Mr. X can't use them and then decide not to pay for them. After the lottery draw he'll give Mr. X the key to unlock the file and Mr. X can verify that the prediction was correct. After the draw, Mr. X gets the key and behold, the numbers are correct! To rule out the possibility that it happened by chance, they do the experiment twice. Then thrice. Finally, Mr. X is persuaded. He pays the alien and gets the set of numbers for the next week's draw. But the numbers drawn are completely different. And now the question: How did the scam work? Assuming the lottery is a set of 5 numbers in range [1..32] ''' ### SOLUTION: import string, random UNIT, MAX_NO, NDIGIT, NCODE = 6, 32, 3, 18 asciid = dict(enumerate(string.ascii_letters + string.digits + '-_')) asciidr = dict(map(reversed, asciid.items())) keydr = dict(enumerate([(i+1,j+1,k+1,l+1,m+1) for i in range(MAX_NO-4) for j in range(i+1, MAX_NO-3) for k in range(j+1, MAX_NO-2) for l in range(k+1, MAX_NO-1) for m in range(l+1, MAX_NO)])) keyd = dict(map(reversed, keydr.items())) # encoder, decoder encode = lambda d: ('0'*NCODE+bin(keyd[d])[2:])[-NCODE:] decode = lambda p: eval('0b'+''.join([('0'*UNIT+bin(asciidr[i])[2:])[-UNIT:] for i in p])) # main logic gen_encrypted_winning_no = lambda : ''.join(random.sample(string.ascii_letters*64,64)) gen_decrypt_key = lambda _, data : ''.join([asciid[eval('0b'+encode(data)[i*UNIT:(i+1)*UNIT])] for i in range(NDIGIT)]) decrypt_winning_no = lambda _, passwd: keydr[decode(passwd)] ### USE CASE: # give fake encrypted no. to mr. X locked_winning_no_to_MrX = gen_encrypted_winning_no() print 'locked_winning_no_to_MrX :\n\t', locked_winning_no_to_MrX # wait for actual winning no. is out and generate fake key WINNING_NO = (3,11,12,27,31) key_to_unlock = gen_decrypt_key(locked_winning_no_to_MrX, WINNING_NO) print 'key_to_unlock :\n\t', key_to_unlock # mr. X uses the fake key to decrypt the fake encrpted no. unlocked_winning_no_to_MrX = decrypt_winning_no(locked_winning_no_to_MrX, key_to_unlock) print 'unlocked_winning_no_to_MrX :\n\t', unlocked_winning_no_to_MrX ### OUTPUT: ''' locked_winning_no_to_MrX : KC<KEY>kc<KEY> key_to_unlock : sBC unlocked_winning_no_to_MrX : (3, 11, 12, 27, 31) ''' <file_sep>/transaction.py class Transaction(object): def __init__(self, **kwargs): self.__dict__.update(kwargs) @property def value(self): return vars(self) <file_sep>/solve24.py import itertools as it def solve24(cs): os = set(["".join(i) for i in it.product("+-*/",repeat=3)]) ns = set(["".join(i) for i in it.permutations(cs)]) bs = ["( ) ", \ "( ) ", \ " ( ) ", \ " ( ) ", \ "( )( ) ", \ " ( ) ", \ " "] for oo in os: for nn in ns: s = "".join(it.chain(*zip(nn,"....",oo+" "))) for b in bs: sb = "".join(it.chain(*zip(b,s))).replace(" ","").replace("X","10").replace("J","11").replace("Q","12").replace("K","13") try: if abs(eval(sb)-24.) < 0.001: print(sb.replace(".","").replace("10","X").replace("11","J").replace("12","Q").replace("13","K")) except: pass solve24("44XX") solve24("3388") solve24("3377") solve24("4477") solve24("17KK") <file_sep>/server.py import json import requests from time import time from urlparse import urlparse from uuid import uuid4 from flask import Flask, jsonify, request from blockchain.core_utils import hash, proof_of_work from blockchain.blockchain import BlockChain from blockchain.transaction import Transaction from blockchain.model import Model def validator(**kwargs): return True class TestTransaction(Transaction): @property def default(self): return TestTransaction( sender="0", recipient=str(uuid4()).replace('-', ''), amount=1, ).value model = Model(transation_type=type(TestTransaction), model_validator=validator) block_chain = BlockChain(model) ''' BlockChain server: INPUT: Mother_node (with port no) Self_node (with port no) Model ''' app = Flask(__name__) @app.route('/mine', methods=['GET']) def mine(): last_block = block_chain.last_block last_proof = last_block['proof'] proof = proof_of_work(last_proof) txn = model.transation_type().default block_chain.add_transactions([txn]) previous_hash = hash(last_block) block = block_chain.new_block(proof, previous_hash) response = { 'message' : "New block mined", 'index' : block['index'], 'transactions' : block['transactions'], 'proof' : block['proof'], 'previous_hash' : block['previous_hash'], } return jsonify(response), 200 @app.route('/transactions/new', methods=['POST']) def new_transaction(): values = request.get_json() txn = Transaction(**values) index = block_chain.add_transactions([txn]) response = {'message': 'Transaction will be added to block {0}'.format(index)} return jsonify(response), 201 @app.route('/chain', methods=['GET']) def full_chain(): response = { 'chain' : block_chain.chain, 'length' : len(block_chain.chain), } return jsonify(response), 200 # TODO: need a process to auto registor nodes @app.route('/nodes/register', methods=['POST']) def register_nodes(): values = request.get_json() nodes = values.get('nodes') if nodes is None: return "Error: Please supply a valid list of nodes", 400 for node in nodes: block_chain.register_node(node) response = { 'message' : 'New nodes have been added', 'all_nodes' : list(block_chain.nodes), } return jsonify(response), 201 # TODO: need a process to call consensus @app.route('/nodes/resolve', methods=['GET']) def consensus(): replaced = block_chain.resolve_conflicts() if replaced: response = { 'message' : 'This chain was replaced', 'new_chain' : block_chain.chain } else: response = { 'message' : 'This chain is authoritative', 'chain' : block_chain.chain } return jsonify(response), 200 # APP thread app.run(host='127.0.0.1', port=5001, threaded=True) <file_sep>/README.md # OtherStuff Random interesting stuff created by <NAME>
324634a9620c3169d62764115132f9b494f126aa
[ "Markdown", "Python" ]
12
Python
james-jz-zheng/OtherStuff
729d0edb144411427d4fff7bfaecf00258f8a9c6
d1e6586c6ccffe949d613244d4fe18afd92a1602
refs/heads/master
<repo_name>bovacu/Foodamental<file_sep>/app/src/main/java/com/example/bovazque/registro_activity/TipoBusquedaReceta.java package com.example.bovazque.registro_activity; import android.content.Intent; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; public class TipoBusquedaReceta extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_tipo_busqueda_receta); } public void goToPorIngredientes(View view) { Intent intencion = new Intent(getApplication(), RecetasPorIngredientes.class); startActivity(intencion); } public void goToPorCategoria(View view) { Intent intencion = new Intent(getApplication(), RecetasPorCategoria.class); startActivity(intencion); } } <file_sep>/app/src/main/java/com/example/bovazque/registro_activity/VerReceta_activity.java package com.example.bovazque.registro_activity; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; import android.widget.ArrayAdapter; import android.widget.ImageView; import android.widget.ListView; import android.widget.Toast; import com.google.firebase.database.DataSnapshot; import com.google.firebase.database.DatabaseError; import com.google.firebase.database.DatabaseReference; import com.google.firebase.database.FirebaseDatabase; import com.google.firebase.database.ValueEventListener; import java.util.ArrayList; import java.util.List; public class VerReceta_activity extends AppCompatActivity { private List<String> listaIngredientes; private ArrayAdapter<String> adapter; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.verreceta_activity); FirebaseDatabase database = FirebaseDatabase.getInstance(); DatabaseReference myRef = database.getReference("Recetas"); myRef.addListenerForSingleValueEvent(new ValueEventListener() { @Override public void onDataChange(DataSnapshot dataSnapshot) { ListView listView = findViewById(R.id.listaIngredientes_lv); listaIngredientes = new ArrayList<>(); adapter = new ArrayAdapter<>(VerReceta_activity.this, android.R.layout.simple_list_item_1, listaIngredientes); listView.setAdapter(adapter); DataSnapshot ingredientesReceta = dataSnapshot.child(getIntent().getStringExtra("nombreReceta")).child("Ingredientes"); for (DataSnapshot ingrediente : ingredientesReceta.getChildren()) { anadirIngredienteALaLista(ingrediente.getKey() + " : " + ingrediente.getValue()); } ImageView imagen = findViewById(R.id.imagenReceta); imagen.setImageResource(getImagenReceta(getIntent().getStringExtra("nombreReceta"))); findViewById(R.id.progressBar2).setVisibility(View.GONE); } @Override public void onCancelled(DatabaseError databaseError) { } }); } private int getImagenReceta(String nombreReceta){ nombreReceta = nombreReceta.toLowerCase().replaceAll("\\s+", "").trim(); switch(nombreReceta){ case "arrozalacubana" : return R.drawable.arrozalacubana; default : return -1; } } private void anadirIngredienteALaLista(String ingrediente) { if(!this.listaIngredientes.contains(ingrediente) && ingrediente.trim().length() > 0) { this.listaIngredientes.add(ingrediente); this.adapter.notifyDataSetChanged(); } else { Toast.makeText(this, "El alimento no puede estar vacio", Toast.LENGTH_SHORT).show(); } } }<file_sep>/app/src/main/java/com/example/bovazque/registro_activity/RecetasEncontradas_activity.java package com.example.bovazque.registro_activity; import android.content.Context; import android.content.Intent; import android.support.constraint.ConstraintLayout; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; import android.widget.AdapterView; import android.widget.ArrayAdapter; import android.widget.Button; import android.widget.EditText; import android.widget.LinearLayout; import android.widget.ListView; import android.widget.RelativeLayout; import android.widget.ScrollView; import android.widget.TextView; import android.widget.Toast; import com.google.firebase.database.DataSnapshot; import com.google.firebase.database.DatabaseError; import com.google.firebase.database.DatabaseReference; import com.google.firebase.database.FirebaseDatabase; import com.google.firebase.database.ValueEventListener; import java.util.ArrayList; import java.util.List; import java.util.concurrent.CountDownLatch; public class RecetasEncontradas_activity extends AppCompatActivity { private List<String> listaRecetasFirebase; private ArrayAdapter<String> adapter; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_recetas_encontradas_activity); FirebaseDatabase database = FirebaseDatabase.getInstance(); DatabaseReference myRef = database.getReference("Recetas"); final Context context = this; final ListView recetas_listView = findViewById(R.id.recetasEncontradas_list); recetas_listView.setOnItemClickListener(new AdapterView.OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View view, int position, long id) { String nombreReceta = adapter.getItem(position); Intent intencion = new Intent(RecetasEncontradas_activity.this, VerReceta_activity.class); intencion.putExtra("nombreReceta", nombreReceta); startActivity(intencion); } }); this.listaRecetasFirebase = new ArrayList<>(); this.adapter = new ArrayAdapter<>(this, android.R.layout.simple_list_item_1, this.listaRecetasFirebase); recetas_listView.setAdapter(adapter); myRef.addListenerForSingleValueEvent(new ValueEventListener() { @Override public void onDataChange(DataSnapshot dataSnapshot) { String tipoBusqueda = getIntent().getStringExtra("busqueda"); if(tipoBusqueda.equals("ingredientes")){ List<String> ingredientesABuscar = new ArrayList<>(); for(String ingr : (List<String>) getIntent().getSerializableExtra("listaIngredientes")){ ingredientesABuscar.add(ingr.toLowerCase().replaceAll("\\s+", "")); } buscarPorIngredientes(recetas_listView, ingredientesABuscar, dataSnapshot, context); } else if(tipoBusqueda.equals("categoria")){ buscarPorCategoria(recetas_listView, getIntent().getStringExtra("categoria").toLowerCase().replaceAll("\\s+", ""), dataSnapshot, context); } else { Toast.makeText(context, "Error", Toast.LENGTH_SHORT).show(); } findViewById(R.id.progressBar).setVisibility(View.GONE); } @Override public void onCancelled(DatabaseError databaseError) { } }); } private void buscarPorCategoria(ListView recetas_listView, String categoria, DataSnapshot dataSnapshot, Context context){ categoria = categoria.toLowerCase().replaceAll("\\s+", ""); for (DataSnapshot receta : dataSnapshot.getChildren()) { DataSnapshot cat = receta.child("Categoria"); if(cat.getValue() != null){ String[] categorias = ((String)cat.getValue()).split(","); for(String c : categorias){ System.out.println(c + " ----> " + categoria); if(c.toLowerCase().replaceAll("\\s+", "").equals(categoria)) { if(!yaEnLosResultados(recetas_listView, receta.getKey())){ this.anadirIngredienteALaLista(receta.getKey()); } } } } } } private void buscarPorIngredientes(ListView recetas_listView, List<String> ingredientesABuscar, DataSnapshot dataSnapshot, Context context){ for (DataSnapshot receta : dataSnapshot.getChildren()) { DataSnapshot ingredientes = receta.child("Ingredientes"); List<String> ingredientesReceta = new ArrayList<>(); for (DataSnapshot ingrediente : ingredientes.getChildren()) ingredientesReceta.add(ingrediente.getKey().toLowerCase().replaceAll("\\s+", "")); if (ingredientesReceta.containsAll(ingredientesABuscar) ) { if(!yaEnLosResultados(recetas_listView, receta.getKey())){ this.anadirIngredienteALaLista(receta.getKey()); } } } } private boolean yaEnLosResultados(ListView recetas_listView, String receta){ for(int i = 0; i < recetas_listView.getChildCount(); i++){ if(recetas_listView.getChildAt(i) instanceof Button) { if (((Button)recetas_listView.getChildAt(i)).getText().equals(receta)) return true; } } return false; } private void anadirIngredienteALaLista(String ingrediente) { if(!this.listaRecetasFirebase.contains(ingrediente) && ingrediente.trim().length() > 0) { this.listaRecetasFirebase.add(ingrediente); this.adapter.notifyDataSetChanged(); } else { Toast.makeText(this, "El alimento no puede estar vacio", Toast.LENGTH_SHORT).show(); } } } <file_sep>/app/src/main/java/com/example/bovazque/registro_activity/Inicio_activity.java package com.example.bovazque.registro_activity; import android.content.Intent; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; public class Inicio_activity extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_inicio_activity); } public void goToInicioSesion(View view) { Intent intent = new Intent(this, Principal_activity.class); //intent.putExtra(EXTRA_MESSAGE, message); startActivity(intent); } public void goToRegistro(View view) { Intent intent = new Intent(this, Registro_activity.class); //intent.putExtra(EXTRA_MESSAGE, message); startActivity(intent); } } <file_sep>/app/src/main/java/com/example/bovazque/registro_activity/ListaCompra.java package com.example.bovazque.registro_activity; import java.util.HashMap; import java.util.Map; public class ListaCompra { private Map<String, Integer> nombreMap; public ListaCompra(){ this.nombreMap = new HashMap<String, Integer>(); } public void anadirElemento(String nombre, int cantidad){ this.nombreMap.put(nombre, cantidad); } public void eliminarElemento(String nombre){ this.nombreMap.remove(nombre); } public HashMap getElementos(){ return (HashMap) this.nombreMap; } public int getNumElementos(){ return this.nombreMap.size(); } }<file_sep>/app/src/main/java/com/example/bovazque/registro_activity/Registro_activity.java package com.example.bovazque.registro_activity; import android.app.ProgressDialog; import android.content.Intent; import android.support.annotation.NonNull; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.text.TextUtils; import android.view.View; import android.widget.Button; import android.widget.EditText; import android.widget.ImageButton; import android.widget.Spinner; import android.widget.Toast; import com.google.android.gms.tasks.OnCompleteListener; import com.google.android.gms.tasks.Task; import com.google.firebase.auth.AuthResult; import com.google.firebase.auth.FirebaseAuth; import com.google.firebase.auth.FirebaseAuthUserCollisionException; import com.google.firebase.database.DatabaseReference; import com.google.firebase.database.FirebaseDatabase; public class Registro_activity extends AppCompatActivity implements View.OnClickListener{ //defining view objects private EditText TextEmail; private EditText TextName; private EditText TextApellido; private Spinner TextPaís; private EditText TextTelefono; private EditText TextPassword; private ImageButton btnRegistrar; private ProgressDialog progressDialog; //Declaramos un objeto firebaseAuth private FirebaseAuth firebaseAuth; private DatabaseReference mDatabase; // ... @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_registro_activity); mDatabase = FirebaseDatabase.getInstance().getReference("Usuario"); //inicializamos el objeto firebaseAuth firebaseAuth = FirebaseAuth.getInstance(); //Referenciamos los views TextEmail = (EditText) findViewById(R.id.TextEmail); TextPassword = (EditText) findViewById(R.id.TextPassword); //BD--------------------------------------------------- TextName =(EditText) findViewById(R.id.editTextName); TextApellido =(EditText) findViewById(R.id.editTextLastName); TextPaís =(Spinner) findViewById(R.id.spinCountry); //----------------------------------------------------- progressDialog = new ProgressDialog(this); btnRegistrar = (ImageButton) findViewById(R.id.register_btn); progressDialog = new ProgressDialog(this); //attaching listener to button btnRegistrar.setOnClickListener(this); //attaching listener to button } private void registrarUsuario(){ //Obtenemos el email y la contraseña desde las cajas de texto String email = TextEmail.getText().toString().trim(); String password = TextPassword.getText().toString().trim(); //Verificamos que las cajas de texto no esten vacías if(TextUtils.isEmpty(email) || email == null){ Toast.makeText(this,"Se debe ingresar un email",Toast.LENGTH_LONG).show(); return; } if(TextUtils.isEmpty(password) || password == null){ Toast.makeText(this,"Falta ingresar la contraseña",Toast.LENGTH_LONG).show(); return; } boolean correcto = this.registrarClase(email); if(correcto){ progressDialog.setMessage("Realizando registro en linea..."); progressDialog.show(); //creating a new user Task<AuthResult> authResultTask = firebaseAuth.createUserWithEmailAndPassword(email, password) .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() { public void onComplete(@NonNull Task<AuthResult> task) { //checking if success if (task.isSuccessful()) { Toast.makeText(Registro_activity.this, "Se ha registrado el usuario con el email: " + TextEmail.getText(), Toast.LENGTH_LONG).show(); } else { if (task.getException() instanceof FirebaseAuthUserCollisionException) {//si se presenta una colisión Toast.makeText(Registro_activity.this, "Ese usuario ya existe ", Toast.LENGTH_SHORT).show(); inicioSesion(); } else { Toast.makeText(Registro_activity.this, "No se pudo registrar el usuario ", Toast.LENGTH_LONG).show(); } } progressDialog.dismiss(); } });}else{ Toast.makeText(this,"Debes rellenar todos los campos", Toast.LENGTH_LONG).show(); } } public boolean registrarClase(String email){ boolean campos = false; if(!TextUtils.isEmpty(email)){ String[] s = email.split("@"); Alimento a = new Alimento("aji amarillo", 1); mDatabase.child("Usuarios").child(s[0]).child("ListaCompra").child("falsi").setValue("-1"); campos = true; } return campos; } public void onClick(View view) { //Invocamos al método: registrarUsuario(); } private void inicioSesion(){ Intent intent = new Intent(this, InicioSesion_activity.class); //intent.putExtra(EXTRA_MESSAGE, message); startActivity(intent); } public void onClickInicioSesion(View view){ startActivity(new Intent(this, InicioSesion_activity.class)); overridePendingTransition(R.anim.fade, R.anim.hold); } }<file_sep>/app/src/main/java/com/example/bovazque/registro_activity/Inicio_App_activity.java package com.example.bovazque.registro_activity; import android.content.Intent; import android.os.Bundle; import android.os.CountDownTimer; import android.os.Handler; import android.support.v7.app.AppCompatActivity; import android.view.View; public class Inicio_App_activity extends AppCompatActivity { @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.inicio_aplicacion_activity); new CountDownTimer(5000, 1000) { public void onTick(long millisUntilFinished) { System.out.println("--------------------------------------------------------------------------------------"); } public void onFinish() { Intent intent = new Intent(Inicio_App_activity.this, InicioSesion_activity.class); //intent.putExtra(EXTRA_MESSAGE, message); startActivity(intent); } }.start(); } } <file_sep>/app/src/main/java/com/example/bovazque/registro_activity/Alimento.java package com.example.bovazque.registro_activity; class Alimento { private String nombrealimento; private int cantidad; public Alimento(String nombre, int cantidad){ this.nombrealimento=nombre; this.cantidad = cantidad; } public String getNombrealimento() { return nombrealimento; } public void setNombrealimento(String nombrealimento) { this.nombrealimento = nombrealimento; } public int getCantidad() { return cantidad; } public void setCantidad(int cantidad) { this.cantidad = cantidad; } } <file_sep>/app/src/main/java/com/example/bovazque/registro_activity/RecetasPorCategoria.java package com.example.bovazque.registro_activity; import android.content.Intent; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; public class RecetasPorCategoria extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_recetas); } public void goToRecetasEncontradas(View view){ Intent intent = new Intent(this, RecetasEncontradas_activity.class); intent.putExtra("busqueda", "categoria"); intent.putExtra("categoria", getCategoriaFromId(view.getId())); startActivity(intent); } private String getCategoriaFromId(int id){ switch (id){ case R.id.carne_ib : return "carne"; case R.id.pescado_ib : return "pescado"; case R.id.verdura_ib : return "verdura"; case R.id.pasta_ib : return "pasta"; case R.id.arroz_ib : return "arroz"; case R.id.postre_ib : return "postre"; case R.id.legumbre_ib : return "legumbre"; default : return "error"; } } }
0de790fe8f4932b99c0b0f8bbbc20cd568cd1077
[ "Java" ]
9
Java
bovacu/Foodamental
72c4a79b55b6389247ac2b4942a2bc5bed688c85
5124609db47cd745a3c7c885d26bb414d82f8fde
refs/heads/master
<repo_name>WojciechKalebasiak/ChatApp<file_sep>/client/index.js import React from 'react'; import ReacDOM from 'react-dom'; import { AppContainer } from 'react-hot-loader'; import App from './components/containers/App'; const render = (Component) => { ReacDOM.render( <AppContainer> <Component /> </AppContainer>, document.getElementById('root') ); }; render(App) if (module.hot) { module.hot.accept('./components/containers/App', () => { const NewApp = require('./components/containers/App').default; render(NewApp); }); }
e1d41f02d22320a6caea3ba3a83fc0e7f72b3c31
[ "JavaScript" ]
1
JavaScript
WojciechKalebasiak/ChatApp
5100c18ecfcc0dde71d0dab4645dabbef4dc75f2
c3970a314920a1a1e2157b8d64b14fc25004b2e4
refs/heads/master
<repo_name>mythonk/univergen<file_sep>/main.py import generate, names s1 = name.Solarsystem() s1.display()<file_sep>/names.py #written in python 3.3 #Copyright by Marv 'Yethiel' Thiel #Additional programming by Kons '<NAME>' Möller import random def peoples_name(): strfile = open("strings/syllables/peoples.txt", "r") lines = strfile.readlines() s1 = lines[0].split(',') s2 = lines[1].split(',') s3 = lines[2].split(',') strfile.close() name = "" name += s1[random.randint(0,len(s1)-1)].strip('\n') if random.randint(0, 1) == 1: name += s2[random.randint(0,len(s2)-1)].strip('\n') name += s3[random.randint(0,len(s3)-1)].strip('\n') return name def planets_name(): strfile = open("strings/syllables/planets.txt", "r") lines = strfile.readlines() s1 = lines[0].split(',') s2 = lines[1].split(',') s3 = lines[2].split(',') name = "" name += s1[random.randint(0,len(s1)-1)].strip('\n') if random.randint(0, 1) == 1: name += s2[random.randint(0,len(s2)-1)].strip('\n') name += s3[random.randint(0,len(s3)-1)].strip('\n') return name def solarsys_name(): strfile = open("strings/syllables/peoples.txt", "r") lines = strfile.readlines() s1 = lines[0].split(',') s2 = lines[1].split(',') s3 = lines[2].split(',') name = "" name += s1[random.randint(0,len(s1)-1)].strip('\n') name += s2[random.randint(0,len(s2)-1)].strip('\n') name += s3[random.randint(0,len(s3)-1)].strip('\n') return name <file_sep>/generate.py #written in python 3.3 #Copyright by Marv 'Yethiel' Thiel #Additional programming by Kons '<NAME>' Möller import random from names import planets_name, peoples_name, solarsys_name ################# # Load Settings # ################# settingsfile = open("settings.txt", "r") lines = settingsfile.readlines() settings = {} for line in lines: curline = line.split('=') settings[curline[0]] = curline[1].strip('\n') settingsfile.close() print(settings) def planet_class(): themes = ['humid', 'desert', 'ice', 'ocean'] theme = themes[random.randint(0,len(themes)-1)] return theme solarsystem = {} solarsystem['planets'] = {} solarsystem['name'] = solarsys_name() solarsystem['life_probability'] = int(random.uniform(int(settings['min_lifeprob']), int(settings['max_lifeprob']))) planet_amount = int(random.uniform(int(settings['min_planets']), int(settings['max_planets']))) #generate names for planet in range(0, planet_amount): solarsystem['planets'].update({planets_name(): {}}) print(solarsystem['planets']) for planet in solarsystem['planets'].values(): moon_amount = random.randint(int(settings['min_moons']),int(settings['max_moons'])) planet['moons'] = {} planet.update({'size' : random.uniform(1,3)}) planet.update({'class' : planet_class()}) if solarsystem['life_probability'] > int(random.uniform(0, 10)): planet.update({'race': peoples_name()}) planet.update({'race_hostility' : int(random.uniform(0, 100))}) planet.update({'inhabitants' : int(random.uniform(1, 99))*planet['size']}) else: planet.update({'race': 'uninhabited'}) planet.update({'race_hostility' : 0}) planet.update({'inhabitants' : 0}) try: for moons in range(0, moon_amount): planet['moons'].update({planets_name() : {}}) for moon in planet['moons']: planet['moons'][moon].update({'size' : float(random.uniform(1,3))}) except: pass def display(): #pretty irrellevant, will be replaced with UI print(solarsystem['name']+" Solar System") print(" Life Probability: "+str(solarsystem['life_probability'])) print(" Amount of planets: "+str(len(solarsystem['planets'].keys()))) for planet in solarsystem['planets'].keys(): print("Planet name: "+planet) print(" " + "size: "+str(solarsystem['planets'][planet]['size'])) print(" " + "class: "+solarsystem['planets'][planet]['class']) print(" " + "race: "+solarsystem['planets'][planet]['race']) print(" " + "race hostility: "+str(solarsystem['planets'][planet]['race_hostility'])) print(" " + "inhabitants: "+str(solarsystem['planets'][planet]['inhabitants'])) print(" " + "moons: "+str(len(solarsystem['planets'][planet]['moons'].keys()))) for moons in solarsystem['planets'][planet]['moons']: print(" " + " " + "name: "+moons) print(" " + " " + " " + "size: "+str(solarsystem['planets'][planet]['moons'][moons]['size'])) display()<file_sep>/README.md UniverGen ========= A generator for totally random fictional universes. Execute generate.py with Python 3.3 or similar.
dcdee84f6083bf3d60b6674882c70caf0767f587
[ "Markdown", "Python" ]
4
Python
mythonk/univergen
1885a8516c64e2fae4220ffc522b08e666fc8b86
b6801a2f69dd41b9308e44f8f69b037f1d73d394
refs/heads/master
<file_sep>var chatLog = ""; // this variable will store previous messages function sendMessage(message){ // Get previous contents of the chatContainer chatLog = $("#chatContainer").html(); // This is used to create new lines between chat bot and user messages if(chatLog.length > 4) // check if chatLog is bigger than 4, i.e. has some content chatLog += "<br>"; // if it has add break line, i.e. skip to another line // currentMessage here is used to add more chat like feel $("#chatContainer").html(chatLog +"<span class='currentMessage'</span>" + "<span class='chatbot'>Eliza: </span>" + message); // adding previous messages along with Eliza response // message and printing it to chatContainer $(".currentMessage").hide(); // hide currentMessage $(".currentMessage").delay(200).fadeIn(); // fade it in after given time $(".currentMessage").removeClass("currentMessage"); // remove class currentMessage } // First thing to show up on screen function greeting(){ sendMessage("Hello, I'm Eliza. How are you feeling today?"); // sends string message to sendMessage function } $(function(){ // when whole document loaded greeting(); // first thing that we want to do is to print the greeting message $("#textbox").keypress(function(event){ if(event.which == 13){ // 13 stands for key enter on keyboard, i.e. checks for enter input one keyboard $("#send").click(); // message send on button click also event.preventDefault(); // prevent user into going into another line when pressing enter }//if }); // Here's what happens after message is sent $("#send").click(function(){ var user = "<span class='username'>You: </span>"; // name tag, i.e. for chat bot it's "Eliza" and for user it's "You" var userMessage = $("#textbox").val(); // gets the value of user input and puts it into userMessage variable $("#textbox").val(""); // empties the textbox if(userMessage === "quit") // check for quit $("#textbox").attr("disabled", "disabled"); // disable input chatLog = $("#chatContainer").html(); // gets chatLog contents if(chatLog.length > 4) // checks if anything in the chatLog chatLog += "<br>"; // if there is add new line $("#chatContainer").html(chatLog + user + userMessage); // output the contents chatLof, user and userMessage to chatContainer, i.e. it's like overwriting charContainer // contents with it's previous contents and added new message $("#chatContainer").scrollTop($("#chatContainer").prop("scrollHeight")); // this line forces the chatContainer to always point to the bottom of the contents // gives more like chat feeling // Ajax is implemented here $.ajax({ url: 'receive', type: 'post', dataType: 'html', data : { ajaxPostUserData: userMessage // sends userMessage }, success : function(data) { sendMessage(data); // on successful response we pass in the data as parameter into sendMessage }, }); }); }); <file_sep>package main //Imports import ( "net/http" "fmt" "math/rand" "regexp" "strings" "encoding/json" "io/ioutil" "os" ) // Struct which will hold pattern and possible answers type Response struct { pattern *regexp.Regexp possibleAnswers []string } // Struct for loading the data from the json file type Data struct { Keyword string `json:"keyword"` Responses []string `json:"responses"` } // Function to parse json file func getData() []Data { raw, err := ioutil.ReadFile("data/responses.json") // read json file if err != nil { // error checking fmt.Println(err.Error()) os.Exit(1) } var data []Data // create array variable of struct Data to store multiple values json.Unmarshal(raw, &data) //put data into the variable return data // return the data }//getData() // Function to substitite the words e.g.you to me etc. func substitution(answer string) string { reflections := map[string]string{ "am": "are", "was": "were", "i": "you", "i'd": "you would", "i've": "you have", "i'll": "you will", "my": "your", "are": "am", "you've": "I have", "you'll": "I will", "your": "my", "yours": "mine", "you": "me", "me": "you", "myself": "yourself", "yourself": "myself", "i'm": "you are", } words := strings.Split(answer, " ") // get slices of the words for i, word := range words { // loop through whole sentence if val, ok := reflections[word]; ok { // check for the word in reflection words[i] = val // substitite the value }//if }//for // Return substituted string return strings.Join(words, " ") // join back into sentence }//substitution() // Function to analyse userInput and get chatbots proper response func analyse(userInput string) string { response := ""; pages := getData() // get the json data exit := 0; // variable used to break out of the loop userInput = strings.ToLower(userInput); for _, p := range pages { // loop through all the data if (exit >= 1) {break} // check if need to exit the loop i.e. this means response has been found re := regexp.MustCompile(strings.ToLower(p.Keyword)) // capture anything the after the p.Keyword for i := 0; i < len(p.Responses); i ++ { strings.ToLower(p.Responses[i]); } matching := Response{re, p.Responses} // variable of Response struct if (matching.pattern.MatchString(userInput)) { match := re.FindStringSubmatch(userInput) // the pattern matched, so look for all the text after p.Keyword topic := match[0] // 0 is the full string, 1 is first match. topic = substitution(topic) // substitite, e.g. 'me' to 'you' chosenResponse := matching.possibleAnswers[rand.Intn(len(matching.possibleAnswers))] // pick the answer // Check whenever joining strings will be required if(strings.Contains(p.Keyword, "(.*)")) { finalResponse := fmt.Sprintf(chosenResponse, topic) // sub topic (%s) into chosenResponse response = finalResponse }else { response = chosenResponse // output response } exit++ // to break out of for } else if(strings.Contains(userInput, "?")) { questions := [] string { "Why do you ask that?", "Please consider whether you can answer your own question.", "Perhaps the answer lies within yourself?", "Why don't you tell me?"} response = questions[rand.Intn(len(questions))] // print random response exit++ // to break out of for }//else if }//for return response }//analyse() // Function to handle user message func userMessage(w http.ResponseWriter, r *http.Request) { if (r.Method == "POST") { ajaxPostUserData := r.FormValue("ajaxPostUserData"); // creating and initilizing variable to user input using ajax fmt.Println("Received ajax data: ", ajaxPostUserData); // printing result to the console for insurance w.Write([]byte(analyse(ajaxPostUserData))); } } //Main function func main() { // http.Handler http.Handle("/", http.FileServer(http.Dir("./static"))); // path to the static webpages http.HandleFunc("/receive", userMessage); // handles userMessage function http.ListenAndServe(":8080", nil); // localhost on port 8080 }<file_sep># Data Representation and Quering - ELIZA Project in GO ### This code was developed for college project purposes only. ### Please refer to References section at the bottom of the page as snippets of codes were implemented from external sources. ### Description - Simple Eliza chatbot implementation in GOlang - Makes use of: - GOlang and it's various imports - Json file parsing and Json file handling - HTML - HyperText Markup Language - CSS - Cascading Style Sheets - JS - JavaScript - JQuery - JavaScript library designed to simplify the client-side scripting of HTML - Ajax - Asynchronous JavaScript and XML I have tried to make the Eliza Chatbot code as easy to understand as possible, especially when I myself don't have lot's of experience in GOlang and also considering that GOlang often tends to overcomplicate things. That's the main reason why I have chosen to store my responses data in json file as they're easier to read in. Also they allow me easier to access certain types of data, example of that is when I use - `re := regexp.MustCompile(strings.ToLower(p.Keyword))` which makes use of the keyword which value of can be "My (.*)" or "I want (.*)" for example. - NOTE: "(.*)" captures anything after it, for example consider sentence "Most of the time I want to relax" it captures "to relax" and then it does the substitutions to eventually join two strings and to reply with 'What would you do if you got you want to relax?' or any other of the responses for that keyword. To make things easier for myself I have chosen to go with easy kind of dark design for the web app which is pleasant to the eye, and also easy for user to understand. At the first glace user is present with message from Eliza in a chat window and textbox is present just under the chat window, with send button on the right side of it, also - NOTE: "Messages can be sent by just pressing enter after typing the message in textbox". This eye pleasing but simple design was the obvious choice for the chat bot. I was guided by the quote - "A user interface is like a joke. If you have to explain it, it's not that good.". ### How to run #### NOTE: GOlang must be installed to run this code - Step 1: Open command prompt by writing "cmd" in the search box - Step 2: Clone repository using code below - `git clone https://github.com/Ltrmex/ELIZA-PROJECT` - Step 3: Navigate from command prompt to the cloned folder location, if in the same directory e.g. - `cd ELIZA-PROJECT` - Step 4: Compile the application code like so: - `go build eliza.go` - Step 5: Run the code like shown below: - `eliza.exe` - Step 6: Access the web application through your browser like Google Chrome or Mozzila Firefox by typing text below: - localhost:8080 ### References - jQuery and overall web app design was adapted from youtube tutorials: - [Link to jQuery, html, css tutorial!](https://www.youtube.com/playlist?list=PLHPcpp4e3JVpXbtgyD-k-nCmwpbbMIHOh) - Transfer of data between html, jQuery and GOlan was implemented from an example below: - [Link to Ajax example!](https://www.socketloop.com/tutorials/golang-jquery-ajax-post-data-to-server-and-send-data-back-to-client-example) - With never having opportunity to deal with json in GOlang I have implemented it from an example below: - [Link to Json file parsing example!](https://www.chazzuka.com/2015/03/load-parse-json-file-golang/) - Chatbot implementation itself was developed from the example below: - [Link to Eliza chatbot simple example!](https://gist.github.com/chatton/c4328ed03eef086306ac052b89fb9797) - Responses data and substitutions were gotten from: - [Link to resposnes.json data!](https://www.smallsurething.com/implementing-the-famous-eliza-chatbot-in-python/)
be5c921be28922748b5e4de5caf06fd7a1ea639d
[ "JavaScript", "Go", "Markdown" ]
3
JavaScript
Ltrmex/ELIZA-PROJECT
73507f331361601b3901f6b47aeb7ec30d05abcb
ab7a13cfaeaa8ef05e4a63905011eeff00a2e38f