text
stringlengths 1
1.04M
| language
stringclasses 25
values |
|---|---|
<gh_stars>0
import React, { Component, PureComponent } from 'react';
import PropTypes from 'prop-types';
import Avatar from '@material-ui/core/Avatar';
import Button from '@material-ui/core/Button';
import CssBaseline from '@material-ui/core/CssBaseline';
import FormControl from '@material-ui/core/FormControl';
import Input from '@material-ui/core/Input';
import InputLabel from '@material-ui/core/InputLabel';
import Select from '@material-ui/core/Select';
import Paper from '@material-ui/core/Paper';
import Typography from '@material-ui/core/Typography';
import withStyles from '@material-ui/core/styles/withStyles';
import FolderIcon from '@material-ui/icons/Folder';
import MenuItem from '@material-ui/core/MenuItem';
import axios from "axios";
import Response from '../components/response.js';
const styles = theme => ({
main: {
width: 'auto',
display: 'block', // Fix IE 11 issue.
marginLeft: theme.spacing.unit * 3,
marginRight: theme.spacing.unit * 3,
[theme.breakpoints.up(400 + theme.spacing.unit * 3 * 2)]: {
width: 400,
marginLeft: 'auto',
marginRight: 'auto',
},
},
paper: {
marginTop: theme.spacing.unit * 8,
display: 'flex',
flexDirection: 'column',
alignItems: 'center',
padding: `${theme.spacing.unit * 2}px ${theme.spacing.unit * 3}px ${theme.spacing.unit * 3}px`,
},
avatar: {
margin: theme.spacing.unit,
backgroundColor: theme.palette.secondary.main,
},
form: {
width: '100%', // Fix IE 11 issue.
marginTop: theme.spacing.unit,
},
add: {
marginTop: theme.spacing.unit * 3,
width: '45%',
padding: theme.spacing.unit,
},
submit: {
marginTop: theme.spacing.unit * 3,
},
});
class CreateRecipePage extends Component {
constructor(props) {
super(props);
this.state = {
recipeName: "",
description: "",
cookingTime: "",
instructions: [],
ingredients: [],
cuisine: "",
imageURL: "",
instructionValue: "",
ingredientValue: "",
response:'',
open: false,
responseTitle: '',
};
};
handleCreateRecipe = e => {
if (this.state.recipeName.length === 0) {
this.handleResponse("It seems you have not provided a recipe name. Please provide a valid recipe name and try again.", "No recipe name");
}
else if ((this.state.description.length === 0)) {
this.handleResponse("It seems you have not provided a recipe description. Please provide a valid recipe description and try again", "No description")
}
else if ((this.state.cookingTime.length === 0)) {
this.handleResponse("It seems you have not provided a cooking time. Please provide a valid cooking time and try again", "No cooking time")
}
else if ((this.state.instructions.length === 0)) {
this.handleResponse("It seems you have not provided instructions. Please provide a valid set of instrucions and try again", "No instructions")
}
else if ((this.state.ingredients.length === 0)) {
this.handleResponse("It seems you have not provided a ingredient(s). Please provide a valid ingredient(s) and try again", "No ingredients")
}
else if ((this.state.cuisine.length === 0)) {
this.handleResponse("It seems you have not provided a cuisine type. Please provide a valid cuisine type and try again", "No cuisine type")
}
else if ((this.state.imageURL.length === 0)) {
this.handleResponse("It seems you have not provided a valid image URL. Please provide a valid URL ending in jpg and try again", "No image")
}
else {
axios.post('/v2/recipe/create', {
id: this.props.userID,
recipeName: this.state.recipeName,
description: this.state.description,
cookingTime: this.state.cookingTime,
instructions: this.state.instructions,
ingredients: this.state.ingredients,
cuisine: this.state.cuisine,
imageUrl: this.state.imageURL,
},
)
.then((response) => {
console.log(response);
this.handleResponse("Your recipe was successfully created and added to your recipes! Thank you for adding your personal recipe to Cookable!", "Recipe Creation Complete!");
this.setState({recipeName: '', description: '', cookingTime: '', instructions: [], ingredients: [], cuisine: '', imageURL: ''});
})
.catch((error) => {
console.log(error);
this.handleResponse("Sorry but your recipe could not be created.","ERROR: Could not create recipe");
});
}
};
handleChange = event => {
this.setState({ [event.target.name]: event.target.value });
};
handleInstructionsAdd = event => {
const instructionValue = this.state.instructionValue;
const instructions = Array.from(this.state.instructions);
if(instructionValue.length > 0){
instructions.push(instructionValue);
}
this.setState({ instructions: instructions, instructionValue: "" });
}
handleIngredientsAdd = event => {
const ingredientValue = this.state.ingredientValue
const ingredients = Array.from(this.state.ingredients);
if (ingredientValue.length > 0){
ingredients.push(ingredientValue);
}
this.setState({ ingredients: ingredients, ingredientValue: "" });
}
handleResponse = (response, responseTitle) => {
this.setState({ open: true, response: response, responseTitle: responseTitle });
}
handleResponseClose = () => {
this.setState({ open: false, response: '', });
}
handleSubmit = event => {
event.preventDefault();
};
render() {
const { classes } = this.props;
return (
<div>
<main className={classes.main}>
<CssBaseline />
<Paper className={classes.paper}>
<Avatar className={classes.avatar}>
<FolderIcon />
</Avatar>
<Typography component="h1" variant="h5">
Add A New Recipe
</Typography>
<form className={classes.form}>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="recipeName">Recipe Name</InputLabel>
<Input id="recipeName" name="recipeName" autoFocus value={this.state.description}
value={this.state.recipeName}
onChange={this.handleChange}
/>
</FormControl>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="description">Description</InputLabel>
<Input name="description" type="description" id="description" autoComplete="current-password"
value={this.state.description}
onChange={this.handleChange}
/>
</FormControl>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="cookingTime">Cooking Time</InputLabel>
<Input id="cookingTime" name="cookingTime"
value={this.state.cookingTime}
onChange={this.handleChange}
inputProps={{
name: 'cookingTime',
id: 'cookingTime',
}}
/>
</FormControl>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="instructions">Instructions</InputLabel>
<Input id="instructionValue" name="instructionValue"
value={this.state.instructionValue}
onChange={this.handleChange}
/>
{(this.state.instructions && this.state.instructions.length > 0) ?
(<ol>
{this.state.instructions.map(step => (
<li>
<Typography component="p">
{step}
</Typography>
</li>
))}
</ol>) :
undefined
}
<div> <Button
as="input"
fullWidth
variant="contained"
color="primary"
className={classes.add}
onClick={this.handleInstructionsAdd}
>
Add
</Button>
</div>
</FormControl>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="ingredients">Ingredients</InputLabel>
<Input id="ingredientValue" name="ingredientValue"
value={this.state.ingredientValue}
onChange={this.handleChange}
/>
{(this.state.ingredients && this.state.ingredients.length > 0) ?
(<ul>
{this.state.ingredients.map(ingredient => (
<li>
<Typography component="p">
{ingredient}
</Typography>
</li>
))}
</ul>) :
undefined
}
<div> <Button
as="input"
fullWidth
variant="contained"
color="primary"
className={classes.add}
onClick={this.handleIngredientsAdd}
>
Add
</Button></div>
</FormControl>
<FormControl className={classes.formControl} required fullWidth>
<InputLabel htmlFor="cuisine">Cuisine</InputLabel>
<Select
input={<Input id="cuisine" name="cuisine" />}
value={this.state.cuisine}
onChange={this.handleChange}
>
<MenuItem value="">
<em>None</em>
</MenuItem>
<MenuItem value="Snack">Snack</MenuItem>
<MenuItem value="Breakfast">Breakfast</MenuItem>
<MenuItem value="Brunch">Brunch</MenuItem>
<MenuItem value="Lunch">Lunch</MenuItem>
<MenuItem value="Dinner">Dinner</MenuItem>
</Select>
</FormControl>
<FormControl margin="normal" required fullWidth>
<InputLabel htmlFor="imageURL">Upload Image</InputLabel>
<Input id="imageURL" name="imageURL"
value={this.state.imageURL}
onChange={this.handleChange}
/>
</FormControl>
<Button
as="input"
fullWidth
variant="contained"
color="primary"
className={classes.submit}
onClick={this.handleCreateRecipe}
>
Submit
</Button>
<Button
as="input"
fullWidth
variant="contained"
color="primary"
className={classes.submit}
>
Cancel
</Button>
</form>
</Paper>
</main>
<Response
open={this.state.open}
onClose={this.handleResponseClose}
response={this.state.response}
responseTitle={this.state.responseTitle}
/>
</div>
);
};
}
CreateRecipePage.propTypes = {
classes: PropTypes.object.isRequired,
};
export default withStyles(styles)(CreateRecipePage);
|
javascript
|
Yogi Oath ceremony: The swearing-in ceremony - set to be a show of strength - is taking place nearly two weeks after the poll results were announced.
Yogi Adityanath will take oath as Uttar Pradesh's chief minister on Friday at a grand event where Prime Minister Narendra Modi will be in attendance. Thousands of guests are expected to attend the event as the state sees a record of a chief minister returning to power for a second straight term after nearly three decades. All chief ministers of the BJP-ruled states - apart from other big leaders in the ruling party - have been invited. The swearing-in ceremony - set to be a show of strength for the party amid preparation for the 2024 national elections - is taking place nearly two weeks after the poll results were announced and the BJP combine claimed a thumping majority with 273 seats.
Here are ten points on the Yogi Adityanath oath event in Lucknow:
1. After a crucial meeting on Thursday, where the 49-year-old was formally elected to be the Uttar Pradesh chief minister, Yogi Adityanath recalled the start of his first term in 2017. “It is our test of how true can we be to people’s expectations. That reforms, good governance, investments could be made possible in UP was due to the fabulous team work example shown by the central leadership. People clearly backed double engine’ narrative of the PM," he said in praise of the prime minister and Amit Shah.
2. Yogi Adityanath also recalled the achievements of the BJP government and recalled how he sought the prime minister's and Amit Shah's guidance when he started his tenure in 2017. “Prior to 2017, UP was at the bottom in implementing welfare schemes of the centre. Today it is top performing state in implementing these schemes," he said.
3. The chief ministers who are expected to be at the event are Gujarat's Bhupendra Patel, Haryana's Manohar Lal Khattar, Madhya Pradesh's Shivraj Singh Chauhan, Karnataka's Basavaraj Bommai and Assam's Himanta Biswa Sarma. Chief ministers of Bihar, Nagaland, Meghalaya - where the BJP is in alliance with the ruling government - have also been invited.
4. Amid speculation about Uttar Pradesh having two deputy chief ministers again, all eyes will be on the new Yogi Adityanath cabinet. Yogi had two deputies in the first term - while Keshav Prasad Maurya faced an embarrasing poll defeat in his constituency, Dinesh Sharma had not fought the state election. Baby Rani Maurya is being viewed as a top contender this time for the post.
5. A tea-party is expected be held at the chief minister's official residence on Friday morning with the newly elected lawmakers.
6. 'The Kashmir Files' team - including director Vivek Agnihotri and actor Anupam Kher - are likely to be present at the event too. The movie - which has now entered the ₹200 crore box office club - won endoresement from the prime minister, Yogi Adityanath and others.
7. It's not yet clear if the BJP challenger, Akhilesh Yadav, will be present. He had attended the 2017 swearing-in ceremony. He has quit as the Lok Sabha MP from Azamgarh, and has retained his Karhal assembly seat. With the move, he is expected to fill in his role as the leader of the opposition in the state assembly.
8. Thirty key investors from Noida have also been invited. “This is the first time that we have been invited to the swearing-in ceremony of the Uttar Pradesh chief minister. We expect better days for the manufacturing and industrial sector that witnessed a bad two years during the Covid-19 pandemic. We are glad the regime is honouring our sentiments and has invited us to this event,” said Vipin Malhan, president, Noida Entrepreneur Association (NEA).
9. On Thursday, Amit Shah said that the BJP will dedicate next five years to making UP the number-1 economy. “Our job must be to build on this grand win. Next five years are to restore UP’s glory and to make it the country’s number one economy," he said.
10. The BJP claimed a voting share per centage of 41 per cent this time in UP. The next on the list was Akhilesh Yadav's Samajwadi Party that claimed a voting share percentage of 32 per cent. Victory in Uttar Pradesh, that send maximum lawmakers to Lok Sabha, is critical for the BJP ahead of the 2024 Lok Sabha elections.
|
english
|
Greater Noida-based Centre of Excellence- Drone Technology (CEDT) of Gautam Buddha University showcased at the Bharat Drone Mahotsav 2022 (Drone Festival of India)!
Hon’ble Prime Minister Shri Narendra Modi inaugurates this nation’s biggest drone festival. The premier exhibition is being organized by the Ministry of Civil Aviation (MoCA) with event partner Drone Federation of India (DFI) at Pragati Maidan, New Delhi, on 27th and 28th May 2022, further extended to 29th May also.
Centre of Drone Technology at Gautam Buddha University is the first of its kind in Uttarpradesh dedicated to drone studies and offers certificate courses on the various aspects of the area. It provides a platform where experts, professionals, and researchers in drone technology can share their expertise on design, innovations, utilization, research, and applications. It is a battalion of drone learners, enthusiasts, designers, and pilots. The Centre is fully functional in the division of design & manufacturing, skill development, pilot training, App development, testing, research, and development activities.
The Centre of Excellence – Drone Technology, GBU is a joint initiative of Gautam Buddha University, Industry partner Omnipresent Robot Tech, and IASC SSC (Organization under the aegis of MSDE, Gov. of India).
|
english
|
Need Help?
Does salbutamol / albuterol need prescription?
Was this answer helpful?
Created with Sketch.
Created with Sketch.
Chronic obstructive pulmonary disorder (COPD)
Does Salbutamol cause drowsiness/ increased heart rate/ increase blood pressure/ weight gain?
Salbutamol may cause light headedness, increased heart rate or increased blood pressure; however it is not known to cause drowsiness or weight gain. Consult your doctor if you experience such side effects.
The information given above is for Salbutamol / Albuterol which is the active ingredient of Salbutamol.
What can be the common side effects of using Salbutamol?
The information given above is for Salbutamol / Albuterol which is the active ingredient of Salbutamol.
Is it safe to use Salbutamol in patients with kidney disease?
There is limited information available on the use of Salbutamol in patients with kidney disease. Please consult your doctor.
The information given above is for Salbutamol / Albuterol which is the active ingredient of Salbutamol.
|
english
|
{"updatedAt":"","description":"Corpo de advogado de 53 anos esquartejado é encontrado em sacolas ","uri":"http://noticias.uol.com.br/cotidiano/ultimas-noticias/2020/01/15/advogado-e-assassinado-e-esquartejado-no-interior-de-sao-paulo.htm","contents":"[\n <p>Corpo de advogado de 53 anos esquartejado é encontrado em sacolas </p>\n <img src=\"https://conteudo.imguol.com.br/c/home/ab/2020/01/15/o-corpo-de-ronaldo-cesar-capelari-de-53-anos-foi-dividido-em-tres-sacolas-1579115787691_615x300.jpg\" alt=\"Reprodução/Facebook\" title=\"Reprodução/Facebook\" />\n ]","link":"[]","categories":"[]","content":"<!DOCTYPE HTML PUBLIC \"-//IETF//DTD HTML 2.0//EN\">\n<html><head>\n<title>301 Moved Permanently</title>\n</head><body>\n<h1>Moved Permanently</h1>\n<p>The document has moved <a href=\"https://noticias.uol.com.br/cotidiano/ultimas-noticias/2020/01/15/advogado-e-assassinado-e-esquartejado-no-interior-de-sao-paulo.htm\">here</a>.</p>\n</body></html>\n","title":"No interior de SP | Corpo de advogado de 53 anos esquartejado é encontrado em sacolas ","publishedAt":""}
|
json
|
<filename>angular-sanitize/1.6.10.json
{"angular-sanitize.js":"<KEY>,"angular-sanitize.min.js":"<KEY>}
|
json
|
<filename>src/HorizonLine.ts
/*
Copyright 2017 Google Inc. All Rights Reserved.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import Texture from './Texture';
/**
* Horizon line dimensions.
*/
const dimensions = {
X: 2,
Y: 54,
WIDTH: 600,
HEIGHT: 12,
YPOS: 127
};
export default class HorizonLine {
bumpThreshold: number
canvas: HTMLCanvasElement
canvasCtx: CanvasRenderingContext2D
imageSprite: HTMLImageElement
sourceXPos: number[]
texture: Texture
xPos: number[]
yPos: number
/**
* Horizon Line.
* Consists of two connecting lines. Randomly assigns a flat / bumpy horizon.
* @constructor
*/
constructor(imageSprite: HTMLImageElement) {
this.imageSprite = imageSprite
this.canvas = document.createElement('canvas');
this.canvas.width = dimensions.WIDTH;
this.canvas.height = dimensions.HEIGHT;
this.canvasCtx = this.canvas.getContext('2d')!;
this.texture = new Texture(this.canvas);
this.sourceXPos = [dimensions.X, dimensions.X + dimensions.WIDTH];
this.bumpThreshold = 0.5;
this.xPos = [0, dimensions.WIDTH];
this.yPos = dimensions.YPOS;
this.draw();
}
/**
* Return the crop x position of a type.
* @return {number}
*/
getRandomType() {
return Math.random() > this.bumpThreshold ? dimensions.WIDTH : 0;
}
/**
* Draw the horizon line.
*/
draw() {
this.canvasCtx.drawImage(this.imageSprite, this.sourceXPos[0],
dimensions.Y,
dimensions.WIDTH, dimensions.HEIGHT,
this.xPos[0], this.yPos,
dimensions.WIDTH, dimensions.HEIGHT);
this.canvasCtx.drawImage(this.imageSprite, this.sourceXPos[1],
dimensions.Y,
dimensions.WIDTH, dimensions.HEIGHT,
this.xPos[1], this.yPos,
dimensions.WIDTH, dimensions.HEIGHT);
this.texture.update(this.canvas);
}
/**
* Update the x position of an indivdual piece of the line.
*/
updateXPos(pos: number, increment: number) {
var line1 = pos;
var line2 = pos == 0 ? 1 : 0;
this.xPos[line1] -= increment;
this.xPos[line2] = this.xPos[line1] + dimensions.WIDTH;
if (this.xPos[line1] <= -dimensions.WIDTH) {
this.xPos[line1] += dimensions.WIDTH * 2;
this.xPos[line2] = this.xPos[line1] - dimensions.WIDTH;
this.sourceXPos[line1] = this.getRandomType() + dimensions.X;
}
}
/**
* Update the horizon line.
* @param {number} deltaTime
* @param {number} speed
*/
update(deltaTime, speed) {
var increment = Math.floor(speed * (60 / 1000) * deltaTime);
if (this.xPos[0] <= 0) {
this.updateXPos(0, increment);
} else {
this.updateXPos(1, increment);
}
this.draw();
}
/**
* Reset horizon to the starting position.
*/
reset() {
this.xPos[0] = 0;
this.xPos[1] = dimensions.WIDTH;
}
};
|
typescript
|
Bollywood babe Vaani Kapoor is said to be playing an important role in Prabhas's Salaar. This news has been making rounds for many months now and neither Vaani nor the makers of Salaar have commented about the same.
Now, Vaani has shared a red-hot snap of herself and she has something to showw off in front of glamour lovers.
Clad in a skimpy gown, Vaani drops major fitness goals as she shows off her beautifully toned legs. The actress sure knows how to catch the attention of gamour lovers and the same is in full display now.
Vaani boasts of a slender figure and she never hesitates to show off her irresistible assets in the most eye pleasing way possible.
If Vaani really is onboard for Salaar, then we can expect a flamour feast from the actress in the Prabhas starrer, which has Shruti Haasan in the female lead role and it being mounted on a lavish scale.
|
english
|
<reponame>be1be1/appinventor-polyu<filename>appinventor/appengine/tests/com/google/appinventor/client/editor/youngandroid/properties/ListWithNoneTest.java<gh_stars>1-10
// -*- mode: java; c-basic-offset: 2; -*-
// Copyright 2009-2011 Google, All Rights reserved
// Copyright 2011-2012 MIT, All rights reserved
// Released under the Apache License, Version 2.0
// http://www.apache.org/licenses/LICENSE-2.0
package com.google.appinventor.client.editor.youngandroid.properties;
import junit.framework.TestCase;
import java.util.ArrayList;
import java.util.List;
/**
* Unit tests for {@link ListWithNone}.
*
* @author <EMAIL> (<NAME>)
*/
public class ListWithNoneTest extends TestCase {
static class FakeListBox implements ListWithNone.ListBoxWrapper {
private final List<String> items = new ArrayList<String>();
private int selectedIndex = -1;
@Override
public void addItem(String item) {
items.add(item);
}
@Override
public String getItem(int index) {
return items.get(index);
}
@Override
public void removeItem(int index) {
items.remove(index);
}
@Override
public void setSelectedIndex(int index) {
selectedIndex = index;
}
};
private static final String NONE_DISPLAY_ITEM = "Nada";
private final FakeListBox fakeListBox = new FakeListBox();
private ListWithNone listWithNone;
@Override
protected void setUp() throws Exception {
super.setUp();
listWithNone = new ListWithNone(NONE_DISPLAY_ITEM, fakeListBox);
}
public void testNew() {
// The listbox should just contain the none item.
assertEquals(1, fakeListBox.items.size());
assertEquals(NONE_DISPLAY_ITEM, fakeListBox.items.get(0));
assertEquals(-1, fakeListBox.selectedIndex);
}
public void testAddItem() {
listWithNone.addItem("one");
listWithNone.addItem("two");
listWithNone.addItem("three");
// The listbox should just contain 4 items.
assertEquals(4, fakeListBox.items.size());
assertEquals(NONE_DISPLAY_ITEM, fakeListBox.items.get(0));
assertEquals("one", fakeListBox.items.get(1));
assertEquals("two", fakeListBox.items.get(2));
assertEquals("three", fakeListBox.items.get(3));
}
public void testAddItemWithDifferentDisplayItem() {
listWithNone.addItem("one", "1");
listWithNone.addItem("two", "2");
listWithNone.addItem("three", "3");
// The listbox should just contain 4 items matching the display items, not the values.
assertEquals(4, fakeListBox.items.size());
assertEquals(NONE_DISPLAY_ITEM, fakeListBox.items.get(0));
assertEquals("1", fakeListBox.items.get(1));
assertEquals("2", fakeListBox.items.get(2));
assertEquals("3", fakeListBox.items.get(3));
}
public void testSelectValue() {
listWithNone.addItem("one");
listWithNone.addItem("two");
listWithNone.addItem("three");
// Select an item.
listWithNone.selectValue("two");
assertEquals(2, fakeListBox.selectedIndex);
}
public void testRemoveValue() {
listWithNone.addItem("one");
listWithNone.addItem("two");
listWithNone.addItem("three");
// Remove an item.
listWithNone.removeValue("two");
// The listbox should just contain 3 items.
assertEquals(3, fakeListBox.items.size());
assertEquals(NONE_DISPLAY_ITEM, fakeListBox.items.get(0));
assertEquals("one", fakeListBox.items.get(1));
assertEquals("three", fakeListBox.items.get(2));
}
public void testGetValueAtIndex() {
listWithNone.addItem("one", "1");
listWithNone.addItem("two", "2");
listWithNone.addItem("three", "3");
assertEquals("", listWithNone.getValueAtIndex(0));
assertEquals("one", listWithNone.getValueAtIndex(1));
assertEquals("two", listWithNone.getValueAtIndex(2));
assertEquals("three", listWithNone.getValueAtIndex(3));
try {
listWithNone.getValueAtIndex(4);
fail();
} catch (IndexOutOfBoundsException e) {
// expected
}
}
public void testIndexOfValue() {
listWithNone.addItem("one", "1");
listWithNone.addItem("two", "2");
listWithNone.addItem("three", "3");
assertEquals(0, listWithNone.indexOfValue(""));
assertEquals(1, listWithNone.indexOfValue("one"));
assertEquals(2, listWithNone.indexOfValue("two"));
assertEquals(3, listWithNone.indexOfValue("three"));
assertEquals(-1, listWithNone.indexOfValue("four"));
}
public void testContainsValue() {
listWithNone.addItem("one", "1");
listWithNone.addItem("two", "2");
listWithNone.addItem("three", "3");
assertTrue(listWithNone.containsValue(""));
assertTrue(listWithNone.containsValue("one"));
assertTrue(listWithNone.containsValue("two"));
assertTrue(listWithNone.containsValue("three"));
assertFalse(listWithNone.containsValue("four"));
}
public void testGetDisplayItemForValue() {
listWithNone.addItem("one", "1");
listWithNone.addItem("two", "2");
listWithNone.addItem("three", "3");
assertEquals(NONE_DISPLAY_ITEM, listWithNone.getDisplayItemForValue(""));
assertEquals("1", listWithNone.getDisplayItemForValue("one"));
assertEquals("2", listWithNone.getDisplayItemForValue("two"));
assertEquals("3", listWithNone.getDisplayItemForValue("three"));
try {
listWithNone.getDisplayItemForValue("four");
fail();
} catch (IllegalArgumentException e) {
// expected
}
}
}
|
java
|
The latest episode of WWE SmackDown Live takes place in Denver, Colorado on Tuesday.
One of the biggest storylines heading into the show surrounds SmackDown Women’s champion Becky Lynch, who insulted Charlotte Flair last week by demanding that her former best friend raise her arm and call her “Queen”.
Elsewhere, the WWE Championship No Disqualification match between champion AJ Styles and challenger Samoa Joe at Super Show-Down will be made official when the two rivals have a contract signing this week.
As for the other titles on the blue brand, Tye Dillinger has challenged United States champion Shinsuke Nakamura to a match, while Big E will face Sheamus to continue the build to The New Day vs. The Bar in Melbourne, Australia on 6 October.
In the non-title storylines, the build-up to Daniel Bryan vs. The Miz at Super Show-Down will rumble on, Randy Orton is set to feature after warning last week that he has his sights set on his next victim, and Rusev, Aiden English, Carmella, Asuka and Jeff Hardy are also advertised to appear.
In this article, let’s take a look at five last-minute predictions for the episode.
WWE contract signings never end well, as AJ Styles found out earlier this year when he got so frustrated by Shinsuke Nakamura’s actions that he lent across the table and slapped him in the face.
“The Phenomenal One” tweeted on Monday that this signing will not end like the last one, so it’ll be interesting to see what he does if and when Samoa Joe makes another comment about his family.
Let’s predict that they’ll both sign the contract and the WWE champion will flip out at the end when Joe makes another remark about Wendy, Styles’ wife.
The war of words between The New Day and The Bar, specifically Big E and Sheamus, reached new heights on Monday when ‘E accused the Irishman of being a bully during their time in FCW.
This is all part of the storyline, of course (anybody who has watched Sheamus’ Celtic Warrior Workouts will know that he’s the total opposite!), but at least it’s a development in what has been a relatively underwhelming build-up to the SmackDown Tag Team Championship match at Super Show-Down.
Cesaro defeated Kofi Kingston in a one-on-one match last week, so let’s predict that The Bar will continue to build momentum before next week’s title match with another win on Tuesday.
#3 How will Rusev respond to Aiden English?
WWE is promoting in its SmackDown Live preview that Rusev will demand answers from Aiden English following last week’s shocking attack from his Rusev Day partner.
This storyline has taken a long time to unfold over the last several months, so there is bound to be a match between the two in the not-too-distant future.
With November's Survivor Series PPV too far away, let’s predict that Rusev will challenge the former Vaudevillian to a match at Super Show-Down.
#2 Who is Randy Orton’s next victim?
Randy Orton played mind games with a member of the production team last week before ominously warning that what he did to Jeff Hardy at Hell In A Cell will pale in comparison to what he does to his next victim.
SmackDown Live is desperately lacking singles babyfaces right now, so it wouldn’t be surprising if Orton ends up feuding with one or two members of a tag team (The Usos, perhaps?) next.
Either way, with so many prominent storylines going on right now, it would make more sense for “The Viper” to send out another cryptic warning this week before striking at a later date.
Prediction: Wait until next week to find out!
#1 Shinsuke Nakamura vs. Tye Dillinger (United States Championship)
Tye Dillinger laid down a title challenge to Shinsuke Nakamura on social media over the weekend, which presumably means that SmackDown Live GM Paige will confirm this match for Tuesday’s episode.
“The Perfect Ten” has zero momentum right now, so it’s difficult to see him picking up a win here, even via disqualification.
Unless Tye’s buddy R-Truth gets involved, this has got to be a victory for Nakamura.
|
english
|
<gh_stars>0
import { async, ComponentFixture, inject, TestBed } from '@angular/core/testing';
import { LayerComponent } from './layer.component';
import { Store, StoreModule } from '@ngrx/store';
import { SelectOnlyLayer } from '../../actions/layers.actions';
import { FormsModule } from '@angular/forms';
import { AnsynCheckboxComponent } from '../../../../core/forms/ansyn-checkbox/ansyn-checkbox.component';
describe('LayerComponent', () => {
let component: LayerComponent;
let fixture: ComponentFixture<LayerComponent>;
let store: Store<any>;
beforeEach(async(() => {
TestBed.configureTestingModule({
declarations: [LayerComponent, AnsynCheckboxComponent],
imports: [StoreModule.forRoot({}), FormsModule]
})
.compileComponents();
}));
beforeEach(inject([Store], (_store: Store<any>) => {
fixture = TestBed.createComponent(LayerComponent);
component = fixture.componentInstance;
fixture.detectChanges();
store = _store;
}));
it('should create', () => {
expect(component).toBeTruthy();
});
it('on selectOnly store should dispatch "UpdateSelectedLayersIds" action with layerId', () => {
spyOn(store, 'dispatch');
component.layer = <any> { id: 'layerId' };
component.selectOnly();
expect(store.dispatch).toHaveBeenCalledWith(new SelectOnlyLayer('layerId'));
});
});
|
typescript
|
<filename>gpsearch/core/acquisitions/ints.py
import numpy as np
from .base import Acquisition, AcquisitionWeighted
from ..utils import grid_nint, add_xnew, jacobian_fdiff
class IVRInt(Acquisition):
"""A class for IVR computed by numerical integration.
Parameters
----------
model, inputs : see parent class (Acquisition)
ngrid : int
Number of grid points in each direction
Attributes
----------
model, inputs, ngrid : see Parameters
pts : array
Grid points as a vector of size ngrid^dim
Notes
-----
This class computes IVR by numerical integration on a grid. This
is intractable/inaccurate in dimensions greater than 4, so it is
intended for debugging purposes only.
"""
def __init__(self, model, inputs, ngrid=200):
super().__init__(model, inputs)
self.ngrid = ngrid
grd = np.mgrid[ [slice(-5*np.max(np.abs(bd)),
5*np.max(np.abs(bd)), ngrid*1j) \
for bd in inputs.domain] ]
self.pts = grd.T.reshape(-1, inputs.input_dim)
def evaluate(self, x):
x = np.atleast_2d(x)
_, var = self.model.predict(x)
if self.model.normalizer:
var /= self.model.normalizer.std**2
cov = self.model.posterior_covariance_between_points(x, self.pts)
wghts = self.get_weights(self.pts)
int_cov = grid_nint(self.pts, wghts.flatten() * cov.flatten()**2,
ngrid=self.ngrid)
return -int_cov/var
def jacobian(self, x):
return jacobian_fdiff(self, x)
class IVR_LWInt(AcquisitionWeighted, IVRInt):
"""A class for IVR-LW computed by numerical integration.
Parameters
----------
model, inputs, likelihood : see parent class (AcquisitionWeighted)
ngrid : int
Number of grid points in each direction
Attributes
----------
model, inputs, likelihood, ngrid : see Parameters
pts : array
Grid points as a vector of size ngrid^dim
Notes
-----
This class computes IVR-LW by numerical integration on a grid. This
is intractable/inaccurate in dimensions greater than 4, so it is
intended for debugging purposes only.
"""
def __init__(self, model, inputs, likelihood=None, ngrid=200):
super().__init__(model, inputs, likelihood=likelihood)
self.ngrid = ngrid
grd = np.mgrid[ [slice(-5*np.max(np.abs(bd)),
5*np.max(np.abs(bd)), ngrid*1j) \
for bd in inputs.domain] ]
self.pts = grd.T.reshape(-1, inputs.input_dim)
class QInt(AcquisitionWeighted):
"""A class for the Q criterion computed by numerical integration.
Parameters
----------
model, inputs, likelihood : see parent class (AcquisitionWeighted)
ngrid : int
Number of grid points in each direction
Attributes
----------
model, inputs, likelihood, ngrid : see Parameters
pts : array
Grid points as a vector of size ngrid^dim
Notes
-----
This class computes Q by numerical integration on a grid. This
is intractable/inaccurate in dimensions greater than 4, so it is
intended for debugging purposes only.
"""
def __init__(self, model, inputs, likelihood=None, ngrid=200):
super().__init__(model, inputs, likelihood=likelihood)
self.ngrid = ngrid
grd = np.mgrid[ [slice(-5*np.max(np.abs(bd)),
5*np.max(np.abs(bd)), ngrid*1j) \
for bd in inputs.domain] ]
self.pts = grd.T.reshape(-1, inputs.input_dim)
def evaluate(self, x):
x = np.atleast_2d(x)
gpn = add_xnew(x, self.model)
_, var_new = gpn.predict(self.pts)
wghts = np.exp(self.likelihood.gmm.score_samples(self.pts))
qdx = wghts * var_new.flatten()
# Normalize by current variance
if gpn.normalizer:
qdx /= gpn.normalizer.std**2
Q = grid_nint(self.pts, qdx, ngrid=self.ngrid)
return Q
def jacobian(self, x):
return jacobian_fdiff(self, x)
|
python
|
Friday February 23, 2018,
Founded in 2008, Airbnb is a global travel community that offers end-to-end trips, including where you stay, what you do and the people you meet. Airbnb Co-Founder, CEO and Head of Community, Brian Chesky said at a company event,
10 years ago, when we started Airbnb, a design conference was happening in San Francisco and all the hotels were sold out.... We have told this story a bunch of times, before. But what we haven't told you is that the design conference was actually here in this theatre, right here at the Masonic..
He added, "Ten years ago we never dreamed of what Airbnb could become. In fact, people thought the idea that strangers would stay in each other's homes was crazy. Today, millions of people every night do just that. But we want to go further by supporting and expanding our community so that in 10 years time, more than 1 billion people per year will experience the benefits of magical travel on Airbnb."
Airbnb's accommodation marketplace offers access to millions of places to stay in more than 191 countries, from apartments and villas to castles, treehouses, and B&Bs. With their Experience feature, people can see a different side to a destination through handcrafted activities run by locals and also find recommendations to the local restaurants (in select countries).
The Airbnb Host Community currently includes 4.5 million places to stay around the world. Over the years the types of properties on the platform have become increasingly diverse from treehouses to boutique hotels but it's still only possible to navigate by three property types - Shared Space, Private Room and Entire Home. This makes it hard for hosts to stand out and guests can't always find what they're looking for.
To address this, Airbnb added four new property types to its platform - Vacation Home, Unique Space, B&B and Boutique. This will give a greater choice of accommodation options to guests, provide greater transparency over the types of accommodation available, and help hosts better showcase what's unique about them to better match with guests' preferences.
Airbnb is making tools available to hosts to categorise their listings with more detail and providing search capabilities that will allow any traveller to find the host and home that's right for them.
Airbnb was initially designed mainly for solo travel but over the years, people have found the platform suited to a range of different types of travel. To meet the needs of such a diverse range of travellers, Airbnb is launching Collections - homes for every occasion.
Chesky noted that it was launching Airbnb for Family and Airbnb for Work with Collections for Social stays now with Weddings, Honeymoons, Group getaways and Dinner parties coming later this year.
To broaden the appeal of Airbnb to more guests, and to recognise hosts who go above and beyond to provide outstanding hospitality, Airbnb launched a new tier of homes on Airbnb that have been personally verified in person for quality and comfort against a 100+ point checklist covering cleanliness, comfort and design. Starting with 2000 homes in 13 cities, Airbnb Plus is intended for guests looking for beautiful homes, exceptional hosts and added peace of mind.
Airbnb Plus hosts benefit from top placement, in-home services such as design consultation and expert photography, and premium support. India is currently not on the list of countries for Airbnb Plus.
Hosts and guests are the heart of Airbnb. So the company also announced a Superhost and Superguest programme.
Through its Superhost programme, which now includes 400,000 hosts globally, Airbnb recognises its most loved hosts. The company announced an expansion of the program to offer 14 new and updated benefits including better exposure, custom urls and exclusive benefits on smart home products.
Later this year, Airbnb will also recognise its best guests with a new guest membership programme offering benefits across the entire trip. Chesky noted that Superguest will launch initially to 10,000 guests as a trial this summer before being rolled out to Airbnb's wider guest community before the end of the year.
Following last year's acquisition of Luxury Retreats, Airbnb also announced a luxury offering. Launching this Spring, Beyond by Airbnb will offer custom designed trips, including the world's finest homes, custom experiences, and world-class hospitality.
|
english
|
The Railways has lost 2,903 employees due to COVID-19, minister Ashwini Vaishnaw informed Parliament on Friday.
In a written reply in the Rajya Sabha, he said settlement of dues has been made with families of those who died in 2,782 cases.
"Indian Railways has a policy for giving appointment on compassionate ground to dependents of Railway servants who lose their lives in the course of duty or die in harness or are medically incapacitated.
"Dependents of family members of Railway employees who lost their life to COVID-19 are covered under the scheme of compassionate ground appointment," Mr Vaishnaw said.
Out of a total of 2,903 cases of deaths due to COVID-19, compassionate appointments have been provided in 1,732 cases, he said, adding 8,63,868 Railway employees have been given the first dose of vaccine and 2,34,184 the second dose.
"A sufficient number of vaccination centres have been established and staff has been deployed for vaccination drive in Railways.
"Every effort is being made to vaccinate all Railway employees at the earliest subject to availability of vaccine doses and willingness of the employees to get vaccinated," Mr Vaishnaw said.
|
english
|
1 Da One In Charge tell dis: “Dat time, I goin come da God fo all da peopo dat get da Israel blood line, an dey goin come my peopo.” 2 Den Da One In Charge tell dis:
Afta da Egypt guys try fo kill dem,
Wen dey stay inside da boonies,
3 From long time befo time,
Me, Da One In Charge, I wen show up fo dem see me. I tell:
“I get plenny love an aloha fo you guys fo long time.
Dass why fo long time I stay tight wit you guys.
4 You Israel peopo,
Jalike you my daughtah dat I love!
Jalike one strong house,
An you goin come solid inside.
Fo dance an sing wit yoa frenz an get good fun.
On top da hills aroun Samaria town.
Afta da year wen dey give da new grapes to me, Da One In Charge,
Can eat da grapes.
Goin yell lidis:
7 Dis wat Da One In Charge tell:
“Yell, cuz you stay good inside,
Bout how da peopo dat come from Jacob stay!
Yell fo da nation dass mo importan den all da odda nations!
Let erybody hear dat you tell good stuff bout Da One In Charge.
Tell: ‘Da One In Charge, get yoa peopo outa trouble,
8 Da One In Charge tell dis too:
“Look! I goin bring my peopo thru da north land.
I goin bring um togedda from da mos far places on top da earth.
Some a dem goin be peopo dat no can see, an peopo dat no can walk good,
Da hapai wahines, an da wahines dat start fo born dea kid awready, all togedda.
Plenny peopo goin come back.
9 Dey goin cry all da way hea,
An wen I lead dem, dey goin pray plenny.
I goin bring dem by da streams dat get plenny watta inside dat time,
Wea nobody goin trip an fall down.
Cuz I da faddah fo da Israel peopo,
An da Efraim ohana, dey jalike my numba one boy.
10 “Lissen wat me, Da One In Charge, tell, you peopos!
Make shua erybody inside da far away islans know dis!
Tell um: ‘Da One dat wen scatta da Israel peopo,
He da One goin bring dem back togedda.
No need be one slave no moa.
From da peopo dat mo strong den dem.
12 Dey goin come back yelling cuz dey stay good inside,
On top da hill wea Da One In Charge stay, Zion side.
Wheat an barley, new wine an olive oil,
Young sheeps, goats, an cows.
Dey goin stay jalike one garden dat get plenny watta.
Dey no goin lose fight no moa.
Cuz dey stay good inside.
Same ting fo da young guys an da ol guys.
Dey goin dance an sing too.
I goin change dem from stay sad inside to stay good inside.
I goin give dem good kine words, so dey no stay sad no moa.
Fo dem stay good inside.
Az wat Da One In Charge tell.
15 ✡ 31:15 a: Start 35:16-19; b: Matt 2:18Dis wat Da One In Charge tell too:
“I hear one voice from inside Ramah town.
Somebody dea stay sad inside an cry.
Jalike Rachel stay cry real hard fo da peopo dat come from her.
She no let nobody tell her nice kine stuff bout her ohana.
16 Dis wat Da One In Charge tell Rachel:
“Stop yoa crying an yelling.
No need cry,
Cuz you wen raise yoa kids good,
I goin do good tings fo you,
Cuz a da work you wen do.
17 Da One In Charge tell dis too:
“Da ting you like see happen,
Fo shua dat goin happen bumbye.
Dey goin come back dea land.
18 Fo shua, I hear da Efraim peopo make sad kine noise,
Dat no like learn how fo pull one plow.
Fo teach us one lesson.
Help us go home, an we goin go,
Cuz you, oua God, dass Da One In Charge a us!
19 Afta us guys wen go da wrong way, us come real sorry.
Afta you show wat kine guys us, us slap oua head.
Us get plenny shame an peopo no mo respeck fo us,
20 But Da One In Charge tell:
“Da Efraim peopo, dey my kids dat I love!
Dey my kids, an dey make me feel good inside.
I grumble bout dem plenny times,
Still yet, I no foget dem even litto bit!
Cuz I miss dem plenny.
Az wat Da One In Charge tell.
21 “You Israel peopo,
Jalike you da daughtah dat I love!
Fo show da way fo go back home!
So da peopo goin know wea fo go.
Wen you wen come prisonas!
You Israel peopo, go back yoa towns.
Befo you make up yoa mind?!
You Israel guys jalike da daughtah dat I love,
Jalike one wahine dat no stay tight wit her husban.
23 Dis wat Da One In Charge, da God Ova All Da Armies, da God fo da Israel peopo, tell: “Da peopo inside da Judah ohana land, dat live inside da towns ova dea, I goin bring dem back from wea dey stay prisonas. An wen I do dat, dey goin talk lidis one mo time:
“ ‘I like fo Da One In Charge do good kine stuffs fo Jerusalem town,
Cuz da One Dat Do Wass Right Erytime, live dea.
26 Den I wake up an look aroun. An cuz I wen sleep good, I feel good.
27 Da One In Charge tell: “Da time goin come wen da Israel an Judah land goin get plenny peopo an animals, jalike I wen throw seed all ova da place. 28 Befo time, I wen make shua da peopo dat stay agains dem go pull dem up, bus um up, wipe um out, an hurt um! But from now, I goin make shua I plant um good an make um come strong.” Dass wat Da One In Charge tell.
29 ✡ 31:29: Ezek 18:2Dat time, peopo no goin talk jalike dey figga God wen punish dem fo da bad tings dea ancesta guys wen do. Dey no goin tell:
“Da faddah guys wen eat sour grape,
30 But az not true! Erybody goin mahke cuz a da bad kine stuff dey wen do, not wat some odda guy wen do. Az jalike whoeva eat da sour grape, dey da ones dea mout goin hurt.
“You know wat?! Da time goin come,
Wit da Israel peopo an da Judah peopo.
I wen make wit dea ancesta guys,
An pull um outa Egypt.
Cuz dey wen broke dat deal I wen make wit dem,
33 ✡ 31:33: Heb 10:16Da One In Charge tell,
“Dis da deal I goin make wit da Israel peopo afta dat time:
I goin put my rules inside dem.
Jalike I write um inside dea head.
Den I goin come dea God, an dey goin come my peopo.
Cuz dey all goin know me, Da One In Charge,
Az wat Da One In Charge tell.
“Cuz I goin let um go fo da stuffs dey wen do wrong,
An hemo dea shame fo all dat.
35 Dis wat Da One In Charge tell,
Da One dat tell da sun fo shine day time,
An tell da moon an stars dey suppose to shine nite time,
Da One In Charge, da God Ova All Da Armies, do dat.
Dass wat kine god him!
36 Da One In Charge tell:
No goin disappea from in front me.
37 Dis wat Da One In Charge tell:
“No mo nobody can measure da sky up dea,
An no mo nobody can find all da foundations down undaneat da earth!
Az wat Da One In Charge tell.
|
english
|
Heavy to very heavy rains are predicted over several parts of north India, including Delhi, by Monday morning, according to the India Meteorological Department (IMD), but there was little relief from the scorching heat during the day as the Southwest Monsoon has yet to reach the residual parts of the region.
The IMD had predicted that the Southwest Monsoon would arrive on July 10 in portions of north India, including Delhi, however, it did not arrive until Sunday evening.
The circumstances are perfect for the Southwest Monsoon to move over Delhi, according to IMD Director General Mrutyunjay Mohapatra, as humidity has increased due to easterlies. According to him, the creation of a low-pressure region would also help it advance.
“We are expecting light rainfall on Sunday and a good spell on Monday,” he said.
The IMD said, “Heavy to very heavy rainfall is likely at isolated places over Himachal Pradesh, Uttarakhand, Punjab, Haryana, Chandigarh and Delhi, the Gujarat region, Madhya Maharashtra, coastal Andhra Pradesh and Yanam, Telangana, coastal and south interior Karnataka, Kerala and Mahe and Tamil Nadu, Puducherry and Karaikal. ” It has also issued alerts for several north Indian states and a red warning for coastal Maharashtra.
Heavy rain is also predicted in isolated areas across Jammu, Kashmir, Ladakh, Gilgit-Baltistan, and Muzaffarabad, as well as west Uttar Pradesh, east Rajasthan, west Madhya Pradesh, Bihar, sub-Himalayan West Bengal, and Sikkim, Odisha, the Andaman and Nicobar Islands, Saurashtra and Kutch, Marathwada, Rayalaseema, north interior Karnataka, and Lakshadweep.
Thunderstorms with lightning and gusty winds (of 30-40 km/h) are expected in isolated areas across Punjab, Haryana, Chandigarh, Delhi, the Andaman & Nicobar Islands, and Telangana, according to the forecast.
By Monday morning, lightning is expected in isolated areas over Jammu, Kashmir, Ladakh, Gilgit-Baltistan, and Muzaffarabad, Himachal Pradesh, Uttar Pradesh, Rajasthan, Vidarbha, Bihar, Jharkhand, West Bengal, Sikkim, Assam, Meghalaya, Nagaland, Manipur, Mizoram, Tripura, central Maharashtra, Marathwada, coastal Andhra Pradesh, Yanam, Rayalaseema and Tamil Nadu, Puducherry and Karaikal.
|
english
|
<gh_stars>0
---
# DO NOT TOUCH — Managed by doc writer
ContentId: e8e157c4-ac6e-4278-9994-953212a1bb88
DateApproved: 6/9/2022
# Summarize the whole topic in less than 300 characters for SEO purpose
MetaDescription: UX guidelines for walkthroughs in a Visual Studio Code extension.
---
# Walkthroughs
Walkthroughs provide a consistent experience for onboarding users to an extension via a multi-step checklist featuring rich content.
**✔️ Do**
- Use helpful images to add context to the current Walkthrough step.
- Make sure images work across different color themes. Use SVGs with VS Code's [Theme Colors](/api/references/theme-color) if possible.
- Provide actions (for example, View all Commands) for each step. Use verbs where possible.
❌ Don't
- Add an excessive number of steps in a single walkthrough
- Add multiple walkthroughs unless absolutely necessary

## Links
- [Walkthroughs Contribution Point](/api/references/contribution-points#contributes.walkthroughs)
- [SVG with Theme Color CSS Variable Example](https://github.com/microsoft/vscode/blob/a28eab68734e629c61590fae8c4b231c91f0eaaa/src/vs/workbench/contrib/welcomeGettingStarted/common/media/commandPalette.svg?short_path=52f2d6f#L11)
|
markdown
|
Mysuru: A sand laden lorry, hit an electric pole on Akbar Road near Panchamukhi Ganapati Temple resulting in three electric poles getting broken and crashing on the road on Monday afternoon.
Luckily no one was injured in the incident.
Meanwhile, CESC officials and Corporator Ramesh, who rushed to the spot, got the electric poles and wires cleared from the road and made way for the smooth flow of traffic. No complaint has been registered in this regard.
|
english
|
// Copyright 2019 - See NOTICE file for copyright holders.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package log
import (
"bytes"
"log"
"testing"
)
const (
logStr = "Perun"
)
func TestLevellified(t *testing.T) {
buf := new(bytes.Buffer)
stdLogger := log.New(buf, "", 0)
ll := Levellified{StdLogger: stdLogger}
// prefix testing closure
requirePrefix := func(logFn func(...interface{}), lvl Level) {
buf.Reset()
logFn(logStr)
golden := "[" + lvl.String() + "] " + logStr + "\n"
if buf.String() != golden {
t.Errorf("Want: %q, have: %q", golden, buf.String())
}
}
// no logging testing closure
requireSilent := func(logFn func(...interface{})) {
buf.Reset()
logFn(logStr)
if buf.Len() > 0 {
t.Errorf("Want no logging, have: %q", buf.String())
}
}
// full test for Print and Println type methods
testLogger := func(logFn func(...interface{}), lvl Level) {
// should not log in range [Error..lvl-1]
for ll.Lvl = ErrorLevel; ll.Lvl < lvl; ll.Lvl++ {
requireSilent(logFn)
}
// should log in range [lvl..Trace]
for ; ll.Lvl <= TraceLevel; ll.Lvl++ {
requirePrefix(logFn, lvl)
}
}
// full test for Printf type methods
testFLogger := func(logFn func(string, ...interface{}), lvl Level) {
logWrapper := func(args ...interface{}) { logFn("%s", args...) }
testLogger(logWrapper, lvl)
}
testLogger(ll.Trace, TraceLevel)
testLogger(ll.Traceln, TraceLevel)
testFLogger(ll.Tracef, TraceLevel)
testLogger(ll.Debug, DebugLevel)
testLogger(ll.Debugln, DebugLevel)
testFLogger(ll.Debugf, DebugLevel)
testLogger(ll.Info, InfoLevel)
testLogger(ll.Infoln, InfoLevel)
testFLogger(ll.Infof, InfoLevel)
testLogger(ll.Warn, WarnLevel)
testLogger(ll.Warnln, WarnLevel)
testFLogger(ll.Warnf, WarnLevel)
testLogger(ll.Error, ErrorLevel)
testLogger(ll.Errorln, ErrorLevel)
testFLogger(ll.Errorf, ErrorLevel)
// note: Panic and Fatal don't need to be tested as those are just taken from
// the StdLogger itself.
}
|
go
|
{
"manufacturer": "Sunricher",
"manufacturerId": "0x0330",
"label": "ZV9001K4-DIM-G2",
"description": "2 group single color wall mounted remote",
"devices": [
{
"productType": "0x0003",
"productId": "0xa306",
"zwaveAllianceId": 3783
}
],
"firmwareVersion": {
"min": "0.0",
"max": "255.255"
},
"metadata": {
"manual": "https://products.z-wavealliance.org/ProductManual/File?folder=&filename=product_documents/3783/SR-ZV9001K4-DIM-G2%20Instruction.pdf"
}
}
|
json
|
<reponame>afghifariii/final-project<filename>employee-frontend/src/app/employee/employee-item/employee-item.component.css
.emp-card {
box-sizing: border-box;
width: 375px;
height: auto;
padding: 10px 27px 10px 10px;
border-bottom: 2px solid rgba(0, 0, 0, 0.5);
cursor: pointer;
}
.selected{
background-color: #c5cae9;
border-bottom: 2px solid #c51162;
}
.notSelected{
background-color: #ffffff;
}
.img-card {
border-radius: 100%;
width: 60px;
height: 60px;
}
.image-container {
display: flex;
justify-content: center;
align-items: center;
}
.card-left {
padding: 0px 0px 0px 10px;
float: left;
}
.card-right {
float: right;
}
.card-right {
float: right;
}
.card-right-icon {
float: right;
padding: 5px 0px 0px 0px;
}
.emp-name {
font-weight: bold;
}
.emp-info {
font-size: 14px;
}
|
css
|
<reponame>esrlabs/chipmunk-quickstart
// tslint:disable: max-classes-per-file
import * as Toolkit from 'chipmunk.client.toolkit';
import { Field, ElementInputStringRef } from 'chipmunk.client.toolkit';
/**
* To create settings field we should use abstract class Field<T>.
* T: string, boolean or number
*/
export class SomestringSetting extends Field<string> {
/**
* We should define reference to one of controller to render setting:
*/
private _element: ElementInputStringRef = new ElementInputStringRef({
placeholder: 'Test placeholder',
});
/**
* Returns default value
*/
public getDefault(): Promise<string> {
return new Promise((resolve) => {
resolve('');
});
}
/**
* Validation of value. Called each time user change it. Also called before save data into
* setting file.
* Should reject on error and resolve on success.
*/
public validate(state: string): Promise<void> {
return new Promise((resolve, reject) => {
if (typeof state !== 'string') {
return reject(new Error(`Expecting string type for "SomestringSetting"`));
}
if (state.trim() !== '' && (state.length < 3 || state.length > 10)) {
return reject(new Error(`${state.length} isn't valid length. Expected 3 < > 10`));
}
resolve();
});
}
/**
* Should return reference to render component
*/
public getElement(): ElementInputStringRef {
return this._element;
}
}
/**
* Create service (to have access to chipmunk API)
*/
class Service extends Toolkit.APluginService {
constructor() {
super();
// Listen moment when API will be available
this.onAPIReady.subscribe(() => {
this.read();
this.setup();
});
}
public setup() {
const api: Toolkit.IAPI | undefined = this.getAPI();
if (api === undefined) {
return;
}
// Create a group (section) for settings
api.getSettingsAPI().register(new Toolkit.Entry({
key: 'selectionparser',
path: '', // Put settings into root of settings tree
name: 'Datetime Converter',
desc: 'Converter any format to datetime format',
type: Toolkit.ESettingType.standard,
}));
// Create setting
api.getSettingsAPI().register(new SomestringSetting({
key: 'pluginselectionparser',
path: 'selectionparser',
name: 'String setting',
desc: 'This is test of string setting',
type: Toolkit.ESettingType.standard,
value: '',
}));
}
public read() {
const api: Toolkit.IAPI | undefined = this.getAPI();
if (api === undefined) {
return;
}
// Read some settings
api.getSettingsAPI().get<boolean>('PluginsUpdates', 'general.plugins').then((value: boolean) => {
console.log(value);
}).catch((error: Error) => {
console.log(error);
});
}
}
// To create selection parse we should extend class from SelectionParser class
// Our class should have at least two public methods:
// - getParserName(selection: string): string | undefined
// - parse(selection: string, themeTypeRef: Toolkit.EThemeType)
// tslint:disable-next-line: max-classes-per-file
export class SelectionParser extends Toolkit.SelectionParser {
/**
* Method with be called by chipmunk before show context menu in main view.
* If selection acceptable by parser, method should return name on menu item
* in context menu of chipmunk.
* If selection couldn't be parsered, method should return undefined. In this
* case menu item in context menu for this parser will not be show.
* @param selection { string } - selected text in main view of chipmunk
* @returns { string } - name of menu item in context menu
* @returns { undefined } - in case if menu item should not be shown in context menu
*/
public getParserName(selection: string): string | undefined {
const date: Date | undefined = this._getDate(selection);
return date instanceof Date ? 'Convert to DateTime' : undefined;
}
/**
* Method with be called by chipmunk if user will select menu item (see getParserName)
* in context menu of selection in main view.
* @param selection { string } - selected text in main view of chipmunk
* @param themeTypeRef { EThemeType } - name of current color theme
* @returns { string } - parsed string
*/
public parse(selection: string, themeTypeRef: Toolkit.EThemeType): string {
const date: Date | undefined = this._getDate(selection);
return date !== undefined ? date.toUTCString() : '';
}
private _getDate(selection: string): Date | undefined {
const num: number = parseInt(selection, 10);
if (!isFinite(num) || isNaN(num)) {
return undefined;
}
const date: Date = new Date(num);
return date instanceof Date ? date : undefined;
}
}
// To delivery plugin into chipmunk we should use chipmunk's gateway
// It's stored in global variable "chipmunk"
// Gateway has a method "setPluginExports". With this method we can
// define a list of exported parsers.
const gate: Toolkit.PluginServiceGate | undefined = (window as any).chipmunk;
if (gate === undefined) {
// This situation isn't possible, but let's check it also
console.error(`Fail to find chipmunk gate.`);
} else {
gate.setPluginExports({
// Name of property (in this case it's "datetime" could be any. Chipmunk doesn't check
// a name of property, but detecting a parent class.
datetime: new SelectionParser(),
// Share service with chipmunk
service: new Service(),
});
}
|
typescript
|
{
"parent": "redstonerepository:item/tool/sickle_gelid",
"textures": {
"layer0": "redstonerepository:items/tool/sickle_gelid_active"
}
}
|
json
|
<reponame>hltfbk/E3C-Corpus<filename>data_collection/English/layer3/EN112285.json
{
"authors": [
{
"author": "<NAME>"
},
{
"author": "<NAME>"
},
{
"author": "<NAME>"
},
{
"author": "<NAME>"
},
{
"author": "<NAME>"
},
{
"author": "<NAME>"
}
],
"doi": "10.1186/s12886-019-1126-x",
"publication_date": "2019-05-22",
"id": "EN112285",
"url": "https://pubmed.ncbi.nlm.nih.gov/31109307",
"source": "BMC ophthalmology",
"source_url": "",
"licence": "CC BY",
"language": "en",
"type": "pubmed",
"description": "",
"text": "We present a case of a 16 year old female patient who had unilateral loss of vision with signs of retrobulbar optic neuritis and no other neurological signs. We isolated an unusual organism- Streptococcus equi subspecies zooepidemicus from the maxillary sinus. Emergency endoscopic sinus surgery and antibiotic treatment resulted in complete reversal of the loss of vision."
}
|
json
|
My aunt was about 42 year old when she delivered her first and only child. Plus she was very weak and sensitive, so we couldn't really admit her to the general hospitals where the treatment is usually generic and no special care is taken of the patients. So, after alot of research, we heard really good opinions and reviews about the Agarwal Nursing Home at Bandra West, and made reservations for her treatment and bed in advance, selecting dates that were closer to her due date.
When she was struck with labour pain, we informed the hospital authority over a call and they made arrangements for her very quickly and the doctor was also called at late evening hour. The management was really good. When we reached at the hospital, everything was ready and waiting for her. She was hospitalized and taken real good care of.
The nurses were very caring and helpful and they made sure that everything my aunt needed was provided to her and they were almost always available. The management is really worth great appreciation. It makes not only the family members, but also the patients feel very comfortable and relaxed. The fees is also not that high as compared to most nurnsing homes. A very good thing about this nursing home is its location, which is very quiet and peaceful.
|
english
|
#!/usr/bin/env python
import os
from setuptools import setup, find_packages
setup(
name='localtunnel',
version='0.4.0',
author='<NAME>',
author_email='<EMAIL>',
description='',
packages=find_packages(),
install_requires=['ginkgo', 'ws4py'],
data_files=[],
entry_points={
'console_scripts': [
'lt = localtunnel.client:main',]},
)
|
python
|
import flask
import threading
app = flask.Flask('main.py')
@app.route('/')
def index():
return flask.render_template("index.html")
t = threading.Thread(target=app.run())
t.start()
|
python
|
package org.gbif.datacite.rest.client.retrofit;
import com.github.jasminb.jsonapi.JSONAPIDocument;
import org.gbif.datacite.model.json.Datacite42Schema;
import org.gbif.datacite.rest.client.DataCiteClient;
import org.gbif.datacite.rest.client.configuration.ClientConfiguration;
import org.gbif.datacite.rest.client.configuration.RetrofitClientFactory;
import org.gbif.datacite.rest.client.model.DoiSimplifiedModel;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import retrofit2.Response;
import static org.gbif.datacite.rest.client.configuration.SyncCall.syncCallWithResponse;
/**
* Represents an {@link DataCiteClient} synchronous client.
* It wraps a Retrofit client to perform the actual calls.
*/
public class DataCiteRetrofitSyncClient implements DataCiteClient {
private static final Logger LOG = LoggerFactory.getLogger(DataCiteRetrofitSyncClient.class);
private static final int RETRY = 3;
private final DataCiteRetrofitClient dataCiteRetrofitService;
/**
* Creates an instance using the provided configuration settings.
*
* @param clientConfiguration Rest client configuration
*/
public DataCiteRetrofitSyncClient(ClientConfiguration clientConfiguration) {
dataCiteRetrofitService = RetrofitClientFactory.createRetrofitClient(clientConfiguration,
DataCiteRetrofitClient.class);
}
/**
* Performs a synchronous call to the DataCite service's get (with XML metadata content).
*
* @param doi identifier
* @return doi XML metadata wrapped by {@link Response}
*/
@Override
public Response<String> getMetadata(String doi) {
return syncCallWithResponse(dataCiteRetrofitService.getMetadata(doi));
}
/**
* Performs a synchronous call to the DataCite service's get.
*
* @return a list of dois wrapped by {@link Datacite42Schema}
*/
@Override
public Response<JSONAPIDocument<Datacite42Schema>> getDois() {
return syncCallWithResponse(dataCiteRetrofitService.get());
}
/**
* Performs a synchronous call to the DataCite service's create.
*
* @param body data
* @return created object in JSON API format wrapped by {@link Response}
*/
@Override
public Response<JSONAPIDocument<Datacite42Schema>> createDoi(JSONAPIDocument<DoiSimplifiedModel> body) {
final Response<JSONAPIDocument<Datacite42Schema>> response = syncCallWithResponse(dataCiteRetrofitService.create(body));
// DataCite can return 201 but the DOI may not created yet
Response<JSONAPIDocument<Datacite42Schema>> anotherResponse;
for (long i = 0; i < RETRY; i++) {
anotherResponse = getDoi(body.get().getDoi());
if (anotherResponse.code() == 404) {
sleep(500 + i * 1000);
} else {
break;
}
}
return response;
}
/**
* Performs a synchronous call to the DataCite service's get.
*
* @param doi identifier
* @return a doi wrapped by {@link Datacite42Schema} and {@link Response}
*/
@Override
public Response<JSONAPIDocument<Datacite42Schema>> getDoi(String doi) {
return syncCallWithResponse(dataCiteRetrofitService.get(doi));
}
/**
* Performs a synchronous call to the DataCite service's update.
*
* @param doi identifier
* @param body data
* @return updated object in JSON API format wrapped by {@link Response}
*/
@Override
public Response<JSONAPIDocument<Datacite42Schema>> updateDoi(String doi, JSONAPIDocument<DoiSimplifiedModel> body) {
return syncCallWithResponse(dataCiteRetrofitService.update(doi, body));
}
/**
* Performs a synchronous call to the DataCite service's delete.
*
* @param doi identifier
* @return {@link Response} with no content
*/
@Override
public Response<Void> deleteDoi(String doi) {
return syncCallWithResponse(dataCiteRetrofitService.delete(doi));
}
@SuppressWarnings("squid:S2142")
private void sleep(long millis) {
try {
Thread.sleep(millis);
} catch (InterruptedException e) {
LOG.info("Interrupted");
}
}
}
|
java
|
Chronic back pain is a concern that many people have to deal with. It is the result of years of abusing your back. You only ever start regretting it once you already have it. This is why you should always make sure that you find ways to prevent chronic back pain from ever becoming an issue.
What You Can Do To Prevent Chronic Back PainThe best way you can cure chronic back pain is to prevent it from happening in the first place. Prevention will always be better than cure. So we've put together a list of great things you can do to keep your back in top shape for many years.
1. Always Check Your PostureOne of the easiest ways for a person to develop chronic back pain is to have improper posture. Proper standing and sitting posture are essential to observe to ensure that you're not affecting the future of your back. Sit up straight and avoid slouching to keep your back straight and to prevent your back from becoming a mangled mess as you age.
2. Ensure That You're Getting a Proper DietEating food is one of the essentials of our lives. However, did you know that your diet can significantly affect your back's health? This is because of the vitamins and minerals in your food. They can make all the difference between excellent health and a painful back. Certain vitamins and minerals found in fruit and vegetables help your body in several ways. The most notable include making sure that your joints and spine are in perfect health, and how certain vitamins improve muscle health. Problems in your muscles and spine can all cause back pain. So eating the right types of food will ensure that you don't have to suffer from it.
3. Take In Supplements That Could Cover The Holes in Your DietNot everyone will have the capability to take a proper diet every day, especially if you have a tight budget or don't have access to the food you need. A great compromise you can take is to use supplements that can cover the missing vitamins and minerals in your diet. Supplements come in many shapes and forms and are regularly available from most pharmacies. Their accessibility makes them great for those who want to ensure that they're getting all the vitamins and minerals they need.
4. Avoid Carrying Heavy Loads With Your BackA common way chronic back pain happens is because some people carry heavy loads with their back. This problem is especially prevalent in jobs that require constant heavy lifting like construction or warehouse duty. Bending over and using your back to support the weight is a terrible way to lift a heavy object. Instead, try bending your knees and using those as the support for the weight. Using your knees ensures that your back stays in top condition for years to come.
6. Avoid Unhealthy Habits That Could Affect Your BackAll of us have habits that we enjoy. But did you know that some of the things you do while enjoying these habits can quickly become an issue for your back? Some of the most common examples are improper posture while watching the tv or browsing on the computer. You start subconsciously slouching when you interact with a television or computer, which can affect your back's health. Some habits are also dangerous. This includes smoking and drinking as they can affect your back both directly and indirectly.
7. Take Standing Breaks If You Have to Sit Down For Prolonged PeriodsSitting down for extended periods of time is common when you have to work in an office setting or relax after a long day at work. However, sitting for prolonged periods can have a negative effect on you in a multitude of ways. Your back's health could be easily compromised if you sit for more than a few hours without standing. The best solution to this is to make sure that you take standing breaks frequently.
8. Visit A Professional For Regular CheckupsIf you're concerned about developing chronic back pain, you have to make sure you regularly visit a medical professional. A medical professional can assist you in making sure that you maintain your health by providing advice and treatments tailored to your needs.
|
english
|
{"body":"<div><div id=\"impala_odbc\"><div class=\"hue-doc-title\" id=\"odbc\">Configuring Impala to Work with ODBC</div><div><p>\n Third-party products, especially business intelligence and reporting tools, can access Impala\n using the ODBC protocol. For the best experience, ensure any third-party product you intend to use is supported.\n Verifying support includes checking that the versions of Impala, ODBC, the operating system, the\n Apache Hadoop distribution, and the third-party product have all been approved by the appropriate suppliers\n for use together. To configure your systems to use ODBC, download and install a connector, typically from\n the supplier of the third-party product or the Hadoop distribution.\n You may need to sign in and accept license agreements before accessing the pages required for downloading\n ODBC connectors.\n </p></div></div></div>","title":"Configuring Impala to Work with ODBC"}
|
json
|
Karuna Kumar, the talented director who stunned everyone with two raw and rustic films like Palasa 1978 and Sudheer Babu’s Sridevi Soda Centre, is now bringing a completely new genre to his film list.
Everyone is looking forward to his upcoming film “Kalapuram,” which is captioned “Ee Oorlo Andharu Kalakaarule,” and the recently released teaser has everyone excited for more from this village-based comedy drama.
Today, the film’s makers unveiled a hot and sensual item number. Mani Sharma’s magical beats and Anasua Chowdhury’s stunning grooves treated both the eyes and ears. This song was superbly sung by Sahithi Chaganti. Satyam Rajesh also grooved to Mani Sharma’s massy beats.
|
english
|
Feedback (2)
New Arrival China Spc Floor Tiles - SPC Vinyl Flooring of Contemporary Design – TopJoy Detail:
Compared to other flooring options, SPC flooring is much easier to install, and can be installed over existing hard surface including ceramic tiles, wood flooring!
The rigid core vinyl planks can be installed in wet areas while other products like laminate cannot, so it can be put in the kitchen, the mudroom, the bathroom and the basement.
SPC is durable, more durable than LVP. It’s stiff, dent and scratch resistant and can take the traffic of active households.
Manufacturing Direction ≤0.02% (82oC @ 6hrs)
Across Manufacture Direction ≤0.03% (82oC @ 6hrs)
Curling (mm)
Peel Strength (N/25mm)
Manufacturing Direction 62 (Average)
Across Manufacture Direction 63 (Average)
Locking Strength(kN/m)
Packing Information(4.0mm)
Product detail pictures:
Related Product Guide:
continue on to further improve, to make sure product top quality in line with market and consumer standard requirements. Our firm has a excellent assurance program have already been established for New Arrival China Spc Floor Tiles - SPC Vinyl Flooring of Contemporary Design – TopJoy , The product will supply to all over the world, such as: Czech Republic , Egypt , New Delhi , We seriously promise that we provide all the customers with the best quality products, the most competitive prices and the most prompt delivery. We hope to win a resplendent future for customers and ourselves.
Cooperate with you every time is very successful, very happy. Hope that we can have more cooperation!
|
english
|
<reponame>loaded02/angularjs-photoupload<gh_stars>0
{
"name": "angularjs-photoupload",
"description": "My AngularJS showcase",
"main": "server.js",
"version": "1.0.0",
"homepage": "https://github.com/loaded02/angularjs-photoupload",
"authors": [
"<NAME>"
],
"license": "MIT",
"private": true,
"dependencies": {
"angular": "~1.5.0",
"angular-route": "~1.5.0",
"angular-resource": "~1.5.0",
"angular-mocks": "~1.5.0",
"ng-file-upload": "12.2.9"
}
}
|
json
|
<reponame>microsoftgraph/msgraph-beta-sdk-go
package models
import (
i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91 "github.com/microsoft/kiota-abstractions-go/serialization"
)
// TeamDiscoverySettings
type TeamDiscoverySettings struct {
// Stores additional data not described in the OpenAPI description found when deserializing. Can be used for serialization as well.
additionalData map[string]interface{}
// If set to true, the team is visible via search and suggestions from the Teams client.
showInTeamsSearchAndSuggestions *bool
}
// NewTeamDiscoverySettings instantiates a new teamDiscoverySettings and sets the default values.
func NewTeamDiscoverySettings()(*TeamDiscoverySettings) {
m := &TeamDiscoverySettings{
}
m.SetAdditionalData(make(map[string]interface{}));
return m
}
// CreateTeamDiscoverySettingsFromDiscriminatorValue creates a new instance of the appropriate class based on discriminator value
func CreateTeamDiscoverySettingsFromDiscriminatorValue(parseNode i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.ParseNode)(i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.Parsable, error) {
return NewTeamDiscoverySettings(), nil
}
// GetAdditionalData gets the additionalData property value. Stores additional data not described in the OpenAPI description found when deserializing. Can be used for serialization as well.
func (m *TeamDiscoverySettings) GetAdditionalData()(map[string]interface{}) {
if m == nil {
return nil
} else {
return m.additionalData
}
}
// GetFieldDeserializers the deserialization information for the current model
func (m *TeamDiscoverySettings) GetFieldDeserializers()(map[string]func(i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.ParseNode)(error)) {
res := make(map[string]func(i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.ParseNode)(error))
res["showInTeamsSearchAndSuggestions"] = func (n i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.ParseNode) error {
val, err := n.GetBoolValue()
if err != nil {
return err
}
if val != nil {
m.SetShowInTeamsSearchAndSuggestions(val)
}
return nil
}
return res
}
// GetShowInTeamsSearchAndSuggestions gets the showInTeamsSearchAndSuggestions property value. If set to true, the team is visible via search and suggestions from the Teams client.
func (m *TeamDiscoverySettings) GetShowInTeamsSearchAndSuggestions()(*bool) {
if m == nil {
return nil
} else {
return m.showInTeamsSearchAndSuggestions
}
}
// Serialize serializes information the current object
func (m *TeamDiscoverySettings) Serialize(writer i878a80d2330e89d26896388a3f487eef27b0a0e6c010c493bf80be1452208f91.SerializationWriter)(error) {
{
err := writer.WriteBoolValue("showInTeamsSearchAndSuggestions", m.GetShowInTeamsSearchAndSuggestions())
if err != nil {
return err
}
}
{
err := writer.WriteAdditionalData(m.GetAdditionalData())
if err != nil {
return err
}
}
return nil
}
// SetAdditionalData sets the additionalData property value. Stores additional data not described in the OpenAPI description found when deserializing. Can be used for serialization as well.
func (m *TeamDiscoverySettings) SetAdditionalData(value map[string]interface{})() {
if m != nil {
m.additionalData = value
}
}
// SetShowInTeamsSearchAndSuggestions sets the showInTeamsSearchAndSuggestions property value. If set to true, the team is visible via search and suggestions from the Teams client.
func (m *TeamDiscoverySettings) SetShowInTeamsSearchAndSuggestions(value *bool)() {
if m != nil {
m.showInTeamsSearchAndSuggestions = value
}
}
|
go
|
<gh_stars>1-10
export interface ContentType {
id: number;
name: string;
nameUi: string;
idUi: string;
}
|
typescript
|
In this Dubai Seenu film, Ravi Teja, Nayanthara played the primary leads.
Movies like Ram, Abraham Ozler, Teri Meri and others in a similar vein had the same genre but quite different stories.
The soundtracks and background music were composed by Mani Sharma for the movie Dubai Seenu.
The movie Dubai Seenu belonged to the Drama, genre.
|
english
|
Sources say Malhotra and Karan Johar had this time gone to Hrithik with an “out of the box” comedy featuring Hrithik in a double role. But after much negotiation Hrithik decided against doing a double-role comedy With Judwaa being the big double-role fare of 2017, perhaps Hrithik wanted to stay away from that space.
Refusing to comment on the films he has declined Hrithik says, “At the moment I have not signed any new film. I am looking at what to do next.” Incidentally Aditya Chopra had planned Thugs Of Hindostan with Hrithik who wanted to start work on it after completing Kaabil.
“But Adi Chopra didn’t want to wait. So he went to Aamir Khan. But now look at destiny. Kaabil is over. But the shooting of Thugs Of Hindostan has still not started,” says a source.
Catch us for latest Bollywood News, New Bollywood Movies update, Box office collection, New Movies Release , Bollywood News Hindi, Entertainment News, Bollywood Live News Today & Upcoming Movies 2024 and stay updated with latest hindi movies only on Bollywood Hungama.
|
english
|
<filename>project/apps/MS-transaction/core/src/main/java/com/aline/core/exception/NotFoundException.java<gh_stars>0
package com.aline.core.exception;
/**
* Super class for not found exceptions.
* <p>Status Code: <code>404 NOT FOUND</code></p>
* <p>
* <em>Extends <code>{@link RuntimeException}</code> to allow it to be caught by the {@link GlobalExceptionHandler}.</em>
* </p>
*/
public class NotFoundException extends ResponseEntityException {
public NotFoundException(String message) {
super(message);
}
}
|
java
|
<reponame>dhharker/dotfilelinker
# Dotfile Linker
**What** Creates symlinks from a shared folder (with e.g. dropbox or [syncthing](https://syncthing.net)) to your dotfiles.
**Why** Makes provisioning new machines easier when you keep your dotfiles in file sync.
**How** Badly written `bash` (I don't even know bash scripting so this is just ugly).
## Setup
1. Put `use_synched_configs.sh` somewhere, I keep it in my synced dotfiles folder.
2. Edit the file to reference what you want to copy from your sync to your system.
3. When you setup a new machine, sync the dotfiles and run the script to link them.
## @TODO
- [ ] Option to (backup then) delete existing files for selected target files
- [ ] Ability to link all files from a synced folder to a target folder without making the target folder itself a link
- [ ] Add CLI help to explain the stupid coloured ascii art which indicates target/source state
|
markdown
|
<reponame>renovate-bot/java-storage<gh_stars>10-100
/*
* Copyright 2021 Google LLC
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.google.cloud.storage.conformance.retry;
import static com.google.common.collect.Sets.newHashSet;
import com.google.api.gax.paging.Page;
import com.google.cloud.conformance.storage.v1.Resource;
import com.google.cloud.storage.Acl;
import com.google.cloud.storage.Acl.Role;
import com.google.cloud.storage.Acl.User;
import com.google.cloud.storage.Blob;
import com.google.cloud.storage.BlobId;
import com.google.cloud.storage.BlobInfo;
import com.google.cloud.storage.Bucket;
import com.google.cloud.storage.BucketInfo;
import com.google.cloud.storage.HmacKey;
import com.google.cloud.storage.HmacKey.HmacKeyMetadata;
import com.google.cloud.storage.HmacKey.HmacKeyState;
import com.google.cloud.storage.ServiceAccount;
import com.google.cloud.storage.Storage;
import com.google.cloud.storage.Storage.BlobTargetOption;
import com.google.cloud.storage.Storage.ComposeRequest;
import com.google.cloud.storage.conformance.retry.Functions.CtxFunction;
import com.google.common.base.Joiner;
import java.util.HashSet;
/**
* Define a set of {@link CtxFunction} which are used in mappings as well as general setup/tear down
* of specific tests.
*
* <p>Functions are grouped into nested classes which try to hint at the area they operate within.
* Client side-only, or performing an RPC, setup or tear down and so on.
*
* @see RpcMethodMapping
* @see RpcMethodMapping.Builder
* @see RpcMethodMappings
*/
final class CtxFunctions {
static final class Local {
/**
* Populate a copy destination for the state present in the ctx.
*
* @see State#getCopyDest()
*/
static final CtxFunction blobCopy =
(ctx, c) -> ctx.map(s -> s.withCopyDest(BlobId.of(c.getBucketName2(), c.getObjectName())));
/**
* Populate a bucket info for the state present in the ctx.
*
* <p>this is primarily useful in the case when you want to insert a bucket during the test
*
* @see State#getBucketInfo()
*/
static final CtxFunction bucketInfo =
(ctx, c) -> ctx.map(s -> s.with(BucketInfo.of(c.getBucketName())));
/**
* Populate a compose request for the state present in the ctx.
*
* @see State#getComposeRequest()
*/
static final CtxFunction composeRequest =
(ctx, c) ->
ctx.map(
state -> {
Blob blob = state.getBlob();
String bucket = blob.getBucket();
final BlobInfo target;
if (c.isPreconditionsProvided()) {
target = BlobInfo.newBuilder(BlobId.of(bucket, "blob-full", 0L)).build();
} else {
target = BlobInfo.newBuilder(BlobId.of(bucket, "blob-full")).build();
}
ComposeRequest.Builder builder =
ComposeRequest.newBuilder()
// source bucket is resolved from the target, as compose must be within
// the same bucket
.addSource(blob.getName(), blob.getGeneration())
.addSource(blob.getName(), blob.getGeneration())
.setTarget(target);
if (c.isPreconditionsProvided()) {
builder = builder.setTargetOptions(BlobTargetOption.generationMatch());
}
ComposeRequest r = builder.build();
return state.with(r);
});
private static final CtxFunction blobIdAndBlobInfo =
(ctx, c) -> ctx.map(state -> state.with(BlobInfo.newBuilder(state.getBlobId()).build()));
private static final CtxFunction blobIdWithoutGeneration =
(ctx, c) -> ctx.map(s -> s.with(BlobId.of(c.getBucketName(), c.getObjectName())));
private static final CtxFunction blobIdWithGenerationZero =
(ctx, c) -> ctx.map(s -> s.with(BlobId.of(c.getBucketName(), c.getObjectName(), 0L)));
/**
* Populate a blobId and blob info for the state present in the ctx which specifies a null
* generation. Use when a generation value shouldn't be part of a request or other evaluation.
*
* @see State#getBlobId()
* @see State#getBlobInfo()
*/
static final CtxFunction blobInfoWithoutGeneration =
blobIdWithoutGeneration.andThen(blobIdAndBlobInfo);
/**
* Populate a blobId and blob info for the state present in the ctx which specifies a generation
* of 0 (zero).
*
* @see State#getBlobId()
* @see State#getBlobInfo()
*/
static final CtxFunction blobInfoWithGenerationZero =
blobIdWithGenerationZero.andThen(blobIdAndBlobInfo);
}
static final class Rpc {
static final CtxFunction createEmptyBlob =
(ctx, c) -> ctx.map(state -> state.with(ctx.getStorage().create(state.getBlobInfo())));
}
static final class ResourceSetup {
private static final CtxFunction bucket =
(ctx, c) -> {
BucketInfo bucketInfo = BucketInfo.newBuilder(c.getBucketName()).build();
Bucket resolvedBucket = ctx.getStorage().create(bucketInfo);
return ctx.map(s -> s.with(resolvedBucket));
};
/**
* Create a new object in the {@link State#getBucket()} and populate a blobId, blob info and
* blob for the state present in the ctx.
*
* <p>This method will issue an RPC.
*
* @see State#getBlob()
* @see State#getBlobId()
* @see State#getBlobInfo()
*/
static final CtxFunction object =
(ctx, c) -> {
BlobInfo blobInfo =
BlobInfo.newBuilder(ctx.getState().getBucket().getName(), c.getObjectName()).build();
Blob resolvedBlob = ctx.getStorage().create(blobInfo, c.getHelloWorldUtf8Bytes());
return ctx.map(
s ->
s.with(resolvedBlob)
.with((BlobInfo) resolvedBlob)
.with(resolvedBlob.getBlobId()));
};
static final CtxFunction serviceAccount =
(ctx, c) ->
ctx.map(s -> s.with(ServiceAccount.of(c.getServiceAccountSigner().getAccount())));
private static final CtxFunction hmacKey =
(ctx, c) ->
ctx.map(
s -> {
HmacKey hmacKey1 = ctx.getStorage().createHmacKey(s.getServiceAccount());
return s.withHmacKey(hmacKey1).with(hmacKey1.getMetadata());
});
private static final CtxFunction processResources =
(ctx, c) -> {
HashSet<Resource> resources = newHashSet(c.getMethod().getResourcesList());
CtxFunction f = CtxFunction.identity();
if (resources.contains(Resource.BUCKET)) {
f = f.andThen(ResourceSetup.bucket);
resources.remove(Resource.BUCKET);
}
if (resources.contains(Resource.OBJECT)) {
f = f.andThen(ResourceSetup.object);
resources.remove(Resource.OBJECT);
}
if (resources.contains(Resource.HMAC_KEY)) {
f = f.andThen(serviceAccount).andThen(hmacKey);
resources.remove(Resource.HMAC_KEY);
}
if (!resources.isEmpty()) {
throw new IllegalStateException(
String.format("Unhandled Method Resource [%s]", Joiner.on(", ").join(resources)));
}
return f.apply(ctx, c);
};
private static final CtxFunction allUsersReaderAcl =
(ctx, c) -> ctx.map(s -> s.with(Acl.of(User.ofAllUsers(), Role.READER)));
static final CtxFunction defaultSetup = processResources.andThen(allUsersReaderAcl);
}
static final class ResourceTeardown {
private static final CtxFunction deleteAllObjects =
(ctx, c) ->
ctx.map(
s -> {
Storage storage = ctx.getStorage();
deleteBucket(storage, c.getBucketName());
deleteBucket(storage, c.getBucketName2());
State newState =
s.with((Blob) null)
.with((BlobInfo) null)
.with((BlobId) null)
.with((Bucket) null);
if (s.hasHmacKeyMetadata()) {
HmacKeyMetadata metadata = s.getHmacKeyMetadata();
if (metadata.getState() == HmacKeyState.ACTIVE) {
metadata = storage.updateHmacKeyState(metadata, HmacKeyState.INACTIVE);
}
storage.deleteHmacKey(metadata);
newState.with((HmacKeyMetadata) null).withHmacKey(null);
}
return newState;
});
static final CtxFunction defaultTeardown = deleteAllObjects;
private static void deleteBucket(Storage storage, String bucketName) {
Bucket bucket = storage.get(bucketName);
if (bucket != null) {
emptyBucket(storage, bucketName);
bucket.delete();
}
}
private static void emptyBucket(Storage storage, String bucketName) {
Page<Blob> blobs = storage.list(bucketName);
for (Blob blob : blobs.iterateAll()) {
blob.delete();
}
}
}
}
|
java
|
{% extends "app_manager/ng_partials/base_summary_view.html" %}
{% load i18n %}
{% load hq_shared_tags %}
{% load djangular_tags %}
{% block navigation_extra %}
{% angularjs %}
<li role="presentation" ng-class="{ 'active' : allSelected()}">
<a ng-click="filterList()">{% trans "All Forms" %}</a>
<div class="well">
<ul class="nav nav-pills nav-stacked">
<li ng-repeat="module in modules" role="presentation" ng-class="{ 'active' : moduleSelected(module)}">
<a ng-click="filterList(module)"><i class="fa fa-folder-open"></i> {{ module.name }}</a>
<div class="well">
<ul class="nav nav-pills nav-stacked">
<li ng-repeat="form in module.forms" ng-class="{ 'active' : formSearch.id === form.id }">
<a ng-click="filterList(module, form)">{{ form.name }}</a>
</li>
</ul>
</div>
</li>
</ul>
</div>
</li>
{% endangularjs %}
{% endblock %}
{% block content %}
{% angularjs %}
<div class="page-header" style="margin-top: 0;">
<h1 style="font-size: 1.8em;">{% trans "Form Summary" %}</h1>
</div>
<div>
<loading></loading>
<ul>
<li ng-repeat="module in modules|filter:moduleSearch">
<h4><i class="fa fa-folder-open"></i> {{ module.name }}</h4>
<ul>
<li ng-repeat="form in module.forms|filter:formSearch">
<h5>{{ form.name }}</h5>
<ol>
<li ng-repeat="question in form.questions">
{% verbatim %}<i class="fcc {{ getIcon(question.type) }}"></i>{% endverbatim %}
<span class="label label-info">{{ question.value }}</span> {{ question.label }}
<ol>
<li ng-repeat="option in question.options">
<span class="label label-info">{{ option.value }}</span> {{ option.label }}
</li>
</ol>
</li>
</ol>
</li>
</ul>
</li>
</ul>
</div>
<script type="text/ng-template" id="/form_question_tree.html">
</script>
{% endangularjs %}
{% endblock %}
|
html
|
package com.project.quiz.config.decorator;
import com.project.quiz.util.LogUtil;
import lombok.extern.slf4j.Slf4j;
import org.reactivestreams.Publisher;
import org.springframework.core.io.buffer.DataBuffer;
import org.springframework.http.MediaType;
import org.springframework.http.server.reactive.ServerHttpResponse;
import org.springframework.http.server.reactive.ServerHttpResponseDecorator;
import reactor.core.publisher.Flux;
import reactor.core.publisher.Mono;
import static reactor.core.scheduler.Schedulers.single;
/**
* @author: zhangyy
* @email: <EMAIL>
* @date: 19-3-1 17:44
* @version: 1.0
* @description:
*/
@Slf4j
public class PartnerServerHttpResponseDecorator extends ServerHttpResponseDecorator {
PartnerServerHttpResponseDecorator(ServerHttpResponse delegate) {
super(delegate);
}
@Override
public Mono<Void> writeAndFlushWith(Publisher<? extends Publisher<? extends DataBuffer>> body) {
return super.writeAndFlushWith(body);
}
@Override
public Mono<Void> writeWith(Publisher<? extends DataBuffer> body) {
final MediaType contentType = super.getHeaders().getContentType();
if (LogUtil.LEGAL_LOG_MEDIA_TYPES.contains(contentType)) {
if (body instanceof Mono) {
final Mono<DataBuffer> monoBody = (Mono<DataBuffer>) body;
return super.writeWith(monoBody.publishOn(single()).map(dataBuffer -> LogUtil.loggingResponse(log, dataBuffer)));
} else if (body instanceof Flux) {
final Flux<DataBuffer> monoBody = (Flux<DataBuffer>) body;
return super.writeWith(monoBody.publishOn(single()).map(dataBuffer -> LogUtil.loggingResponse(log, dataBuffer)));
}
}
return super.writeWith(body);
}
}
|
java
|
import json
from typing import Dict, Iterable, List, Optional, Union, cast
import click
from data_pipelines_cli.errors import DockerErrorResponseError
class DockerReadResponse:
"""POD representing Docker response processed by :class:`DockerResponseReader`."""
msg: str
"""Read and processed message"""
is_error: bool
"""Whether response is error or not"""
def __init__(self, msg: str, is_error: bool) -> None:
self.msg = msg
self.is_error = is_error
def __str__(self) -> str:
return self.msg
class DockerResponseReader:
"""
Read and process Docker response.
Docker response turns into processed strings instead of plain dictionaries.
"""
logs_generator: Iterable[Union[str, Dict[str, Union[str, Dict[str, str]]]]]
"""Iterable representing Docker response"""
cached_read_response: Optional[List[DockerReadResponse]]
"""Internal cache of already processed response"""
def __init__(
self,
logs_generator: Iterable[Union[str, Dict[str, Union[str, Dict[str, str]]]]],
):
self.logs_generator = logs_generator
self.cached_read_response = None
def read_response(self) -> List[DockerReadResponse]:
"""
Read and process Docker response.
:return: List of processed lines of response
:rtype: List[DockerReadResponse]
"""
to_return = []
for log in self.logs_generator:
if isinstance(log, str):
log = json.loads(log)
log = cast(Dict[str, Union[str, Dict[str, str]]], log)
if "status" in log:
to_return.append(self._prepare_status(log))
if "stream" in log:
to_return += self._prepare_stream(log)
if "aux" in log:
to_return += self._prepare_aux(log)
if "errorDetail" in log:
to_return.append(self._prepare_error_detail(log))
elif "error" in log:
to_return.append(self._prepare_error(log))
self.cached_read_response = to_return
return to_return
def click_echo_ok_responses(self) -> None:
"""Read, process and print positive Docker updates.
:raises DockerErrorResponseError: Came across error update in Docker response.
"""
read_response = self.cached_read_response or self.read_response()
for response in read_response:
if response.is_error:
raise DockerErrorResponseError(response.msg)
click.echo(response.msg)
@staticmethod
def _prepare_status(log: Dict[str, Union[str, Dict[str, str]]]) -> DockerReadResponse:
status_message = cast(str, log["status"])
progress_detail = cast(str, log.get("progressDetail", ""))
status_id = cast(str, log.get("id", ""))
message = (
status_message
+ (f" ({status_id})" if status_id else "")
+ (f": {progress_detail}" if progress_detail else "")
)
return DockerReadResponse(message, False)
@staticmethod
def _prepare_stream(log: Dict[str, Union[str, Dict[str, str]]]) -> List[DockerReadResponse]:
stream = cast(str, log["stream"])
return list(
map(
lambda line: DockerReadResponse(line, False),
filter(lambda x: x, stream.splitlines()),
)
)
@staticmethod
def _prepare_aux(log: Dict[str, Union[str, Dict[str, str]]]) -> List[DockerReadResponse]:
aux = cast(Dict[str, str], log["aux"])
to_return = []
if "Digest" in aux:
to_return.append(DockerReadResponse(f"Digest: {aux['Digest']}", False))
if "ID" in aux:
to_return.append(DockerReadResponse(f"ID: {aux['ID']}", False))
return to_return
@staticmethod
def _prepare_error_detail(log: Dict[str, Union[str, Dict[str, str]]]) -> DockerReadResponse:
error_detail = cast(Dict[str, str], log["errorDetail"])
error_message = error_detail.get("message", "")
error_code = error_detail.get("code", None)
return DockerReadResponse(
"ERROR: " + error_message + (f"\nError code: {error_code}" if error_code else ""),
True,
)
@staticmethod
def _prepare_error(log: Dict[str, Union[str, Dict[str, str]]]) -> DockerReadResponse:
return DockerReadResponse("ERROR: " + cast(str, log["error"]), True)
|
python
|
<reponame>beattykariuki/Personal-Gallery
html {
box-sizing: border-box;
}
*,
*:before,
*:after {
box-sizing: inherit;
}
/* The Masonry Container */
.masonry {
margin: 1.5em auto;
max-width: 768px;
column-gap: 1.5em;
}
img{
width: 50vh;
}
/* The Masonry Brick */
.item {
background: #fff;
padding: 1em;
margin: 0 0 1.5em;
width: 50vh;
}
/* Masonry on large screens */
@media only screen and (min-width: 1024px) {
.masonry {
column-count: 3;
}
}
/* Masonry on medium-sized screens */
@media only screen and (max-width: 1023px) and (min-width: 768px) {
.masonry {
column-count: 3;
}
}
/* Masonry on small screens */
@media only screen and (max-width: 767px) and (min-width: 540px) {
.masonry {
column-count: 2;
}
}
|
css
|
Samsung Galaxy Watch 4 review: The ultimate Android watch?
Speaker 1: Samsung just released its latest smart watches. The Samsung galaxy watch four. It comes in two different flavors. The watch four classic and the watch four I'm wearing both of them on my wrists. I've been trying them out for two weeks. Are these the ultimate Android watches? Well, let me talk about it.
Speaker 1: Samsung's newest watches are here. The Samsung galaxy watch for is this the ultimate Android watch? Have we finally gotten to the [00:00:30] point where there's one perfect watch to recommend for Android phone owners? Well, it's a little complicated, but this watch is pretty good. I do have a few with thoughts about it though. So Samsung's new watches launched before when the apple watch is expected. This fall, that doesn't factor in though, because the Samsung galaxy watch for is for Android phone owners. It's not for iPhone owners. It's designed to be the ultimate connected watch. And what is new this year in particular is a [00:01:00] partnership with Google. The OS on this watch is new. It's Google where OS three, this is Google's operating system and app store now, but it's also collaborating with Samsung. What does that mean? Exactly? I had high hopes for this watch and I still have high hopes for this watch because Samsung has made some great smart watches in the past.
Speaker 1: I've covered them for years and years, but they've had limitations as far as how hooked in. They feel to the rest of the Android and Google ecosystem. Samsung [00:01:30] loves to make its own apps and its own platforms. Well Google's partnership with this suggests that there's gonna be a solution there, but it might end up being a lot more like the way that Samsung phones currently work, which is that they run Android. But Samsung also has all sorts of specialized software. That's designed for Samsung phones. That's good on a phone, but when you get to a watch, then you start having expectations that maybe the phone and the watch will be working best together. Samsung is designed [00:02:00] a lot. It turns out that is really meant to, with a Samsung galaxy phone. Even though these work with Android phones, there are some things I'll get into that.
Speaker 1: You're probably better off getting a Samsung phone for first of all, the health ecosystem. You don't need a Samsung phone for that, but it is Samsung health based. So everything that you do on this watch and there's a lot of health and fitness features. These are all funneling into the Samsung health app. Now Samsung's had a really good health fitness ecosystem over the past [00:02:30] bunch of years. You may not choose to use it though. Maybe you want something like Fitbit or you wanna use Google services. Google has not really made it clear how this is all going to shake out because Google has Google fit. Then there is also Fitbit which Google acquired. Samsung is kind of standing off over here saying we've got Samsung health, which has everything from calorie tracking to steps, to activity goals, and puts in some sensor readings, things like blood oxygen readings, [00:03:00] ECG, which is electrocardiogram that's available on the Samsung galaxy watch for and a new sensor.
Speaker 1: That's an bioimpedance sensor. This body analysis sensor is totally new to Samsung watches, but it's been on other things before. If you have a scale that does any sort of water, body fat measurement has like a metal contact, similar type of tech way back. I saw it on the Jawbone up three, but it didn't do anything. Then here you hold your two fingers [00:03:30] to the two buttons on the side of the watch for 15 seconds and you get a spot read out on, well, how your body fat it is your body water percentage, your BMI, your skeletal muscle mass. It's a lot of data points and how accurate are they? Well, I've not been comparing it against an actual professional body analysis service. So I don't really know. They do seem to be somewhat consistent in that I need to lose weight and none know the numbers [00:04:00] look good and that's pretty stressful.
Speaker 1: So I get a whole bunch of numbers that go from, uh, this green to red end of the spectrum. And I'm in red and the numbers all seem, I guess, not good. What do I do with that though? That's where it's a little less clear. Samsung collects that, charts it out and you can see how you're doing, hopefully getting better, but there's not a lot of guidance as to what to do next, but all that stuff lives in the Samsung health app. So if you wanna take that data and let's say, pick another ecosystem, you can't really right now. So consider that when you're getting a [00:04:30] Samsung galaxy watch four, you can load Google fit and eventually you should be able to load some apps from Fitbit. Who's going to be making a move into a wear OS, which is on this watch. But right now, while you can put Google fit on the galaxy, watch four, it's kind of writing alongside.
Speaker 1: It's not the main experience. Okay? Another thing you need to know is that ECG and blood pressure are things that you need a Samsung phone for. So it turns out that electrocardiogram [00:05:00] and blood pressure where that's approved blood pressure, uh, features on this watch are not approved in the us yet. Not cleared by the FDA, those run in a Samsung health monitor app that you can only get on Samsung galaxy phones. I really hope that changes because it means that if you have another Android phone, you can't use the ECG feature. That's a big downer. So let's talk about this. Watch the watch design is very familiar and very nice. Samsung has a bunch of really beautiful watch faces. [00:05:30] I love these old crazy animals that pop up and these interesting animations, a lot of dynamic watch faces, things that you see on the apple watch.
Speaker 1: You don't see a lot on Android. Watch faces. It's a great sign of where Samsung's processor and Google's no OS could maybe take, watch faces. But I find that the customization of them goes on a wide spectrum. Some of them have a lot of room for complications, little bits of data that pop up from other apps like the weather or fitness. Others don't have any at all. [00:06:00] I love them all to have complications because I'm complicated. I like to check all that data. The other thing about this watch is that the interface is pretty cool. Samsung always had this rotating BELE that's back on both models. One has an actual physical bezzle that's super clicky, addictive to use kinda like a fidget toy. The other one, you have to touch the edge of the bezel and you get this buzzing haptic response. It works, but it's not good.
Speaker 1: One wet, and it's not quite as easy to activate [00:06:30] those. You don't even need that because move around the interface really you're swiping, which is a Google wears thing. Google's operating system factors in and feel when you look at how you swipe down, swipe up left and right for notifications and get your apps tiles come up as these little quick view, kind of mini apps that pop up when you swipe over to the left. And they're really useful for quickly accessing a lot of health things, checking maybe your ECG or blood oxygen [00:07:00] or checking that body analysis thing. Again, I'd love to see more mini tiles like that pop up. That's how I tended to use them. So the watch feels great, but the things I was looking forward to were really all the googly things and Google play is the app store that runs on this watch, not Samsung on zone app store, which means you can access all the wears apps for the most part that you would be able to get on Google's S watches, but it kind of stops short in one area, Google assistant, Bixby, wheres, [00:07:30] Google assistant.
Speaker 1: Understand that Google assistant is not here on this watch right now. I don't know why it's a little baffling, hopefully that will change. So the default voice assistant on this watch is Samsung BBY launch, Google assistant.
Speaker 2: Hm. That app couldn't be found.
Speaker 1: That could be your deal breaker. Now look, I'm not trying to attack Biby too much. B Biby is actually kind of functional when it comes to [00:08:00] voice dictation things like when responding to a message. I actually found that that worked pretty well, but pixie is not hooked into the rest of the Google ecosystem. So if I want to be able to use like something, I would want to check on Google assistant or hook into an app or find out certain information, I feel like it's just not aware of that stuff. And where Bibi's biggest failing is. I would've expected that you would've had Google assistant on this. It's just not there yet. And that's kind of where I get to. Do you wanna jump on board this right now? Because this is [00:08:30] the first Google wear OS three watch and it's a Samsung partnership. There are going to be more Google wear OS watches, including a Fitbit one that could be coming net next year Samsung's looks pretty great, but it has some strange omissions.
Speaker 1: And I don't know if there's are going to be addressed on other watches or not, which leaves Samsung writing in the front as probably the best watch right now. I think it's the best Android watch. I can't think of a better one because [00:09:00] the performance feels great. The animations look really cool. The fitness features are pretty deep. It's got Google wear OS support. It's a pretty good set of features, battery life. I would've liked to have been better so far. I've we're in these back and forth alternating and I've gotten about two days of battery life. I've never gotten better and that's with the display off when I'm not looking at it. If I do always on display, it's really a day. And then if you get into some features like running with GPS or you get a [00:09:30] LTE equipped phone model, which I don't have, uh, that turns it basically into a, a phone on your red battery life is gonna dip even further and keep in mind, I've been wearing the larger size.
Speaker 1: These are the 44 and 46 millimeter. If you get the smaller ones, battery life may be even worse. Do I like the design? Yeah, I like it, but I kind of feel like I've seen it before. I don't feel like it's wowing me with the look of the round watch. Uh, I kind of prefer the one without the BELE, because I think it's a cleaner look and you save [00:10:00] a hundred dollars. It's $250 versus the classic, which is $350. So you're kind of paying extra hundred dollars for that rotating bezel and not much else. I like to save money and I would go with the original galaxy watch for, or the non classic one. Then again, if you really like the rotating bezzle and the thing about the bezel is it recesses the display a bit. So it could protect the gorilla glass ammo led screen, which could be good for durability, [00:10:30] but I don't really know.
Speaker 1: I haven't worn this more than two weeks. The display looks fantastic. All the hardware looks really sharp. The watch feels good. I just don't know how much more hooked in it's going to feel with the rest of Google. And we don't know yet. So right now I think it's the best Android watch, but I have a lot of questions about where Samsung and Google are going to take this. How much of this is Samsung's much of this watch is Googles. We're only gonna [00:11:00] find that out over the next year or so, but the Samsung galaxy watch four does feel like an overdue step for finally kniting together. The entire kind of complicated Android wearable picture.
|
english
|
package com.ruoyi.common.utils.ip;
import cn.hutool.core.lang.Dict;
import cn.hutool.core.net.NetUtil;
import cn.hutool.http.HtmlUtil;
import cn.hutool.http.HttpUtil;
import com.ruoyi.common.config.RuoYiConfig;
import com.ruoyi.common.constant.Constants;
import com.ruoyi.common.utils.JsonUtils;
import com.ruoyi.common.utils.StringUtils;
import lombok.AccessLevel;
import lombok.NoArgsConstructor;
import lombok.extern.slf4j.Slf4j;
/**
* 获取地址类
*
* @author <NAME>
*/
@Slf4j
@NoArgsConstructor(access = AccessLevel.PRIVATE)
public class AddressUtils {
// IP地址查询
public static final String IP_URL = "http://whois.pconline.com.cn/ipJson.jsp";
// 未知地址
public static final String UNKNOWN = "XX XX";
public static String getRealAddressByIP(String ip) {
String address = UNKNOWN;
if (StringUtils.isBlank(ip)) {
return address;
}
// 内网不查询
ip = "0:0:0:0:0:0:0:1".equals(ip) ? "127.0.0.1" : HtmlUtil.cleanHtmlTag(ip);
if (NetUtil.isInnerIP(ip)) {
return "内网IP";
}
if (RuoYiConfig.isAddressEnabled()) {
try {
String rspStr = HttpUtil.createGet(IP_URL)
.body("ip=" + ip + "&json=true", Constants.GBK)
.execute()
.body();
if (StringUtils.isEmpty(rspStr)) {
log.error("获取地理位置异常 {}", ip);
return UNKNOWN;
}
Dict obj = JsonUtils.parseMap(rspStr);
String region = obj.getStr("pro");
String city = obj.getStr("city");
return String.format("%s %s", region, city);
} catch (Exception e) {
log.error("获取地理位置异常 {}", ip);
}
}
return UNKNOWN;
}
}
|
java
|
from moduls import *
from oredictnames import *
from Inventorys import *
import Item
import crafting as cb
import config
from Inventorys import *
from Inventorys.Inventory import Slot, handler as invhandler, InventoryHandler
import EventHandler
import entity
class player:
def __init__(self, window):
self.inventory = PlayerInventory(window, self)
self.mode = 1 # 0:nichts, 1:hotbar, 2:survival_inventory, 3:creativ_inventory, 4: creativ_tab [self.creativ_tab_id], 5: crafting_table
self.gamemode = config.CONFIGS[
"DEFAULT_GAMEMODE"
] # 0:surivival, 1:creativ, 2:hardcore, 3:spectator
self.falling = False
self.fallhigh = 0
self.harts = 20
self.hartholder = PlayerHartHandler(self)
self.window = window
self.creativ_tab_id = None
self.block = None
invhandler.show(0)
self.dimension = 0
self.inventorys = [
self.inventory.hotbar,
self.inventory.rows,
self.inventory.armor,
self.inventory.crafting,
]
self.xp = 0
self.hunger = 8
self.model = entity.PlayerModel(self.window.position)
self.model.player = self
EventHandler.eventhandler.on_event("on_draw_3D", self.model.eventdraw)
EventHandler.eventhandler.on_event("on_player_move", self.model.eventmove)
def addToFreePlace(self, name, amount=1, start=0):
if type(name) == list:
for i, e in enumerate(name):
self.addToFreePlace(e, amount[i], start)
return True
for i in self.inventorys:
for e in i.slots:
if e.id < start:
pass
elif e.item and e.item.getName() == name:
if e.amount + amount - 1 < e.item.getMaxStackSize():
e.amount += amount
return True
elif e.amount < e.item.getMaxStackSize():
amount = amount - (e.item.getMaxStackSize() - e.amount)
e.amount = e.item.getMaxStackSize()
for i in self.inventorys:
for e in i.slots:
if e.id < start:
pass
elif not e.item:
print("setting ", 1)
e.setItem(name)
if e.item.getMaxStackSize() < amount and False:
e.amount = e.item.getMaxStackSize()
amount -= e.item.getMaxStackSize()
else:
e.amount = amount
return True
print("[ERROR] no inventor place found")
return False
def setPlace(self, id, name):
invhandler.sfromid[id].setItem(name)
def getPlace(self, id):
return invhandler.sfromid[id].item
def getSlot(self, id):
return invhandler.inventoryslotsinst[id]
def update(self):
if self.harts == 0 and self.gamemode != 3 and self.gamemode != 1:
self.window.kill("player hearts go down")
class PlayerInventory:
def __init__(self, window, master):
self.window = window
self.master = master
self.hotbar = player_hotbar.hotbar()
self.rows = player_rows.rows()
self.armor = player_armor.armor()
self.crafting = player_crafting.crafting()
self.moving_slot = None
self.moving_start = None
self.none_slot = Slot(0, 0)
def draw(self):
pass
def resetMovingSlot(self):
self.moving_slot.setPos(*self.moving_start)
def on_mouse_press(self, eventname, x, y, button, modifiers):
if button == mouse.LEFT:
if not self.moving_slot:
# self.moving_slot = self.none_slot
self.moving_slot = self.getPress(x, y)
if self.moving_slot:
if invhandler.inventoryslotsinst[self.moving_slot.id].item:
self.moving_start = (
invhandler.inventoryslotsinst[self.moving_slot.id].x,
invhandler.inventoryslotsinst[self.moving_slot.id].y,
)
self.moving_slot = invhandler.inventoryslotsinst[
self.moving_slot.id
]
else:
self.moving_slot = None
else:
self.moving_slot = None
else:
end = self.getPress(x, y)
if end and end.mode == "o":
return
if end == None:
(self.moving_slot.x, self.moving_slot.y) = self.moving_start
self.moving_slot = None
return
itemA = self.moving_slot.item
itemB = end.item
amountA = self.moving_slot.amount
amountB = end.amount
if (
self.moving_slot == self.crafting.slots[4]
or self.moving_slot.stid == "minecraft:slot:crafting_table:out"
):
cb.craftinghandler.removeOutput_player(self.master)
self.moving_slot.x, self.moving_slot.y = 531, 287
self.resetMovingSlot()
if end.id in list(range(0, 9)):
self.rows.slots[end.id].setItem(end.item)
self.rows.slots[end.id].amount = end.amount
if not itemB:
end.setItem(itemA)
end.amount = amountA
self.resetMovingSlot()
self.moving_slot.setItem(None)
self.moving_slot = None
cb.craftinghandler.updateOutput_player(self.master)
return
elif itemA and itemB and itemA.getName() == itemB.getName():
if amountA + amountB <= itemA.getMaxStackSize():
end.amount = amountA + amountB
self.resetMovingSlot()
self.moving_slot.item = None
self.moving_slot = None
cb.craftinghandler.updateOutput_player(self.master)
return
else:
d = itemA.getMaxStackSize() - end.amount
end.amount = itemA.getMaxStackSize()
self.moving_slot.amount -= d
cb.craftinghandler.updateOutput_player(self.master)
return
else:
end.setItem(itemA)
end.amount = amountA
self.moving_slot.setItem(itemB)
self.moving_slot.amount = amountB
self.moving_slot = None
cb.craftinghandler.updateOutput_player(self.master)
return
elif button == mouse.RIGHT:
if self.moving_slot:
slot = self.getPress(x, y)
if slot and (
(
slot.item
and slot.item.getName() == self.moving_slot.item.getName()
)
or not slot.item
):
if slot.amount + 1 <= self.moving_slot.item.getMaxStackSize():
slot.amount += 1
slot.setItem(self.moving_slot.item.getName())
self.moving_slot.amount -= 1
if self.moving_slot.amount == 0:
self.moving_slot.x, self.moving_slot.y = self.moving_start
self.moving_slot = None
cb.craftinghandler.updateOutput_player(self.master)
elif (
button == mouse.MIDDLE
and not self.moving_slot
and self.master.gamemode == 1
):
slot = self.getPress(x, y)
if not slot.item:
return
self.moving_slot = self.none_slot
self.moving_start = (0, 0)
self.moving_slot.setItem(slot.item)
self.moving_slot.amount = slot.item.getMaxStackSize()
def on_mouse_motion(self, eventname, x, y, dx, dy):
if self.moving_slot:
self.moving_slot.x, self.moving_slot.y = x, y
def on_mouse_release(self, x, y, button, modifiers):
pass
def getPress(self, x, y, debug=False):
self.scor = []
for e in invhandler.shown:
for e in invhandler.inventoryinst[e].slots:
self.scor.append(e)
slothigh, slotwight = 50, 40
for s in self.scor:
if x >= s.x:
if x <= s.x + slotwight:
if y >= s.y:
if y <= s.y + slothigh:
if self.moving_slot == None or self.moving_slot.id != s.id:
return s
elif debug:
print(5, s, s.id)
elif debug:
print(4, s, s.id)
elif debug:
print(3, s, s.id)
elif debug:
print(2, s, s.id)
elif debug:
print(1, s, s.id)
return None
def on_shift(self):
pass
playerinst = None
import texturGroups
class PlayerHartHandler:
def __init__(self, player):
self.player = player
res = texturGroups.handler.groups["./assets/textures/gui/icons/harts_no.png"]
self.sprites = [
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
pyglet.sprite.Sprite(res),
] # pyglet.sprite.Sprite(texturGroups.handler.groups[imagefile])
for i, e in enumerate(self.sprites):
x = i * 20 + 190
y = 80
e.position = (x, y)
def draw(self):
if self.player.gamemode == 1 or self.player.gamemode == 3:
return
harts = self.player.harts
for i, e in enumerate(self.sprites):
if 2 * (i + 1) > harts:
e.image = texturGroups.handler.groups[
"./assets/textures/gui/icons/harts_no.png"
]
elif i * 2 < harts or (harts % 2 == 0 and i * 2 == harts):
e.image = texturGroups.handler.groups[
"./assets/textures/gui/icons/hart_full.png"
]
else:
e.image = texturGroups.handler.groups[
"./assets/textures/gui/icons/hart_half.png"
]
e.draw()
|
python
|
On Tuesday, it will be five months to the day since Neymar played, in his own words, his best ever game of football.
On an unforgettable night at Camp Nou, he scored twice in the final two minutes and then, deep into stoppage time, provided a stunning assist to Sergi Roberto as Barcelona beat Paris Saint-Germain 6-1 in the greatest comeback in Champions League history.
Amid the visitors' dejection and Lionel Messi's euphoric leap into the stands, the match highlighted two important problems: PSG were still well short of becoming champions of Europe, and Neymar could no longer be contained within Messi's mighty shadow.
The solution was staring them both in the face. It's been staring at Barcelona, too, for months. That it ignored what was happening is ineptitude of the highest order.
Neymar's world-record €222million move to PSG was finalised on Thursday but has been evolving since last October. It was reported then that, having grown frustrated at only snaring domestic trophies, PSG had identified Neymar as key to its plans for European domination. The player's entourage suggested he was tempted, desperate for a chance to claim a Ballon d'Or of his own after years as MSN's third wheel.
Barca responded by tying Neymar to a new contract, complete with an increasing buy-out clause, but the charm offensive ended as soon as the ink had dried. The club spent the next nine months convincing Messi to follow suit, indulging in all manner of platitudes to keep the world's finest player happy while assuming the man best placed to succeed him would keep calm and carry on.
Barca's conduct told Neymar everything he needed to know about the club's short and long-term priorities. Even in July, they were deaf to talk of his departure. Vice-president Jordi Mestre claimed he was "200 per cent sure" that he would not go, while technical secretary Robert Fernandez stated categorically that nobody would be audacious enough to pay the clause. Gerard Pique even announced he had decided to stay in a "joke" that is fast becoming a favourite of Barca-shaming Twitter memes.
They were scoffing at these French upstarts and their delusions of grandeur until the moment the Neymars, senior and junior, walked into Camp Nou and told them they were off to the airport. It was a misplaced, conceited manifestation of 'Mes que un club', and not for the first time. It's left them with full pockets and a humiliating mess to sort.
Arrogance has plagued Barca's transfer plans. It assumed that Marco Verratti's interest in joining (how long ago that feels now) would be enough to force PSG to accept an offer. When PSG refused to negotiate, president Josep Bartomeu complained loudly that there was no release clause to take advantage of, his irony blinkers firmly in place.
It was the same with the reported pursuit of Hector Bellerin at Arsenal and the scrambled bids for Liverpool's Philippe Coutinho. The club's top targets have proved beyond its reach as they stagger aimlessly around the buyer's market. A vote of no confidence against the directors, led by former presidential candidate Agusti Benedito, is likely to gain support, too. The wolves are at the boardroom door.
Ernesto Valverde, a rather safe choice as head coach, has a mighty challenge on his hands.
Barca's squad needed a refit before the Neymar bandwagon trundled off towards the Parisian sunset. Messi and Luis Suarez are 30, Sergio Busquets 29, Andres Iniesta 33. The club's signings in the last three years have not been of sufficient quality to ease the burden on those leading lights. La Masia's production line has broken down and the pick of its young talent, like Jordi Mboula and Eric Garcia, have decided that their careers will be better served elsewhere. Even with Neymar funds at its disposal, the club look a long way off hauling in Real Madrid, the kings of Spain and Europe and, for once, the more settled-looking dressing-room.
Not since Luis Figo in 2000 have Barca endured an exit so demoralising. Not since Ronaldinho swapped PSG for Camp Nou 14 years ago has a single deal heralded such a dynamic status shift for the teams concerned. PSG has obliterated both a world record and Barca's presumption of superiority in one fell bank transfer. The risk of Financial Fair Play wrath is, ironically, a price worth paying.
Neymar has the playing and pulling power to give PSG everything it craves: boundless commercial appeal, footballing prestige, and a big, shiny European cup. Barca must now get its act together in the final month of what has become a pivotal transfer window. If it fails, that 6-1 in March will be best remembered as the day when Neymar outgrew the club.
|
english
|
<filename>13/Gesetzgebung/13-135410.json
{
"vorgangId": "135410",
"VORGANG": {
"WAHLPERIODE": "13",
"VORGANGSTYP": "Gesetzgebung",
"TITEL": "Gesetz zur Änderung des Bundeserziehungsgeldgesetzes (G-SIG: 13020877)",
"INITIATIVE": [
"Hessen",
"Nordrhein-Westfalen"
],
"AKTUELLER_STAND": "Nicht abgeschlossen - Einzelheiten siehe Vorgangsablauf",
"SIGNATUR": "",
"GESTA_ORDNUNGSNUMMER": "I020",
"ZUSTIMMUNGSBEDUERFTIGKEIT": "Nein",
"WICHTIGE_DRUCKSACHE": {
"DRS_HERAUSGEBER": "BR",
"DRS_NUMMER": "1047/97",
"DRS_TYP": "Gesetzesantrag"
},
"EU_DOK_NR": "",
"SACHGEBIET": "Gesellschaftspolitik, soziale Gruppen",
"SCHLAGWORT": [
{
"_fundstelle": "true",
"__cdata": "Bundeserziehungsgeldgesetz"
},
"Erziehungsurlaub",
"Familie",
"Teilzeitarbeit",
"Vater"
],
"ABSTRAKT": " Bezug: Siehe auch I001 und I015 Inhalt: Abschaffung der 19-Stunden-Beschäftigungsgrenze für die Gewährung von Erziehungsurlaub, Rechtsanspruch auf Teilzeitarbeit während des Erziehungsurlaubs bis zur Vollendung des 6. Lebensjahres eines Kindes, Möglichkeit der gleichzeitigen Inanspruchnahme des Erziehungsurlaubs beider Elternteile; Änderung der §§ 15, 16 und 39 Bundeserziehungsgeldgesetz. Evtl. Mehrkosten für die öffentlichen Haushalte lassen sich nicht beziffern. Nebenschlagwörter: Teilzeitarbeit/Rechtsanspruch auf Teilzeitarbeit während des Erziehungsurlaubs * Erziehungsurlaub/Gleichzeitige Inanspruchnahme des Erziehungsurlaubs durch beide Elternteile * Vater/Gleichzeitige Inanspruchnahme des Erziehungsurlaubs durch beide Elternteile "
},
"VORGANGSABLAUF": {
"VORGANGSPOSITION": [
{
"ZUORDNUNG": "BR",
"URHEBER": "Gesetzesantrag, Urheber : Hessen, Nordrhein-Westfalen ",
"FUNDSTELLE": "22.12.1997 - BR-Drucksache 1047/97",
"ZUWEISUNG": [
{
"AUSSCHUSS_KLARTEXT": "Ausschuss für Familie und Senioren",
"FEDERFUEHRUNG": "federführend"
},
{
"AUSSCHUSS_KLARTEXT": "Ausschuss für Arbeit und Sozialpolitik"
},
{
"AUSSCHUSS_KLARTEXT": "Ausschuss für Frauen und Jugend"
},
{
"AUSSCHUSS_KLARTEXT": "Ausschuss für Innere Angelegenheiten"
},
{
"AUSSCHUSS_KLARTEXT": "Wirtschaftsausschuss"
}
]
},
{
"ZUORDNUNG": "BR",
"URHEBER": "BR-Sitzung",
"FUNDSTELLE": "06.02.1998 - BR-Plenarprotokoll 721, S. 28D - 29D",
"FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/brp/721.pdf#P.28",
"PERSOENLICHER_URHEBER": {
"VORNAME": "Ilse",
"NACHNAME": "Ridder-Melchers",
"FUNKTION": "Stellv. MdBR",
"FUNKTIONSZUSATZ": "LMin Gleichstellung",
"BUNDESLAND": "Nordrhein-Westfalen",
"AKTIVITAETSART": "Rede",
"SEITE": "29A-D"
},
"VP_ABSTRAKT": "Mittlg: S.29D - Ausschußzuweisung: AfFamSen (fdf), AfArbSoz, AfFrJug, InnenA"
},
{
"ZUORDNUNG": "BR",
"URHEBER": "Empfehlungen der Ausschüsse, Urheber : Ausschuss für Arbeit und Sozialpolitik, Ausschuss für Familie und Senioren, Ausschuss für Frauen und Jugend, Ausschuss für Innere Angelegenheiten, Wirtschaftsausschuss ",
"FUNDSTELLE": "16.03.1998 - BR-Drucksache 1047/1/97",
"VP_ABSTRAKT": "AfFamSen, AfArbSoz: Einbringung - AfFrJug: Einbringung in geänderter Fassung; Bestellung einer Beauftragten - InnenA, WirtschA: Ablehnung der Einbringung"
},
{
"ZUORDNUNG": "BR",
"URHEBER": "BR-Sitzung",
"FUNDSTELLE": "27.03.1998 - BR-Plenarprotokoll 723, S. 113A",
"FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/brp/723.pdf#P.113",
"VP_ABSTRAKT": "Mittlg: S.113A - Absetzung von TO"
}
]
}
}
|
json
|
import { WebComponent } from "../web-component/web-component.js"
@WebComponent.register({
properties: {
oneTime: {
type: Boolean,
reflectToAttribute: true
}
}
})
export class ConnectedNotifier extends WebComponent {
private _wasAttached;
oneTime: boolean;
connectedCallback() {
super.connectedCallback();
if (this._wasAttached && this.oneTime)
return;
this._wasAttached = true;
this.fire("connected", { id: this.id }, {
node: this,
bubbles: false
});
}
}
|
typescript
|
Bhopal: National steeplechase athlete Pooja Kumari has drowned after she accidentally fell in a pond while clicking selfies with her friends on the campus of the Sports Authority of India near here, police said on Sunday.
After regular practice session, three girls, including national steeplechase athlete Pooja, went near pond to take selfie on Saturday evening, a police spokesperson said. He said while 20-year-old Pooja started screaming for help as she did not know swimming, her friends ran toward the SAI hostel and rushed back with other people.
Pooja was pulled out from pond and rushed to Chirayu Hospital where she was declared brought dead, he said. Her body was sent for postmortem to a nearby hospital. Pooja, who hails from Kashipur city in Udham Singh Nagar district of Uttarakhand, had been undergoing training at the SAI facility for the last two years.
|
english
|
<reponame>toxtox/SimplePhilosopherstoneWidget
package com.brentpanther.cryptowidget;
import android.appwidget.AppWidgetManager;
import android.content.BroadcastReceiver;
import android.content.ComponentName;
import android.content.Context;
import android.content.Intent;
class MyBroadcastReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
WidgetApplication app = WidgetApplication.getInstance();
Class widgetProvider = app.getWidgetProvider();
Intent intent2 = new Intent(AppWidgetManager.ACTION_APPWIDGET_UPDATE, null, context, widgetProvider);
AppWidgetManager manager = AppWidgetManager.getInstance(context);
ComponentName cm = new ComponentName(context, widgetProvider);
int[] appWidgetIds = manager.getAppWidgetIds(cm);
intent2.putExtra(AppWidgetManager.EXTRA_APPWIDGET_IDS, appWidgetIds);
context.sendBroadcast(intent2);
}
}
|
java
|
# -*- coding: utf-8 -*-
import json
from mock import patch, MagicMock
from django.urls import reverse
from seahub.test_utils import BaseTestCase
from seahub.abuse_reports.models import AbuseReport
class AdminAbuseReportsTest(BaseTestCase):
def setUp(self):
self.login_as(self.admin)
self.url = reverse('api-v2.1-admin-abuse-reports')
@patch('seahub.api2.endpoints.admin.abuse_reports.ENABLE_SHARE_LINK_REPORT_ABUSE', MagicMock(return_value=True))
def test_can_get(self):
resp = self.client.get(self.url)
self.assertEqual(200, resp.status_code)
@patch('seahub.api2.endpoints.admin.abuse_reports.ENABLE_SHARE_LINK_REPORT_ABUSE', MagicMock(return_value=True))
def test_no_permission(self):
self.logout()
self.login_as(self.admin_no_other_permission)
resp = self.client.get(self.url)
self.assertEqual(403, resp.status_code)
class AdminAbuseReportTest(BaseTestCase):
def setUp(self):
self.login_as(self.admin)
self.repo = self.repo
self.file_path = self.file
self.url = reverse('api-v2.1-admin-abuse-reports')
def _add_abuse_report(self):
reporter = ''
repo_id = self.repo.id
repo_name = self.repo.name
file_path = self.file_path
abuse_type = 'copyright'
description = ''
report = AbuseReport.objects.add_abuse_report(
reporter, repo_id, repo_name, file_path, abuse_type, description)
return report
def _remove_abuse_report(self, report_id):
report = AbuseReport.objects.get(id=report_id)
report.delete()
@patch('seahub.api2.endpoints.admin.abuse_reports.ENABLE_SHARE_LINK_REPORT_ABUSE', MagicMock(return_value=True))
def test_no_permission(self):
self.logout()
self.login_as(self.admin_no_other_permission)
report = self._add_abuse_report()
data = 'handled=' + str(not report.handled).lower()
resp = self.client.put(self.url + str(report.id) + '/', data, 'application/x-www-form-urlencoded')
self.assertEqual(403, resp.status_code)
@patch('seahub.api2.endpoints.admin.abuse_reports.ENABLE_SHARE_LINK_REPORT_ABUSE', MagicMock(return_value=True))
def test_can_put(self):
report = self._add_abuse_report()
data = 'handled=' + str(not report.handled).lower()
resp = self.client.put(self.url + str(report.id) + '/', data, 'application/x-www-form-urlencoded')
self.assertEqual(200, resp.status_code)
json_resp = json.loads(resp.content)
assert json_resp['file_name'] is not None
assert json_resp['time'] is not None
assert json_resp['handled'] == (not report.handled)
assert json_resp['abuse_type'] == report.abuse_type
assert json_resp['description'] == report.description
assert json_resp['id'] == report.id
assert json_resp['reporter'] == report.reporter
assert json_resp['repo_id'] == report.repo_id
assert json_resp['repo_name'] == report.repo_name
assert json_resp['file_path'] == report.file_path
self._remove_abuse_report(report.id)
|
python
|
this package forked by go_sconn/protocol
# protocol
```
type ProtocolHeader interface {
GetBodyLen() int
SetBodyLen(int)
}
```
## struct definition
Structures must consist only of the following types:
- `uint8`
- `uint16`
- `uint32`
- `uint64`
- `bool`
- `[fixed]byte`
## GetByteLen() int
It should be implemented to return the length of the protocol body in the header struct.
## SetByteLen(int)
It should be implemented to set the body length in header struct at length to the protocol body.
## implementation example
```
type BasicProtocol struct {
Type uint16
Method uint16
Seq uint32
BodyLen uint32
}
func (bp *BasicProtocol) GetBodyLen() int {
return int(bp.BodyLen)
}
func (bp *BasicProtocol) SetBodyLen(l int) {
bp.BodyLen = uint32(l)
}
```
## protocol structure
```
+- binary.Size(header) -+----------- len(msg) -----------+
| header | msg |
+-----------------------+--------------------------------+
```
## EncodeProtocolByte(head ProtocolHeader, msg []byte) ([]byte, error)
return joined binary enchoded header, msg
## DecodeProtocolByte(head ProtocolHeader, msg []byte) ([]byte, error)
## DecodeHeader(head ProtocolHeader, headerByte []byte) error
## ReadProtocol(reader io.Reader, head ProtocolHeader) ([]byte, error)
## WriteProtocol(writer io.Writer, head ProtocolHeader, msg []byte) error
|
markdown
|
<reponame>xgene/lute
// Lute - A structured markdown engine.
// Copyright (c) 2019-present, b3log.org
//
// Lute is licensed under the Mulan PSL v1.
// You can use this software according to the terms and conditions of the Mulan PSL v1.
// You may obtain a copy of Mulan PSL v1 at:
// http://license.coscl.org.cn/MulanPSL
// THIS SOFTWARE IS PROVIDED ON AN "AS IS" BASIS, WITHOUT WARRANTIES OF ANY KIND, EITHER EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO NON-INFRINGEMENT, MERCHANTABILITY OR FIT FOR A PARTICULAR
// PURPOSE.
// See the Mulan PSL v1 for more details.
package lute
// mergeText 合并 node 中所有(包括子节点)连续的文本节点。
// 合并后顺便进行中文排版优化以及 GFM 自动邮件链接识别。
func (t *Tree) mergeText(node *Node) {
for child := node.firstChild; nil != child; {
next := child.next
if NodeText == child.typ {
// 逐个合并后续兄弟节点
for nil != next && NodeText == next.typ {
child.AppendTokens(next.tokens)
next.Unlink()
next = child.next
}
} else {
t.mergeText(child) // 递归处理子节点
}
child = next
}
}
|
go
|
{
"id": 193,
"surahNumber": "002",
"ayatNumber": "186",
"arabic": "وَإِذَا سَأَلَكَ عِبَادِي عَنِّي فَإِنِّي قَرِيبٌ ۖ أُجِيبُ دَعْوَةَ الدَّاعِ إِذَا دَعَانِ ۖ فَلْيَسْتَجِيبُوا لِي وَلْيُؤْمِنُوا بِي لَعَلَّهُمْ يَرْشُدُونَ",
"english": "And when My slaves ask you (O Muhammad SAW) concerning Me, then (answer them), I am indeed near (to them by My Knowledge). I respond to the invocations of the supplicant when he calls on Me (without any mediator or intercessor). So let them obey Me and believe in Me, so that they may be led aright.",
"bengali": "আর আমার বান্দারা যখন তোমার কাছে জিজ্ঞেস করে আমার ব্যাপারে বস্তুতঃ আমি রয়েছি সন্নিকটে। যারা প্রার্থনা করে, তাদের প্রার্থনা কবুল করে নেই, যখন আমার কাছে প্রার্থনা করে। কাজেই আমার হুকুম মান্য করা এবং আমার প্রতি নিঃসংশয়ে বিশ্বাস করা তাদের একান্ত কর্তব্য। যাতে তারা সৎপথে আসতে পারে।"
}
|
json
|
<reponame>vjgaur/private-blockchain-network-substrate<gh_stars>0
{"rustc":3190981394957179056,"features":"","target":0,"profile":0,"path":0,"deps":[[11580208323064486450,"build_script_build",false,16744178413383302012]],"local":[{"RerunIfChanged":{"output":"release/build/wasmtime-runtime-bd2d4c61d7deb47d/output","paths":["src/helpers.c"]}}],"rustflags":[],"metadata":0,"config":0,"compile_kind":0}
|
json
|
A picture of Bill Gates has surfaced on the internet in which he can be seen holding a piece of paper with the text on it mocking hydroxychloroquine.
NewsMobile fact-checked the above picture and found it to be false.
On putting the picture through Reverse Image Search, we found the original picture of Gates on his official blog (GatesNotes).
In the above FAKE vs REAL collage, it is clear that the text on the placard was manipulated using photo editing software.
In conclusion, the above information proves that the picture in question is FAKE.
|
english
|
<gh_stars>0
{
"name": "daycount",
"version": "1.0.9",
"description": "Additional prototype functions to Date object and swedish banking day count functions",
"main": "./daycount.js",
"types": "./daycount.d.ts",
"scripts": {
"test": "node test.js"
},
"repository": {
"type": "git",
"url": "git+https://github.com/tornord/daycount.git"
},
"keywords": [
"date",
"swedish",
"banking",
"days"
],
"author": "tornord <<EMAIL>>",
"license": "ISC",
"bugs": {
"url": "https://github.com/tornord/daycount/issues"
},
"homepage": "https://github.com/tornord/daycount#readme"
}
|
json
|
<filename>assets/product/3147.json
{"name":"<NAME>","harga":" Rp. 12.781/ kemasan","golongan":"http://medicastore.com/image_banner/obat_bebas.gif","kandungan":"Mentol 16 %, Metil Salisilat 20 %.","indikasi":"Mengurangi rasa sakit, rematik, neuralgia (nyeri pada saraf) dan nyeri otot, ketegangan otot dan keseleo, dan fibrositis.","kontraindikasi":"Kulit terbuka dan teriritasi.","perhatian":"Hindari kontak dengan mata atau membran mukosa.","efeksamping":"","indeksamanwanitahamil":"","kemasan":"Krim 10 gram.","dosis":"Gunakan beberapa kali sehari.","penyajian":"Tak ada pilihan","pabrik":"Konimex pharmaceutical laboratories.","id":"3147","category_id":"4"}
|
json
|
<filename>packages/common/src/__tests__/ResourceSchedule-test.ts
import RRule, { RRuleSet } from "rrule";
import ResourceSchedule, { getScheduleItemPeriod } from "../ResourceSchedule";
import Time from "../Time";
describe("ResourceSchedule", () => {
it("serialzes a schedule", () => {
const recurrenceRule = new RRule({
freq: RRule.WEEKLY,
interval: 5,
byweekday: [RRule.MO, RRule.FR],
dtstart: new Date(Date.UTC(2012, 1, 1, 10, 30)),
until: new Date(Date.UTC(2012, 12, 31)),
});
const schedule = new ResourceSchedule([]);
schedule.addItem({
comment: "test comment",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
});
schedule.timezone = "America/Denver";
schedule.alwaysOpen = true;
const o = JSON.parse(JSON.stringify(schedule));
expect(Array.isArray(o._items)).toEqual(true);
expect(o._items[0].comment).toEqual("test comment");
expect(o._items[0].recurrenceRule.toString()).toEqual(
recurrenceRule.toString()
);
expect(o._items[0].fromTime).toEqual(Time.options[4].value);
expect(o._items[0].toTime).toEqual(Time.options[5].value);
expect(o.timezone).toEqual("America/Denver");
expect(o.alwaysOpen).toEqual(true);
});
it("parses a serialized schedule", () => {
const serializedResourceSchedule = JSON.parse(
'{"alwaysOpen":true,"timezone":"Europe/Prague","_items":[{"recurrenceRule":"DTSTART:20120201T103000Z\\nRRULE:FREQ=WEEKLY;INTERVAL=5;BYDAY=MO,FR;UNTIL=20130131T000000Z","comment":"test comment","fromTime":"1200","toTime":"1400"}]}'
);
const r = ResourceSchedule.parse(serializedResourceSchedule);
expect(r.getItems()[0].comment).toEqual("test comment");
expect(r.getItems()[0].recurrenceRule.toString()).toEqual(
"DTSTART:20120201T103000Z\nRRULE:FREQ=WEEKLY;INTERVAL=5;BYDAY=MO,FR;UNTIL=20130131T000000Z"
);
expect(r.getItems()[0].fromTime.label).toEqual("12:00 PM");
expect(r.getItems()[0].toTime.value).toEqual("1400");
expect(r.timezone).toEqual("Europe/Prague");
expect(r.alwaysOpen).toEqual(true);
});
it("throws when it parses an invalid schedule", () => {
const serializedSchedule = JSON.parse(
JSON.stringify({
_items: [{ badKey: "DTSTART" }],
})
);
expect(() => {
ResourceSchedule.parse(serializedSchedule);
}).toThrow(/rule/);
});
it("produces a rule set", () => {
const recurrenceRule = new RRule({
freq: RRule.WEEKLY,
interval: 5,
byweekday: [RRule.MO, RRule.FR],
dtstart: new Date(Date.UTC(2012, 1, 1, 10, 30)),
until: new Date(Date.UTC(2012, 12, 31)),
});
const schedule = new ResourceSchedule();
schedule.addItem({
recurrenceRule,
comment: "test comment",
fromTime: Time.fromTTime(Time.options[5]),
toTime: Time.fromTTime(Time.options[12]),
});
const ruleSet = schedule.toRuleSet();
expect(ruleSet).toBeInstanceOf(RRuleSet);
});
it("removes an item from the schedule items by index", () => {
const recurrenceRule = new RRule({
freq: RRule.WEEKLY,
interval: 5,
byweekday: [RRule.MO, RRule.FR],
dtstart: new Date(Date.UTC(2012, 1, 1, 10, 30)),
until: new Date(Date.UTC(2012, 12, 31)),
});
const schedule = new ResourceSchedule([
{
comment: "item 0",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
},
{
comment: "item 1",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
},
{
comment: "item 2",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
},
]);
const removedItem = schedule.removeItemAtIndex(1);
expect(removedItem.comment).toEqual("item 1");
expect(schedule.getItems()).toHaveLength(2);
expect(schedule.getItems()[0].comment).toEqual("item 0");
expect(schedule.getItems()[1].comment).toEqual("item 2");
});
it("removes an item from the schedule items by by item", () => {
const recurrenceRule = new RRule({
freq: RRule.WEEKLY,
interval: 5,
byweekday: [RRule.MO, RRule.FR],
dtstart: new Date(Date.UTC(2012, 1, 1, 10, 30)),
until: new Date(Date.UTC(2012, 12, 31)),
});
const schedule = new ResourceSchedule([
{
comment: "item 0",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
},
]);
const removedItem = schedule.removeItem({
comment: "item 0",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
});
expect(removedItem.comment).toEqual("item 0");
expect(schedule.getItems()).toHaveLength(0);
});
it("throws when trying to remove a schedule item which does not exist", () => {
const recurrenceRule = new RRule({
freq: RRule.WEEKLY,
interval: 5,
byweekday: [RRule.MO, RRule.FR],
dtstart: new Date(Date.UTC(2012, 1, 1, 10, 30)),
until: new Date(Date.UTC(2012, 12, 31)),
});
const schedule = new ResourceSchedule([
{
comment: "item 0",
fromTime: Time.fromTTime(Time.options[4]),
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
},
]);
expect(() =>
schedule.removeItem({
comment: "item 0",
fromTime: Time.fromTTime(Time.options[3]), // different from time
recurrenceRule,
toTime: Time.fromTTime(Time.options[5]),
})
).toThrow(/Error removing schedule item/);
});
describe("getNextScheduleItemPeriod()", () => {
const days = [
"Sunday",
"Monday",
"Tuesday",
"Wednesday",
"Thursday",
"Friday",
"Saturday",
];
const dayMs = 86400000;
// create mock dates of tomorrow and two days after tomorrow
const mockDates = [
new Date(Date.now() + dayMs),
new Date(Date.now() + dayMs * 3),
];
const rawScheduleItems = mockDates.map(date => {
const day = days[date.getDay()];
return {
recurrenceRule: RRule.fromText(`every week on ${day}`),
comment: "",
fromTime: Time.fromTTime(Time.options[4]),
toTime: Time.fromTTime(Time.options[5]),
};
});
const schedule = new ResourceSchedule(rawScheduleItems);
const scheduleItems = schedule.getItems();
it.each([
[
"returns tomorrows schedule item when checking against now",
new Date(),
getScheduleItemPeriod(scheduleItems[0]),
],
[
"returns the schedule item two days from tomorrow when checking against the day after tomorrow",
new Date(mockDates[0].getTime() + dayMs),
getScheduleItemPeriod(scheduleItems[1]),
],
])("%s", (_, dt, expectedScheduleItemPeriod) => {
const nextScheduleItem = schedule.getNextScheduleItemPeriod(dt);
expect(nextScheduleItem).toEqual(expectedScheduleItemPeriod);
});
});
});
|
typescript
|
{
"authors": [
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
],
[
"author:",
"<NAME>"
]
],
"doi": "http://doi.org/10.5281/zenodo.2560316",
"publication_date": "2018-12-01",
"id": "ES101346",
"url": "https://github.com/PlanTL-SANIDAD/SPACCC",
"source": "SPACCC corpus",
"source_url": "https://github.com/PlanTL-SANIDAD/SPACCC",
"licence": "CC-BY",
"language": "es",
"type": "dataset",
"description": "SPACCC corpus",
"text": "Mujer de 43 años con dolor en OI y fotofobia. Antecedente de intervención de Scopinaro un año atrás, cursando un postoperatorio con anemia, varices en extremidades inferiores, hipocalcemia y gonartritis seronegativa.\nEn la exploración del OI se apreciaba un abceso marginal, epiteliopatía difusa y queratinización conjuntival. AV corregida de 0,6 en OD y 0,3 en OI. Tras resolverse con ciclopentolato (Ciclopléjico®, AlconCusí, S.A., Barcelona, España) y una quinolona tópica (Chibroxín®, Thea S.A., Barcelona, España), se apreció que la epiteliopatía no mejoraba pese al tratamiento lubricante (Viscofresh® 0,5%, Allergan S.A.) manteniendo una AV de 6/10 en OD y 5/10 en OI. Se añadió pilocarpina oral (Salagen®, Novartis SA, Barcelona, España) 5 mg cada 6 horas, sin modificación del test de Schirmer (2-3 mm en OD y 5 mm en OI). Al persistir la queratinización conjuntival y la epiteliopatía difusa se añadió suero autólogo al 20%. En tres semanas aumentó la película lagrimal (Schirmer 5 mm en OD y 7 mm en OI) remitiendo la hiperqueratinización conjuntival, con una AV final de 8/10 en AO."
}
|
json
|
<reponame>odpf/firehose<filename>src/main/java/io/odpf/firehose/sink/prometheus/PromSinkFactory.java
package io.odpf.firehose.sink.prometheus;
import io.odpf.firehose.config.PromSinkConfig;
import io.odpf.firehose.metrics.Instrumentation;
import io.odpf.firehose.metrics.StatsDReporter;
import io.odpf.firehose.sink.AbstractSink;
import io.odpf.firehose.sink.prometheus.request.PromRequest;
import io.odpf.firehose.sink.prometheus.request.PromRequestCreator;
import io.odpf.stencil.client.StencilClient;
import io.odpf.stencil.parser.ProtoParser;
import org.aeonbits.owner.ConfigFactory;
import org.apache.http.client.config.RequestConfig;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClientBuilder;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.impl.conn.BasicHttpClientConnectionManager;
import java.util.Map;
/**
* Factory class to create the Prometheus Sink.
* The consumer framework would reflectively instantiate this factory
* using the configurations supplied and invoke
* {@see #create(Map < String, String > configuration, StatsDReporter statsDReporter, StencilClient stencilClient)}
* to obtain the Prometheus sink implementation.
*/
public class PromSinkFactory {
/**
* Create Prometheus sink.
*
* @param configuration the configuration
* @param statsDReporter the statsd reporter
* @param stencilClient the stencil client
* @return PromSink
*/
public static AbstractSink create(Map<String, String> configuration, StatsDReporter statsDReporter, StencilClient stencilClient) {
PromSinkConfig promSinkConfig = ConfigFactory.create(PromSinkConfig.class, configuration);
String promSchemaProtoClass = promSinkConfig.getInputSchemaProtoClass();
Instrumentation instrumentation = new Instrumentation(statsDReporter, PromSinkFactory.class);
CloseableHttpClient closeableHttpClient = newHttpClient(promSinkConfig);
instrumentation.logInfo("HTTP connection established");
ProtoParser protoParser = new ProtoParser(stencilClient, promSchemaProtoClass);
PromRequest request = new PromRequestCreator(statsDReporter, promSinkConfig, protoParser).createRequest();
return new PromSink(new Instrumentation(statsDReporter, PromSink.class),
request,
closeableHttpClient,
stencilClient,
promSinkConfig.getSinkPromRetryStatusCodeRanges(),
promSinkConfig.getSinkPromRequestLogStatusCodeRanges()
);
}
/**
* create a new http client.
*
* @param promSinkConfig the prometheus sink configuration
* @return CloseableHttpClient
*/
private static CloseableHttpClient newHttpClient(PromSinkConfig promSinkConfig) {
RequestConfig requestConfig = RequestConfig.custom().setSocketTimeout(promSinkConfig.getSinkPromRequestTimeoutMs())
.setConnectionRequestTimeout(promSinkConfig.getSinkPromRequestTimeoutMs())
.setConnectTimeout(promSinkConfig.getSinkPromRequestTimeoutMs()).build();
BasicHttpClientConnectionManager connectionManager = new BasicHttpClientConnectionManager();
HttpClientBuilder builder = HttpClients.custom().setConnectionManager(connectionManager).setDefaultRequestConfig(requestConfig);
return builder.build();
}
}
|
java
|
<gh_stars>0
[
{"image":"images/ajjjcj_little.jpg","title":"A家家具茶几","price":"680"},
{"image":"images/gjjjsf_little.jpg","title":"顾家家居沙发","price":"3799"},
{"image":"images/lcdsg_little.jpg","title":"乐巢电视柜","price":"1500"},
{"image":"images/lbdsg_little.jpg","title":"联邦电视柜 ","price":"2570"},
{"image":"images/yjyssf_little.jpg","title":"优居宜室沙发","price":"1280"},
{"image":"images/zmyjcj_little.jpg","title":"择木宜居茶几","price":"399"},
{"image":"images/ajjjcj_little.jpg","title":"A家家具茶几","price":"680"},
{"image":"images/msdmsz_little.jpg","title":"木斯德铭书桌","price":"1980"},
{"image":"images/rzsz_little.jpg","title":"泽润书桌","price":"1900"},
{"image":"images/zmyjcj_little.jpg","title":"择木宜居茶几 ","price":"399"},
{"image":"images/saafdfdfsdfds.jpg","title":"IK定制橱柜","price":"2399"},
{"image":"images/aaadsfsdfds.jpg","title":"鹏景雅居餐边柜","price":"7008"},
{"image":"images/gmyg_little.jpg","title":"光明衣柜","price":"8690"},
{"image":"images/kqbmc_little.jpg","title":"卡琪布木床","price":"1980"},
{"image":"images/kqyszt_little.jpg","title":"卡琪亚梳妆台","price":"1780"},
{"image":"images/lcszt_little.jpg","title":"丽巢梳妆台 ","price":"1620"},
{"image":"images/mdyg_little.jpg","title":"曼达衣柜","price":"2599"},
{"image":"images/zmyjcj_little.jpg","title":"天空树木床","price":"1899"},
{"image":"images/rzsz_little.jpg","title":"泽润书桌","price":"1900"},
{"image":"images/zmyjcj_little.jpg","title":"择木宜居茶几 ","price":"399"},
{"image":"images/saafdfdfsdfds.jpg","title":"IK定制橱柜","price":"2399"},
{"image":"images/lbdsg_little.jpg","title":"联邦电视柜 ","price":"2570"},
{"image":"images/yjyssf_little.jpg","title":"优居宜室沙发","price":"1280"},
{"image":"images/zmyjcj_little.jpg","title":"择木宜居茶几","price":"399"},
{"image":"images/sgsg_little.jpg","title":"苏谷书柜","price":"3380"},
{"image":"images/slctsz_little.jpg","title":"上林春天书桌","price":"449"},
{"image":"images/qdshsg_little.jpg","title":"迁度生活书柜","price":"2080"},
{"image":"images/psmjsj_little.jpg","title":"品尚美家书架 ","price":"2080"},
{"image":"images/msdmsz_little.jpg","title":"木斯德铭书桌","price":"1980"},
{"image":"images/hysg_little.jpg","title":"华谊书柜","price":"1700"}
]
|
json
|
<reponame>Jayliu95/ang2-seed-simplified
import {DateModel} from "ng2-datepicker";
export class Post{
date: DateModel;
author: string;
type: string;
content: string;
title: string;
}
|
typescript
|
// Licensed under the Apache License, Version 2.0 (the "License"); you may not
// use this file except in compliance with the License. You may obtain a copy of
// the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
// WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
// License for the specific language governing permissions and limitations under
// the License.
package fs
import (
"context"
"errors"
"net/http"
"os"
"path"
"path/filepath"
"testing"
"gitlab.com/flimzy/testy"
"github.com/go-kivik/fsdb/v4/filesystem"
"github.com/go-kivik/kivik/v4"
)
func TestCompact(t *testing.T) {
type tt struct {
fs filesystem.Filesystem
path string
dbname string
status int
err string
}
tests := testy.NewTable()
tests.Add("directory does not exist", tt{
path: "testdata",
dbname: "notfound",
status: http.StatusNotFound,
err: "^open testdata/notfound: no such file or directory$",
})
tests.Add("empty directory", func(t *testing.T) interface{} {
tmpdir := tempDir(t)
tests.Cleanup(func() error {
return os.RemoveAll(tmpdir)
})
if err := os.Mkdir(filepath.Join(tmpdir, "foo"), 0o666); err != nil {
t.Fatal(err)
}
return tt{
path: tmpdir,
dbname: "foo",
}
})
tests.Add("permission denied", tt{
fs: &filesystem.MockFS{
OpenFunc: func(_ string) (filesystem.File, error) {
return nil, &kivik.Error{HTTPStatus: http.StatusForbidden, Err: errors.New("permission denied")}
},
},
path: "somepath",
dbname: "doesntmatter",
status: http.StatusForbidden,
err: "permission denied$",
})
tests.Add("no attachments", func(t *testing.T) interface{} {
tmpdir := copyDir(t, "testdata/compact_noatt", 1)
tests.Cleanup(func() error {
return os.RemoveAll(tmpdir)
})
return tt{
path: tmpdir,
dbname: "compact_noatt",
}
})
tests.Add("non-winning revs only, no attachments", func(t *testing.T) interface{} {
tmpdir := copyDir(t, "testdata/compact_nowinner_noatt", 1)
tests.Cleanup(func() error {
return os.RemoveAll(tmpdir)
})
return tt{
path: tmpdir,
dbname: "compact_nowinner_noatt",
}
})
tests.Add("clean up old revs", func(t *testing.T) interface{} {
tmpdir := copyDir(t, "testdata/compact_oldrevs", 1)
tests.Cleanup(func() error {
return os.RemoveAll(tmpdir)
})
return tt{
path: tmpdir,
dbname: "compact_oldrevs",
}
})
tests.Add("clean up old revs with atts", func(t *testing.T) interface{} {
tmpdir := copyDir(t, "testdata/compact_oldrevsatt", 1)
tests.Cleanup(func() error {
return os.RemoveAll(tmpdir)
})
return tt{
path: tmpdir,
dbname: "compact_oldrevsatt",
}
})
tests.Run(t, func(t *testing.T, tt tt) {
fs := tt.fs
if fs == nil {
fs = filesystem.Default()
}
db := &db{
client: &client{root: tt.path},
dbPath: path.Join(tt.path, tt.dbname),
dbName: tt.dbname,
}
err := db.compact(context.Background(), fs)
testy.StatusErrorRE(t, tt.err, tt.status, err)
if d := testy.DiffAsJSON(testy.Snapshot(t), testy.JSONDir{
Path: tt.path,
NoMD5Sum: true,
FileContent: true,
}); d != nil {
t.Error(d)
}
})
}
|
go
|
<gh_stars>0
{
"classes": {
"element": {
"units": ["proton", "atom", "aquaspirit", "fireelemental", "rougewave", "windhawk", "violet", "mudman", "golem", "disciple", "starcaller", "firelord", "fenix"],
"units_vanilla": ["proton", "aquaspirit", "windhawk", "mudman", "disciple", "firelord"],
"units_upped": ["atom", "fireelemental", "rougewave", "violet", "golem", "starcaller", "fenix"]
},
"forsaken": {
"units": ["bonewarrior", "bonecrusher", "darkmage", "firearcher", "gargoyle", "greendevil", "gateguard", "harbinger", "butcher", "headchef", "nightmare", "doppelganger", "lordofdeath", "hades"],
"units_vanilla": ["bonewarrior", "gargoyle", "gateguard", "butcher", "nightmare", "lordofdeath"],
"units_upped": ["bonecrusher", "darkmage", "firearcher", "greendevil", "harbinger", "headchef", "doppelganger", "hades"]
},
"grove": {
"units": ["buzz", "consort", "ranger", "daphne", "wileshroom", "canopie", "honeyflower", "deathcap", "antler", "whitemane", "bananabunk", "bananahaven"],
"units_vanilla": ["buzz", "ranger", "wileshroom", "honeyflower", "antler", "bananabunk"],
"units_upped": ["consort", "daphne", "canopie", "deathcap", "whitemane", "bananahaven"]
},
"mech": {
"units": ["peewee", "veteran", "bazooka", "pyro", "zeus", "tempest", "leviathan", "aps", "mps", "berserker", "fatalizer", "millennium", "doomsdaymachine"],
"units_vanilla": ["peewee", "bazooka", "tempest", "aps", "berserker", "millennium"],
"units_upped": ["veteran", "pyro", "zeus", "leviathan", "mps", "fatalizer", "doomsdaymachine"]
}
}
}
|
json
|
Washington: US' Centers for Disease Control and Prevention (CDC) has issued a level 4 travel health notice for India due to COVID-19, indicating a very high level of coronavirus infections in the country, informed US Department of State Bureau of Consular Affairs on Wednesday.
"US citizens who must travel to India are strongly urged to get fully vaccinated before travel and continue to take personal health safety measures to protect themselves, including practicing social or physical distancing, cleaning hands with soap/hand sanitizer, wearing masks, and avoiding crowded areas with poor ventilation," the CDC stated.
The CDC had on Tuesday issued travel recommendations for fully vaccinated travellers which stated: "If you are fully vaccinated, then do not have to get tested before leaving the United States, unless your destination requires it and you do not have to self-quarantine after you arrive in the United States. "
The United Kingdom has already added India to its travel "red list" on a precautionary basis after reporting 103 cases of a coronavirus variant first identified in India.
The COVID-19 situation in India has been deteriorating amid the second wave of coronavirus infections. For the past few days, the country has been reporting in excess of two lakh coronavirus infections.
|
english
|
{
"actions": [
{
"acted_at": "2017-03-09",
"action_code": "Intro-H",
"references": [],
"text": "Introduced in House",
"type": "action"
},
{
"acted_at": "2017-03-09",
"action_code": "B00100",
"references": [
{
"reference": "CR H2005",
"type": null
}
],
"text": "Sponsor introductory remarks on measure.",
"type": "action"
},
{
"acted_at": "2017-03-09",
"action_code": "H11100",
"committees": [
"HSFA"
],
"references": [],
"status": "REFERRED",
"text": "Referred to the House Committee on Foreign Affairs.",
"type": "referral"
}
],
"amendments": [],
"bill_id": "hr1449-115",
"bill_type": "hr",
"by_request": false,
"committee_reports": [],
"committees": [
{
"activity": [
"referral"
],
"committee": "House Foreign Affairs",
"committee_id": "HSFA"
}
],
"congress": "115",
"cosponsors": [
{
"bioguide_id": "R000409",
"district": "48",
"name": "<NAME>",
"original_cosponsor": true,
"sponsored_at": "2017-03-09",
"state": "CA",
"title": "Rep",
"withdrawn_at": null
}
],
"enacted_as": null,
"history": {
"active": false,
"awaiting_signature": false,
"enacted": false,
"vetoed": false
},
"introduced_at": "2017-03-09",
"number": "1449",
"official_title": "To require a report on the designation of Pakistan as a state sponsor of terrorism, and for other purposes.",
"popular_title": null,
"related_bills": [],
"short_title": "Pakistan State Sponsor of Terrorism Designation Act of 2017",
"sponsor": {
"bioguide_id": "P000592",
"district": "2",
"name": "<NAME>",
"state": "TX",
"title": "Rep",
"type": "person"
},
"status": "REFERRED",
"status_at": "2017-03-09",
"subjects": [
"Afghanistan",
"Asia",
"Congressional oversight",
"Criminal investigation, prosecution, interrogation",
"Detention of persons",
"Diplomacy, foreign officials, Americans abroad",
"Intelligence activities, surveillance, classified information",
"International affairs",
"Pakistan",
"Terrorism"
],
"subjects_top_term": "International affairs",
"summary": {
"as": "Introduced in House",
"date": "2017-03-09T05:00:00Z",
"text": "Pakistan State Sponsor of Terrorism Designation Act of 2017\n\nThis bill directs the Department of State to submit a determination regarding whether the government of Pakistan, including any of its agents or instrumentalities, committed, conspired to commit, attempted, aided, or abetted: (1) any of specified acts constituting an act of or support for international terrorism, or (2) any other act that constitutes an act of or support for international terrorism.\n\nWithin 30 days after making such a determination in the affirmative, the State Department shall report to Congress: (1) a determination on whether Pakistan is a state sponsor of terrorism, or (2) a detailed justification as to why Pakistan's conduct does not meet the legal criteria for such designation."
},
"titles": [
{
"as": "introduced",
"is_for_portion": false,
"title": "Pakistan State Sponsor of Terrorism Designation Act of 2017",
"type": "short"
},
{
"as": "introduced",
"is_for_portion": false,
"title": "Pakistan State Sponsor of Terrorism Designation Act of 2017",
"type": "short"
},
{
"as": "introduced",
"is_for_portion": false,
"title": "To require a report on the designation of Pakistan as a state sponsor of terrorism, and for other purposes.",
"type": "official"
},
{
"as": null,
"is_for_portion": false,
"title": "Pakistan State Sponsor of Terrorism Designation Act of 2017",
"type": "display"
}
],
"updated_at": "2017-06-19T21:30:32Z",
"url": "https://www.gpo.gov/fdsys/bulkdata/BILLSTATUS/115/hr/BILLSTATUS-115hr1449.xml"
}
|
json
|
{"totalHistoryAmount":2715,"TECNOLOGIA-occurances":1054,"TECNOLOGIA-percentage":38.821362799263355,"DECORAÇÃO-occurances":365,"DECORAÇÃO-percentage":13.443830570902394,"FACEBOOK-occurances":95,"FACEBOOK-percentage":3.4990791896869244,"ESPORTE-occurances":64,"ESPORTE-percentage":2.3572744014732967,"POP/ARTE-occurances":36,"POP/ARTE-percentage":1.3259668508287292,"NOTÍCIAS-occurances":35,"NOTÍCIAS-percentage":1.289134438305709,"ALIMENTAÇÃO E SAÚDE-occurances":32,"ALIMENTAÇÃO E SAÚDE-percentage":1.1786372007366483,"SÉRIES E FILMES-occurances":31,"SÉRIES E FILMES-percentage":1.141804788213628,"MODA-occurances":25,"MODA-percentage":0.9208103130755064,"YOUTUBE-occurances":20,"YOUTUBE-percentage":0.7366482504604052,"ECONOMIA-occurances":10,"ECONOMIA-percentage":0.3683241252302026,"FITNESS-occurances":10,"FITNESS-percentage":0.3683241252302026,"INSTAGRAM-occurances":8,"INSTAGRAM-percentage":0.2946593001841621,"JOGOS-occurances":8,"JOGOS-percentage":0.2946593001841621,"VIAGENS-occurances":6,"VIAGENS-percentage":0.22099447513812154,"CARROS-occurances":5,"CARROS-percentage":0.1841620626151013,"EDUCAÇÃO-occurances":5,"EDUCAÇÃO-percentage":0.1841620626151013,"INTERNACIONAL-occurances":5,"INTERNACIONAL-percentage":0.1841620626151013,"ESOTERISMO-occurances":4,"ESOTERISMO-percentage":0.14732965009208104,"NATUREZA-occurances":4,"NATUREZA-percentage":0.14732965009208104,"TV E CELEBRIDADES-occurances":4,"TV E CELEBRIDADES-percentage":0.14732965009208104,"HUMOR-occurances":3,"HUMOR-percentage":0.11049723756906077,"SEXO-occurances":3,"SEXO-percentage":0.11049723756906077,"CIÊNCIA-occurances":1,"CIÊNCIA-percentage":0.03683241252302026,"POLÍTICA-occurances":1,"POLÍTICA-percentage":0.03683241252302026,"TWITTER-occurances":1,"TWITTER-percentage":0.03683241252302026,"LINKEDIN-occurances":0,"LINKEDIN-percentage":0}
|
json
|
<gh_stars>1-10
package pl.sda.chuck.reports;
import org.junit.jupiter.api.Test;
class ReportFactoryTest {
@Test
void createGenerator() {
ReportFactory reportFactory = new ReportFactory();
Generator generator = reportFactory.createGenerator(GeneratorType.PDF);
generator.generate(null);
}
}
|
java
|
/* global chrome, browser, localStorage */
const webExtension = typeof browser === 'undefined' ? chrome : browser
// exports
const { refreshOptions, enableDisableRender } = ((webExtension) => {
const matchesTabUrl = webExtension.runtime.getManifest().content_scripts[0].matches
const renderSelectionMenuItemId = 'renderSelectionMenuItem'
let injectTabId
let injectText
const module = {}
webExtension.runtime.onInstalled.addListener(() => {
if (webExtension.contextMenus) {
webExtension.contextMenus.create({
'id': renderSelectionMenuItemId,
'title': 'Render selection',
'contexts': ['selection']
})
webExtension.contextMenus.onClicked.addListener((info) => {
if (info.menuItemId === renderSelectionMenuItemId) {
const funcToInject = () => {
const selection = window.getSelection()
return (selection.rangeCount > 0) ? selection.toString() : ''
}
const javascriptCode = `;(${funcToInject})();`
webExtension.tabs.executeScript({
code: javascriptCode,
allFrames: true
}, (selectedTextPerFrame) => {
if (webExtension.runtime.lastError) {
// eslint-disable-next-line no-console
console.log('error:' + webExtension.runtime.lastError.message)
} else if (selectedTextPerFrame.length > 0 && typeof selectedTextPerFrame[0] === 'string') {
injectText = selectedTextPerFrame[0]
webExtension.tabs.create({
'url': webExtension.extension.getURL('html/inject.html'),
'active': true
}, (tab) => {
injectTabId = tab.id
})
}
})
}
})
}
})
webExtension.tabs.onUpdated.addListener((tabId, changeInfo) => {
if (changeInfo.status === 'complete' && tabId === injectTabId) {
const tabs = webExtension.extension.getViews({ type: 'tab' })
// Get the latest tab opened
tabs[tabs.length - 1].inject(injectText)
}
})
const notifyTab = (tab, status) => {
webExtension.tabs.sendMessage(tab.id, { status: status })
}
const findActiveTab = (callback) => {
let tabFound = false
for (let matchTabUrl of matchesTabUrl) {
webExtension.tabs.query({ active: true, currentWindow: true, url: matchTabUrl }, (tabs) => {
if (!tabFound && tabs.length > 0) {
callback(tabs[0])
tabFound = true
}
})
}
}
let enableRender = true
module.enableDisableRender = () => {
// Save the status of the extension
webExtension.storage.local.set({ 'ENABLE_RENDER': enableRender })
// Update the extension icon
const iconPrefix = enableRender ? 'enabled' : 'disabled'
const iconPath = {
16: `img/${iconPrefix}-16.png`,
32: `img/${iconPrefix}-32.png`
}
if (typeof webExtension.browserAction.setIcon === 'function') {
webExtension.browserAction.setIcon({ path: iconPath })
} else if (typeof webExtension.browserAction.setTitle === 'function') {
webExtension.browserAction.setTitle({ 'title': `Asciidoctor.js Preview (${enableRender ? '✔' : '✘'})` })
} else {
// eslint-disable-next-line no-console
console.log(`Asciidoctor.js Preview (${enableRender ? 'enabled' : 'disabled'})`)
}
// Reload the active tab in the current windows that matches
findActiveTab((activeTab) => notifyTab(activeTab, enableRender ? 'extension-disabled' : 'extension-enabled'))
// Switch the flag
enableRender = !enableRender
}
module.refreshOptions = () => {
webExtension.storage.local.set({
'CUSTOM_ATTRIBUTES': localStorage['CUSTOM_ATTRIBUTES'],
'SAFE_MODE': localStorage['SAFE_MODE'],
'ALLOW_TXT_EXTENSION': localStorage['ALLOW_TXT_EXTENSION'],
'THEME': localStorage['THEME'],
'JS': localStorage['JS'],
'JS_LOAD': localStorage['JS_LOAD'],
'LOCAL_POLL_FREQUENCY': localStorage['LOCAL_POLL_FREQUENCY'],
'REMOTE_POLL_FREQUENCY': localStorage['REMOTE_POLL_FREQUENCY']
})
const customThemeNames = JSON.parse(localStorage['CUSTOM_THEME_NAMES'] || '[]')
if (customThemeNames.length > 0) {
customThemeNames.forEach((themeName) => {
const themeNameKey = 'CUSTOM_THEME_' + themeName
const themeObj = {}
themeObj[themeNameKey] = localStorage[themeNameKey]
webExtension.storage.local.set(themeObj)
})
}
const customJavaScriptNames = JSON.parse(localStorage['CUSTOM_JS_NAMES'] || '[]')
if (customJavaScriptNames.length > 0) {
customJavaScriptNames.forEach((javaScriptName) => {
const javaScriptNameKey = 'CUSTOM_JS_' + javaScriptName
const javaScriptObj = {}
javaScriptObj[javaScriptNameKey] = localStorage[javaScriptNameKey]
webExtension.storage.local.set(javaScriptObj)
})
}
}
webExtension.browserAction.onClicked.addListener(module.enableDisableRender)
return module
})(webExtension)
enableDisableRender()
// eslint-disable-next-line no-unused-vars
window.refreshOptions = refreshOptions
|
javascript
|
Premier League: Manchester City’s Kevin De Bruyne tests positive for Covid-19: Manchester City playmaker Kevin De Bruyne has tested positive for Covid19 on international duty with Belgium, manager Pep Guardiola said on Friday.
“Unfortunately Kevin tested positive for COVID in Belgium,” Guardiola told reporters, adding that the midfielder would isolate for 10 days.
PEP 💬 We have Jack getting better after he went to the national team. Phil Foden came back with a knock and a problem in his leg, but he is getting better. And unfortunately Kevin got a positive covid test in Belgium and needs ten days.
Manchester City will host Everton in the Premier League on Sunday, 21st November at 7:30 PM IST.
The 30-year-old playmaker has been away on World Cup qualifying duty with his country, helping Roberto Martinez’s side to book their place at next year’s showpiece event in Qatar.
The defending champions will host Everton in the Premier League on Sunday.
Kevin De Bruyne scored for Belgium against Wales while also bagging an assist against Estonia as his country Belgium qualified for the World Cup 2022 quite comfortably. The Belgian playmaker played the full 90 minutes in the Derby against Manchester United at Old Trafford.
|
english
|
<filename>app-ui/node_modules/.cache/babel-loader/47f79e39ff74513e4565e3aca2e70db3.json
{"ast":null,"code":"\"use strict\";\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.DefaultState = void 0;\n\nconst State_1 = require(\"../core-state/State\");\n\nconst Action_1 = require(\"../core-actions/Action\");\n\nconst DragCanvasState_1 = require(\"./DragCanvasState\");\n\nconst SelectingState_1 = require(\"./SelectingState\");\n\nconst MoveItemsState_1 = require(\"./MoveItemsState\");\n\nclass DefaultState extends State_1.State {\n constructor() {\n super({\n name: 'default'\n });\n this.childStates = [new SelectingState_1.SelectingState()]; // determine what was clicked on\n\n this.registerAction(new Action_1.Action({\n type: Action_1.InputType.MOUSE_DOWN,\n fire: event => {\n const element = this.engine.getActionEventBus().getModelForEvent(event); // the canvas was clicked on, transition to the dragging canvas state\n\n if (!element) {\n this.transitionWithEvent(new DragCanvasState_1.DragCanvasState(), event);\n } else {\n this.transitionWithEvent(new MoveItemsState_1.MoveItemsState(), event);\n }\n }\n })); // touch drags the canvas\n\n this.registerAction(new Action_1.Action({\n type: Action_1.InputType.TOUCH_START,\n fire: event => {\n this.transitionWithEvent(new DragCanvasState_1.DragCanvasState(), event);\n }\n }));\n }\n\n}\n\nexports.DefaultState = DefaultState;","map":{"version":3,"mappings":";;;;;;;AAAA;;AACA;;AAEA;;AACA;;AACA;;AAEA,MAAaA,YAAb,SAAkCC,aAAlC,CAAuC;AACtCC;AACC,UAAM;AACLC,UAAI,EAAE;AADD,KAAN;AAGA,SAAKC,WAAL,GAAmB,CAAC,IAAIC,+BAAJ,EAAD,CAAnB,CAJD,CAMC;;AACA,SAAKC,cAAL,CACC,IAAIC,eAAJ,CAAW;AACVC,UAAI,EAAED,mBAAUE,UADN;AAEVC,UAAI,EAAGC,KAAD,IAAmC;AACxC,cAAMC,OAAO,GAAG,KAAKC,MAAL,CAAYC,iBAAZ,GAAgCC,gBAAhC,CAAiDJ,KAAjD,CAAhB,CADwC,CAGxC;;AACA,YAAI,CAACC,OAAL,EAAc;AACb,eAAKI,mBAAL,CAAyB,IAAIC,iCAAJ,EAAzB,EAAgDN,KAAhD;AACA,SAFD,MAEO;AACN,eAAKK,mBAAL,CAAyB,IAAIE,+BAAJ,EAAzB,EAA+CP,KAA/C;AACA;AACD;AAXS,KAAX,CADD,EAPD,CAuBC;;AACA,SAAKL,cAAL,CACC,IAAIC,eAAJ,CAAW;AACVC,UAAI,EAAED,mBAAUY,WADN;AAEVT,UAAI,EAAGC,KAAD,IAAmC;AACxC,aAAKK,mBAAL,CAAyB,IAAIC,iCAAJ,EAAzB,EAAgDN,KAAhD;AACA;AAJS,KAAX,CADD;AAQA;;AAjCqC;;AAAvCS","names":["DefaultState","State_1","constructor","name","childStates","SelectingState_1","registerAction","Action_1","type","MOUSE_DOWN","fire","event","element","engine","getActionEventBus","getModelForEvent","transitionWithEvent","DragCanvasState_1","MoveItemsState_1","TOUCH_START","exports"],"sources":["C:\\Users\\nairr\\app-ui\\app-ui\\node_modules\\@projectstorm\\react-canvas-core\\src\\states\\DefaultState.ts"],"sourcesContent":["import { State } from '../core-state/State';\nimport { Action, ActionEvent, InputType } from '../core-actions/Action';\nimport { MouseEvent, TouchEvent } from 'react';\nimport { DragCanvasState } from './DragCanvasState';\nimport { SelectingState } from './SelectingState';\nimport { MoveItemsState } from './MoveItemsState';\n\nexport class DefaultState extends State {\n\tconstructor() {\n\t\tsuper({\n\t\t\tname: 'default'\n\t\t});\n\t\tthis.childStates = [new SelectingState()];\n\n\t\t// determine what was clicked on\n\t\tthis.registerAction(\n\t\t\tnew Action({\n\t\t\t\ttype: InputType.MOUSE_DOWN,\n\t\t\t\tfire: (event: ActionEvent<MouseEvent>) => {\n\t\t\t\t\tconst element = this.engine.getActionEventBus().getModelForEvent(event);\n\n\t\t\t\t\t// the canvas was clicked on, transition to the dragging canvas state\n\t\t\t\t\tif (!element) {\n\t\t\t\t\t\tthis.transitionWithEvent(new DragCanvasState(), event);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tthis.transitionWithEvent(new MoveItemsState(), event);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\t\t);\n\n\t\t// touch drags the canvas\n\t\tthis.registerAction(\n\t\t\tnew Action({\n\t\t\t\ttype: InputType.TOUCH_START,\n\t\t\t\tfire: (event: ActionEvent<TouchEvent>) => {\n\t\t\t\t\tthis.transitionWithEvent(new DragCanvasState(), event);\n\t\t\t\t}\n\t\t\t})\n\t\t);\n\t}\n}\n"]},"metadata":{},"sourceType":"script"}
|
json
|
The Meghalaya Board of School Education (MBOSE) has announced the timetable for the board exams for classes 10th and 12th. As per the schedule released by the board, the Secondary School Leaving Certificate (SSLC) class 10th examination 2023 will take place from March 3 till March 17. While the Higher Secondary School Leaving Certificate (HSSLC) class 12th examination 2023 will commence on March 1 and end on March 28.
The MBOSE has also declared the practical exam of HSSLC class 12th. They will be conducted between February 10 and February 20. Students who will appear in the exam can check the date sheet on the official website of the Meghalaya Board at mbose. in.
Step 1: Go to the official website of the Meghalaya Board of School Education at mbose. in.
Step 2: Select MBOSE SSLC Routine 2023 or MBOSE HSSLC Routine 2023 under the Notification column.
Step 3: MBOSE SSLC and HSSLC 2023 date sheets will now appear on your screen in PDF formats.
Step 4: Download and print the board exam date sheet for further use.
According to the notice, Garo, Khasi, Hindi, Bengali, Assamese, Nepali, and Mizo are listed under Modern Indian Languages while English, Khasi, Garo, Assamese, Bengali, Hindi, Nepali, Mizo are elective languages. The vocational subjects for HSSLCE are tourism and hospitality, IT/ITES, electronics and hardware, health care, agriculture, multi skilling, beauty and wellness.
Students are advised to report at the examination hall well before the commencement of the paper, exam hall will open at 9:30. am. Question papers will be issued at 9:45 am among the students. After that, answer sheets will be distributed at 9:50 am. Students can start writing at 10:00 am. The duration of the exam for Vocational subjects will be 1 hour from 10 am. to 11 am.
In the event of important announcements from the state/central government on dates coinciding with the schedule, the examination routine will be rescheduled, if considered necessary. All Covid protocols should be strictly followed by the authority.
|
english
|
{"2010":"","2016":"","Department":"Апеляційний суд Миколаївської області","Region":"Миколаївська область","Position":"Суддя Апеляційного суду Миколаївської області","Name":"<NAME>","Link":"https://drive.google.com/open?id=0BygiyWAl79DMWXktRXZxd1pVNU0","Note":"У меня","AdditionalNote":"","декларації 2015":"","Youtube":"","ПІБ2":"","Кількість справ":"","Оскаржені":"","Кількість скарг":"4","Кількість дисциплінарних стягнень":"","Клейма":"3","Фото":"","Як живе":"","Декларація доброчесності судді подано у 2016 році (вперше)":"","Декларація родинних зв’язків судді подано у 2016 році":"","key":"caryuk_volodimir_volodimirovich","field8":"","Link 2015":"","field9":"","Декларації 2013":"","Декларації 2014":"","Декларації 2015":"","Декларації 2016":"","type":"judge","analytics":[{"y":2014,"b":15000,"i":279865,"c":2,"h":89.3,"ha":1,"l":1385,"la":2,"fi":272874,"fc":1,"ff":46,"ffa":1,"fh":32.4,"fha":1,"fl":1000,"fla":1},{"y":2015,"i":287494,"c":2,"h":89,"ha":1,"l":885,"la":2,"fi":300075,"fc":1,"ff":78,"ffa":3,"fl":500,"fla":1,"j":4}],"declarationsLinks":[{"id":"vulyk_65_105","year":2014,"url":"http://static.declarations.com.ua/declarations/chosen_ones/mega_batch/tsariuk_volodymyr_volodymyrovych.pdf","provider":"declarations.com.ua.opendata"},{"id":"nacp_c601cb0b-7425-4bcd-9b87-02ede6564a7e","year":2015,"provider":"declarations.com.ua.opendata"}]}
|
json
|
<gh_stars>10-100
{
"name": "swashbuckle",
"private": true,
"dependencies": {
"swagger-ui": "https://github.com/jensoleg/swagger-ui.git"
},
"exportsOverride": {
}
}
|
json
|
Posted On:
The Prime Minister, Shri Narendra Modi has remembered Pandit Bhimsen Joshi on his 100th birth anniversary.
In a tweet, the Prime Minister said;
"On his 100th birth anniversary, remembering the versatile Pandit Bhimsen Joshi Ji. Through his works, he made landmark contributions towards popularising Indian music and culture. He also brought our nation closer through his renditions."
Read this release in:
|
english
|
Video (527 programs)
PROS: Easy to use attractive interface. Powerful media player. Includes a converter. Supports formats other than DivX.CONS: Converter is limited to 15 days. Big installation file.
PROS: Free and open-source. Intuitive to use. Hundreds of supported video sites.CONS: No advanced features.
PROS: Provide video thumbnails. Supports FFmpeg. Custom parsers. Compatible with video formats.CONS: Requires .NET 4.0. Too simple functionality. Might not work with other video files. Thumbnails might be low quality.
PROS: This package is extremely easy to work with. A preview mode is offered before the desired output is saved.CONS: There are no other editing options presented to the user. There is no additional customer support information.
PROS: There is no charge to download and utilise Fast Video Converter. It can work with both iOS and Android operating systems.CONS: The types of supported media files are currently limited. It is only available in the English language.
PROS: Handles a range of file types. Offers multiple customization features. Highly configurable. Multiple output options.CONS: Doesn’t support all streaming formats. Not ideal for MPEG programs. Could pose stability and performance issues. Not updated frequently enough.
PROS: Quick scans. Easy to understand results.CONS: A bit pointless. Should be a standalone program.
PROS: A ton of features. Free to try out. Hugely boosts your video compatibility.CONS: Takes a little figuring out at first. Several reminders to buy the full version.
PROS: Easy to navigate. Compatible with any video format. Input any desired value.CONS: Lacks a lot of editing features. No other uses. Dull interface.
PROS: Light on resources. Simple to use. Lots of skins to choose fro.CONS: Hovering menu is badly designed.
PROS: Free to download and use. Support for a number of video/audio file types.CONS: Not available for Mac. Limited functionality.
PROS: For starters, it's free!. Compatible across a plethora of formats. Very user friendly.CONS: Offers very few editing tools. Little or no advanced options.
PROS: Attractive aesthetics and fits in with Windows Metro. User friendly layout. An all-in-one media solution. Free to try.CONS: Payment required for rarer formats.
PROS: High-quality video editing. Professionally-edited videos. Can edit videos from the smartphone.CONS: Paid features. No feature to add subtitles.
PROS: Simple user interface. Supports a variety of file types.CONS: Completed edits must be saved as a new file. Can only rotate 90° at a time.
PROS: Allows music/audio-only downloads from YouTube. See your download progress on the app interface. Download and convert in batches. Add lists of URLs rather than one at a time.CONS: Severely limited downloads unless you buy the Pro version. Contains difficult-to-remove bloatware. Cannot download videos where you must sign in. Only downloads from the YouTube version available to your ISP.
|
english
|
was a batsman who took on West Indies' fear-inducing bowlers - Griffith and Co in 1963 and Holding and friends in 1976 - with bat and body.
in 1976, in what was his final Test innings, 45-year-old Close hung on for an hour on the third evening, taking repeated blows. And he wasn't happy when umpire Bill Alley warned Michael Holding for bowling too many bouncers. "I said to Bill, 'What the hell did you have to do that for?'" recalled Close. "'He's bowling too many bouncers,' said Bill. 'Don't you realise the bloody bouncers aren't hitting us?' I told him. 'It's the ones halfway down that are the problem!'"
Viv Richards, who played under Close at Somerset, was concerned about the blows his county captain was receiving. "Close got hit in the chest by Wayne Daniel and sank to the floor," Richards told the Observer in 2007. "I went up to him. 'Are you OK, skipper?' Closey eventually gathered himself together and bellowed 'F*** off.' What a man."
, in which he batted for more than five and a half hours to make 60 and 46 to help England to a draw.
in 1972, Close takes on Dennis Lillee.
Geoff Boycott writes in his autobiography of Close's courage while facing Charlie Griffith and Wes Hall in the 1963 series: "Even knowing that Close had an extraordinary resistance to pain - a philosophy of mind over matter that said if you didn't think about pain you didn't feel it - we could hardly believe it and I don't think Charlie Griffith ever recovered from the experience either. Close returned to the Yorkshire dressing room sporting the lurid bruises that had been photographed for the front page of just about every newspaper in the country. I was curious and misguided enough to poke them inquisitively with a forefinger. Closey nearly went through the roof and I was lucky to escape without being throttled."
, 1963. Close batted for close to four hours in the second innings to save the match.
Cricket writer EW Swanton remembered this innings fondly on a particularly trying occasion. Invited to be an after-dinner speaker at an event along with Close, Swanton found himself waiting his turn interminably as Close rambled on. "... if he had been a more sensitive man he might have noticed that the audience, receptive enough for the first half hour or so, had ceased just looking at their watches but, metaphorically at least, were shaking them to see whether they were actually going," Swanton wrote in his book Follow On. "I tried to detach myself from the actual situation and to recall Close's hour of honour in '63 when his innings of 70 so nearly won the day for England. For that at least he should never be forgotten."
Close was equally brave while fielding close to the batsman. In his book Bats, Balls & Bails, Les Scott relates the tale of Close fielding at short leg against Gloucestershire in 1962. Close was hit on the side of the head and the ball was caught at first slip. Team-mate Doug Padgett came to enquire after Close, saying, "Thank heavens you're OK. Think what would have happened if it had hit you between the eyes." Close said, "Well, hopefully he'd have caught it at cover."
against South Africa on their England tour of 1955, a young, well-thatched Close shows off his quick reflexes by stopping a cut shot from captain Jack Cheetham.
Here, Close fields at short leg to Alvin Kallicharran at Lord's, 1976.
Another Somerset team-mate, Ian Botham, also wrote about his captain's forbearance. "I saw him take another vicious blow at Cardiff, when Alan Jones, the Glamorgan opener, was facing Tom Cartwright," Botham wrote in his autobiography Head On. "Tom bowled his one and only half-volley of the year, on leg-stump, and Jones whipped it off his legs. It hit Brian, once more fielding at short-leg, a yard and half away, full on the shin... Brian didn't even flinch. He didn't rub it, he didn't do anything, he just settled back down in his stance, ready for the next ball. Twenty minutes later, when we went off for lunch, there was blood coming out the lace holes of Brian's boots. When he pulled up the leg of his flannels, he had a livid bruise and a four-inch gash on his shin. He still didn't say anything, he just had it stitched, put on a clean pair of flannels and socks and led us back out after lunch as if nothing had happened."
|
english
|
1 Paul, a servant of Jesus Christ, a called apostle, having been separated to the good news of God, 2 which He announced before through His prophets in holy writings, 3 concerning His Son—who has come of the seed of David according to the flesh, 4 who is marked out [as the] Son of God in power, according to the Spirit of sanctification, by the resurrection from the dead—Jesus Christ our Lord; 5 through whom we received grace and apostleship, for obedience of faith among all the nations, in behalf of His Name; 6 among whom are also you, the called of Jesus Christ; 7 to all who are in Rome, beloved of God, called holy ones: Grace to you and peace from God our Father and the Lord Jesus Christ! 8 First, indeed, I thank my God through Jesus Christ for you all, that your faith is proclaimed in the whole world; 9 for God is my witness, whom I serve in my spirit in the good news of His Son, how unceasingly I make mention of you, 10 always in my prayers imploring, if by any means now at length I will have a prosperous journey, by the will of God, to come to you, 11 for I long to see you, that I may impart to you some spiritual gift, that you may be established; 12 and that is, that I may be comforted together among you, through faith in one another, both yours and mine. 13 And I do not wish you to be ignorant, brothers, that many times I purposed to come to you—and was hindered until the present time—that some fruit I might have also among you, even as also among the other nations. 14 Both to Greeks and to foreigners, both to wise and to thoughtless, I am a debtor, 15 so, as much as in me is, I am ready also to you who [are] in Rome to proclaim good news, 16 for I am not ashamed of the good news of the Christ, for it is the power of God to salvation to everyone who is believing, both to Jew first, and to Greek. 17 For the righteousness of God in it is revealed from faith to faith, according as it has been written: “And the righteous one will live by faith,” 18 for the wrath of God is revealed from Heaven on all impiety and unrighteousness of men, holding down the truth in unrighteousness. 19 Because that which is known of God is revealed among them, for God revealed [it] to them, 20 for the invisible things of Him from the creation of the world, by the things made being understood, are plainly seen, both His eternal power and Godhead—to their being inexcusable; 21 because, having known God they did not glorify [Him] as God, nor gave thanks, but were made vain in their reasonings, and their unintelligent heart was darkened, 22 professing to be wise, they were made fools, 23 and changed the glory of the incorruptible God into the likeness of an image of corruptible man, and of birds, and of quadrupeds, and of reptiles. 24 For this reason also God gave them up, in the desires of their hearts, to uncleanness, to dishonor their bodies among themselves; 25 who changed the truth of God into the lie, and honored and served the creature rather than the Creator, who is blessed for all ages. Amen. 26 Because of this God gave them up to dishonorable affections, for even their females changed the natural use into that against nature; 27 and in like manner also the males having left the natural use of the female, burned in their longing toward one another; males with males working shame, and the repayment of their error that was fit, in themselves receiving. 28 And according as they did not approve of having God in knowledge, God gave them up to a disapproved mind, to do the things not seemly; 29 having been filled with all unrighteousness, whoredom, wickedness, covetousness, malice; full of envy, murder, strife, deceit, evil dispositions; whisperers, 30 evil-speakers, God-haters, insulting, proud, boasters, inventors of evil things, disobedient to parents, 31 unintelligent, faithless, without natural affection, implacable, unmerciful; 32 who the righteous judgment of God having known—that those practicing such things are worthy of death—not only do them, but also have delight with those practicing them.
|
english
|
// Copyright 2008 <NAME>
//
// Use, modification and distribution are subject to the
// Boost Software License, Version 1.0.
// (See accompanying file LICENSE_1_0.txt
// or copy at http://www.boost.org/LICENSE_1_0.txt)
#ifndef BOOST_MATH_SF_PRIME_HPP
#define BOOST_MATH_SF_PRIME_HPP
#include <boost/cstdint.hpp>
#include <boost/math/policies/error_handling.hpp>
#include <boost/math/special_functions/math_fwd.hpp>
#ifdef BOOST_MATH_HAVE_CONSTEXPR_TABLES
#include <array>
#else
#include <boost/array.hpp>
#endif
namespace boost{ namespace math{
template <class Policy>
BOOST_MATH_CONSTEXPR_TABLE_FUNCTION boost::uint32_t prime(unsigned n, const Policy& pol)
{
//
// This is basically three big tables which together
// occupy 19946 bytes, we use the smallest type which
// will handle each value, and store the final set of
// values in a uint16_t with the values offset by 0xffff.
// That gives us the first 10000 primes with the largest
// being 104729:
//
#ifdef BOOST_MATH_HAVE_CONSTEXPR_TABLES
constexpr unsigned b1 = 53;
constexpr unsigned b2 = 6541;
constexpr unsigned b3 = 10000;
constexpr std::array<unsigned char, 54> a1 = {{
#else
static const unsigned b1 = 53;
static const unsigned b2 = 6541;
static const unsigned b3 = 10000;
static const boost::array<unsigned char, 54> a1 = {{
#endif
2u, 3u, 5u, 7u, 11u, 13u, 17u, 19u, 23u, 29u, 31u,
37u, 41u, 43u, 47u, 53u, 59u, 61u, 67u, 71u, 73u,
79u, 83u, 89u, 97u, 101u, 103u, 107u, 109u, 113u,
127u, 131u, 137u, 139u, 149u, 151u, 157u, 163u,
167u, 173u, 179u, 181u, 191u, 193u, 197u, 199u,
211u, 223u, 227u, 229u, 233u, 239u, 241u, 251u
}};
#ifdef BOOST_MATH_HAVE_CONSTEXPR_TABLES
constexpr std::array<boost::uint16_t, 6488> a2 = {{
#else
static const boost::array<boost::uint16_t, 6488> a2 = {{
#endif
257u, 263u, 269u, 271u, 277u, 281u, 283u, 293u,
307u, 311u, 313u, 317u, 331u, 337u, 347u, 349u, 353u,
359u, 367u, 373u, 379u, 383u, 389u, 397u, 401u, 409u,
419u, 421u, 431u, 433u, 439u, 443u, 449u, 457u, 461u,
463u, 467u, 479u, 487u, 491u, 499u, 503u, 509u, 521u,
523u, 541u, 547u, 557u, 563u, 569u, 571u, 577u, 587u,
593u, 599u, 601u, 607u, 613u, 617u, 619u, 631u, 641u,
643u, 647u, 653u, 659u, 661u, 673u, 677u, 683u, 691u,
701u, 709u, 719u, 727u, 733u, 739u, 743u, 751u, 757u,
761u, 769u, 773u, 787u, 797u, 809u, 811u, 821u, 823u,
827u, 829u, 839u, 853u, 857u, 859u, 863u, 877u, 881u,
883u, 887u, 907u, 911u, 919u, 929u, 937u, 941u, 947u,
953u, 967u, 971u, 977u, 983u, 991u, 997u, 1009u, 1013u,
1019u, 1021u, 1031u, 1033u, 1039u, 1049u, 1051u, 1061u, 1063u,
1069u, 1087u, 1091u, 1093u, 1097u, 1103u, 1109u, 1117u, 1123u,
1129u, 1151u, 1153u, 1163u, 1171u, 1181u, 1187u, 1193u, 1201u,
1213u, 1217u, 1223u, 1229u, 1231u, 1237u, 1249u, 1259u, 1277u,
1279u, 1283u, 1289u, 1291u, 1297u, 1301u, 1303u, 1307u, 1319u,
1321u, 1327u, 1361u, 1367u, 1373u, 1381u, 1399u, 1409u, 1423u,
1427u, 1429u, 1433u, 1439u, 1447u, 1451u, 1453u, 1459u, 1471u,
1481u, 1483u, 1487u, 1489u, 1493u, 1499u, 1511u, 1523u, 1531u,
1543u, 1549u, 1553u, 1559u, 1567u, 1571u, 1579u, 1583u, 1597u,
1601u, 1607u, 1609u, 1613u, 1619u, 1621u, 1627u, 1637u, 1657u,
1663u, 1667u, 1669u, 1693u, 1697u, 1699u, 1709u, 1721u, 1723u,
1733u, 1741u, 1747u, 1753u, 1759u, 1777u, 1783u, 1787u, 1789u,
1801u, 1811u, 1823u, 1831u, 1847u, 1861u, 1867u, 1871u, 1873u,
1877u, 1879u, 1889u, 1901u, 1907u, 1913u, 1931u, 1933u, 1949u,
1951u, 1973u, 1979u, 1987u, 1993u, 1997u, 1999u, 2003u, 2011u,
2017u, 2027u, 2029u, 2039u, 2053u, 2063u, 2069u, 2081u, 2083u,
2087u, 2089u, 2099u, 2111u, 2113u, 2129u, 2131u, 2137u, 2141u,
2143u, 2153u, 2161u, 2179u, 2203u, 2207u, 2213u, 2221u, 2237u,
2239u, 2243u, 2251u, 2267u, 2269u, 2273u, 2281u, 2287u, 2293u,
2297u, 2309u, 2311u, 2333u, 2339u, 2341u, 2347u, 2351u, 2357u,
2371u, 2377u, 2381u, 2383u, 2389u, 2393u, 2399u, 2411u, 2417u,
2423u, 2437u, 2441u, 2447u, 2459u, 2467u, 2473u, 2477u, 2503u,
2521u, 2531u, 2539u, 2543u, 2549u, 2551u, 2557u, 2579u, 2591u,
2593u, 2609u, 2617u, 2621u, 2633u, 2647u, 2657u, 2659u, 2663u,
2671u, 2677u, 2683u, 2687u, 2689u, 2693u, 2699u, 2707u, 2711u,
2713u, 2719u, 2729u, 2731u, 2741u, 2749u, 2753u, 2767u, 2777u,
2789u, 2791u, 2797u, 2801u, 2803u, 2819u, 2833u, 2837u, 2843u,
2851u, 2857u, 2861u, 2879u, 2887u, 2897u, 2903u, 2909u, 2917u,
2927u, 2939u, 2953u, 2957u, 2963u, 2969u, 2971u, 2999u, 3001u,
3011u, 3019u, 3023u, 3037u, 3041u, 3049u, 3061u, 3067u, 3079u,
3083u, 3089u, 3109u, 3119u, 3121u, 3137u, 3163u, 3167u, 3169u,
3181u, 3187u, 3191u, 3203u, 3209u, 3217u, 3221u, 3229u, 3251u,
3253u, 3257u, 3259u, 3271u, 3299u, 3301u, 3307u, 3313u, 3319u,
3323u, 3329u, 3331u, 3343u, 3347u, 3359u, 3361u, 3371u, 3373u,
3389u, 3391u, 3407u, 3413u, 3433u, 3449u, 3457u, 3461u, 3463u,
3467u, 3469u, 3491u, 3499u, 3511u, 3517u, 3527u, 3529u, 3533u,
3539u, 3541u, 3547u, 3557u, 3559u, 3571u, 3581u, 3583u, 3593u,
3607u, 3613u, 3617u, 3623u, 3631u, 3637u, 3643u, 3659u, 3671u,
3673u, 3677u, 3691u, 3697u, 3701u, 3709u, 3719u, 3727u, 3733u,
3739u, 3761u, 3767u, 3769u, 3779u, 3793u, 3797u, 3803u, 3821u,
3823u, 3833u, 3847u, 3851u, 3853u, 3863u, 3877u, 3881u, 3889u,
3907u, 3911u, 3917u, 3919u, 3923u, 3929u, 3931u, 3943u, 3947u,
3967u, 3989u, 4001u, 4003u, 4007u, 4013u, 4019u, 4021u, 4027u,
4049u, 4051u, 4057u, 4073u, 4079u, 4091u, 4093u, 4099u, 4111u,
4127u, 4129u, 4133u, 4139u, 4153u, 4157u, 4159u, 4177u, 4201u,
4211u, 4217u, 4219u, 4229u, 4231u, 4241u, 4243u, 4253u, 4259u,
4261u, 4271u, 4273u, 4283u, 4289u, 4297u, 4327u, 4337u, 4339u,
4349u, 4357u, 4363u, 4373u, 4391u, 4397u, 4409u, 4421u, 4423u,
4441u, 4447u, 4451u, 4457u, 4463u, 4481u, 4483u, 4493u, 4507u,
4513u, 4517u, 4519u, 4523u, 4547u, 4549u, 4561u, 4567u, 4583u,
4591u, 4597u, 4603u, 4621u, 4637u, 4639u, 4643u, 4649u, 4651u,
4657u, 4663u, 4673u, 4679u, 4691u, 4703u, 4721u, 4723u, 4729u,
4733u, 4751u, 4759u, 4783u, 4787u, 4789u, 4793u, 4799u, 4801u,
4813u, 4817u, 4831u, 4861u, 4871u, 4877u, 4889u, 4903u, 4909u,
4919u, 4931u, 4933u, 4937u, 4943u, 4951u, 4957u, 4967u, 4969u,
4973u, 4987u, 4993u, 4999u, 5003u, 5009u, 5011u, 5021u, 5023u,
5039u, 5051u, 5059u, 5077u, 5081u, 5087u, 5099u, 5101u, 5107u,
5113u, 5119u, 5147u, 5153u, 5167u, 5171u, 5179u, 5189u, 5197u,
5209u, 5227u, 5231u, 5233u, 5237u, 5261u, 5273u, 5279u, 5281u,
5297u, 5303u, 5309u, 5323u, 5333u, 5347u, 5351u, 5381u, 5387u,
5393u, 5399u, 5407u, 5413u, 5417u, 5419u, 5431u, 5437u, 5441u,
5443u, 5449u, 5471u, 5477u, 5479u, 5483u, 5501u, 5503u, 5507u,
5519u, 5521u, 5527u, 5531u, 5557u, 5563u, 5569u, 5573u, 5581u,
5591u, 5623u, 5639u, 5641u, 5647u, 5651u, 5653u, 5657u, 5659u,
5669u, 5683u, 5689u, 5693u, 5701u, 5711u, 5717u, 5737u, 5741u,
5743u, 5749u, 5779u, 5783u, 5791u, 5801u, 5807u, 5813u, 5821u,
5827u, 5839u, 5843u, 5849u, 5851u, 5857u, 5861u, 5867u, 5869u,
5879u, 5881u, 5897u, 5903u, 5923u, 5927u, 5939u, 5953u, 5981u,
5987u, 6007u, 6011u, 6029u, 6037u, 6043u, 6047u, 6053u, 6067u,
6073u, 6079u, 6089u, 6091u, 6101u, 6113u, 6121u, 6131u, 6133u,
6143u, 6151u, 6163u, 6173u, 6197u, 6199u, 6203u, 6211u, 6217u,
6221u, 6229u, 6247u, 6257u, 6263u, 6269u, 6271u, 6277u, 6287u,
6299u, 6301u, 6311u, 6317u, 6323u, 6329u, 6337u, 6343u, 6353u,
6359u, 6361u, 6367u, 6373u, 6379u, 6389u, 6397u, 6421u, 6427u,
6449u, 6451u, 6469u, 6473u, 6481u, 6491u, 6521u, 6529u, 6547u,
6551u, 6553u, 6563u, 6569u, 6571u, 6577u, 6581u, 6599u, 6607u,
6619u, 6637u, 6653u, 6659u, 6661u, 6673u, 6679u, 6689u, 6691u,
6701u, 6703u, 6709u, 6719u, 6733u, 6737u, 6761u, 6763u, 6779u,
6781u, 6791u, 6793u, 6803u, 6823u, 6827u, 6829u, 6833u, 6841u,
6857u, 6863u, 6869u, 6871u, 6883u, 6899u, 6907u, 6911u, 6917u,
6947u, 6949u, 6959u, 6961u, 6967u, 6971u, 6977u, 6983u, 6991u,
6997u, 7001u, 7013u, 7019u, 7027u, 7039u, 7043u, 7057u, 7069u,
7079u, 7103u, 7109u, 7121u, 7127u, 7129u, 7151u, 7159u, 7177u,
7187u, 7193u, 7207u, 7211u, 7213u, 7219u, 7229u, 7237u, 7243u,
7247u, 7253u, 7283u, 7297u, 7307u, 7309u, 7321u, 7331u, 7333u,
7349u, 7351u, 7369u, 7393u, 7411u, 7417u, 7433u, 7451u, 7457u,
7459u, 7477u, 7481u, 7487u, 7489u, 7499u, 7507u, 7517u, 7523u,
7529u, 7537u, 7541u, 7547u, 7549u, 7559u, 7561u, 7573u, 7577u,
7583u, 7589u, 7591u, 7603u, 7607u, 7621u, 7639u, 7643u, 7649u,
7669u, 7673u, 7681u, 7687u, 7691u, 7699u, 7703u, 7717u, 7723u,
7727u, 7741u, 7753u, 7757u, 7759u, 7789u, 7793u, 7817u, 7823u,
7829u, 7841u, 7853u, 7867u, 7873u, 7877u, 7879u, 7883u, 7901u,
7907u, 7919u, 7927u, 7933u, 7937u, 7949u, 7951u, 7963u, 7993u,
8009u, 8011u, 8017u, 8039u, 8053u, 8059u, 8069u, 8081u, 8087u,
8089u, 8093u, 8101u, 8111u, 8117u, 8123u, 8147u, 8161u, 8167u,
8171u, 8179u, 8191u, 8209u, 8219u, 8221u, 8231u, 8233u, 8237u,
8243u, 8263u, 8269u, 8273u, 8287u, 8291u, 8293u, 8297u, 8311u,
8317u, 8329u, 8353u, 8363u, 8369u, 8377u, 8387u, 8389u, 8419u,
8423u, 8429u, 8431u, 8443u, 8447u, 8461u, 8467u, 8501u, 8513u,
8521u, 8527u, 8537u, 8539u, 8543u, 8563u, 8573u, 8581u, 8597u,
8599u, 8609u, 8623u, 8627u, 8629u, 8641u, 8647u, 8663u, 8669u,
8677u, 8681u, 8689u, 8693u, 8699u, 8707u, 8713u, 8719u, 8731u,
8737u, 8741u, 8747u, 8753u, 8761u, 8779u, 8783u, 8803u, 8807u,
8819u, 8821u, 8831u, 8837u, 8839u, 8849u, 8861u, 8863u, 8867u,
8887u, 8893u, 8923u, 8929u, 8933u, 8941u, 8951u, 8963u, 8969u,
8971u, 8999u, 9001u, 9007u, 9011u, 9013u, 9029u, 9041u, 9043u,
9049u, 9059u, 9067u, 9091u, 9103u, 9109u, 9127u, 9133u, 9137u,
9151u, 9157u, 9161u, 9173u, 9181u, 9187u, 9199u, 9203u, 9209u,
9221u, 9227u, 9239u, 9241u, 9257u, 9277u, 9281u, 9283u, 9293u,
9311u, 9319u, 9323u, 9337u, 9341u, 9343u, 9349u, 9371u, 9377u,
9391u, 9397u, 9403u, 9413u, 9419u, 9421u, 9431u, 9433u, 9437u,
9439u, 9461u, 9463u, 9467u, 9473u, 9479u, 9491u, 9497u, 9511u,
9521u, 9533u, 9539u, 9547u, 9551u, 9587u, 9601u, 9613u, 9619u,
9623u, 9629u, 9631u, 9643u, 9649u, 9661u, 9677u, 9679u, 9689u,
9697u, 9719u, 9721u, 9733u, 9739u, 9743u, 9749u, 9767u, 9769u,
9781u, 9787u, 9791u, 9803u, 9811u, 9817u, 9829u, 9833u, 9839u,
9851u, 9857u, 9859u, 9871u, 9883u, 9887u, 9901u, 9907u, 9923u,
9929u, 9931u, 9941u, 9949u, 9967u, 9973u, 10007u, 10009u, 10037u,
10039u, 10061u, 10067u, 10069u, 10079u, 10091u, 10093u, 10099u, 10103u,
10111u, 10133u, 10139u, 10141u, 10151u, 10159u, 10163u, 10169u, 10177u,
10181u, 10193u, 10211u, 10223u, 10243u, 10247u, 10253u, 10259u, 10267u,
10271u, 10273u, 10289u, 10301u, 10303u, 10313u, 10321u, 10331u, 10333u,
10337u, 10343u, 10357u, 10369u, 10391u, 10399u, 10427u, 10429u, 10433u,
10453u, 10457u, 10459u, 10463u, 10477u, 10487u, 10499u, 10501u, 10513u,
10529u, 10531u, 10559u, 10567u, 10589u, 10597u, 10601u, 10607u, 10613u,
10627u, 10631u, 10639u, 10651u, 10657u, 10663u, 10667u, 10687u, 10691u,
10709u, 10711u, 10723u, 10729u, 10733u, 10739u, 10753u, 10771u, 10781u,
10789u, 10799u, 10831u, 10837u, 10847u, 10853u, 10859u, 10861u, 10867u,
10883u, 10889u, 10891u, 10903u, 10909u, 10937u, 10939u, 10949u, 10957u,
10973u, 10979u, 10987u, 10993u, 11003u, 11027u, 11047u, 11057u, 11059u,
11069u, 11071u, 11083u, 11087u, 11093u, 11113u, 11117u, 11119u, 11131u,
11149u, 11159u, 11161u, 11171u, 11173u, 11177u, 11197u, 11213u, 11239u,
11243u, 11251u, 11257u, 11261u, 11273u, 11279u, 11287u, 11299u, 11311u,
11317u, 11321u, 11329u, 11351u, 11353u, 11369u, 11383u, 11393u, 11399u,
11411u, 11423u, 11437u, 11443u, 11447u, 11467u, 11471u, 11483u, 11489u,
11491u, 11497u, 11503u, 11519u, 11527u, 11549u, 11551u, 11579u, 11587u,
11593u, 11597u, 11617u, 11621u, 11633u, 11657u, 11677u, 11681u, 11689u,
11699u, 11701u, 11717u, 11719u, 11731u, 11743u, 11777u, 11779u, 11783u,
11789u, 11801u, 11807u, 11813u, 11821u, 11827u, 11831u, 11833u, 11839u,
11863u, 11867u, 11887u, 11897u, 11903u, 11909u, 11923u, 11927u, 11933u,
11939u, 11941u, 11953u, 11959u, 11969u, 11971u, 11981u, 11987u, 12007u,
12011u, 12037u, 12041u, 12043u, 12049u, 12071u, 12073u, 12097u, 12101u,
12107u, 12109u, 12113u, 12119u, 12143u, 12149u, 12157u, 12161u, 12163u,
12197u, 12203u, 12211u, 12227u, 12239u, 12241u, 12251u, 12253u, 12263u,
12269u, 12277u, 12281u, 12289u, 12301u, 12323u, 12329u, 12343u, 12347u,
12373u, 12377u, 12379u, 12391u, 12401u, 12409u, 12413u, 12421u, 12433u,
12437u, 12451u, 12457u, 12473u, 12479u, 12487u, 12491u, 12497u, 12503u,
12511u, 12517u, 12527u, 12539u, 12541u, 12547u, 12553u, 12569u, 12577u,
12583u, 12589u, 12601u, 12611u, 12613u, 12619u, 12637u, 12641u, 12647u,
12653u, 12659u, 12671u, 12689u, 12697u, 12703u, 12713u, 12721u, 12739u,
12743u, 12757u, 12763u, 12781u, 12791u, 12799u, 12809u, 12821u, 12823u,
12829u, 12841u, 12853u, 12889u, 12893u, 12899u, 12907u, 12911u, 12917u,
12919u, 12923u, 12941u, 12953u, 12959u, 12967u, 12973u, 12979u, 12983u,
13001u, 13003u, 13007u, 13009u, 13033u, 13037u, 13043u, 13049u, 13063u,
13093u, 13099u, 13103u, 13109u, 13121u, 13127u, 13147u, 13151u, 13159u,
13163u, 13171u, 13177u, 13183u, 13187u, 13217u, 13219u, 13229u, 13241u,
13249u, 13259u, 13267u, 13291u, 13297u, 13309u, 13313u, 13327u, 13331u,
13337u, 13339u, 13367u, 13381u, 13397u, 13399u, 13411u, 13417u, 13421u,
13441u, 13451u, 13457u, 13463u, 13469u, 13477u, 13487u, 13499u, 13513u,
13523u, 13537u, 13553u, 13567u, 13577u, 13591u, 13597u, 13613u, 13619u,
13627u, 13633u, 13649u, 13669u, 13679u, 13681u, 13687u, 13691u, 13693u,
13697u, 13709u, 13711u, 13721u, 13723u, 13729u, 13751u, 13757u, 13759u,
13763u, 13781u, 13789u, 13799u, 13807u, 13829u, 13831u, 13841u, 13859u,
13873u, 13877u, 13879u, 13883u, 13901u, 13903u, 13907u, 13913u, 13921u,
13931u, 13933u, 13963u, 13967u, 13997u, 13999u, 14009u, 14011u, 14029u,
14033u, 14051u, 14057u, 14071u, 14081u, 14083u, 14087u, 14107u, 14143u,
14149u, 14153u, 14159u, 14173u, 14177u, 14197u, 14207u, 14221u, 14243u,
14249u, 14251u, 14281u, 14293u, 14303u, 14321u, 14323u, 14327u, 14341u,
14347u, 14369u, 14387u, 14389u, 14401u, 14407u, 14411u, 14419u, 14423u,
14431u, 14437u, 14447u, 14449u, 14461u, 14479u, 14489u, 14503u, 14519u,
14533u, 14537u, 14543u, 14549u, 14551u, 14557u, 14561u, 14563u, 14591u,
14593u, 14621u, 14627u, 14629u, 14633u, 14639u, 14653u, 14657u, 14669u,
14683u, 14699u, 14713u, 14717u, 14723u, 14731u, 14737u, 14741u, 14747u,
14753u, 14759u, 14767u, 14771u, 14779u, 14783u, 14797u, 14813u, 14821u,
14827u, 14831u, 14843u, 14851u, 14867u, 14869u, 14879u, 14887u, 14891u,
14897u, 14923u, 14929u, 14939u, 14947u, 14951u, 14957u, 14969u, 14983u,
15013u, 15017u, 15031u, 15053u, 15061u, 15073u, 15077u, 15083u, 15091u,
15101u, 15107u, 15121u, 15131u, 15137u, 15139u, 15149u, 15161u, 15173u,
15187u, 15193u, 15199u, 15217u, 15227u, 15233u, 15241u, 15259u, 15263u,
15269u, 15271u, 15277u, 15287u, 15289u, 15299u, 15307u, 15313u, 15319u,
15329u, 15331u, 15349u, 15359u, 15361u, 15373u, 15377u, 15383u, 15391u,
15401u, 15413u, 15427u, 15439u, 15443u, 15451u, 15461u, 15467u, 15473u,
15493u, 15497u, 15511u, 15527u, 15541u, 15551u, 15559u, 15569u, 15581u,
15583u, 15601u, 15607u, 15619u, 15629u, 15641u, 15643u, 15647u, 15649u,
15661u, 15667u, 15671u, 15679u, 15683u, 15727u, 15731u, 15733u, 15737u,
15739u, 15749u, 15761u, 15767u, 15773u, 15787u, 15791u, 15797u, 15803u,
15809u, 15817u, 15823u, 15859u, 15877u, 15881u, 15887u, 15889u, 15901u,
15907u, 15913u, 15919u, 15923u, 15937u, 15959u, 15971u, 15973u, 15991u,
16001u, 16007u, 16033u, 16057u, 16061u, 16063u, 16067u, 16069u, 16073u,
16087u, 16091u, 16097u, 16103u, 16111u, 16127u, 16139u, 16141u, 16183u,
16187u, 16189u, 16193u, 16217u, 16223u, 16229u, 16231u, 16249u, 16253u,
16267u, 16273u, 16301u, 16319u, 16333u, 16339u, 16349u, 16361u, 16363u,
16369u, 16381u, 16411u, 16417u, 16421u, 16427u, 16433u, 16447u, 16451u,
16453u, 16477u, 16481u, 16487u, 16493u, 16519u, 16529u, 16547u, 16553u,
16561u, 16567u, 16573u, 16603u, 16607u, 16619u, 16631u, 16633u, 16649u,
16651u, 16657u, 16661u, 16673u, 16691u, 16693u, 16699u, 16703u, 16729u,
16741u, 16747u, 16759u, 16763u, 16787u, 16811u, 16823u, 16829u, 16831u,
16843u, 16871u, 16879u, 16883u, 16889u, 16901u, 16903u, 16921u, 16927u,
16931u, 16937u, 16943u, 16963u, 16979u, 16981u, 16987u, 16993u, 17011u,
17021u, 17027u, 17029u, 17033u, 17041u, 17047u, 17053u, 17077u, 17093u,
17099u, 17107u, 17117u, 17123u, 17137u, 17159u, 17167u, 17183u, 17189u,
17191u, 17203u, 17207u, 17209u, 17231u, 17239u, 17257u, 17291u, 17293u,
17299u, 17317u, 17321u, 17327u, 17333u, 17341u, 17351u, 17359u, 17377u,
17383u, 17387u, 17389u, 17393u, 17401u, 17417u, 17419u, 17431u, 17443u,
17449u, 17467u, 17471u, 17477u, 17483u, 17489u, 17491u, 17497u, 17509u,
17519u, 17539u, 17551u, 17569u, 17573u, 17579u, 17581u, 17597u, 17599u,
17609u, 17623u, 17627u, 17657u, 17659u, 17669u, 17681u, 17683u, 17707u,
17713u, 17729u, 17737u, 17747u, 17749u, 17761u, 17783u, 17789u, 17791u,
17807u, 17827u, 17837u, 17839u, 17851u, 17863u, 17881u, 17891u, 17903u,
17909u, 17911u, 17921u, 17923u, 17929u, 17939u, 17957u, 17959u, 17971u,
17977u, 17981u, 17987u, 17989u, 18013u, 18041u, 18043u, 18047u, 18049u,
18059u, 18061u, 18077u, 18089u, 18097u, 18119u, 18121u, 18127u, 18131u,
18133u, 18143u, 18149u, 18169u, 18181u, 18191u, 18199u, 18211u, 18217u,
18223u, 18229u, 18233u, 18251u, 18253u, 18257u, 18269u, 18287u, 18289u,
18301u, 18307u, 18311u, 18313u, 18329u, 18341u, 18353u, 18367u, 18371u,
18379u, 18397u, 18401u, 18413u, 18427u, 18433u, 18439u, 18443u, 18451u,
18457u, 18461u, 18481u, 18493u, 18503u, 18517u, 18521u, 18523u, 18539u,
18541u, 18553u, 18583u, 18587u, 18593u, 18617u, 18637u, 18661u, 18671u,
18679u, 18691u, 18701u, 18713u, 18719u, 18731u, 18743u, 18749u, 18757u,
18773u, 18787u, 18793u, 18797u, 18803u, 18839u, 18859u, 18869u, 18899u,
18911u, 18913u, 18917u, 18919u, 18947u, 18959u, 18973u, 18979u, 19001u,
19009u, 19013u, 19031u, 19037u, 19051u, 19069u, 19073u, 19079u, 19081u,
19087u, 19121u, 19139u, 19141u, 19157u, 19163u, 19181u, 19183u, 19207u,
19211u, 19213u, 19219u, 19231u, 19237u, 19249u, 19259u, 19267u, 19273u,
19289u, 19301u, 19309u, 19319u, 19333u, 19373u, 19379u, 19381u, 19387u,
19391u, 19403u, 19417u, 19421u, 19423u, 19427u, 19429u, 19433u, 19441u,
19447u, 19457u, 19463u, 19469u, 19471u, 19477u, 19483u, 19489u, 19501u,
19507u, 19531u, 19541u, 19543u, 19553u, 19559u, 19571u, 19577u, 19583u,
19597u, 19603u, 19609u, 19661u, 19681u, 19687u, 19697u, 19699u, 19709u,
19717u, 19727u, 19739u, 19751u, 19753u, 19759u, 19763u, 19777u, 19793u,
19801u, 19813u, 19819u, 19841u, 19843u, 19853u, 19861u, 19867u, 19889u,
19891u, 19913u, 19919u, 19927u, 19937u, 19949u, 19961u, 19963u, 19973u,
19979u, 19991u, 19993u, 19997u, 20011u, 20021u, 20023u, 20029u, 20047u,
20051u, 20063u, 20071u, 20089u, 20101u, 20107u, 20113u, 20117u, 20123u,
20129u, 20143u, 20147u, 20149u, 20161u, 20173u, 20177u, 20183u, 20201u,
20219u, 20231u, 20233u, 20249u, 20261u, 20269u, 20287u, 20297u, 20323u,
20327u, 20333u, 20341u, 20347u, 20353u, 20357u, 20359u, 20369u, 20389u,
20393u, 20399u, 20407u, 20411u, 20431u, 20441u, 20443u, 20477u, 20479u,
20483u, 20507u, 20509u, 20521u, 20533u, 20543u, 20549u, 20551u, 20563u,
20593u, 20599u, 20611u, 20627u, 20639u, 20641u, 20663u, 20681u, 20693u,
20707u, 20717u, 20719u, 20731u, 20743u, 20747u, 20749u, 20753u, 20759u,
20771u, 20773u, 20789u, 20807u, 20809u, 20849u, 20857u, 20873u, 20879u,
20887u, 20897u, 20899u, 20903u, 20921u, 20929u, 20939u, 20947u, 20959u,
20963u, 20981u, 20983u, 21001u, 21011u, 21013u, 21017u, 21019u, 21023u,
21031u, 21059u, 21061u, 21067u, 21089u, 21101u, 21107u, 21121u, 21139u,
21143u, 21149u, 21157u, 21163u, 21169u, 21179u, 21187u, 21191u, 21193u,
21211u, 21221u, 21227u, 21247u, 21269u, 21277u, 21283u, 21313u, 21317u,
21319u, 21323u, 21341u, 21347u, 21377u, 21379u, 21383u, 21391u, 21397u,
21401u, 21407u, 21419u, 21433u, 21467u, 21481u, 21487u, 21491u, 21493u,
21499u, 21503u, 21517u, 21521u, 21523u, 21529u, 21557u, 21559u, 21563u,
21569u, 21577u, 21587u, 21589u, 21599u, 21601u, 21611u, 21613u, 21617u,
21647u, 21649u, 21661u, 21673u, 21683u, 21701u, 21713u, 21727u, 21737u,
21739u, 21751u, 21757u, 21767u, 21773u, 21787u, 21799u, 21803u, 21817u,
21821u, 21839u, 21841u, 21851u, 21859u, 21863u, 21871u, 21881u, 21893u,
21911u, 21929u, 21937u, 21943u, 21961u, 21977u, 21991u, 21997u, 22003u,
22013u, 22027u, 22031u, 22037u, 22039u, 22051u, 22063u, 22067u, 22073u,
22079u, 22091u, 22093u, 22109u, 22111u, 22123u, 22129u, 22133u, 22147u,
22153u, 22157u, 22159u, 22171u, 22189u, 22193u, 22229u, 22247u, 22259u,
22271u, 22273u, 22277u, 22279u, 22283u, 22291u, 22303u, 22307u, 22343u,
22349u, 22367u, 22369u, 22381u, 22391u, 22397u, 22409u, 22433u, 22441u,
22447u, 22453u, 22469u, 22481u, 22483u, 22501u, 22511u, 22531u, 22541u,
22543u, 22549u, 22567u, 22571u, 22573u, 22613u, 22619u, 22621u, 22637u,
22639u, 22643u, 22651u, 22669u, 22679u, 22691u, 22697u, 22699u, 22709u,
22717u, 22721u, 22727u, 22739u, 22741u, 22751u, 22769u, 22777u, 22783u,
22787u, 22807u, 22811u, 22817u, 22853u, 22859u, 22861u, 22871u, 22877u,
22901u, 22907u, 22921u, 22937u, 22943u, 22961u, 22963u, 22973u, 22993u,
23003u, 23011u, 23017u, 23021u, 23027u, 23029u, 23039u, 23041u, 23053u,
23057u, 23059u, 23063u, 23071u, 23081u, 23087u, 23099u, 23117u, 23131u,
23143u, 23159u, 23167u, 23173u, 23189u, 23197u, 23201u, 23203u, 23209u,
23227u, 23251u, 23269u, 23279u, 23291u, 23293u, 23297u, 23311u, 23321u,
23327u, 23333u, 23339u, 23357u, 23369u, 23371u, 23399u, 23417u, 23431u,
23447u, 23459u, 23473u, 23497u, 23509u, 23531u, 23537u, 23539u, 23549u,
23557u, 23561u, 23563u, 23567u, 23581u, 23593u, 23599u, 23603u, 23609u,
23623u, 23627u, 23629u, 23633u, 23663u, 23669u, 23671u, 23677u, 23687u,
23689u, 23719u, 23741u, 23743u, 23747u, 23753u, 23761u, 23767u, 23773u,
23789u, 23801u, 23813u, 23819u, 23827u, 23831u, 23833u, 23857u, 23869u,
23873u, 23879u, 23887u, 23893u, 23899u, 23909u, 23911u, 23917u, 23929u,
23957u, 23971u, 23977u, 23981u, 23993u, 24001u, 24007u, 24019u, 24023u,
24029u, 24043u, 24049u, 24061u, 24071u, 24077u, 24083u, 24091u, 24097u,
24103u, 24107u, 24109u, 24113u, 24121u, 24133u, 24137u, 24151u, 24169u,
24179u, 24181u, 24197u, 24203u, 24223u, 24229u, 24239u, 24247u, 24251u,
24281u, 24317u, 24329u, 24337u, 24359u, 24371u, 24373u, 24379u, 24391u,
24407u, 24413u, 24419u, 24421u, 24439u, 24443u, 24469u, 24473u, 24481u,
24499u, 24509u, 24517u, 24527u, 24533u, 24547u, 24551u, 24571u, 24593u,
24611u, 24623u, 24631u, 24659u, 24671u, 24677u, 24683u, 24691u, 24697u,
24709u, 24733u, 24749u, 24763u, 24767u, 24781u, 24793u, 24799u, 24809u,
24821u, 24841u, 24847u, 24851u, 24859u, 24877u, 24889u, 24907u, 24917u,
24919u, 24923u, 24943u, 24953u, 24967u, 24971u, 24977u, 24979u, 24989u,
25013u, 25031u, 25033u, 25037u, 25057u, 25073u, 25087u, 25097u, 25111u,
25117u, 25121u, 25127u, 25147u, 25153u, 25163u, 25169u, 25171u, 25183u,
25189u, 25219u, 25229u, 25237u, 25243u, 25247u, 25253u, 25261u, 25301u,
25303u, 25307u, 25309u, 25321u, 25339u, 25343u, 25349u, 25357u, 25367u,
25373u, 25391u, 25409u, 25411u, 25423u, 25439u, 25447u, 25453u, 25457u,
25463u, 25469u, 25471u, 25523u, 25537u, 25541u, 25561u, 25577u, 25579u,
25583u, 25589u, 25601u, 25603u, 25609u, 25621u, 25633u, 25639u, 25643u,
25657u, 25667u, 25673u, 25679u, 25693u, 25703u, 25717u, 25733u, 25741u,
25747u, 25759u, 25763u, 25771u, 25793u, 25799u, 25801u, 25819u, 25841u,
25847u, 25849u, 25867u, 25873u, 25889u, 25903u, 25913u, 25919u, 25931u,
25933u, 25939u, 25943u, 25951u, 25969u, 25981u, 25997u, 25999u, 26003u,
26017u, 26021u, 26029u, 26041u, 26053u, 26083u, 26099u, 26107u, 26111u,
26113u, 26119u, 26141u, 26153u, 26161u, 26171u, 26177u, 26183u, 26189u,
26203u, 26209u, 26227u, 26237u, 26249u, 26251u, 26261u, 26263u, 26267u,
26293u, 26297u, 26309u, 26317u, 26321u, 26339u, 26347u, 26357u, 26371u,
26387u, 26393u, 26399u, 26407u, 26417u, 26423u, 26431u, 26437u, 26449u,
26459u, 26479u, 26489u, 26497u, 26501u, 26513u, 26539u, 26557u, 26561u,
26573u, 26591u, 26597u, 26627u, 26633u, 26641u, 26647u, 26669u, 26681u,
26683u, 26687u, 26693u, 26699u, 26701u, 26711u, 26713u, 26717u, 26723u,
26729u, 26731u, 26737u, 26759u, 26777u, 26783u, 26801u, 26813u, 26821u,
26833u, 26839u, 26849u, 26861u, 26863u, 26879u, 26881u, 26891u, 26893u,
26903u, 26921u, 26927u, 26947u, 26951u, 26953u, 26959u, 26981u, 26987u,
26993u, 27011u, 27017u, 27031u, 27043u, 27059u, 27061u, 27067u, 27073u,
27077u, 27091u, 27103u, 27107u, 27109u, 27127u, 27143u, 27179u, 27191u,
27197u, 27211u, 27239u, 27241u, 27253u, 27259u, 27271u, 27277u, 27281u,
27283u, 27299u, 27329u, 27337u, 27361u, 27367u, 27397u, 27407u, 27409u,
27427u, 27431u, 27437u, 27449u, 27457u, 27479u, 27481u, 27487u, 27509u,
27527u, 27529u, 27539u, 27541u, 27551u, 27581u, 27583u, 27611u, 27617u,
27631u, 27647u, 27653u, 27673u, 27689u, 27691u, 27697u, 27701u, 27733u,
27737u, 27739u, 27743u, 27749u, 27751u, 27763u, 27767u, 27773u, 27779u,
27791u, 27793u, 27799u, 27803u, 27809u, 27817u, 27823u, 27827u, 27847u,
27851u, 27883u, 27893u, 27901u, 27917u, 27919u, 27941u, 27943u, 27947u,
27953u, 27961u, 27967u, 27983u, 27997u, 28001u, 28019u, 28027u, 28031u,
28051u, 28057u, 28069u, 28081u, 28087u, 28097u, 28099u, 28109u, 28111u,
28123u, 28151u, 28163u, 28181u, 28183u, 28201u, 28211u, 28219u, 28229u,
28277u, 28279u, 28283u, 28289u, 28297u, 28307u, 28309u, 28319u, 28349u,
28351u, 28387u, 28393u, 28403u, 28409u, 28411u, 28429u, 28433u, 28439u,
28447u, 28463u, 28477u, 28493u, 28499u, 28513u, 28517u, 28537u, 28541u,
28547u, 28549u, 28559u, 28571u, 28573u, 28579u, 28591u, 28597u, 28603u,
28607u, 28619u, 28621u, 28627u, 28631u, 28643u, 28649u, 28657u, 28661u,
28663u, 28669u, 28687u, 28697u, 28703u, 28711u, 28723u, 28729u, 28751u,
28753u, 28759u, 28771u, 28789u, 28793u, 28807u, 28813u, 28817u, 28837u,
28843u, 28859u, 28867u, 28871u, 28879u, 28901u, 28909u, 28921u, 28927u,
28933u, 28949u, 28961u, 28979u, 29009u, 29017u, 29021u, 29023u, 29027u,
29033u, 29059u, 29063u, 29077u, 29101u, 29123u, 29129u, 29131u, 29137u,
29147u, 29153u, 29167u, 29173u, 29179u, 29191u, 29201u, 29207u, 29209u,
29221u, 29231u, 29243u, 29251u, 29269u, 29287u, 29297u, 29303u, 29311u,
29327u, 29333u, 29339u, 29347u, 29363u, 29383u, 29387u, 29389u, 29399u,
29401u, 29411u, 29423u, 29429u, 29437u, 29443u, 29453u, 29473u, 29483u,
29501u, 29527u, 29531u, 29537u, 29567u, 29569u, 29573u, 29581u, 29587u,
29599u, 29611u, 29629u, 29633u, 29641u, 29663u, 29669u, 29671u, 29683u,
29717u, 29723u, 29741u, 29753u, 29759u, 29761u, 29789u, 29803u, 29819u,
29833u, 29837u, 29851u, 29863u, 29867u, 29873u, 29879u, 29881u, 29917u,
29921u, 29927u, 29947u, 29959u, 29983u, 29989u, 30011u, 30013u, 30029u,
30047u, 30059u, 30071u, 30089u, 30091u, 30097u, 30103u, 30109u, 30113u,
30119u, 30133u, 30137u, 30139u, 30161u, 30169u, 30181u, 30187u, 30197u,
30203u, 30211u, 30223u, 30241u, 30253u, 30259u, 30269u, 30271u, 30293u,
30307u, 30313u, 30319u, 30323u, 30341u, 30347u, 30367u, 30389u, 30391u,
30403u, 30427u, 30431u, 30449u, 30467u, 30469u, 30491u, 30493u, 30497u,
30509u, 30517u, 30529u, 30539u, 30553u, 30557u, 30559u, 30577u, 30593u,
30631u, 30637u, 30643u, 30649u, 30661u, 30671u, 30677u, 30689u, 30697u,
30703u, 30707u, 30713u, 30727u, 30757u, 30763u, 30773u, 30781u, 30803u,
30809u, 30817u, 30829u, 30839u, 30841u, 30851u, 30853u, 30859u, 30869u,
30871u, 30881u, 30893u, 30911u, 30931u, 30937u, 30941u, 30949u, 30971u,
30977u, 30983u, 31013u, 31019u, 31033u, 31039u, 31051u, 31063u, 31069u,
31079u, 31081u, 31091u, 31121u, 31123u, 31139u, 31147u, 31151u, 31153u,
31159u, 31177u, 31181u, 31183u, 31189u, 31193u, 31219u, 31223u, 31231u,
31237u, 31247u, 31249u, 31253u, 31259u, 31267u, 31271u, 31277u, 31307u,
31319u, 31321u, 31327u, 31333u, 31337u, 31357u, 31379u, 31387u, 31391u,
31393u, 31397u, 31469u, 31477u, 31481u, 31489u, 31511u, 31513u, 31517u,
31531u, 31541u, 31543u, 31547u, 31567u, 31573u, 31583u, 31601u, 31607u,
31627u, 31643u, 31649u, 31657u, 31663u, 31667u, 31687u, 31699u, 31721u,
31723u, 31727u, 31729u, 31741u, 31751u, 31769u, 31771u, 31793u, 31799u,
31817u, 31847u, 31849u, 31859u, 31873u, 31883u, 31891u, 31907u, 31957u,
31963u, 31973u, 31981u, 31991u, 32003u, 32009u, 32027u, 32029u, 32051u,
32057u, 32059u, 32063u, 32069u, 32077u, 32083u, 32089u, 32099u, 32117u,
32119u, 32141u, 32143u, 32159u, 32173u, 32183u, 32189u, 32191u, 32203u,
32213u, 32233u, 32237u, 32251u, 32257u, 32261u, 32297u, 32299u, 32303u,
32309u, 32321u, 32323u, 32327u, 32341u, 32353u, 32359u, 32363u, 32369u,
32371u, 32377u, 32381u, 32401u, 32411u, 32413u, 32423u, 32429u, 32441u,
32443u, 32467u, 32479u, 32491u, 32497u, 32503u, 32507u, 32531u, 32533u,
32537u, 32561u, 32563u, 32569u, 32573u, 32579u, 32587u, 32603u, 32609u,
32611u, 32621u, 32633u, 32647u, 32653u, 32687u, 32693u, 32707u, 32713u,
32717u, 32719u, 32749u, 32771u, 32779u, 32783u, 32789u, 32797u, 32801u,
32803u, 32831u, 32833u, 32839u, 32843u, 32869u, 32887u, 32909u, 32911u,
32917u, 32933u, 32939u, 32941u, 32957u, 32969u, 32971u, 32983u, 32987u,
32993u, 32999u, 33013u, 33023u, 33029u, 33037u, 33049u, 33053u, 33071u,
33073u, 33083u, 33091u, 33107u, 33113u, 33119u, 33149u, 33151u, 33161u,
33179u, 33181u, 33191u, 33199u, 33203u, 33211u, 33223u, 33247u, 33287u,
33289u, 33301u, 33311u, 33317u, 33329u, 33331u, 33343u, 33347u, 33349u,
33353u, 33359u, 33377u, 33391u, 33403u, 33409u, 33413u, 33427u, 33457u,
33461u, 33469u, 33479u, 33487u, 33493u, 33503u, 33521u, 33529u, 33533u,
33547u, 33563u, 33569u, 33577u, 33581u, 33587u, 33589u, 33599u, 33601u,
33613u, 33617u, 33619u, 33623u, 33629u, 33637u, 33641u, 33647u, 33679u,
33703u, 33713u, 33721u, 33739u, 33749u, 33751u, 33757u, 33767u, 33769u,
33773u, 33791u, 33797u, 33809u, 33811u, 33827u, 33829u, 33851u, 33857u,
33863u, 33871u, 33889u, 33893u, 33911u, 33923u, 33931u, 33937u, 33941u,
33961u, 33967u, 33997u, 34019u, 34031u, 34033u, 34039u, 34057u, 34061u,
34123u, 34127u, 34129u, 34141u, 34147u, 34157u, 34159u, 34171u, 34183u,
34211u, 34213u, 34217u, 34231u, 34253u, 34259u, 34261u, 34267u, 34273u,
34283u, 34297u, 34301u, 34303u, 34313u, 34319u, 34327u, 34337u, 34351u,
34361u, 34367u, 34369u, 34381u, 34403u, 34421u, 34429u, 34439u, 34457u,
34469u, 34471u, 34483u, 34487u, 34499u, 34501u, 34511u, 34513u, 34519u,
34537u, 34543u, 34549u, 34583u, 34589u, 34591u, 34603u, 34607u, 34613u,
34631u, 34649u, 34651u, 34667u, 34673u, 34679u, 34687u, 34693u, 34703u,
34721u, 34729u, 34739u, 34747u, 34757u, 34759u, 34763u, 34781u, 34807u,
34819u, 34841u, 34843u, 34847u, 34849u, 34871u, 34877u, 34883u, 34897u,
34913u, 34919u, 34939u, 34949u, 34961u, 34963u, 34981u, 35023u, 35027u,
35051u, 35053u, 35059u, 35069u, 35081u, 35083u, 35089u, 35099u, 35107u,
35111u, 35117u, 35129u, 35141u, 35149u, 35153u, 35159u, 35171u, 35201u,
35221u, 35227u, 35251u, 35257u, 35267u, 35279u, 35281u, 35291u, 35311u,
35317u, 35323u, 35327u, 35339u, 35353u, 35363u, 35381u, 35393u, 35401u,
35407u, 35419u, 35423u, 35437u, 35447u, 35449u, 35461u, 35491u, 35507u,
35509u, 35521u, 35527u, 35531u, 35533u, 35537u, 35543u, 35569u, 35573u,
35591u, 35593u, 35597u, 35603u, 35617u, 35671u, 35677u, 35729u, 35731u,
35747u, 35753u, 35759u, 35771u, 35797u, 35801u, 35803u, 35809u, 35831u,
35837u, 35839u, 35851u, 35863u, 35869u, 35879u, 35897u, 35899u, 35911u,
35923u, 35933u, 35951u, 35963u, 35969u, 35977u, 35983u, 35993u, 35999u,
36007u, 36011u, 36013u, 36017u, 36037u, 36061u, 36067u, 36073u, 36083u,
36097u, 36107u, 36109u, 36131u, 36137u, 36151u, 36161u, 36187u, 36191u,
36209u, 36217u, 36229u, 36241u, 36251u, 36263u, 36269u, 36277u, 36293u,
36299u, 36307u, 36313u, 36319u, 36341u, 36343u, 36353u, 36373u, 36383u,
36389u, 36433u, 36451u, 36457u, 36467u, 36469u, 36473u, 36479u, 36493u,
36497u, 36523u, 36527u, 36529u, 36541u, 36551u, 36559u, 36563u, 36571u,
36583u, 36587u, 36599u, 36607u, 36629u, 36637u, 36643u, 36653u, 36671u,
36677u, 36683u, 36691u, 36697u, 36709u, 36713u, 36721u, 36739u, 36749u,
36761u, 36767u, 36779u, 36781u, 36787u, 36791u, 36793u, 36809u, 36821u,
36833u, 36847u, 36857u, 36871u, 36877u, 36887u, 36899u, 36901u, 36913u,
36919u, 36923u, 36929u, 36931u, 36943u, 36947u, 36973u, 36979u, 36997u,
37003u, 37013u, 37019u, 37021u, 37039u, 37049u, 37057u, 37061u, 37087u,
37097u, 37117u, 37123u, 37139u, 37159u, 37171u, 37181u, 37189u, 37199u,
37201u, 37217u, 37223u, 37243u, 37253u, 37273u, 37277u, 37307u, 37309u,
37313u, 37321u, 37337u, 37339u, 37357u, 37361u, 37363u, 37369u, 37379u,
37397u, 37409u, 37423u, 37441u, 37447u, 37463u, 37483u, 37489u, 37493u,
37501u, 37507u, 37511u, 37517u, 37529u, 37537u, 37547u, 37549u, 37561u,
37567u, 37571u, 37573u, 37579u, 37589u, 37591u, 37607u, 37619u, 37633u,
37643u, 37649u, 37657u, 37663u, 37691u, 37693u, 37699u, 37717u, 37747u,
37781u, 37783u, 37799u, 37811u, 37813u, 37831u, 37847u, 37853u, 37861u,
37871u, 37879u, 37889u, 37897u, 37907u, 37951u, 37957u, 37963u, 37967u,
37987u, 37991u, 37993u, 37997u, 38011u, 38039u, 38047u, 38053u, 38069u,
38083u, 38113u, 38119u, 38149u, 38153u, 38167u, 38177u, 38183u, 38189u,
38197u, 38201u, 38219u, 38231u, 38237u, 38239u, 38261u, 38273u, 38281u,
38287u, 38299u, 38303u, 38317u, 38321u, 38327u, 38329u, 38333u, 38351u,
38371u, 38377u, 38393u, 38431u, 38447u, 38449u, 38453u, 38459u, 38461u,
38501u, 38543u, 38557u, 38561u, 38567u, 38569u, 38593u, 38603u, 38609u,
38611u, 38629u, 38639u, 38651u, 38653u, 38669u, 38671u, 38677u, 38693u,
38699u, 38707u, 38711u, 38713u, 38723u, 38729u, 38737u, 38747u, 38749u,
38767u, 38783u, 38791u, 38803u, 38821u, 38833u, 38839u, 38851u, 38861u,
38867u, 38873u, 38891u, 38903u, 38917u, 38921u, 38923u, 38933u, 38953u,
38959u, 38971u, 38977u, 38993u, 39019u, 39023u, 39041u, 39043u, 39047u,
39079u, 39089u, 39097u, 39103u, 39107u, 39113u, 39119u, 39133u, 39139u,
39157u, 39161u, 39163u, 39181u, 39191u, 39199u, 39209u, 39217u, 39227u,
39229u, 39233u, 39239u, 39241u, 39251u, 39293u, 39301u, 39313u, 39317u,
39323u, 39341u, 39343u, 39359u, 39367u, 39371u, 39373u, 39383u, 39397u,
39409u, 39419u, 39439u, 39443u, 39451u, 39461u, 39499u, 39503u, 39509u,
39511u, 39521u, 39541u, 39551u, 39563u, 39569u, 39581u, 39607u, 39619u,
39623u, 39631u, 39659u, 39667u, 39671u, 39679u, 39703u, 39709u, 39719u,
39727u, 39733u, 39749u, 39761u, 39769u, 39779u, 39791u, 39799u, 39821u,
39827u, 39829u, 39839u, 39841u, 39847u, 39857u, 39863u, 39869u, 39877u,
39883u, 39887u, 39901u, 39929u, 39937u, 39953u, 39971u, 39979u, 39983u,
39989u, 40009u, 40013u, 40031u, 40037u, 40039u, 40063u, 40087u, 40093u,
40099u, 40111u, 40123u, 40127u, 40129u, 40151u, 40153u, 40163u, 40169u,
40177u, 40189u, 40193u, 40213u, 40231u, 40237u, 40241u, 40253u, 40277u,
40283u, 40289u, 40343u, 40351u, 40357u, 40361u, 40387u, 40423u, 40427u,
40429u, 40433u, 40459u, 40471u, 40483u, 40487u, 40493u, 40499u, 40507u,
40519u, 40529u, 40531u, 40543u, 40559u, 40577u, 40583u, 40591u, 40597u,
40609u, 40627u, 40637u, 40639u, 40693u, 40697u, 40699u, 40709u, 40739u,
40751u, 40759u, 40763u, 40771u, 40787u, 40801u, 40813u, 40819u, 40823u,
40829u, 40841u, 40847u, 40849u, 40853u, 40867u, 40879u, 40883u, 40897u,
40903u, 40927u, 40933u, 40939u, 40949u, 40961u, 40973u, 40993u, 41011u,
41017u, 41023u, 41039u, 41047u, 41051u, 41057u, 41077u, 41081u, 41113u,
41117u, 41131u, 41141u, 41143u, 41149u, 41161u, 41177u, 41179u, 41183u,
41189u, 41201u, 41203u, 41213u, 41221u, 41227u, 41231u, 41233u, 41243u,
41257u, 41263u, 41269u, 41281u, 41299u, 41333u, 41341u, 41351u, 41357u,
41381u, 41387u, 41389u, 41399u, 41411u, 41413u, 41443u, 41453u, 41467u,
41479u, 41491u, 41507u, 41513u, 41519u, 41521u, 41539u, 41543u, 41549u,
41579u, 41593u, 41597u, 41603u, 41609u, 41611u, 41617u, 41621u, 41627u,
41641u, 41647u, 41651u, 41659u, 41669u, 41681u, 41687u, 41719u, 41729u,
41737u, 41759u, 41761u, 41771u, 41777u, 41801u, 41809u, 41813u, 41843u,
41849u, 41851u, 41863u, 41879u, 41887u, 41893u, 41897u, 41903u, 41911u,
41927u, 41941u, 41947u, 41953u, 41957u, 41959u, 41969u, 41981u, 41983u,
41999u, 42013u, 42017u, 42019u, 42023u, 42043u, 42061u, 42071u, 42073u,
42083u, 42089u, 42101u, 42131u, 42139u, 42157u, 42169u, 42179u, 42181u,
42187u, 42193u, 42197u, 42209u, 42221u, 42223u, 42227u, 42239u, 42257u,
42281u, 42283u, 42293u, 42299u, 42307u, 42323u, 42331u, 42337u, 42349u,
42359u, 42373u, 42379u, 42391u, 42397u, 42403u, 42407u, 42409u, 42433u,
42437u, 42443u, 42451u, 42457u, 42461u, 42463u, 42467u, 42473u, 42487u,
42491u, 42499u, 42509u, 42533u, 42557u, 42569u, 42571u, 42577u, 42589u,
42611u, 42641u, 42643u, 42649u, 42667u, 42677u, 42683u, 42689u, 42697u,
42701u, 42703u, 42709u, 42719u, 42727u, 42737u, 42743u, 42751u, 42767u,
42773u, 42787u, 42793u, 42797u, 42821u, 42829u, 42839u, 42841u, 42853u,
42859u, 42863u, 42899u, 42901u, 42923u, 42929u, 42937u, 42943u, 42953u,
42961u, 42967u, 42979u, 42989u, 43003u, 43013u, 43019u, 43037u, 43049u,
43051u, 43063u, 43067u, 43093u, 43103u, 43117u, 43133u, 43151u, 43159u,
43177u, 43189u, 43201u, 43207u, 43223u, 43237u, 43261u, 43271u, 43283u,
43291u, 43313u, 43319u, 43321u, 43331u, 43391u, 43397u, 43399u, 43403u,
43411u, 43427u, 43441u, 43451u, 43457u, 43481u, 43487u, 43499u, 43517u,
43541u, 43543u, 43573u, 43577u, 43579u, 43591u, 43597u, 43607u, 43609u,
43613u, 43627u, 43633u, 43649u, 43651u, 43661u, 43669u, 43691u, 43711u,
43717u, 43721u, 43753u, 43759u, 43777u, 43781u, 43783u, 43787u, 43789u,
43793u, 43801u, 43853u, 43867u, 43889u, 43891u, 43913u, 43933u, 43943u,
43951u, 43961u, 43963u, 43969u, 43973u, 43987u, 43991u, 43997u, 44017u,
44021u, 44027u, 44029u, 44041u, 44053u, 44059u, 44071u, 44087u, 44089u,
44101u, 44111u, 44119u, 44123u, 44129u, 44131u, 44159u, 44171u, 44179u,
44189u, 44201u, 44203u, 44207u, 44221u, 44249u, 44257u, 44263u, 44267u,
44269u, 44273u, 44279u, 44281u, 44293u, 44351u, 44357u, 44371u, 44381u,
44383u, 44389u, 44417u, 44449u, 44453u, 44483u, 44491u, 44497u, 44501u,
44507u, 44519u, 44531u, 44533u, 44537u, 44543u, 44549u, 44563u, 44579u,
44587u, 44617u, 44621u, 44623u, 44633u, 44641u, 44647u, 44651u, 44657u,
44683u, 44687u, 44699u, 44701u, 44711u, 44729u, 44741u, 44753u, 44771u,
44773u, 44777u, 44789u, 44797u, 44809u, 44819u, 44839u, 44843u, 44851u,
44867u, 44879u, 44887u, 44893u, 44909u, 44917u, 44927u, 44939u, 44953u,
44959u, 44963u, 44971u, 44983u, 44987u, 45007u, 45013u, 45053u, 45061u,
45077u, 45083u, 45119u, 45121u, 45127u, 45131u, 45137u, 45139u, 45161u,
45179u, 45181u, 45191u, 45197u, 45233u, 45247u, 45259u, 45263u, 45281u,
45289u, 45293u, 45307u, 45317u, 45319u, 45329u, 45337u, 45341u, 45343u,
45361u, 45377u, 45389u, 45403u, 45413u, 45427u, 45433u, 45439u, 45481u,
45491u, 45497u, 45503u, 45523u, 45533u, 45541u, 45553u, 45557u, 45569u,
45587u, 45589u, 45599u, 45613u, 45631u, 45641u, 45659u, 45667u, 45673u,
45677u, 45691u, 45697u, 45707u, 45737u, 45751u, 45757u, 45763u, 45767u,
45779u, 45817u, 45821u, 45823u, 45827u, 45833u, 45841u, 45853u, 45863u,
45869u, 45887u, 45893u, 45943u, 45949u, 45953u, 45959u, 45971u, 45979u,
45989u, 46021u, 46027u, 46049u, 46051u, 46061u, 46073u, 46091u, 46093u,
46099u, 46103u, 46133u, 46141u, 46147u, 46153u, 46171u, 46181u, 46183u,
46187u, 46199u, 46219u, 46229u, 46237u, 46261u, 46271u, 46273u, 46279u,
46301u, 46307u, 46309u, 46327u, 46337u, 46349u, 46351u, 46381u, 46399u,
46411u, 46439u, 46441u, 46447u, 46451u, 46457u, 46471u, 46477u, 46489u,
46499u, 46507u, 46511u, 46523u, 46549u, 46559u, 46567u, 46573u, 46589u,
46591u, 46601u, 46619u, 46633u, 46639u, 46643u, 46649u, 46663u, 46679u,
46681u, 46687u, 46691u, 46703u, 46723u, 46727u, 46747u, 46751u, 46757u,
46769u, 46771u, 46807u, 46811u, 46817u, 46819u, 46829u, 46831u, 46853u,
46861u, 46867u, 46877u, 46889u, 46901u, 46919u, 46933u, 46957u, 46993u,
46997u, 47017u, 47041u, 47051u, 47057u, 47059u, 47087u, 47093u, 47111u,
47119u, 47123u, 47129u, 47137u, 47143u, 47147u, 47149u, 47161u, 47189u,
47207u, 47221u, 47237u, 47251u, 47269u, 47279u, 47287u, 47293u, 47297u,
47303u, 47309u, 47317u, 47339u, 47351u, 47353u, 47363u, 47381u, 47387u,
47389u, 47407u, 47417u, 47419u, 47431u, 47441u, 47459u, 47491u, 47497u,
47501u, 47507u, 47513u, 47521u, 47527u, 47533u, 47543u, 47563u, 47569u,
47581u, 47591u, 47599u, 47609u, 47623u, 47629u, 47639u, 47653u, 47657u,
47659u, 47681u, 47699u, 47701u, 47711u, 47713u, 47717u, 47737u, 47741u,
47743u, 47777u, 47779u, 47791u, 47797u, 47807u, 47809u, 47819u, 47837u,
47843u, 47857u, 47869u, 47881u, 47903u, 47911u, 47917u, 47933u, 47939u,
47947u, 47951u, 47963u, 47969u, 47977u, 47981u, 48017u, 48023u, 48029u,
48049u, 48073u, 48079u, 48091u, 48109u, 48119u, 48121u, 48131u, 48157u,
48163u, 48179u, 48187u, 48193u, 48197u, 48221u, 48239u, 48247u, 48259u,
48271u, 48281u, 48299u, 48311u, 48313u, 48337u, 48341u, 48353u, 48371u,
48383u, 48397u, 48407u, 48409u, 48413u, 48437u, 48449u, 48463u, 48473u,
48479u, 48481u, 48487u, 48491u, 48497u, 48523u, 48527u, 48533u, 48539u,
48541u, 48563u, 48571u, 48589u, 48593u, 48611u, 48619u, 48623u, 48647u,
48649u, 48661u, 48673u, 48677u, 48679u, 48731u, 48733u, 48751u, 48757u,
48761u, 48767u, 48779u, 48781u, 48787u, 48799u, 48809u, 48817u, 48821u,
48823u, 48847u, 48857u, 48859u, 48869u, 48871u, 48883u, 48889u, 48907u,
48947u, 48953u, 48973u, 48989u, 48991u, 49003u, 49009u, 49019u, 49031u,
49033u, 49037u, 49043u, 49057u, 49069u, 49081u, 49103u, 49109u, 49117u,
49121u, 49123u, 49139u, 49157u, 49169u, 49171u, 49177u, 49193u, 49199u,
49201u, 49207u, 49211u, 49223u, 49253u, 49261u, 49277u, 49279u, 49297u,
49307u, 49331u, 49333u, 49339u, 49363u, 49367u, 49369u, 49391u, 49393u,
49409u, 49411u, 49417u, 49429u, 49433u, 49451u, 49459u, 49463u, 49477u,
49481u, 49499u, 49523u, 49529u, 49531u, 49537u, 49547u, 49549u, 49559u,
49597u, 49603u, 49613u, 49627u, 49633u, 49639u, 49663u, 49667u, 49669u,
49681u, 49697u, 49711u, 49727u, 49739u, 49741u, 49747u, 49757u, 49783u,
49787u, 49789u, 49801u, 49807u, 49811u, 49823u, 49831u, 49843u, 49853u,
49871u, 49877u, 49891u, 49919u, 49921u, 49927u, 49937u, 49939u, 49943u,
49957u, 49991u, 49993u, 49999u, 50021u, 50023u, 50033u, 50047u, 50051u,
50053u, 50069u, 50077u, 50087u, 50093u, 50101u, 50111u, 50119u, 50123u,
50129u, 50131u, 50147u, 50153u, 50159u, 50177u, 50207u, 50221u, 50227u,
50231u, 50261u, 50263u, 50273u, 50287u, 50291u, 50311u, 50321u, 50329u,
50333u, 50341u, 50359u, 50363u, 50377u, 50383u, 50387u, 50411u, 50417u,
50423u, 50441u, 50459u, 50461u, 50497u, 50503u, 50513u, 50527u, 50539u,
50543u, 50549u, 50551u, 50581u, 50587u, 50591u, 50593u, 50599u, 50627u,
50647u, 50651u, 50671u, 50683u, 50707u, 50723u, 50741u, 50753u, 50767u,
50773u, 50777u, 50789u, 50821u, 50833u, 50839u, 50849u, 50857u, 50867u,
50873u, 50891u, 50893u, 50909u, 50923u, 50929u, 50951u, 50957u, 50969u,
50971u, 50989u, 50993u, 51001u, 51031u, 51043u, 51047u, 51059u, 51061u,
51071u, 51109u, 51131u, 51133u, 51137u, 51151u, 51157u, 51169u, 51193u,
51197u, 51199u, 51203u, 51217u, 51229u, 51239u, 51241u, 51257u, 51263u,
51283u, 51287u, 51307u, 51329u, 51341u, 51343u, 51347u, 51349u, 51361u,
51383u, 51407u, 51413u, 51419u, 51421u, 51427u, 51431u, 51437u, 51439u,
51449u, 51461u, 51473u, 51479u, 51481u, 51487u, 51503u, 51511u, 51517u,
51521u, 51539u, 51551u, 51563u, 51577u, 51581u, 51593u, 51599u, 51607u,
51613u, 51631u, 51637u, 51647u, 51659u, 51673u, 51679u, 51683u, 51691u,
51713u, 51719u, 51721u, 51749u, 51767u, 51769u, 51787u, 51797u, 51803u,
51817u, 51827u, 51829u, 51839u, 51853u, 51859u, 51869u, 51871u, 51893u,
51899u, 51907u, 51913u, 51929u, 51941u, 51949u, 51971u, 51973u, 51977u,
51991u, 52009u, 52021u, 52027u, 52051u, 52057u, 52067u, 52069u, 52081u,
52103u, 52121u, 52127u, 52147u, 52153u, 52163u, 52177u, 52181u, 52183u,
52189u, 52201u, 52223u, 52237u, 52249u, 52253u, 52259u, 52267u, 52289u,
52291u, 52301u, 52313u, 52321u, 52361u, 52363u, 52369u, 52379u, 52387u,
52391u, 52433u, 52453u, 52457u, 52489u, 52501u, 52511u, 52517u, 52529u,
52541u, 52543u, 52553u, 52561u, 52567u, 52571u, 52579u, 52583u, 52609u,
52627u, 52631u, 52639u, 52667u, 52673u, 52691u, 52697u, 52709u, 52711u,
52721u, 52727u, 52733u, 52747u, 52757u, 52769u, 52783u, 52807u, 52813u,
52817u, 52837u, 52859u, 52861u, 52879u, 52883u, 52889u, 52901u, 52903u,
52919u, 52937u, 52951u, 52957u, 52963u, 52967u, 52973u, 52981u, 52999u,
53003u, 53017u, 53047u, 53051u, 53069u, 53077u, 53087u, 53089u, 53093u,
53101u, 53113u, 53117u, 53129u, 53147u, 53149u, 53161u, 53171u, 53173u,
53189u, 53197u, 53201u, 53231u, 53233u, 53239u, 53267u, 53269u, 53279u,
53281u, 53299u, 53309u, 53323u, 53327u, 53353u, 53359u, 53377u, 53381u,
53401u, 53407u, 53411u, 53419u, 53437u, 53441u, 53453u, 53479u, 53503u,
53507u, 53527u, 53549u, 53551u, 53569u, 53591u, 53593u, 53597u, 53609u,
53611u, 53617u, 53623u, 53629u, 53633u, 53639u, 53653u, 53657u, 53681u,
53693u, 53699u, 53717u, 53719u, 53731u, 53759u, 53773u, 53777u, 53783u,
53791u, 53813u, 53819u, 53831u, 53849u, 53857u, 53861u, 53881u, 53887u,
53891u, 53897u, 53899u, 53917u, 53923u, 53927u, 53939u, 53951u, 53959u,
53987u, 53993u, 54001u, 54011u, 54013u, 54037u, 54049u, 54059u, 54083u,
54091u, 54101u, 54121u, 54133u, 54139u, 54151u, 54163u, 54167u, 54181u,
54193u, 54217u, 54251u, 54269u, 54277u, 54287u, 54293u, 54311u, 54319u,
54323u, 54331u, 54347u, 54361u, 54367u, 54371u, 54377u, 54401u, 54403u,
54409u, 54413u, 54419u, 54421u, 54437u, 54443u, 54449u, 54469u, 54493u,
54497u, 54499u, 54503u, 54517u, 54521u, 54539u, 54541u, 54547u, 54559u,
54563u, 54577u, 54581u, 54583u, 54601u, 54617u, 54623u, 54629u, 54631u,
54647u, 54667u, 54673u, 54679u, 54709u, 54713u, 54721u, 54727u, 54751u,
54767u, 54773u, 54779u, 54787u, 54799u, 54829u, 54833u, 54851u, 54869u,
54877u, 54881u, 54907u, 54917u, 54919u, 54941u, 54949u, 54959u, 54973u,
54979u, 54983u, 55001u, 55009u, 55021u, 55049u, 55051u, 55057u, 55061u,
55073u, 55079u, 55103u, 55109u, 55117u, 55127u, 55147u, 55163u, 55171u,
55201u, 55207u, 55213u, 55217u, 55219u, 55229u, 55243u, 55249u, 55259u,
55291u, 55313u, 55331u, 55333u, 55337u, 55339u, 55343u, 55351u, 55373u,
55381u, 55399u, 55411u, 55439u, 55441u, 55457u, 55469u, 55487u, 55501u,
55511u, 55529u, 55541u, 55547u, 55579u, 55589u, 55603u, 55609u, 55619u,
55621u, 55631u, 55633u, 55639u, 55661u, 55663u, 55667u, 55673u, 55681u,
55691u, 55697u, 55711u, 55717u, 55721u, 55733u, 55763u, 55787u, 55793u,
55799u, 55807u, 55813u, 55817u, 55819u, 55823u, 55829u, 55837u, 55843u,
55849u, 55871u, 55889u, 55897u, 55901u, 55903u, 55921u, 55927u, 55931u,
55933u, 55949u, 55967u, 55987u, 55997u, 56003u, 56009u, 56039u, 56041u,
56053u, 56081u, 56087u, 56093u, 56099u, 56101u, 56113u, 56123u, 56131u,
56149u, 56167u, 56171u, 56179u, 56197u, 56207u, 56209u, 56237u, 56239u,
56249u, 56263u, 56267u, 56269u, 56299u, 56311u, 56333u, 56359u, 56369u,
56377u, 56383u, 56393u, 56401u, 56417u, 56431u, 56437u, 56443u, 56453u,
56467u, 56473u, 56477u, 56479u, 56489u, 56501u, 56503u, 56509u, 56519u,
56527u, 56531u, 56533u, 56543u, 56569u, 56591u, 56597u, 56599u, 56611u,
56629u, 56633u, 56659u, 56663u, 56671u, 56681u, 56687u, 56701u, 56711u,
56713u, 56731u, 56737u, 56747u, 56767u, 56773u, 56779u, 56783u, 56807u,
56809u, 56813u, 56821u, 56827u, 56843u, 56857u, 56873u, 56891u, 56893u,
56897u, 56909u, 56911u, 56921u, 56923u, 56929u, 56941u, 56951u, 56957u,
56963u, 56983u, 56989u, 56993u, 56999u, 57037u, 57041u, 57047u, 57059u,
57073u, 57077u, 57089u, 57097u, 57107u, 57119u, 57131u, 57139u, 57143u,
57149u, 57163u, 57173u, 57179u, 57191u, 57193u, 57203u, 57221u, 57223u,
57241u, 57251u, 57259u, 57269u, 57271u, 57283u, 57287u, 57301u, 57329u,
57331u, 57347u, 57349u, 57367u, 57373u, 57383u, 57389u, 57397u, 57413u,
57427u, 57457u, 57467u, 57487u, 57493u, 57503u, 57527u, 57529u, 57557u,
57559u, 57571u, 57587u, 57593u, 57601u, 57637u, 57641u, 57649u, 57653u,
57667u, 57679u, 57689u, 57697u, 57709u, 57713u, 57719u, 57727u, 57731u,
57737u, 57751u, 57773u, 57781u, 57787u, 57791u, 57793u, 57803u, 57809u,
57829u, 57839u, 57847u, 57853u, 57859u, 57881u, 57899u, 57901u, 57917u,
57923u, 57943u, 57947u, 57973u, 57977u, 57991u, 58013u, 58027u, 58031u,
58043u, 58049u, 58057u, 58061u, 58067u, 58073u, 58099u, 58109u, 58111u,
58129u, 58147u, 58151u, 58153u, 58169u, 58171u, 58189u, 58193u, 58199u,
58207u, 58211u, 58217u, 58229u, 58231u, 58237u, 58243u, 58271u, 58309u,
58313u, 58321u, 58337u, 58363u, 58367u, 58369u, 58379u, 58391u, 58393u,
58403u, 58411u, 58417u, 58427u, 58439u, 58441u, 58451u, 58453u, 58477u,
58481u, 58511u, 58537u, 58543u, 58549u, 58567u, 58573u, 58579u, 58601u,
58603u, 58613u, 58631u, 58657u, 58661u, 58679u, 58687u, 58693u, 58699u,
58711u, 58727u, 58733u, 58741u, 58757u, 58763u, 58771u, 58787u, 58789u,
58831u, 58889u, 58897u, 58901u, 58907u, 58909u, 58913u, 58921u, 58937u,
58943u, 58963u, 58967u, 58979u, 58991u, 58997u, 59009u, 59011u, 59021u,
59023u, 59029u, 59051u, 59053u, 59063u, 59069u, 59077u, 59083u, 59093u,
59107u, 59113u, 59119u, 59123u, 59141u, 59149u, 59159u, 59167u, 59183u,
59197u, 59207u, 59209u, 59219u, 59221u, 59233u, 59239u, 59243u, 59263u,
59273u, 59281u, 59333u, 59341u, 59351u, 59357u, 59359u, 59369u, 59377u,
59387u, 59393u, 59399u, 59407u, 59417u, 59419u, 59441u, 59443u, 59447u,
59453u, 59467u, 59471u, 59473u, 59497u, 59509u, 59513u, 59539u, 59557u,
59561u, 59567u, 59581u, 59611u, 59617u, 59621u, 59627u, 59629u, 59651u,
59659u, 59663u, 59669u, 59671u, 59693u, 59699u, 59707u, 59723u, 59729u,
59743u, 59747u, 59753u, 59771u, 59779u, 59791u, 59797u, 59809u, 59833u,
59863u, 59879u, 59887u, 59921u, 59929u, 59951u, 59957u, 59971u, 59981u,
59999u, 60013u, 60017u, 60029u, 60037u, 60041u, 60077u, 60083u, 60089u,
60091u, 60101u, 60103u, 60107u, 60127u, 60133u, 60139u, 60149u, 60161u,
60167u, 60169u, 60209u, 60217u, 60223u, 60251u, 60257u, 60259u, 60271u,
60289u, 60293u, 60317u, 60331u, 60337u, 60343u, 60353u, 60373u, 60383u,
60397u, 60413u, 60427u, 60443u, 60449u, 60457u, 60493u, 60497u, 60509u,
60521u, 60527u, 60539u, 60589u, 60601u, 60607u, 60611u, 60617u, 60623u,
60631u, 60637u, 60647u, 60649u, 60659u, 60661u, 60679u, 60689u, 60703u,
60719u, 60727u, 60733u, 60737u, 60757u, 60761u, 60763u, 60773u, 60779u,
60793u, 60811u, 60821u, 60859u, 60869u, 60887u, 60889u, 60899u, 60901u,
60913u, 60917u, 60919u, 60923u, 60937u, 60943u, 60953u, 60961u, 61001u,
61007u, 61027u, 61031u, 61043u, 61051u, 61057u, 61091u, 61099u, 61121u,
61129u, 61141u, 61151u, 61153u, 61169u, 61211u, 61223u, 61231u, 61253u,
61261u, 61283u, 61291u, 61297u, 61331u, 61333u, 61339u, 61343u, 61357u,
61363u, 61379u, 61381u, 61403u, 61409u, 61417u, 61441u, 61463u, 61469u,
61471u, 61483u, 61487u, 61493u, 61507u, 61511u, 61519u, 61543u, 61547u,
61553u, 61559u, 61561u, 61583u, 61603u, 61609u, 61613u, 61627u, 61631u,
61637u, 61643u, 61651u, 61657u, 61667u, 61673u, 61681u, 61687u, 61703u,
61717u, 61723u, 61729u, 61751u, 61757u, 61781u, 61813u, 61819u, 61837u,
61843u, 61861u, 61871u, 61879u, 61909u, 61927u, 61933u, 61949u, 61961u,
61967u, 61979u, 61981u, 61987u, 61991u, 62003u, 62011u, 62017u, 62039u,
62047u, 62053u, 62057u, 62071u, 62081u, 62099u, 62119u, 62129u, 62131u,
62137u, 62141u, 62143u, 62171u, 62189u, 62191u, 62201u, 62207u, 62213u,
62219u, 62233u, 62273u, 62297u, 62299u, 62303u, 62311u, 62323u, 62327u,
62347u, 62351u, 62383u, 62401u, 62417u, 62423u, 62459u, 62467u, 62473u,
62477u, 62483u, 62497u, 62501u, 62507u, 62533u, 62539u, 62549u, 62563u,
62581u, 62591u, 62597u, 62603u, 62617u, 62627u, 62633u, 62639u, 62653u,
62659u, 62683u, 62687u, 62701u, 62723u, 62731u, 62743u, 62753u, 62761u,
62773u, 62791u, 62801u, 62819u, 62827u, 62851u, 62861u, 62869u, 62873u,
62897u, 62903u, 62921u, 62927u, 62929u, 62939u, 62969u, 62971u, 62981u,
62983u, 62987u, 62989u, 63029u, 63031u, 63059u, 63067u, 63073u, 63079u,
63097u, 63103u, 63113u, 63127u, 63131u, 63149u, 63179u, 63197u, 63199u,
63211u, 63241u, 63247u, 63277u, 63281u, 63299u, 63311u, 63313u, 63317u,
63331u, 63337u, 63347u, 63353u, 63361u, 63367u, 63377u, 63389u, 63391u,
63397u, 63409u, 63419u, 63421u, 63439u, 63443u, 63463u, 63467u, 63473u,
63487u, 63493u, 63499u, 63521u, 63527u, 63533u, 63541u, 63559u, 63577u,
63587u, 63589u, 63599u, 63601u, 63607u, 63611u, 63617u, 63629u, 63647u,
63649u, 63659u, 63667u, 63671u, 63689u, 63691u, 63697u, 63703u, 63709u,
63719u, 63727u, 63737u, 63743u, 63761u, 63773u, 63781u, 63793u, 63799u,
63803u, 63809u, 63823u, 63839u, 63841u, 63853u, 63857u, 63863u, 63901u,
63907u, 63913u, 63929u, 63949u, 63977u, 63997u, 64007u, 64013u, 64019u,
64033u, 64037u, 64063u, 64067u, 64081u, 64091u, 64109u, 64123u, 64151u,
64153u, 64157u, 64171u, 64187u, 64189u, 64217u, 64223u, 64231u, 64237u,
64271u, 64279u, 64283u, 64301u, 64303u, 64319u, 64327u, 64333u, 64373u,
64381u, 64399u, 64403u, 64433u, 64439u, 64451u, 64453u, 64483u, 64489u,
64499u, 64513u, 64553u, 64567u, 64577u, 64579u, 64591u, 64601u, 64609u,
64613u, 64621u, 64627u, 64633u, 64661u, 64663u, 64667u, 64679u, 64693u,
64709u, 64717u, 64747u, 64763u, 64781u, 64783u, 64793u, 64811u, 64817u,
64849u, 64853u, 64871u, 64877u, 64879u, 64891u, 64901u, 64919u, 64921u,
64927u, 64937u, 64951u, 64969u, 64997u, 65003u, 65011u, 65027u, 65029u,
65033u, 65053u, 65063u, 65071u, 65089u, 65099u, 65101u, 65111u, 65119u,
65123u, 65129u, 65141u, 65147u, 65167u, 65171u, 65173u, 65179u, 65183u,
65203u, 65213u, 65239u, 65257u, 65267u, 65269u, 65287u, 65293u, 65309u,
65323u, 65327u, 65353u, 65357u, 65371u, 65381u, 65393u, 65407u, 65413u,
65419u, 65423u, 65437u, 65447u, 65449u, 65479u, 65497u, 65519u, 65521u
}};
#ifdef BOOST_MATH_HAVE_CONSTEXPR_TABLES
constexpr std::array<boost::uint16_t, 3458> a3 = {{
#else
static const boost::array<boost::uint16_t, 3458> a3 = {{
#endif
2u, 4u, 8u, 16u, 22u, 28u, 44u,
46u, 52u, 64u, 74u, 82u, 94u, 98u, 112u,
116u, 122u, 142u, 152u, 164u, 166u, 172u, 178u,
182u, 184u, 194u, 196u, 226u, 242u, 254u, 274u,
292u, 296u, 302u, 304u, 308u, 316u, 332u, 346u,
364u, 386u, 392u, 394u, 416u, 422u, 428u, 446u,
448u, 458u, 494u, 502u, 506u, 512u, 532u, 536u,
548u, 554u, 568u, 572u, 574u, 602u, 626u, 634u,
638u, 644u, 656u, 686u, 704u, 736u, 758u, 766u,
802u, 808u, 812u, 824u, 826u, 838u, 842u, 848u,
868u, 878u, 896u, 914u, 922u, 928u, 932u, 956u,
964u, 974u, 988u, 994u, 998u, 1006u, 1018u, 1034u,
1036u, 1052u, 1058u, 1066u, 1082u, 1094u, 1108u, 1118u,
1148u, 1162u, 1166u, 1178u, 1186u, 1198u, 1204u, 1214u,
1216u, 1228u, 1256u, 1262u, 1274u, 1286u, 1306u, 1316u,
1318u, 1328u, 1342u, 1348u, 1354u, 1384u, 1388u, 1396u,
1408u, 1412u, 1414u, 1424u, 1438u, 1442u, 1468u, 1486u,
1498u, 1508u, 1514u, 1522u, 1526u, 1538u, 1544u, 1568u,
1586u, 1594u, 1604u, 1606u, 1618u, 1622u, 1634u, 1646u,
1652u, 1654u, 1676u, 1678u, 1682u, 1684u, 1696u, 1712u,
1726u, 1736u, 1738u, 1754u, 1772u, 1804u, 1808u, 1814u,
1834u, 1856u, 1864u, 1874u, 1876u, 1886u, 1892u, 1894u,
1898u, 1912u, 1918u, 1942u, 1946u, 1954u, 1958u, 1964u,
1976u, 1988u, 1996u, 2002u, 2012u, 2024u, 2032u, 2042u,
2044u, 2054u, 2066u, 2072u, 2084u, 2096u, 2116u, 2144u,
2164u, 2174u, 2188u, 2198u, 2206u, 2216u, 2222u, 2224u,
2228u, 2242u, 2248u, 2254u, 2266u, 2272u, 2284u, 2294u,
2308u, 2318u, 2332u, 2348u, 2356u, 2366u, 2392u, 2396u,
2398u, 2404u, 2408u, 2422u, 2426u, 2432u, 2444u, 2452u,
2458u, 2488u, 2506u, 2518u, 2524u, 2536u, 2552u, 2564u,
2576u, 2578u, 2606u, 2612u, 2626u, 2636u, 2672u, 2674u,
2678u, 2684u, 2692u, 2704u, 2726u, 2744u, 2746u, 2776u,
2794u, 2816u, 2836u, 2854u, 2864u, 2902u, 2908u, 2912u,
2914u, 2938u, 2942u, 2948u, 2954u, 2956u, 2966u, 2972u,
2986u, 2996u, 3004u, 3008u, 3032u, 3046u, 3062u, 3076u,
3098u, 3104u, 3124u, 3134u, 3148u, 3152u, 3164u, 3176u,
3178u, 3194u, 3202u, 3208u, 3214u, 3232u, 3236u, 3242u,
3256u, 3278u, 3284u, 3286u, 3328u, 3344u, 3346u, 3356u,
3362u, 3364u, 3368u, 3374u, 3382u, 3392u, 3412u, 3428u,
3458u, 3466u, 3476u, 3484u, 3494u, 3496u, 3526u, 3532u,
3538u, 3574u, 3584u, 3592u, 3608u, 3614u, 3616u, 3628u,
3656u, 3658u, 3662u, 3668u, 3686u, 3698u, 3704u, 3712u,
3722u, 3724u, 3728u, 3778u, 3782u, 3802u, 3806u, 3836u,
3844u, 3848u, 3854u, 3866u, 3868u, 3892u, 3896u, 3904u,
3922u, 3928u, 3932u, 3938u, 3946u, 3956u, 3958u, 3962u,
3964u, 4004u, 4022u, 4058u, 4088u, 4118u, 4126u, 4142u,
4156u, 4162u, 4174u, 4202u, 4204u, 4226u, 4228u, 4232u,
4244u, 4274u, 4286u, 4292u, 4294u, 4298u, 4312u, 4322u,
4324u, 4342u, 4364u, 4376u, 4394u, 4396u, 4406u, 4424u,
4456u, 4462u, 4466u, 4468u, 4474u, 4484u, 4504u, 4516u,
4526u, 4532u, 4544u, 4564u, 4576u, 4582u, 4586u, 4588u,
4604u, 4606u, 4622u, 4628u, 4642u, 4646u, 4648u, 4664u,
4666u, 4672u, 4688u, 4694u, 4702u, 4706u, 4714u, 4736u,
4754u, 4762u, 4774u, 4778u, 4786u, 4792u, 4816u, 4838u,
4844u, 4846u, 4858u, 4888u, 4894u, 4904u, 4916u, 4922u,
4924u, 4946u, 4952u, 4954u, 4966u, 4972u, 4994u, 5002u,
5014u, 5036u, 5038u, 5048u, 5054u, 5072u, 5084u, 5086u,
5092u, 5104u, 5122u, 5128u, 5132u, 5152u, 5174u, 5182u,
5194u, 5218u, 5234u, 5248u, 5258u, 5288u, 5306u, 5308u,
5314u, 5318u, 5332u, 5342u, 5344u, 5356u, 5366u, 5378u,
5384u, 5386u, 5402u, 5414u, 5416u, 5422u, 5434u, 5444u,
5446u, 5456u, 5462u, 5464u, 5476u, 5488u, 5504u, 5524u,
5534u, 5546u, 5554u, 5584u, 5594u, 5608u, 5612u, 5618u,
5626u, 5632u, 5636u, 5656u, 5674u, 5698u, 5702u, 5714u,
5722u, 5726u, 5728u, 5752u, 5758u, 5782u, 5792u, 5794u,
5798u, 5804u, 5806u, 5812u, 5818u, 5824u, 5828u, 5852u,
5854u, 5864u, 5876u, 5878u, 5884u, 5894u, 5902u, 5908u,
5918u, 5936u, 5938u, 5944u, 5948u, 5968u, 5992u, 6002u,
6014u, 6016u, 6028u, 6034u, 6058u, 6062u, 6098u, 6112u,
6128u, 6136u, 6158u, 6164u, 6172u, 6176u, 6178u, 6184u,
6206u, 6226u, 6242u, 6254u, 6272u, 6274u, 6286u, 6302u,
6308u, 6314u, 6326u, 6332u, 6344u, 6346u, 6352u, 6364u,
6374u, 6382u, 6398u, 6406u, 6412u, 6428u, 6436u, 6448u,
6452u, 6458u, 6464u, 6484u, 6496u, 6508u, 6512u, 6518u,
6538u, 6542u, 6554u, 6556u, 6566u, 6568u, 6574u, 6604u,
6626u, 6632u, 6634u, 6638u, 6676u, 6686u, 6688u, 6692u,
6694u, 6716u, 6718u, 6734u, 6736u, 6742u, 6752u, 6772u,
6778u, 6802u, 6806u, 6818u, 6832u, 6844u, 6848u, 6886u,
6896u, 6926u, 6932u, 6934u, 6946u, 6958u, 6962u, 6968u,
6998u, 7012u, 7016u, 7024u, 7042u, 7078u, 7082u, 7088u,
7108u, 7112u, 7114u, 7126u, 7136u, 7138u, 7144u, 7154u,
7166u, 7172u, 7184u, 7192u, 7198u, 7204u, 7228u, 7232u,
7262u, 7282u, 7288u, 7324u, 7334u, 7336u, 7348u, 7354u,
7358u, 7366u, 7372u, 7376u, 7388u, 7396u, 7402u, 7414u,
7418u, 7424u, 7438u, 7442u, 7462u, 7474u, 7478u, 7484u,
7502u, 7504u, 7508u, 7526u, 7528u, 7544u, 7556u, 7586u,
7592u, 7598u, 7606u, 7646u, 7654u, 7702u, 7708u, 7724u,
7742u, 7756u, 7768u, 7774u, 7792u, 7796u, 7816u, 7826u,
7828u, 7834u, 7844u, 7852u, 7882u, 7886u, 7898u, 7918u,
7924u, 7936u, 7942u, 7948u, 7982u, 7988u, 7994u, 8012u,
8018u, 8026u, 8036u, 8048u, 8054u, 8062u, 8072u, 8074u,
8078u, 8102u, 8108u, 8116u, 8138u, 8144u, 8146u, 8158u,
8164u, 8174u, 8186u, 8192u, 8216u, 8222u, 8236u, 8248u,
8284u, 8288u, 8312u, 8314u, 8324u, 8332u, 8342u, 8348u,
8362u, 8372u, 8404u, 8408u, 8416u, 8426u, 8438u, 8464u,
8482u, 8486u, 8492u, 8512u, 8516u, 8536u, 8542u, 8558u,
8564u, 8566u, 8596u, 8608u, 8614u, 8624u, 8626u, 8632u,
8642u, 8654u, 8662u, 8666u, 8668u, 8674u, 8684u, 8696u,
8722u, 8744u, 8752u, 8758u, 8762u, 8776u, 8782u, 8788u,
8818u, 8822u, 8828u, 8842u, 8846u, 8848u, 8876u, 8878u,
8884u, 8906u, 8914u, 8918u, 8936u, 8954u, 8972u, 8974u,
8986u, 8992u, 8996u, 9016u, 9026u, 9032u, 9038u, 9052u,
9062u, 9074u, 9076u, 9088u, 9118u, 9152u, 9164u, 9172u,
9178u, 9182u, 9184u, 9194u, 9196u, 9212u, 9224u, 9226u,
9236u, 9244u, 9262u, 9286u, 9292u, 9296u, 9308u, 9322u,
9326u, 9334u, 9338u, 9352u, 9356u, 9362u, 9368u, 9388u,
9394u, 9398u, 9406u, 9424u, 9476u, 9478u, 9482u, 9494u,
9502u, 9506u, 9544u, 9548u, 9574u, 9598u, 9614u, 9626u,
9632u, 9634u, 9646u, 9658u, 9674u, 9676u, 9682u, 9688u,
9692u, 9704u, 9718u, 9734u, 9742u, 9754u, 9772u, 9788u,
9794u, 9802u, 9812u, 9818u, 9832u, 9842u, 9854u, 9856u,
9866u, 9868u, 9872u, 9896u, 9902u, 9944u, 9968u, 9976u,
9986u, 9992u, 9998u, 10004u, 10006u, 10018u, 10022u, 10036u,
10042u, 10048u, 10076u, 10082u, 10084u, 10094u, 10106u, 10118u,
10124u, 10144u, 10148u, 10154u, 10168u, 10172u, 10174u, 10186u,
10196u, 10208u, 10232u, 10238u, 10246u, 10252u, 10258u, 10262u,
10286u, 10298u, 10318u, 10334u, 10348u, 10378u, 10396u, 10402u,
10406u, 10432u, 10444u, 10448u, 10454u, 10456u, 10462u, 10466u,
10468u, 10496u, 10504u, 10544u, 10546u, 10556u, 10564u, 10568u,
10588u, 10594u, 10612u, 10622u, 10624u, 10628u, 10672u, 10678u,
10696u, 10708u, 10714u, 10718u, 10724u, 10726u, 10748u, 10754u,
10768u, 10798u, 10808u, 10832u, 10834u, 10844u, 10852u, 10868u,
10886u, 10888u, 10906u, 10928u, 10936u, 10946u, 10952u, 10958u,
10972u, 10976u, 10984u, 11002u, 11006u, 11008u, 11026u, 11044u,
11062u, 11068u, 11072u, 11096u, 11114u, 11116u, 11132u, 11138u,
11144u, 11162u, 11182u, 11198u, 11218u, 11222u, 11236u, 11242u,
11246u, 11266u, 11284u, 11294u, 11296u, 11302u, 11312u, 11336u,
11338u, 11348u, 11372u, 11378u, 11384u, 11408u, 11414u, 11426u,
11428u, 11456u, 11468u, 11482u, 11488u, 11494u, 11506u, 11512u,
11534u, 11546u, 11558u, 11566u, 11602u, 11606u, 11618u, 11632u,
11636u, 11656u, 11666u, 11678u, 11702u, 11704u, 11708u, 11714u,
11726u, 11728u, 11732u, 11734u, 11744u, 11756u, 11782u, 11788u,
11804u, 11812u, 11816u, 11824u, 11834u, 11842u, 11848u, 11882u,
11884u, 11896u, 11912u, 11936u, 11942u, 11944u, 11954u, 11956u,
11974u, 11978u, 11986u, 11992u, 12008u, 12014u, 12016u, 12022u,
12028u, 12034u, 12038u, 12052u, 12056u, 12076u, 12082u, 12086u,
12106u, 12112u, 12124u, 12146u, 12152u, 12154u, 12164u, 12176u,
12178u, 12184u, 12188u, 12196u, 12208u, 12212u, 12226u, 12238u,
12248u, 12262u, 12266u, 12278u, 12304u, 12314u, 12328u, 12332u,
12358u, 12364u, 12394u, 12398u, 12416u, 12434u, 12442u, 12448u,
12464u, 12472u, 12482u, 12496u, 12506u, 12514u, 12524u, 12544u,
12566u, 12586u, 12602u, 12604u, 12622u, 12628u, 12632u, 12638u,
12644u, 12656u, 12658u, 12668u, 12694u, 12698u, 12706u, 12724u,
12742u, 12748u, 12766u, 12772u, 12776u, 12782u, 12806u, 12812u,
12832u, 12866u, 12892u, 12902u, 12904u, 12932u, 12944u, 12952u,
12962u, 12974u, 12976u, 12982u, 13004u, 13006u, 13018u, 13034u,
13036u, 13042u, 13048u, 13058u, 13072u, 13088u, 13108u, 13114u,
13118u, 13156u, 13162u, 13172u, 13178u, 13186u, 13202u, 13244u,
13246u, 13252u, 13256u, 13262u, 13268u, 13274u, 13288u, 13304u,
13318u, 13322u, 13342u, 13352u, 13354u, 13358u, 13366u, 13384u,
13394u, 13406u, 13442u, 13444u, 13454u, 13496u, 13504u, 13508u,
13528u, 13552u, 13568u, 13576u, 13598u, 13604u, 13612u, 13616u,
13618u, 13624u, 13646u, 13652u, 13658u, 13666u, 13694u, 13696u,
13706u, 13724u, 13738u, 13744u, 13748u, 13766u, 13774u, 13784u,
13798u, 13802u, 13814u, 13822u, 13832u, 13844u, 13858u, 13862u,
13864u, 13876u, 13888u, 13892u, 13898u, 13916u, 13946u, 13958u,
13996u, 14002u, 14014u, 14024u, 14026u, 14044u, 14054u, 14066u,
14074u, 14078u, 14086u, 14092u, 14096u, 14098u, 14122u, 14134u,
14152u, 14156u, 14158u, 14162u, 14164u, 14222u, 14234u, 14242u,
14266u, 14276u, 14278u, 14282u, 14288u, 14294u, 14306u, 14308u,
14312u, 14326u, 14332u, 14338u, 14354u, 14366u, 14368u, 14372u,
14404u, 14408u, 14432u, 14438u, 14444u, 14452u, 14462u, 14464u,
14486u, 14504u, 14516u, 14536u, 14542u, 14572u, 14576u, 14606u,
14612u, 14614u, 14618u, 14632u, 14638u, 14642u, 14656u, 14672u,
14674u, 14686u, 14696u, 14698u, 14704u, 14716u, 14728u, 14738u,
14744u, 14752u, 14774u, 14782u, 14794u, 14806u, 14812u, 14828u,
14834u, 14852u, 14872u, 14894u, 14912u, 14914u, 14936u, 14938u,
14954u, 14956u, 14978u, 14992u, 15002u, 15022u, 15032u, 15064u,
15068u, 15076u, 15086u, 15092u, 15094u, 15116u, 15122u, 15134u,
15136u, 15142u, 15146u, 15148u, 15152u, 15166u, 15178u, 15202u,
15212u, 15214u, 15226u, 15242u, 15244u, 15248u, 15254u, 15268u,
15274u, 15284u, 15296u, 15298u, 15314u, 15328u, 15362u, 15374u,
15376u, 15382u, 15388u, 15394u, 15398u, 15418u, 15428u, 15454u,
15466u, 15478u, 15482u, 15484u, 15488u, 15496u, 15506u, 15508u,
15512u, 15514u, 15536u, 15542u, 15548u, 15562u, 15566u, 15584u,
15596u, 15622u, 15628u, 15638u, 15646u, 15662u, 15664u, 15668u,
15688u, 15698u, 15704u, 15746u, 15748u, 15758u, 15764u, 15772u,
15796u, 15808u, 15814u, 15818u, 15824u, 15836u, 15838u, 15866u,
15874u, 15886u, 15904u, 15922u, 15928u, 15974u, 15982u, 15992u,
15998u, 16012u, 16016u, 16018u, 16024u, 16028u, 16034u, 16076u,
16084u, 16094u, 16102u, 16112u, 16114u, 16132u, 16136u, 16142u,
16154u, 16166u, 16168u, 16172u, 16192u, 16202u, 16214u, 16226u,
16234u, 16238u, 16264u, 16282u, 16304u, 16312u, 16318u, 16334u,
16348u, 16364u, 16366u, 16384u, 16394u, 16396u, 16402u, 16408u,
16418u, 16432u, 16436u, 16438u, 16468u, 16472u, 16474u, 16478u,
16486u, 16496u, 16502u, 16504u, 16516u, 16532u, 16538u, 16594u,
16604u, 16606u, 16618u, 16628u, 16636u, 16648u, 16654u, 16658u,
16672u, 16682u, 16684u, 16688u, 16696u, 16702u, 16706u, 16726u,
16732u, 16744u, 16766u, 16772u, 16804u, 16814u, 16816u, 16826u,
16838u, 16852u, 16858u, 16886u, 16922u, 16928u, 16934u, 16936u,
16948u, 16952u, 16958u, 16964u, 16972u, 16994u, 16996u, 17014u,
17024u, 17026u, 17032u, 17036u, 17056u, 17066u, 17074u, 17078u,
17084u, 17098u, 17116u, 17122u, 17164u, 17186u, 17188u, 17192u,
17194u, 17222u, 17224u, 17228u, 17246u, 17252u, 17258u, 17264u,
17276u, 17278u, 17302u, 17312u, 17348u, 17354u, 17356u, 17368u,
17378u, 17404u, 17428u, 17446u, 17462u, 17468u, 17474u, 17488u,
17512u, 17524u, 17528u, 17536u, 17542u, 17554u, 17558u, 17566u,
17582u, 17602u, 17642u, 17668u, 17672u, 17684u, 17686u, 17692u,
17696u, 17698u, 17708u, 17722u, 17732u, 17734u, 17738u, 17764u,
17776u, 17804u, 17806u, 17822u, 17848u, 17854u, 17864u, 17866u,
17872u, 17882u, 17888u, 17896u, 17902u, 17908u, 17914u, 17924u,
17936u, 17942u, 17962u, 18002u, 18022u, 18026u, 18028u, 18044u,
18056u, 18062u, 18074u, 18082u, 18086u, 18104u, 18106u, 18118u,
18128u, 18154u, 18166u, 18182u, 18184u, 18202u, 18226u, 18238u,
18242u, 18256u, 18278u, 18298u, 18308u, 18322u, 18334u, 18338u,
18356u, 18368u, 18376u, 18386u, 18398u, 18404u, 18434u, 18448u,
18452u, 18476u, 18482u, 18512u, 18518u, 18524u, 18526u, 18532u,
18554u, 18586u, 18592u, 18596u, 18602u, 18608u, 18628u, 18644u,
18646u, 18656u, 18664u, 18676u, 18686u, 18688u, 18694u, 18704u,
18712u, 18728u, 18764u, 18772u, 18778u, 18782u, 18784u, 18812u,
18814u, 18842u, 18854u, 18856u, 18866u, 18872u, 18886u, 18896u,
18902u, 18908u, 18914u, 18922u, 18928u, 18932u, 18946u, 18964u,
18968u, 18974u, 18986u, 18988u, 18998u, 19016u, 19024u, 19054u,
19094u, 19096u, 19114u, 19118u, 19124u, 19138u, 19156u, 19162u,
19166u, 19178u, 19184u, 19196u, 19202u, 19216u, 19226u, 19252u,
19258u, 19274u, 19276u, 19292u, 19322u, 19324u, 19334u, 19336u,
19378u, 19384u, 19412u, 19426u, 19432u, 19442u, 19444u, 19456u,
19474u, 19486u, 19492u, 19502u, 19514u, 19526u, 19546u, 19552u,
19556u, 19558u, 19568u, 19574u, 19586u, 19598u, 19612u, 19624u,
19658u, 19664u, 19666u, 19678u, 19688u, 19694u, 19702u, 19708u,
19712u, 19724u, 19762u, 19768u, 19778u, 19796u, 19798u, 19826u,
19828u, 19834u, 19846u, 19876u, 19892u, 19894u, 19904u, 19912u,
19916u, 19918u, 19934u, 19952u, 19978u, 19982u, 19988u, 19996u,
20014u, 20036u, 20042u, 20062u, 20066u, 20072u, 20084u, 20086u,
20092u, 20104u, 20108u, 20126u, 20132u, 20134u, 20156u, 20168u,
20176u, 20182u, 20198u, 20216u, 20246u, 20258u, 20282u, 20284u,
20294u, 20296u, 20302u, 20308u, 20312u, 20318u, 20354u, 20368u,
20374u, 20396u, 20398u, 20456u, 20464u, 20476u, 20482u, 20492u,
20494u, 20534u, 20542u, 20548u, 20576u, 20578u, 20582u, 20596u,
20602u, 20608u, 20626u, 20636u, 20644u, 20648u, 20662u, 20666u,
20674u, 20704u, 20708u, 20714u, 20722u, 20728u, 20734u, 20752u,
20756u, 20758u, 20762u, 20776u, 20788u, 20806u, 20816u, 20818u,
20822u, 20834u, 20836u, 20846u, 20854u, 20864u, 20878u, 20888u,
20906u, 20918u, 20926u, 20932u, 20942u, 20956u, 20966u, 20974u,
20996u, 20998u, 21004u, 21026u, 21038u, 21044u, 21052u, 21064u,
21092u, 21094u, 21142u, 21154u, 21158u, 21176u, 21184u, 21194u,
21208u, 21218u, 21232u, 21236u, 21248u, 21278u, 21302u, 21308u,
21316u, 21322u, 21326u, 21334u, 21388u, 21392u, 21394u, 21404u,
21416u, 21424u, 21434u, 21446u, 21458u, 21476u, 21478u, 21502u,
21506u, 21514u, 21536u, 21548u, 21568u, 21572u, 21584u, 21586u,
21598u, 21614u, 21616u, 21644u, 21646u, 21652u, 21676u, 21686u,
21688u, 21716u, 21718u, 21722u, 21742u, 21746u, 21758u, 21764u,
21778u, 21782u, 21788u, 21802u, 21824u, 21848u, 21868u, 21872u,
21886u, 21892u, 21898u, 21908u, 21938u, 21946u, 21956u, 21974u,
21976u, 21982u, 21988u, 22004u, 22006u, 22012u, 22018u, 22022u,
22024u, 22048u, 22052u, 22054u, 22078u, 22088u, 22094u, 22096u,
22106u, 22108u, 22114u, 22136u, 22144u, 22148u, 22156u, 22162u,
22166u, 22184u, 22186u, 22204u, 22208u, 22216u, 22232u, 22258u,
22262u, 22268u, 22276u, 22298u, 22318u, 22334u, 22342u, 22346u,
22352u, 22376u, 22382u, 22396u, 22408u, 22424u, 22426u, 22438u,
22442u, 22456u, 22466u, 22468u, 22472u, 22484u, 22502u, 22534u,
22544u, 22558u, 22582u, 22594u, 22634u, 22642u, 22676u, 22688u,
22702u, 22706u, 22724u, 22726u, 22754u, 22766u, 22786u, 22792u,
22802u, 22804u, 22844u, 22862u, 22876u, 22888u, 22892u, 22928u,
22934u, 22936u, 22958u, 22964u, 22978u, 22988u, 23012u, 23054u,
23056u, 23072u, 23074u, 23108u, 23116u, 23122u, 23126u, 23128u,
23132u, 23146u, 23186u, 23194u, 23206u, 23212u, 23236u, 23254u,
23258u, 23264u, 23266u, 23272u, 23276u, 23278u, 23282u, 23284u,
23308u, 23318u, 23326u, 23332u, 23338u, 23348u, 23362u, 23368u,
23384u, 23402u, 23416u, 23434u, 23458u, 23462u, 23468u, 23474u,
23482u, 23486u, 23506u, 23516u, 23522u, 23534u, 23536u, 23548u,
23552u, 23566u, 23572u, 23578u, 23584u, 23588u, 23602u, 23618u,
23654u, 23668u, 23674u, 23678u, 23692u, 23696u, 23702u, 23726u,
23734u, 23738u, 23758u, 23768u, 23782u, 23794u, 23828u, 23836u,
23846u, 23852u, 23858u, 23864u, 23878u, 23882u, 23896u, 23908u,
23914u, 23924u, 23942u, 23956u, 23966u, 23978u, 23984u, 23986u,
23992u, 23998u, 24026u, 24028u, 24032u, 24056u, 24062u, 24064u,
24068u, 24076u, 24092u, 24098u, 24118u, 24122u, 24124u, 24134u,
24136u, 24146u, 24154u, 24218u, 24224u, 24232u, 24244u, 24248u,
24262u, 24274u, 24284u, 24286u, 24298u, 24304u, 24314u, 24332u,
24356u, 24362u, 24364u, 24374u, 24382u, 24388u, 24404u, 24424u,
24428u, 24442u, 24448u, 24454u, 24466u, 24472u, 24476u, 24482u,
24484u, 24488u, 24496u, 24518u, 24524u, 24532u, 24536u, 24538u,
24554u, 24572u, 24586u, 24592u, 24614u, 24628u, 24638u, 24652u,
24656u, 24662u, 24664u, 24668u, 24682u, 24692u, 24704u, 24712u,
24728u, 24736u, 24746u, 24754u, 24778u, 24818u, 24824u, 24836u,
24838u, 24844u, 24862u, 24866u, 24868u, 24872u, 24902u, 24904u,
24934u, 24938u, 24946u, 24964u, 24976u, 24988u, 24992u, 24994u,
24998u, 25012u, 25048u, 25064u, 25082u, 25084u, 25096u, 25106u,
25112u, 25124u, 25142u, 25144u, 25162u, 25168u, 25174u, 25196u,
25214u, 25252u, 25258u, 25268u, 25286u, 25288u, 25298u, 25306u,
25312u, 25328u, 25352u, 25366u, 25372u, 25376u, 25382u, 25396u,
25412u, 25436u, 25442u, 25454u, 25462u, 25474u, 25484u, 25498u,
25544u, 25546u, 25562u, 25564u, 25586u, 25592u, 25594u, 25604u,
25606u, 25616u, 25618u, 25624u, 25628u, 25648u, 25658u, 25664u,
25694u, 25702u, 25708u, 25714u, 25718u, 25748u, 25756u, 25762u,
25768u, 25774u, 25796u, 25832u, 25834u, 25838u, 25846u, 25852u,
25858u, 25862u, 25876u, 25888u, 25898u, 25918u, 25922u, 25924u,
25928u, 25958u, 25964u, 25978u, 25994u, 26006u, 26036u, 26038u,
26042u, 26048u, 26056u, 26086u, 26096u, 26104u, 26138u, 26156u,
26168u, 26176u, 26198u, 26218u, 26222u, 26236u, 26246u, 26266u,
26272u, 26276u, 26278u, 26288u, 26302u, 26306u, 26332u, 26338u,
26374u, 26386u, 26404u, 26408u, 26416u, 26422u, 26426u, 26432u,
26434u, 26462u, 26468u, 26474u, 26498u, 26506u, 26516u, 26542u,
26548u, 26572u, 26576u, 26584u, 26608u, 26618u, 26638u, 26642u,
26644u, 26654u, 26668u, 26684u, 26686u, 26692u, 26698u, 26702u,
26708u, 26716u, 26734u, 26762u, 26776u, 26782u, 26798u, 26812u,
26818u, 26822u, 26828u, 26834u, 26842u, 26846u, 26848u, 26852u,
26864u, 26866u, 26878u, 26884u, 26896u, 26924u, 26926u, 26932u,
26944u, 26954u, 26968u, 26972u, 27016u, 27022u, 27032u, 27034u,
27046u, 27058u, 27088u, 27092u, 27104u, 27106u, 27112u, 27122u,
27134u, 27136u, 27146u, 27148u, 27158u, 27164u, 27172u, 27182u,
27188u, 27202u, 27218u, 27226u, 27232u, 27244u, 27254u, 27256u,
27266u, 27274u, 27286u, 27296u, 27314u, 27322u, 27326u, 27328u,
27332u, 27358u, 27364u, 27386u, 27392u, 27406u, 27416u, 27422u,
27424u, 27452u, 27458u, 27466u, 27512u, 27518u, 27524u, 27542u,
27548u, 27554u, 27562u, 27568u, 27578u, 27596u, 27598u, 27604u,
27616u, 27634u, 27644u, 27652u, 27664u, 27694u, 27704u, 27706u,
27716u, 27718u, 27722u, 27728u, 27746u, 27748u, 27752u, 27772u,
27784u, 27788u, 27794u, 27802u, 27836u, 27842u, 27848u, 27872u,
27884u, 27892u, 27928u, 27944u, 27946u, 27952u, 27956u, 27958u,
27962u, 27968u, 27988u, 27994u, 28018u, 28022u, 28024u, 28028u,
28046u, 28066u, 28072u, 28094u, 28102u, 28148u, 28166u, 28168u,
28184u, 28204u, 28226u, 28228u, 28252u, 28274u, 28276u, 28292u,
28316u, 28336u, 28352u, 28354u, 28358u, 28366u, 28376u, 28378u,
28388u, 28402u, 28406u, 28414u, 28432u, 28436u, 28444u, 28448u,
28462u, 28472u, 28474u, 28498u, 28514u, 28522u, 28528u, 28544u,
28564u, 28574u, 28576u, 28582u, 28586u, 28616u, 28618u, 28634u,
28666u, 28672u, 28684u, 28694u, 28718u, 28726u, 28738u, 28756u,
28772u, 28774u, 28786u, 28792u, 28796u, 28808u, 28814u, 28816u,
28844u, 28862u, 28864u, 28886u, 28892u, 28898u, 28904u, 28906u,
28912u, 28928u, 28942u, 28948u, 28978u, 28994u, 28996u, 29006u,
29008u, 29012u, 29024u, 29026u, 29038u, 29048u, 29062u, 29068u,
29078u, 29086u, 29114u, 29116u, 29152u, 29158u, 29174u, 29188u,
29192u, 29212u, 29236u, 29242u, 29246u, 29254u, 29258u, 29276u,
29284u, 29288u, 29302u, 29306u, 29312u, 29314u, 29338u, 29354u,
29368u, 29372u, 29398u, 29414u, 29416u, 29426u, 29458u, 29464u,
29468u, 29474u, 29486u, 29492u, 29528u, 29536u, 29548u, 29552u,
29554u, 29558u, 29566u, 29572u, 29576u, 29596u, 29608u, 29618u,
29642u, 29654u, 29656u, 29668u, 29678u, 29684u, 29696u, 29698u,
29704u, 29722u, 29726u, 29732u, 29738u, 29744u, 29752u, 29776u,
29782u, 29792u, 29804u, 29834u, 29848u, 29858u, 29866u, 29878u,
29884u, 29894u, 29906u, 29908u, 29926u, 29932u, 29936u, 29944u,
29948u, 29972u, 29992u, 29996u, 30004u, 30014u, 30026u, 30034u,
30046u, 30062u, 30068u, 30082u, 30086u, 30094u, 30098u, 30116u,
30166u, 30172u, 30178u, 30182u, 30188u, 30196u, 30202u, 30212u,
30238u, 30248u, 30254u, 30256u, 30266u, 30268u, 30278u, 30284u,
30322u, 30334u, 30338u, 30346u, 30356u, 30376u, 30382u, 30388u,
30394u, 30412u, 30422u, 30424u, 30436u, 30452u, 30454u, 30466u,
30478u, 30482u, 30508u, 30518u, 30524u, 30544u, 30562u, 30602u,
30614u, 30622u, 30632u, 30644u, 30646u, 30664u, 30676u, 30686u,
30688u, 30698u, 30724u, 30728u, 30734u, 30746u, 30754u, 30758u,
30788u, 30794u, 30796u, 30802u, 30818u, 30842u, 30866u, 30884u,
30896u, 30908u, 30916u, 30922u, 30926u, 30934u, 30944u, 30952u,
30958u, 30962u, 30982u, 30992u, 31018u, 31022u, 31046u, 31052u,
31054u, 31066u, 31108u, 31126u, 31132u, 31136u, 31162u, 31168u,
31196u, 31202u, 31204u, 31214u, 31222u, 31228u, 31234u, 31244u,
31252u, 31262u, 31264u, 31286u, 31288u, 31292u, 31312u, 31316u,
31322u, 31358u, 31372u, 31376u, 31396u, 31418u, 31424u, 31438u,
31444u, 31454u, 31462u, 31466u, 31468u, 31472u, 31486u, 31504u,
31538u, 31546u, 31568u, 31582u, 31592u, 31616u, 31622u, 31624u,
31634u, 31636u, 31642u, 31652u, 31678u, 31696u, 31706u, 31724u,
31748u, 31766u, 31768u, 31792u, 31832u, 31834u, 31838u, 31844u,
31846u, 31852u, 31862u, 31888u, 31894u, 31906u, 31918u, 31924u,
31928u, 31964u, 31966u, 31976u, 31988u, 32012u, 32014u, 32018u,
32026u, 32036u, 32042u, 32044u, 32048u, 32072u, 32074u, 32078u,
32114u, 32116u, 32138u, 32152u, 32176u, 32194u, 32236u, 32242u,
32252u, 32254u, 32278u, 32294u, 32306u, 32308u, 32312u, 32314u,
32324u, 32326u, 32336u, 32344u, 32348u, 32384u, 32392u, 32396u,
32408u, 32426u, 32432u, 32438u, 32452u, 32474u, 32476u, 32482u,
32506u, 32512u, 32522u, 32546u, 32566u, 32588u, 32594u, 32608u,
32644u, 32672u, 32678u, 32686u, 32692u, 32716u, 32722u, 32734u,
32762u, 32764u, 32782u, 32786u, 32788u, 32792u, 32812u, 32834u,
32842u, 32852u, 32854u, 32872u, 32876u, 32884u, 32894u, 32908u,
32918u, 32924u, 32932u, 32938u, 32944u, 32956u, 32972u, 32984u,
32998u, 33008u, 33026u, 33028u, 33038u, 33062u, 33086u, 33092u,
33104u, 33106u, 33128u, 33134u, 33154u, 33176u, 33178u, 33182u,
33194u, 33196u, 33202u, 33238u, 33244u, 33266u, 33272u, 33274u,
33302u, 33314u, 33332u, 33334u, 33338u, 33352u, 33358u, 33362u,
33364u, 33374u, 33376u, 33392u, 33394u, 33404u, 33412u, 33418u,
33428u, 33446u, 33458u, 33464u, 33478u, 33482u, 33488u, 33506u,
33518u, 33544u, 33548u, 33554u, 33568u, 33574u, 33584u, 33596u,
33598u, 33602u, 33604u, 33614u, 33638u, 33646u, 33656u, 33688u,
33698u, 33706u, 33716u, 33722u, 33724u, 33742u, 33754u, 33782u,
33812u, 33814u, 33832u, 33836u, 33842u, 33856u, 33862u, 33866u,
33874u, 33896u, 33904u, 33934u, 33952u, 33962u, 33988u, 33992u,
33994u, 34016u, 34024u, 34028u, 34036u, 34042u, 34046u, 34072u,
34076u, 34088u, 34108u, 34126u, 34132u, 34144u, 34154u, 34172u,
34174u, 34178u, 34184u, 34186u, 34198u, 34226u, 34232u, 34252u,
34258u, 34274u, 34282u, 34288u, 34294u, 34298u, 34304u, 34324u,
34336u, 34342u, 34346u, 34366u, 34372u, 34388u, 34394u, 34426u,
34436u, 34454u, 34456u, 34468u, 34484u, 34508u, 34514u, 34522u,
34534u, 34568u, 34574u, 34594u, 34616u, 34618u, 34634u, 34648u,
34654u, 34658u, 34672u, 34678u, 34702u, 34732u, 34736u, 34744u,
34756u, 34762u, 34778u, 34798u, 34808u, 34822u, 34826u, 34828u,
34844u, 34856u, 34858u, 34868u, 34876u, 34882u, 34912u, 34924u,
34934u, 34948u, 34958u, 34966u, 34976u, 34982u, 34984u, 34988u,
35002u, 35012u, 35014u, 35024u, 35056u, 35074u, 35078u, 35086u,
35114u, 35134u, 35138u, 35158u, 35164u, 35168u, 35198u, 35206u,
35212u, 35234u, 35252u, 35264u, 35266u, 35276u, 35288u, 35294u,
35312u, 35318u, 35372u, 35378u, 35392u, 35396u, 35402u, 35408u,
35422u, 35446u, 35452u, 35464u, 35474u, 35486u, 35492u, 35516u,
35528u, 35546u, 35554u, 35572u, 35576u, 35578u, 35582u, 35584u,
35606u, 35614u, 35624u, 35626u, 35638u, 35648u, 35662u, 35668u,
35672u, 35674u, 35686u, 35732u, 35738u, 35744u, 35746u, 35752u,
35758u, 35788u, 35798u, 35806u, 35812u, 35824u, 35828u, 35842u,
35848u, 35864u, 35876u, 35884u, 35894u, 35914u, 35932u, 35942u,
35948u, 35954u, 35966u, 35968u, 35978u, 35992u, 35996u, 35998u,
36002u, 36026u, 36038u, 36046u, 36064u, 36068u, 36076u, 36092u,
36106u, 36118u, 36128u, 36146u, 36158u, 36166u, 36184u, 36188u,
36202u, 36206u, 36212u, 36214u, 36236u, 36254u, 36262u, 36272u,
36298u, 36302u, 36304u, 36328u, 36334u, 36338u, 36344u, 36356u,
36382u, 36386u, 36394u, 36404u, 36422u, 36428u, 36442u, 36452u,
36464u, 36466u, 36478u, 36484u, 36488u, 36496u, 36508u, 36524u,
36526u, 36536u, 36542u, 36544u, 36566u, 36568u, 36572u, 36586u,
36604u, 36614u, 36626u, 36646u, 36656u, 36662u, 36664u, 36668u,
36682u, 36694u, 36698u, 36706u, 36716u, 36718u, 36724u, 36758u,
36764u, 36766u, 36782u, 36794u, 36802u, 36824u, 36832u, 36862u,
36872u, 36874u, 36898u, 36902u, 36916u, 36926u, 36946u, 36962u,
36964u, 36968u, 36988u, 36998u, 37004u, 37012u, 37016u, 37024u,
37028u, 37052u, 37058u, 37072u, 37076u, 37108u, 37112u, 37118u,
37132u, 37138u, 37142u, 37144u, 37166u, 37226u, 37228u, 37234u,
37258u, 37262u, 37276u, 37294u, 37306u, 37324u, 37336u, 37342u,
37346u, 37376u, 37378u, 37394u, 37396u, 37418u, 37432u, 37448u,
37466u, 37472u, 37508u, 37514u, 37532u, 37534u, 37544u, 37552u,
37556u, 37558u, 37564u, 37588u, 37606u, 37636u, 37642u, 37648u,
37682u, 37696u, 37702u, 37754u, 37756u, 37772u, 37784u, 37798u,
37814u, 37822u, 37852u, 37856u, 37858u, 37864u, 37874u, 37886u,
37888u, 37916u, 37922u, 37936u, 37948u, 37976u, 37994u, 38014u,
38018u, 38026u, 38032u, 38038u, 38042u, 38048u, 38056u, 38078u,
38084u, 38108u, 38116u, 38122u, 38134u, 38146u, 38152u, 38164u,
38168u, 38188u, 38234u, 38252u, 38266u, 38276u, 38278u, 38302u,
38306u, 38308u, 38332u, 38354u, 38368u, 38378u, 38384u, 38416u,
38428u, 38432u, 38434u, 38444u, 38446u, 38456u, 38458u, 38462u,
38468u, 38474u, 38486u, 38498u, 38512u, 38518u, 38524u, 38552u,
38554u, 38572u, 38578u, 38584u, 38588u, 38612u, 38614u, 38626u,
38638u, 38644u, 38648u, 38672u, 38696u, 38698u, 38704u, 38708u,
38746u, 38752u, 38762u, 38774u, 38776u, 38788u, 38792u, 38812u,
38834u, 38846u, 38848u, 38858u, 38864u, 38882u, 38924u, 38936u,
38938u, 38944u, 38956u, 38978u, 38992u, 39002u, 39008u, 39014u,
39016u, 39026u, 39044u, 39058u, 39062u, 39088u, 39104u, 39116u,
39124u, 39142u, 39146u, 39148u, 39158u, 39166u, 39172u, 39176u,
39182u, 39188u, 39194u
}};
if(n <= b1)
return a1[n];
if(n <= b2)
return a2[n - b1 - 1];
if(n >= b3)
{
return boost::math::policies::raise_domain_error<boost::uint32_t>(
"boost::math::prime<%1%>", "Argument n out of range: got %1%", n, pol);
}
return static_cast<boost::uint32_t>(a3[n - b2 - 1]) + 0xFFFFu;
}
inline BOOST_MATH_CONSTEXPR_TABLE_FUNCTION boost::uint32_t prime(unsigned n)
{
return boost::math::prime(n, boost::math::policies::policy<>());
}
static const unsigned max_prime = 10000;
}} // namespace boost and math
#endif // BOOST_MATH_SF_PRIME_HPP
|
cpp
|
<gh_stars>0
.flex-row {
display: -ms-flexbox;
display: flex;
-ms-flex-direction: row;
flex-direction: row; }
.flex-col {
display: -ms-flexbox;
display: flex;
-ms-flex-direction: column;
flex-direction: column; }
.flex-wrap {
-ms-flex-wrap: wrap;
flex-wrap: wrap; }
/* justify-content */
.flex-j-start {
-ms-flex-pack: start;
justify-content: flex-start; }
.flex-j-end {
-ms-flex-pack: end;
justify-content: flex-end; }
.flex-j-center {
-ms-flex-pack: center;
justify-content: center; }
.flex-j-around {
-ms-flex-pack: distribute;
justify-content: space-around; }
.flex-j-between {
-ms-flex-pack: justify;
justify-content: space-between; }
/* align-items */
.flex-a-start {
-webkit-box-align: start;
-ms-flex-align: start;
-ms-grid-row-align: flex-start;
-ms-flex-align: start;
align-items: flex-start; }
.flex-a-end {
-webkit-box-align: end;
-ms-flex-align: end;
-ms-grid-row-align: flex-end;
-ms-flex-align: end;
align-items: flex-end; }
.flex-a-center {
-webkit-box-align: center;
-ms-flex-align: center;
-ms-grid-row-align: center;
-ms-flex-align: center;
align-items: center; }
.flex-a-stretch {
-webkit-box-align: stretch;
-ms-flex-align: stretch;
-ms-grid-row-align: stretch;
-ms-flex-align: stretch;
align-items: stretch; }
/* flex-grow */
.flex-1 {
-ms-flex: 1;
flex: 1; }
.flex-2 {
-ms-flex: 2;
flex: 2; }
.flex-3 {
-ms-flex: 3;
flex: 3; }
.flex-4 {
-ms-flex: 4;
flex: 4; }
.flex-5 {
-ms-flex: 5;
flex: 5; }
.flex-6 {
-ms-flex: 6;
flex: 6; }
.prof_user_info {
background: white;
padding: 10px;
border-radius: 15px; }
.prof_user_info p {
font-size: 20px;
padding: 7.5px; }
.notice h3 {
margin-top: 0px;
display: inline-block; }
.notice a {
color: black;
text-decoration: none; }
.notice a:hover {
color: #00A0C6;
text-decoration: none;
cursor: pointer; }
.notice_info {
background: white;
padding: 10px;
border-radius: 5px; }
.notice_info h3 {
display: block;
padding-top: 0px; }
#single_notice h3 {
margin-top: 0px; }
#single_notice {
min-height: 113px; }
.notice_info {
background: white;
padding: 10px;
border-radius: 5px;
-ms-flex-align: stretch;
align-items: stretch; }
.notice_user {
padding-bottom: 10px; }
.notice_user img {
margin-right: 10px; }
.norm_link {
color: #0060B6 !important;
text-decoration: none; }
.norm_link a:hover {
color: #00A0C6;
text-decoration: none;
cursor: pointer; }
@media only screen and (max-width: 1199px) {
.md_hide {
display: none; } }
@media only screen and (min-width: 1199px) {
.lg_hide {
display: none; } }
@media only screen and (max-width: 767px) {
.lg_hide {
display: none; } }
.sm_user_info {
border-top: black solid 1px;
margin-top: 10px; }
@media only screen and (min-width: 767px) {
.sm_user_info {
display: none; } }
.sm_user_info a {
padding-left: 5px; }
#delete_notice {
padding-bottom: 20px; }
.comments {
margin-bottom: 10px;
padding: 10px;
background: white;
border-radius: 5px; }
.comment_content {
border: #ccc solid 1px;
padding: 10px;
border-radius: 5px; }
.comment_user {
margin-bottom: 10px; }
.comment_user img {
margin-right: 5px; }
@media (max-width: 420px) {
#comment_date {
font-size: 0.6em; } }
@media (max-width: 991px) {
.paginate {
-ms-flex-pack: center;
justify-content: center; } }
* {
box-sizing: border-box; }
body {
font-family: 'Open Sans','Helvetica Neue', Helvetica, Arial, sans-serif;
background: #56a6a1; }
p, li {
line-height: 1.5;
margin-bottom: 0; }
.gutter-20.row {
margin-right: -10px;
margin-left: -10px; }
.gutter-20 > [class^="col-"], .gutter-20 > [class^=" col-"] {
padding-right: 10px;
padding-left: 10px; }
.shad_tile {
background: #eee;
padding: 1em;
border-radius: 5px;
position: relative;
box-shadow: 0 1px 4px rgba(0, 0, 0, 0.3), 0 0 40px rgba(0, 0, 0, 0.1) inset; }
.shad_tile:before, .shad_tile:after {
content: "";
position: absolute;
z-index: -1;
box-shadow: 0 0 20px rgba(0, 0, 0, 0.8);
top: 0;
bottom: 0;
left: 10px;
right: 10px;
border-radius: 100px / 10px; }
.shad_drop {
background: #eee;
padding: 1em;
border-radius: 0 0 5px 5px;
position: relative;
box-shadow: 0 1px 4px rgba(0, 0, 0, 0.3), 0 0 40px rgba(0, 0, 0, 0.1) inset; }
.shad_drop:before, .shad_drop:after {
content: "";
position: absolute;
z-index: -1;
box-shadow: 0 0 20px rgba(0, 0, 0, 0.8);
top: 0;
bottom: 0;
left: 10px;
right: 10px;
border-radius: 100px / 10px; }
@media (max-width: 767px) {
.sm_top_mar {
margin-top: 20px; } }
@media (max-width: 991px) {
.md_top_mar {
margin-top: 20px; } }
.lg_top_mar {
margin-top: 20px; }
.ten_top_mar {
margin-top: 10px; }
h1, h2, h3 {
margin-top: 10px; }
.head_white {
color: white; }
@media (max-width: 420px) {
.head_btn {
-ms-flex-direction: column;
flex-direction: column; } }
.head_btn h1 {
padding-right: 10px; }
#pad_bot_remove {
padding-bottom: 0px; }
textarea {
resize: vertical; }
.sq_img {
padding: 10px; }
.project {
min-height: 300px; }
.project h3 {
margin-top: 0;
margin-bottom: 0; }
.proj-img {
width: 96%;
height: 280px;
background-position: center;
background-size: cover;
position: absolute;
top: 0;
left: 2%; }
.proj-head {
position: absolute;
z-index: 1;
top: -15px;
left: 0;
width: 100%;
background: white;
padding: 10px;
border-radius: 5px; }
.proj-tile {
position: relative; }
#profile_drop_head {
color: black;
text-decoration: none; }
.nav_mar {
margin-top: 70px; }
.bot_mar {
margin-bottom: 50px; }
.navbar-collapse {
max-height: 100% !important; }
/*# sourceMappingURL=app.css.map */
|
css
|
<div class="mt-link">
<div class="mt-link-wrap">
<div class="mt-link-title">
<div>常用网站</div>
</div>
</div>
<div class="mt-link-body">
<% for(vo in linkList){ %>
<div class="mt-link-list">
<a href="${vo.url}" title="${vo.name}">
${vo.name}
</a>
</div>
<% } %>
</div>
</div>
|
html
|
<reponame>luisnovaisdev/gatsby-starter-netlify-cms
html{
scroll-behavior: smooth;
}
.navbar-item img{
max-height: unset;
width: auto;
}
footer.footer{
padding: 0;
}
footer.footer .has-background-black {
padding: 15px 0px;
margin: 0!important;
}
@media(max-width: 600px){
.navbar-item img{
max-height: 60px;
width: auto!important;
}
.navbar-brand{
align-items: center;
}
}
|
css
|
Pregnancy is an incredible journey and a time in which a woman goes through a few overwhelming changes, physically as well as emotionally. With these changes, also comes a renewed focus on adopting a healthy and nutritious diet regimen. The list of dos and don’ts can seem a bit daunting.
Well-ripened papaya is safe and is an excellent source of vitamins A, B and potassium, which can be beneficial for the foetus’s development. However, it’s the unripe or semi-ripe papaya that should be avoided as it contains papain, which can increase the secretion of hormones like oxytocin and prostaglandin. These hormones can lead to contractions of the uterus and can lead to early labour.
This popular saying that one must eat for two while pregnant is actually not true at all. Following this is unhealthy and can lead to unnecessary weight gain. In reality, you only need an extra 300-350 calories if you’re pregnant with one child and are following the daily recommended calorie intake according to your height and weight. Also, it’s important to focus on the quality of food you’re eating rather than the calories you consume.
Though saffron has many benefits as it is rich in antioxidants, can help with mood swings and relieve cramps during pregnancy, in no way has it shown to have any effect on skin colour. Just to make it clear, skin colour is determined by genetics and food does not have any effect on it.
For us Indians, fondness for ghee knows no bounds. It is believed that drinking ghee in the ninth month of pregnancy lubricates and relaxes the abdominal and pelvic muscles, which can help the baby ‘slip out’ easily during a normal delivery. However, there is no scientific evidence to back this up.
That said, ghee has many health benefits, it should still be consumed in moderation as it contains saturated fatty acids which can lead to weight gain and obesity.
It is true, but for different reasons. Contrary to some versions of this myth, eating spicy foods when you are pregnant won’t cause your baby to go blind. However, it very well might cause some indigestion and heartburn for you. You should avoid foods that cause you discomfort during pregnancy so that you can feel your best, and keep active and healthy as your baby develops.
Spicy food has no effect on your chances of inducing labour naturally unless your body is really ready to have that baby.
Not all fish are unsafe. There are many options that are low in mercury like salmon, sardines, sole, etc. Aim to eat 2-3 servings of fish per week. Seafood is rich in protein and Omega-3 fatty acids, which are important for your baby’s growth and development.
Also Read: Play With Your Newborn Even While He/She Is Still In Eat-Sleep-Repeat Mode!
|
english
|
# Setup-Spleeter
Spleeter setup script that runs on PowerShell.
Spleeter → https://github.com/deezer/spleeter
## Requirement
・Python 3.6.x or Python 3.7.x
・pip
## Install
```
git clone https://github.com/Cyanos09/Setup-Spleeter
```
## Usage
```
./setup.PS1
```
|
markdown
|
<gh_stars>1-10
{"name":"Grundschule \"Dr. <NAME>\"","id":"ST-581","address":"Hagenstraße 4 38899 Oberharz am Brocken OT Hasselfelde","fax":"039459/73322","phone":"039459/71441","full_time_school":false,"email":"<EMAIL>","website":"http://www.gs-blumenau.bildung-lsa.de","programs":{"programs":[]},"state":"ST","lon":10.850081,"lat":51.690985}
|
json
|
<gh_stars>100-1000
import functools
from collections import OrderedDict, abc
from inspect import getfullargspec
import numpy as np
import torch
import torch.distributed as dist
import torch.nn as nn
from torch._utils import (_flatten_dense_tensors, _take_tensors,
_unflatten_dense_tensors)
def cast_tensor_type(inputs, src_type, dst_type):
"""Recursively convert Tensor in inputs from src_type to dst_type.
Args:
inputs: Inputs that to be casted.
src_type (torch.dtype): Source type..
dst_type (torch.dtype): Destination type.
Returns:
The same type with inputs, but all contained Tensors have been cast.
"""
if isinstance(inputs, torch.Tensor):
return inputs.to(dst_type)
elif isinstance(inputs, str):
return inputs
elif isinstance(inputs, np.ndarray):
return inputs
elif isinstance(inputs, abc.Mapping):
return type(inputs)({
k: cast_tensor_type(v, src_type, dst_type)
for k, v in inputs.items()
})
elif isinstance(inputs, abc.Iterable):
return type(inputs)(
cast_tensor_type(item, src_type, dst_type) for item in inputs)
else:
return inputs
def auto_fp16(apply_to=None, out_fp32=False):
"""Decorator to enable fp16 training automatically.
This decorator is useful when you write custom modules and want to support
mixed precision training. If inputs arguments are fp32 tensors, they will
be converted to fp16 automatically. Arguments other than fp32 tensors are
ignored.
Args:
apply_to (Iterable, optional): The argument names to be converted.
`None` indicates all arguments.
out_fp32 (bool): Whether to convert the output back to fp32.
Example:
>>> import torch.nn as nn
>>> class MyModule1(nn.Module):
>>>
>>> # Convert x and y to fp16
>>> @auto_fp16()
>>> def forward(self, x, y):
>>> pass
>>> import torch.nn as nn
>>> class MyModule2(nn.Module):
>>>
>>> # convert pred to fp16
>>> @auto_fp16(apply_to=('pred', ))
>>> def do_something(self, pred, others):
>>> pass
"""
def auto_fp16_wrapper(old_func):
@functools.wraps(old_func)
def new_func(*args, **kwargs):
# check if the module has set the attribute `fp16_enabled`, if not,
# just fallback to the original method.
if not isinstance(args[0], torch.nn.Module):
raise TypeError('@auto_fp16 can only be used to decorate the '
'method of nn.Module')
if not (hasattr(args[0], 'fp16_enabled') and args[0].fp16_enabled):
return old_func(*args, **kwargs)
# get the arg spec of the decorated method
args_info = getfullargspec(old_func)
# get the argument names to be casted
args_to_cast = args_info.args if apply_to is None else apply_to
# convert the args that need to be processed
new_args = []
# NOTE: default args are not taken into consideration
if args:
arg_names = args_info.args[:len(args)]
for i, arg_name in enumerate(arg_names):
if arg_name in args_to_cast:
new_args.append(
cast_tensor_type(args[i], torch.float, torch.half))
else:
new_args.append(args[i])
# convert the kwargs that need to be processed
new_kwargs = {}
if kwargs:
for arg_name, arg_value in kwargs.items():
if arg_name in args_to_cast:
new_kwargs[arg_name] = cast_tensor_type(
arg_value, torch.float, torch.half)
else:
new_kwargs[arg_name] = arg_value
# apply converted arguments to the decorated method
output = old_func(*new_args, **new_kwargs)
# cast the results back to fp32 if necessary
if out_fp32:
output = cast_tensor_type(output, torch.half, torch.float)
return output
return new_func
return auto_fp16_wrapper
def force_fp32(apply_to=None, out_fp16=False):
"""Decorator to convert input arguments to fp32 in force.
This decorator is useful when you write custom modules and want to support
mixed precision training. If there are some inputs that must be processed
in fp32 mode, then this decorator can handle it. If inputs arguments are
fp16 tensors, they will be converted to fp32 automatically. Arguments other
than fp16 tensors are ignored.
Args:
apply_to (Iterable, optional): The argument names to be converted.
`None` indicates all arguments.
out_fp16 (bool): Whether to convert the output back to fp16.
Example:
>>> import torch.nn as nn
>>> class MyModule1(nn.Module):
>>>
>>> # Convert x and y to fp32
>>> @force_fp32()
>>> def loss(self, x, y):
>>> pass
>>> import torch.nn as nn
>>> class MyModule2(nn.Module):
>>>
>>> # convert pred to fp32
>>> @force_fp32(apply_to=('pred', ))
>>> def post_process(self, pred, others):
>>> pass
"""
def force_fp32_wrapper(old_func):
@functools.wraps(old_func)
def new_func(*args, **kwargs):
# check if the module has set the attribute `fp16_enabled`, if not,
# just fallback to the original method.
if not isinstance(args[0], torch.nn.Module):
raise TypeError('@force_fp32 can only be used to decorate the '
'method of nn.Module')
if not (hasattr(args[0], 'fp16_enabled') and args[0].fp16_enabled):
return old_func(*args, **kwargs)
# get the arg spec of the decorated method
args_info = getfullargspec(old_func)
# get the argument names to be casted
args_to_cast = args_info.args if apply_to is None else apply_to
# convert the args that need to be processed
new_args = []
if args:
arg_names = args_info.args[:len(args)]
for i, arg_name in enumerate(arg_names):
if arg_name in args_to_cast:
new_args.append(
cast_tensor_type(args[i], torch.half, torch.float))
else:
new_args.append(args[i])
# convert the kwargs that need to be processed
new_kwargs = dict()
if kwargs:
for arg_name, arg_value in kwargs.items():
if arg_name in args_to_cast:
new_kwargs[arg_name] = cast_tensor_type(
arg_value, torch.half, torch.float)
else:
new_kwargs[arg_name] = arg_value
# apply converted arguments to the decorated method
output = old_func(*new_args, **new_kwargs)
# cast the results back to fp32 if necessary
if out_fp16:
output = cast_tensor_type(output, torch.float, torch.half)
return output
return new_func
return force_fp32_wrapper
def _allreduce_coalesced(tensors, world_size, bucket_size_mb=-1):
if bucket_size_mb > 0:
bucket_size_bytes = bucket_size_mb * 1024 * 1024
buckets = _take_tensors(tensors, bucket_size_bytes)
else:
buckets = OrderedDict()
for tensor in tensors:
tp = tensor.type()
if tp not in buckets:
buckets[tp] = []
buckets[tp].append(tensor)
buckets = buckets.values()
for bucket in buckets:
flat_tensors = _flatten_dense_tensors(bucket)
dist.all_reduce(flat_tensors)
flat_tensors.div_(world_size)
for tensor, synced in zip(
bucket, _unflatten_dense_tensors(flat_tensors, bucket)):
tensor.copy_(synced)
def allreduce_grads(params, coalesce=True, bucket_size_mb=-1):
"""Allreduce gradients.
Args:
params (list[torch.Parameters]): List of parameters of a model
coalesce (bool, optional): Whether allreduce parameters as a whole.
Defaults to True.
bucket_size_mb (int, optional): Size of bucket, the unit is MB.
Defaults to -1.
"""
grads = [
param.grad.data for param in params
if param.requires_grad and param.grad is not None
]
world_size = dist.get_world_size()
if coalesce:
_allreduce_coalesced(grads, world_size, bucket_size_mb)
else:
for tensor in grads:
dist.all_reduce(tensor.div_(world_size))
def wrap_fp16_model(model):
"""Wrap the FP32 model to FP16.
1. Convert FP32 model to FP16.
2. Remain some necessary layers to be FP32, e.g., normalization layers.
Args:
model (nn.Module): Model in FP32.
"""
# convert model to fp16
model.half()
# patch the normalization layers to make it work in fp32 mode
patch_norm_fp32(model)
# set `fp16_enabled` flag
for m in model.modules():
if hasattr(m, 'fp16_enabled'):
m.fp16_enabled = True
def patch_norm_fp32(module):
"""Recursively convert normalization layers from FP16 to FP32.
Args:
module (nn.Module): The modules to be converted in FP16.
Returns:
nn.Module: The converted module, the normalization layers have been
converted to FP32.
"""
if isinstance(module, (nn.modules.batchnorm._BatchNorm, nn.GroupNorm)):
module.float()
if isinstance(module, nn.GroupNorm) or torch.__version__ < '1.3':
module.forward = patch_forward_method(module.forward, torch.half,
torch.float)
for child in module.children():
patch_norm_fp32(child)
return module
def patch_forward_method(func, src_type, dst_type, convert_output=True):
"""Patch the forward method of a module.
Args:
func (callable): The original forward method.
src_type (torch.dtype): Type of input arguments to be converted from.
dst_type (torch.dtype): Type of input arguments to be converted to.
convert_output (bool): Whether to convert the output back to src_type.
Returns:
callable: The patched forward method.
"""
def new_forward(*args, **kwargs):
output = func(*cast_tensor_type(args, src_type, dst_type),
**cast_tensor_type(kwargs, src_type, dst_type))
if convert_output:
output = cast_tensor_type(output, dst_type, src_type)
return output
return new_forward
|
python
|
DisguisedToast has gradually developed into arguably the best Among Us player in the world.
While not really a new game, the worldwide Among Us community is still relatively young, and one player stands out amongst all the others. DisguisedToast might well be the best Among Us player in the world at the moment, so how did he get there?
Once again, the word “early” is carrying a lot of weight here. Despite being released two years ago, Among Us didn’t earn its multi-million player following until fairly recently, going from a peak of under 7,000 players on Steam in July of 2020, to over 73,000 in August.
DisguisedToast’s first Among Us video on YouTube is dates back to August 8th, when the game boasted a Steamcharts count of just 18,000 players. However, this only allowed DisguisedToast to get ahead of the viewer boost that Among Us brought to all kinds of content creators and streamers.
But that only accounts for his viewer base and success. What makes DisguisedToast interesting, is that he isn’t just one of the most popular Among Us content creators out there, he’s also one of the game’s best players as well.
Many players learned how to play Among Us well by watching DisguisedToast’s videos, and learning what works and what doesn’t. While DisguisedToast might not always have been the one to discover many of these strategies from, his platform allowed him to share them with a much wider audience.
Anyone who has ever tried to “marinate” their friends, or learned how to keep track of common tasks, can likely trace that skill back to DisguisedToast. Even if you learned it from a friend of a friend, it likely ends with someone who watched one of DisguisedToast’s videos and copied the tactic.
But just copying him isn’t enough. What sets him apart from the crowd is his ability to keep track of these various little bits of information, and draw conclusions faster than most other players. Something as mentally taxing as tracking the various crewmate colors as they walk past him, and recalling exactly who did and didn’t go down a particular path, can lead to big revelations about who was near a kill.
DisguisedToast applies this ability when playing as an imposter as well, and can often find ways to cloud the judgement of his friends long enough to win, and occasionally even convince them to vote out someone else.
By persona, it should be stated that Toast doesn’t so much play a character, as present a more idealized version of himself through his videos. No one should be naive enough to believe that DisguisedToast never seems to lose, instead he merely edits and controls what he presents on his own channel.
However, this edited version helps sell the idea that DisguisedToast is the best Among Us player in the world. That isn’t to say that he isn’t, but rather that he has managed to make that idea more believable through what he chooses to, or not, to present.
Anyone who wants to learn how to play Among Us better should certainly check out his videos. While entertaining, they do often showcase scenarios that occur rather frequently in other playgroups as well.
|
english
|
{
"directions": [
"Remove any stems from figs. In a saucepan combine figs with remaining filling ingredients and simmer, covered, 20 minutes, or until very tender. Transfer mixture to a food processor and blend until smooth.",
"Brush a 9-inch-square or 10-inch round tart pan with a removable fluted rim with some butter. On a work surface arrange 1 sheet phyllo with a short side facing you and brush with some butter, On it layer 3 more sheets phyllo and more butter in same manner and line pan, pressing phyllo into pan with fingertips and leaving short sides overhanging.",
"Repeat layering procedure with remaining phyllo and some of remaining butter and arrange in pan at a 90-degree angle to the first lining, easing to fit. Put pan on a baking sheet and roll overhanging edges under loosely (outside the pan) to form a decorative edge. Brush edge with remaining butter and spread fig mixture evenly on bottom.",
"Preheat oven to 350\u00b0F.",
"Peel, quarter, and core apples and cut each quarter in 3 or 4 wedges. Arrange apple wedges over fig mixture in decorative pattern and sprinkle with granulated sugar. Bake tart in middle of oven 40 minutes.",
"In a small bowl stir together yogurt and egg.",
"Remove tart from oven and increase oven temperature to 475\u00b0F. Pour yogurt mixture over apples and cover edge of tart with foil. Return tart to oven and bake 15 minutes, or until apples begin to brown. Cool tart in pan on a rack 30 minutes and sprinkle with almonds and confectioners' sugar."
],
"ingredients": [
"an 8-ounce package dried Calimyrna figs (about 1 cup)",
"3/4 cup apple juice",
"1/2 cup sugar",
"3/4 stick (6 tablespoons) unsalted butter, melted",
"8 sheets phyllo dough, thawed if frozen",
"4 medium Empire, Winesap, or Jonagold apples (about 2 pounds)",
"1/3 cup granulated sugar",
"1/2 cup vanilla yogurt",
"1 large egg, beaten lightly",
"2 tablespoons natural almonds, toasted and chopped",
"confectioners' sugar for sprinkling"
],
"language": "en-US",
"source": "www.epicurious.com",
"tags": [
"Dessert",
"Bake",
"Fig",
"Apple",
"Almond",
"Fall",
"Gourmet"
],
"title": "Fig and Apple Phyllo Tart",
"url": "http://www.epicurious.com/recipes/food/views/fig-and-apple-phyllo-tart-10718"
}
|
json
|
import type {
ContainerDimensions, Point,
} from 'src/types';
function getSmallToLargeElementRatio(
smallElement: ContainerDimensions,
largeElement: ContainerDimensions,
): Point {
return {
x: smallElement.width ? (largeElement.width / smallElement.width) : 1,
y: smallElement.height ? (largeElement.height / smallElement.height) : 1,
};
}
export function getSmallToLargeImageRatio(
smallImage: ContainerDimensions,
largeImage: ContainerDimensions,
): Point {
return getSmallToLargeElementRatio(smallImage, largeImage);
}
export function getLargeToSmallImageRatio(
smallImage: ContainerDimensions,
largeImage: ContainerDimensions,
): Point {
return {
x: smallImage.width ? (smallImage.width / largeImage.width) : 1,
y: smallImage.height ? (smallImage.height / largeImage.height) : 1,
};
}
export function getContainerToImageRatio(
container: ContainerDimensions,
image: ContainerDimensions,
): Point {
return getSmallToLargeElementRatio(
container,
{
width: image.width - container.width,
height: image.height - container.height,
},
);
}
|
typescript
|
<reponame>DigitalCoin1/L2SPERO<gh_stars>0
<html><body>Gatekeeper Flauen:<br>
Are you leaving so soon? May the blessings of starlight always guide your path...<br>
I hope you enjoyed your stay in Heine! Innadril is by far the most beautiful city in all of Aden. If you haven't witnessed the return of the commercial boats in the twilight or heard the song of the reeds in the wind you should prolong your visit. What do you think?<br>
<a action="bypass -h npc_%objectId%_Chat 1">Teleport</a><br>
<a action="bypass -h npc_%objectId%_multisell 002">Exchange with the Dimensional Diamond</a><br>
<a action="bypass -h npc_%objectId%_Quest 2000_NoblesseTeleport">[Noblesse Only] teleport</a><br>
<a action="bypass -h npc_%objectId%_Quest 1101_teleport_to_race_track" msg="811;Monster Race Track">Move to Monster Race Track. (Free of Charge)</a><br>
<a action="bypass -h npc_%objectId%_Quest">Quest</a>
</body></html>
|
html
|
<filename>azure-apigee-extension/azuredeploy.parameters.json
{
"$schema": "http://schema.management.azure.com/schemas/2015-01-01/deploymentParameters.json#",
"contentVersion": "1.0.0.0",
"parameters": {
"location": {
"value": "Central US"
},
"newStorageAccountName": {
"value": "apigeeedgetrail2"
},
"vmDnsName": {
"value": "apigeeedgetrail2"
},
"adminUserName": {
"value": "apigeetrail"
},
"adminPassword": {
"value": "<PASSWORD>$"
},
"ftpUserName": {
"value": ""
},
"ftpPassword": {
"value": ""
},
"edgeVersion": {
"value": "4.19.06"
},
"scriptLocation": {
"value": "https://raw.githubusercontent.com/apigee/microsoft/17x/azure-apigee-extension"
}
}
}
|
json
|
The much anticipated 2019 draft is now less than one week away, and while teams continue to conduct interviews and process data, most front offices have a strong idea of who they want to bring in. So, without further hesitation, here are our projections for the Top 30 Picks of the 2019 NBA Draft.
The Duke product is perhaps the most exciting teenager to emerge since LeBron James burst onto the scene back in the early 2000s. The hype is so high that Zion will have a signature shoe in his debut season, and there is no questioning that the Pelicans will select the forward with the No.1 pick.
Mike Conley has been Memphis' point guard for more than a decade, although it appears that he will finally move on this summer. In Ja Morant, the Grizzlies will be adding a dynamic young guard that has earned comparisons to Russell Westbrook. The 19-year-old's upside is tremendous, and even his recent knee surgery won't sway the Grizzlies.
There are some question marks over R.J. Barrett's shooting stroke and his ability to adapt to the NBA. However, his 6'10 wingspan and playmaking ability will prove enough for the Knicks to take him with the third overall.
Darius Garland's freshman season was cut short by injury, although he remains highly rated thanks to his shooting range and excellent ball handling. The Lakers are sure to take him with the No.4 pick, although he may be traded as part of the deal for Anthony Davis.
Culver made a slow start to college life, but exploded during his sophomore year, averaging 18.5 points, 6.4 rebounds, and 3.7 assists. The 20-year-old has the potential to blossom into one of the NBA's elite two-way players, and he appears to be a perfect match for the Cavs.
De'Andre Hunter is a 6'7 wing who can guard multiple positions. He also shot 44% from three-point range this season and is among the best two-way players in the draft. Phoenix would have preferred a point guard, yet Hunter's talent is too much to ignore.
The Bulls are in desperate need of a new point guard, and Coby White could be a potential future star. The 19-year-old excelled at UNC, and he is among the most natural scorers in the draft. White's playmaking skills are currently a weakness, although playing in a Chicago team with few expectations will allow him time to develop.
Cam Reddish's stock has fallen due to an inconsistent season with Duke, although he remains among the most naturally talented individuals in the draft. The 19-year-old is the epitome of positionless basketball, and the Hawks could build something special with Trae Young, John Collins, and Reddish.
Due to John Wall's enormous contract, the Wizards have no immediate plans to compete, and the team will grab the most talented player remaining on the board. This title falls to Sekou Doumbouya, who enjoyed an excellent season in France's top professional league. While he is unlikely to make an immediate impact in the NBA, many believe he could eventually develop into an All-Star talent.
Hayes is a rare athletic big who can make an impact at both ends of the court. He is perhaps the best shot blocker in the draft, and his ability to score consistently at the basket shouldn't be understated. As with Reddish, Hayes is a great fit for a young Atlanta roster.
Washington is a 42% shooter from three-point range, while his 7-3 wingspan allows him to be disruptive on the defensive end. The Timberwolves need to add talented young shooters around KAT, and Washington would be a great start.
Little is coming off an underwhelming season with North Carolina in which he averaged just 18 minutes per game. The 19-year-old's shooting is worrisome, but his all-around game is expected to translate well to the NBA. This time last year he was projected as a top-5 pick, and while he has fallen down the board, Charlotte will be getting a player with tremendous upside.
Langford struggled with persistent injuries during his freshman season at IU, and doubts remain over his shooting ability. However, his all-around game is strong, and Miami is hoping to add a young guard that can help plug the gap following Dwyane Wade's retirement.
Clarke will turn 23 in September, and he is among the prospects that NBA scouts believe can make an instant impact for the 19-20 season. He is particularly strong around the rim, although there are some fears that he may already be close to his ceiling. Nevertheless, the Celtics already have plenty of exciting young talent, and Clarke could play an important reserve role next season.
In a stacked Kentucky team, Johnson didn't always stand out, although he was continually a steady performer. The 19-year-old is committed defensively and poses a shooting threat from anywhere on the court. Ultimately, while not the most exciting prospect, Johnson would be a valuable addition to the Pistons bench.
A combo guard standing at 6-6, Herro has earned a positive reputation for his shooting ability. However, the 19-year-old will slip to the middle of the first round due to doubts over his capacity to develop into a playmaker. The Magic traded for Markelle Fultz back in February, although they believe that both Fultz and Herro can flourish in the same team.
Hachimura is exactly what NBA teams look for in modern forwards. He possesses great length with a 7'2 wingspan and he shot a career-best 41.7 percent from 3 during his junior year. The 21-year-old continues to improve the defensive side of his game, and Atlanta is the perfect place for Hachimura to continue developing.
Standing at 6-11, Bitadze has rocketed up draft boards over the past year. The Georgian is surprisingly accurate from three-point range, although he will slip to the late-teens due to his inability to defend on the perimeter. With Domantas Sabonis likely to leave the Pacers this summer, Bitadze would be a great replacement.
Kabengale is a 6-10 power forward who made 37% of his 3-pointers this season. The FSU product will turn 22 later this month, although most scouts believe that he still has room to improve further. The Spurs need depth, and the Canadian should be able to provide it.
Thybulle connected with just 30.5% of his three attempts as a senior, and there are concerns over his offensive skills. However, his ability to make blocks and steals puts him among the best defensive players in the draft. As with Brandon Clarke, Thybulle feels like a much more finished product than the majority of the draft class, and he should be able to make an instant impact to a championship chasing team.
The Thunder are crying out for someone that can hit the three, and Cameron Johnson appears to be a perfect fit. The UNC product shot 45.7 percent from 3-point range last season, and he is also a surprisingly good defender. With Alex Abrines gone, Johnson should be able to flourish in a catch and shoot role.
Doubts remain over Bol Bol's long-term health, although he could turn out to be one of the steals of the draft. The 7'2 center shot 52 percent from 3-point range while averaging 2.7 blocks per game, and his all-around game has shown signs of improvement. The Celtics have three first round picks, so they can afford to take a risk by selecting what some have referred to as the 'Unicorn' of the draft.
The Jazz need to improve their guard depth, and Ty Jerome is the logical solution. The 21-year-old is a career 39.5% 3-point shooter and is comfortable without the ball in his hands. He is also decent on the defensive end and would slot in nicely alongside Donovan Mitchell.
The 76ers Markelle Fultz experiment didn't work out, and the team is now short on guards. Alexander-Walker can play at both spots in the backcourt, and he especially strong as a spot-up 3-point shooter. Overall, he is a player that should find good minutes in Brett Brown's rotation.
Okpala possesses a near 7'2 wingspan and has significant upside, but the 20-year-old's game still needs plenty of polish, and his decision-making is especially worrying. Nevertheless, the Trail Blazers lack depth and Okpala should get decent playing opportunities to develop his game in Portland.
The Cavs have started to build a promising young core, but are lacking a big for the future. Standing just under 7-feet, Claxton has excelled on the defensive end, although he still needs to develop his shooting from beyond the arc. An unfinished product, he still fits in with Cleveland's ongoing rebuild.
Just like the Cavs, the Nets are in need of a new big, and Bruno Fernando is expected to be the best center left on the board. The Maryland product stands at 6'10 with a 7'4 wingspan, and while he lacks consistency, the Nets will be hoping to invest in his considerable upside.
Kevin Porter Jr. is a tremendous talent, although he is likely to slip down the board due to doubts over his temperament. Steve Kerr has experience dealing with the likes of Draymond Green and DeMarcus Cousins, and Golden State could be the perfect place for Porter Jr. to mature. His three-point range would also make him an exciting addition to a woeful Warriors bench.
The Spurs have plenty of guard depth, although Luguentz Dort is a Gregg Popovich type of player. He gives his all at both ends of the court, and his defensive work in college was especially impressive. Ultimately, a solid prospect for a late first-round pick.
Samanic has improved rapidly over the past 12 months, although he doesn't have one particular skill that stands out. But his all-around game is solid, and the Bucks will be hoping that he can eventually transform into an excellent two-way player. Minutes may be hard to come by in his rookie season, although the Bucks will be looking at the long-term.
Check out all NBA Trade Deadline 2024 deals here as big moves are made!
|
english
|
import { Test } from '@nestjs/testing';
import { JunoModule } from '..';
import ambience from '../config/ambience';
import { JunoClientService } from './juno-client.service';
import { of } from 'rxjs';
import { JunoTokenService } from '../token/juno.token.service';
describe('JunoClientService', () => {
let service: JunoClientService;
let serviceMock: JunoTokenService;
beforeEach(async () => {
const module = await Test.createTestingModule({
imports: [
JunoModule.forRootAsync({
useFactory: async config => Promise.resolve(ambience),
}),
],
}).compile();
serviceMock = module.get<JunoTokenService>(JunoTokenService);
// mock token
serviceMock.authorize = () => of({ access_token: '' } as any);
service = module.get<JunoClientService>(JunoClientService);
});
it('should be defined', () => {
expect(service).toBeDefined();
});
it('mock authorization', async () => {
expect((await serviceMock.credentials())['access_token']).toBe('');
});
it('initInterceptor', () => {
expect(service.initInterceptor).toBeDefined();
});
it('createRequest', async () => {
expect(service.createRequest({ headers: { common: {} } })).toBeDefined();
});
it('http', () => {
expect(service.http).toBeDefined();
});
});
|
typescript
|
from .launcher import Launcher
from .model import DataModel
from .layers import LayerManager
from .labels import LabelManager
from .singleton import Singleton
|
python
|
<gh_stars>1-10
{"Material":{"Directory Script":"D:\\Github\\3D-Engine\\Engine\\Game\\Assets\\CameraController.cs","UUID Resource":1665825601,"Name":"CameraController"}}
|
json
|
{"componentChunkName":"component---src-templates-blog-list-js","path":"/","result":{"data":{"allMarkdownRemark":{"edges":[{"node":{"id":"6d851496-d313-577a-a12e-b30305790b30","fields":{"slug":"/teste-2/"},"frontmatter":{"background":"blue","category":"Teste","date":"11 de Fevereiro de 2020","description":"Primeiro post feito","title":"Teste"},"timeToRead":1}},{"node":{"id":"5741c7b9-5dd8-53ff-b4bf-2c5349b15190","fields":{"slug":"/algo/"},"frontmatter":{"background":"orange","category":"JS","date":"10 de Fevereiro de 2020","description":"Primeiro post feito","title":"Algo"},"timeToRead":1}},{"node":{"id":"77d7ff51-e505-5b0e-8c4b-e95dd7c2731d","fields":{"slug":"/teste-5/"},"frontmatter":{"background":"#7AAB13","category":"Misc","date":"09 de Fevereiro de 2020","description":"Primeiro post feito","title":"Saindo do Forno"},"timeToRead":1}},{"node":{"id":"97750105-b8ca-58b2-a9f6-dabe99683243","fields":{"slug":"/teste-3/"},"frontmatter":{"background":"#7AAB13","category":"Misc","date":"09 de Fevereiro de 2020","description":"Primeiro post feito","title":"Saindo do Forno"},"timeToRead":1}},{"node":{"id":"4d07c299-4fb2-5b95-b5a5-e1180cf2af84","fields":{"slug":"/teste-4/"},"frontmatter":{"background":"#7AAB13","category":"Misc","date":"09 de Fevereiro de 2020","description":"Primeiro post feito","title":"Saindo do Forno"},"timeToRead":1}},{"node":{"id":"bdd3afa9-9edd-5810-bc50-845bb41e7421","fields":{"slug":"/teste/"},"frontmatter":{"background":"#7AAB13","category":"Misc","date":"09 de Fevereiro de 2020","description":"Primeiro post feito","title":"Saindo do Forno"},"timeToRead":1}}]}},"pageContext":{"limit":6,"skip":0,"numPages":2,"currentPage":1}}}
|
json
|
The Andhra Pradesh Bharatiya Janata Party seems to be very confident about winning the upcoming Tiruapti by-polls, despite getting less than NOTA votes in the 2019 general elections. It’s surprising to see or even be able to comprehend the fact that the party could get so strong just within a span of two years.
The BJP has been able to take away four MPs from the TDP so far, but not a single MLA. Despite that, the BJP is making a lot of fuss in Andhra Pradesh and is expecting to get a huge victory. It is also expecting complete support from its ally Jana Sena in the elections.
According to sources, if the BJP manages to win the Tirupati by-elections, then the BJP candidate would get a lot of offers, and a possible Union ministry. Telangana BJP member Kishan Reddy is a Union Minister, however, no one from Andhra Pradesh has been made a Union Minister as the BJP hasn’t got many votes from Andhra Pradesh.
It is also being said that the BJP would get funds from the centre for developing Tirupati, in case it won. It will be interesting to see if the BJP will manage to develop Tirupati as much as it managed to develop the state when it was allied with TDP, from 2014 to 2018.
|
english
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.