text
stringlengths
14
5.22M
meta
dict
__index_level_0__
int64
0
9.97k
input_ids
sequencelengths
128
128
attention_mask
sequencelengths
128
128
labels
sequencelengths
128
128
Q: How to convert rdd object to dataframe in spark How can I convert an RDD (org.apache.spark.rdd.RDD[org.apache.spark.sql.Row]) to a Dataframe org.apache.spark.sql.DataFrame. I converted a dataframe to rdd using .rdd. After processing it I want it back in dataframe. How can I do this ? A: Method 1: (Scala) val sqlContext = new org.apache.spark.sql.SQLContext(sc) import sqlContext.implicits._ val df_2 = sc.parallelize(Seq((1L, 3.0, "a"), (2L, -1.0, "b"), (3L, 0.0, "c"))).toDF("x", "y", "z") Method 2: (Scala) case class temp(val1: String,val3 : Double) val rdd = sc.parallelize(Seq( Row("foo", 0.5), Row("bar", 0.0) )) val rows = rdd.map({case Row(val1:String,val3:Double) => temp(val1,val3)}).toDF() rows.show() Method 1: (Python) from pyspark.sql import Row l = [('Alice',2)] Person = Row('name','age') rdd = sc.parallelize(l) person = rdd.map(lambda r:Person(*r)) df2 = sqlContext.createDataFrame(person) df2.show() Method 2: (Python) from pyspark.sql.types import * l = [('Alice',2)] rdd = sc.parallelize(l) schema = StructType([StructField ("name" , StringType(), True) , StructField("age" , IntegerType(), True)]) df3 = sqlContext.createDataFrame(rdd, schema) df3.show() Extracted the value from the row object and then applied the case class to convert rdd to DF val temp1 = attrib1.map{case Row ( key: Int ) => s"$key" } val temp2 = attrib2.map{case Row ( key: Int) => s"$key" } case class RLT (id: String, attrib_1 : String, attrib_2 : String) import hiveContext.implicits._ val df = result.map{ s => RLT(s(0),s(1),s(2)) }.toDF A: Assuming your RDD[row] is called rdd, you can use: val sqlContext = new SQLContext(sc) import sqlContext.implicits._ rdd.toDF() A: Here is a simple example of converting your List into Spark RDD and then converting that Spark RDD into Dataframe. Please note that I have used Spark-shell's scala REPL to execute following code, Here sc is an instance of SparkContext which is implicitly available in Spark-shell. Hope it answer your question. scala> val numList = List(1,2,3,4,5) numList: List[Int] = List(1, 2, 3, 4, 5) scala> val numRDD = sc.parallelize(numList) numRDD: org.apache.spark.rdd.RDD[Int] = ParallelCollectionRDD[80] at parallelize at <console>:28 scala> val numDF = numRDD.toDF numDF: org.apache.spark.sql.DataFrame = [_1: int] scala> numDF.show +---+ | _1| +---+ | 1| | 2| | 3| | 4| | 5| +---+ A: On newer versions of spark (2.0+) import org.apache.spark.sql.SparkSession import org.apache.spark.sql.functions._ import org.apache.spark.sql._ import org.apache.spark.sql.types._ val spark = SparkSession .builder() .getOrCreate() import spark.implicits._ val dfSchema = Seq("col1", "col2", "col3") rdd.toDF(dfSchema: _*) A: Note: This answer was originally posted here I am posting this answer because I would like to share additional details about the available options that I did not find in the other answers To create a DataFrame from an RDD of Rows, there are two main options: 1) As already pointed out, you could use toDF() which can be imported by import sqlContext.implicits._. However, this approach only works for the following types of RDDs: * *RDD[Int] *RDD[Long] *RDD[String] *RDD[T <: scala.Product] (source: Scaladoc of the SQLContext.implicits object) The last signature actually means that it can work for an RDD of tuples or an RDD of case classes (because tuples and case classes are subclasses of scala.Product). So, to use this approach for an RDD[Row], you have to map it to an RDD[T <: scala.Product]. This can be done by mapping each row to a custom case class or to a tuple, as in the following code snippets: val df = rdd.map({ case Row(val1: String, ..., valN: Long) => (val1, ..., valN) }).toDF("col1_name", ..., "colN_name") or case class MyClass(val1: String, ..., valN: Long = 0L) val df = rdd.map({ case Row(val1: String, ..., valN: Long) => MyClass(val1, ..., valN) }).toDF("col1_name", ..., "colN_name") The main drawback of this approach (in my opinion) is that you have to explicitly set the schema of the resulting DataFrame in the map function, column by column. Maybe this can be done programatically if you don't know the schema in advance, but things can get a little messy there. So, alternatively, there is another option: 2) You can use createDataFrame(rowRDD: RDD[Row], schema: StructType) as in the accepted answer, which is available in the SQLContext object. Example for converting an RDD of an old DataFrame: val rdd = oldDF.rdd val newDF = oldDF.sqlContext.createDataFrame(rdd, oldDF.schema) Note that there is no need to explicitly set any schema column. We reuse the old DF's schema, which is of StructType class and can be easily extended. However, this approach sometimes is not possible, and in some cases can be less efficient than the first one. A: Suppose you have a DataFrame and you want to do some modification on the fields data by converting it to RDD[Row]. val aRdd = aDF.map(x=>Row(x.getAs[Long]("id"),x.getAs[List[String]]("role").head)) To convert back to DataFrame from RDD we need to define the structure type of the RDD. If the datatype was Long then it will become as LongType in structure. If String then StringType in structure. val aStruct = new StructType(Array(StructField("id",LongType,nullable = true),StructField("role",StringType,nullable = true))) Now you can convert the RDD to DataFrame using the createDataFrame method. val aNamedDF = sqlContext.createDataFrame(aRdd,aStruct) A: This code works perfectly from Spark 2.x with Scala 2.11 Import necessary classes import org.apache.spark.sql.{Row, SparkSession} import org.apache.spark.sql.types.{DoubleType, StringType, StructField, StructType} Create SparkSession Object, and Here it's spark val spark: SparkSession = SparkSession.builder.master("local").getOrCreate val sc = spark.sparkContext // Just used to create test RDDs Let's an RDD to make it DataFrame val rdd = sc.parallelize( Seq( ("first", Array(2.0, 1.0, 2.1, 5.4)), ("test", Array(1.5, 0.5, 0.9, 3.7)), ("choose", Array(8.0, 2.9, 9.1, 2.5)) ) ) ##Method 1 Using SparkSession.createDataFrame(RDD obj). val dfWithoutSchema = spark.createDataFrame(rdd) dfWithoutSchema.show() +------+--------------------+ | _1| _2| +------+--------------------+ | first|[2.0, 1.0, 2.1, 5.4]| | test|[1.5, 0.5, 0.9, 3.7]| |choose|[8.0, 2.9, 9.1, 2.5]| +------+--------------------+ ##Method 2 Using SparkSession.createDataFrame(RDD obj) and specifying column names. val dfWithSchema = spark.createDataFrame(rdd).toDF("id", "vals") dfWithSchema.show() +------+--------------------+ | id| vals| +------+--------------------+ | first|[2.0, 1.0, 2.1, 5.4]| | test|[1.5, 0.5, 0.9, 3.7]| |choose|[8.0, 2.9, 9.1, 2.5]| +------+--------------------+ ##Method 3 (Actual answer to the question) This way requires the input rdd should be of type RDD[Row]. val rowsRdd: RDD[Row] = sc.parallelize( Seq( Row("first", 2.0, 7.0), Row("second", 3.5, 2.5), Row("third", 7.0, 5.9) ) ) create the schema val schema = new StructType() .add(StructField("id", StringType, true)) .add(StructField("val1", DoubleType, true)) .add(StructField("val2", DoubleType, true)) Now apply both rowsRdd and schema to createDataFrame() val df = spark.createDataFrame(rowsRdd, schema) df.show() +------+----+----+ | id|val1|val2| +------+----+----+ | first| 2.0| 7.0| |second| 3.5| 2.5| | third| 7.0| 5.9| +------+----+----+ A: SparkSession has a number of createDataFrame methods that create a DataFrame given an RDD. I imagine one of these will work for your context. For example: def createDataFrame(rowRDD: RDD[Row], schema: StructType): DataFrame Creates a DataFrame from an RDD containing Rows using the given schema. A: One needs to create a schema, and attach it to the Rdd. Assuming val spark is a product of a SparkSession.builder... import org.apache.spark._ import org.apache.spark.sql._ import org.apache.spark.sql.types._ /* Lets gin up some sample data: * As RDD's and dataframes can have columns of differing types, lets make our * sample data a three wide, two tall, rectangle of mixed types. * A column of Strings, a column of Longs, and a column of Doubules */ val arrayOfArrayOfAnys = Array.ofDim[Any](2,3) arrayOfArrayOfAnys(0)(0)="aString" arrayOfArrayOfAnys(0)(1)=0L arrayOfArrayOfAnys(0)(2)=3.14159 arrayOfArrayOfAnys(1)(0)="bString" arrayOfArrayOfAnys(1)(1)=9876543210L arrayOfArrayOfAnys(1)(2)=2.71828 /* The way to convert an anything which looks rectangular, * (Array[Array[String]] or Array[Array[Any]] or Array[Row], ... ) into an RDD is to * throw it into sparkContext.parallelize. * http://spark.apache.org/docs/latest/api/scala/index.html#org.apache.spark.SparkContext shows * the parallelize definition as * def parallelize[T](seq: Seq[T], numSlices: Int = defaultParallelism) * so in our case our ArrayOfArrayOfAnys is treated as a sequence of ArraysOfAnys. * Will leave the numSlices as the defaultParallelism, as I have no particular cause to change it. */ val rddOfArrayOfArrayOfAnys=spark.sparkContext.parallelize(arrayOfArrayOfAnys) /* We'll be using the sqlContext.createDataFrame to add a schema our RDD. * The RDD which goes into createDataFrame is an RDD[Row] which is not what we happen to have. * To convert anything one tall and several wide into a Row, one can use Row.fromSeq(thatThing.toSeq) * As we have an RDD[somethingWeDontWant], we can map each of the RDD rows into the desired Row type. */ val rddOfRows=rddOfArrayOfArrayOfAnys.map(f=> Row.fromSeq(f.toSeq) ) /* Now to construct our schema. This needs to be a StructType of 1 StructField per column in our dataframe. * https://spark.apache.org/docs/latest/api/scala/index.html#org.apache.spark.sql.types.StructField shows the definition as * case class StructField(name: String, dataType: DataType, nullable: Boolean = true, metadata: Metadata = Metadata.empty) * Will leave the two default values in place for each of the columns: * nullability as true, * metadata as an empty Map[String,Any] * */ val schema = StructType( StructField("colOfStrings", StringType) :: StructField("colOfLongs" , LongType ) :: StructField("colOfDoubles", DoubleType) :: Nil ) val df=spark.sqlContext.createDataFrame(rddOfRows,schema) /* * +------------+----------+------------+ * |colOfStrings|colOfLongs|colOfDoubles| * +------------+----------+------------+ * | aString| 0| 3.14159| * | bString|9876543210| 2.71828| * +------------+----------+------------+ */ df.show Same steps, but with fewer val declarations: val arrayOfArrayOfAnys=Array( Array("aString",0L ,3.14159), Array("bString",9876543210L,2.71828) ) val rddOfRows=spark.sparkContext.parallelize(arrayOfArrayOfAnys).map(f=>Row.fromSeq(f.toSeq)) /* If one knows the datatypes, for instance from JDBC queries as to RDBC column metadata: * Consider constructing the schema from an Array[StructField]. This would allow looping over * the columns, with a match statement applying the appropriate sql datatypes as the second * StructField arguments. */ val sf=new Array[StructField](3) sf(0)=StructField("colOfStrings",StringType) sf(1)=StructField("colOfLongs" ,LongType ) sf(2)=StructField("colOfDoubles",DoubleType) val df=spark.sqlContext.createDataFrame(rddOfRows,StructType(sf.toList)) df.show A: I tried to explain the solution using the word count problem. 1. Read the file using sc *Produce word count *Methods to create DF * *rdd.toDF method *rdd.toDF("word","count") * *spark.createDataFrame(rdd,schema) Read file using spark val rdd=sc.textFile("D://cca175/data/") Rdd to Dataframe val df=sc.textFile("D://cca175/data/").toDF("t1") df.show Method 1 Create word count RDD to Dataframe val df=rdd.flatMap(x=>x.split(" ")).map(x=>(x,1)).reduceByKey((x,y)=>(x+y)).toDF("word","count") Method2 Create Dataframe from Rdd val df=spark.createDataFrame(wordRdd) # with header val df=spark.createDataFrame(wordRdd).toDF("word","count") df.show Method3 Define Schema import org.apache.spark.sql.types._ val schema=new StructType(). add(StructField("word",StringType,true)). add(StructField("count",StringType,true)) Create RowRDD import org.apache.spark.sql.Row val rowRdd=wordRdd.map(x=>(Row(x._1,x._2))) Create DataFrame from RDD with schema val df=spark.createDataFrame(rowRdd,schema) df.show A: I meet the same problem, and finally solve it. It's quite simple and easy. * *You have to add this code import sc.implicits._, sc means SQLContext. add this code you will get rdd.toDF() method. *Transform your rdd[RawData] to rdd[YourCaseClass]. For example, you have a rdd type like this rdd[(String, Integer, Long)], you can create a Case Class YourCaseClass(name: String, age: Integer, timestamp: Long) and convert raw rdd to rdd with YourCaseClass type, then you get rdd[YourCaseClass] *save rdd[YourCaseClass] to hive table. yourRdd.toDF().write.format("parquet").mode(SaveMode.Overwrite).insertInto(yourHiveTableName) Use case class to represent rdd type, we can avoid naming each column field or StructType related schema. A: To convert an Array[Row] to DataFrame or Dataset, the following works elegantly: Say, schema is the StructType for the row,then val rows: Array[Row]=... implicit val encoder = RowEncoder.apply(schema) import spark.implicits._ rows.toDS
{ "redpajama_set_name": "RedPajamaStackExchange" }
3,015
[ 128000, 48, 25, 2650, 311, 5625, 436, 634, 1665, 311, 39328, 304, 15541, 2650, 649, 358, 5625, 459, 78355, 320, 1813, 5206, 33646, 1783, 634, 2056, 4195, 58, 1813, 5206, 33646, 10251, 14999, 2526, 311, 264, 2956, 6906, 1262, 5206, 33646, 10251, 21756, 13, 358, 16489, 264, 39328, 311, 436, 634, 1701, 662, 81, 634, 13, 4740, 8863, 433, 358, 1390, 433, 1203, 304, 39328, 13, 2650, 649, 358, 656, 420, 24688, 32, 25, 6872, 220, 16, 25, 320, 94331, 340, 838, 5822, 2014, 284, 502, 1262, 5206, 33646, 10251, 26151, 2014, 17285, 340, 475, 5822, 2014, 81554, 416, 1220, 26546, 838, 6907, 62, 17, 284, 1156, 72557, 553, 90003, 1209, 16, 43, 11, 220, 18, 13, 15, 11, 330, 64, 4063, 320, 17, 43, 11, 482, 16 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 48, 25, 2650, 311, 5625, 436, 634, 1665, 311, 39328, 304, 15541, 2650, 649, 358, 5625, 459, 78355, 320, 1813, 5206, 33646, 1783, 634, 2056, 4195, 58, 1813, 5206, 33646, 10251, 14999, 2526, 311, 264, 2956, 6906, 1262, 5206, 33646, 10251, 21756, 13, 358, 16489, 264, 39328, 311, 436, 634, 1701, 662, 81, 634, 13, 4740, 8863, 433, 358, 1390, 433, 1203, 304, 39328, 13, 2650, 649, 358, 656, 420, 24688, 32, 25, 6872, 220, 16, 25, 320, 94331, 340, 838, 5822, 2014, 284, 502, 1262, 5206, 33646, 10251, 26151, 2014, 17285, 340, 475, 5822, 2014, 81554, 416, 1220, 26546, 838, 6907, 62, 17, 284, 1156, 72557, 553, 90003, 1209, 16, 43, 11, 220, 18, 13, 15, 11, 330, 64, 4063, 320, 17, 43, 11, 482, 16, -100 ]
Home » News » EBRD Finances Largest Private-to-Private Solar Plant in Jordan EBRD Finances Largest Private-to-Private Solar Plant in Jordan By Ayush Verma/ Updated On Fri, Aug 2nd, 2019 EBRD will together with its partners support a pioneering solar energy plant in Jordan with a financial package of up to USD 35 million. The European Bank for Reconstruction and Development (EBRD) has announced that it will together with its partners support a pioneering solar energy plant in Jordan with a financial package of up to USD 35 million. The project will enable the telecoms operator Orange Jordan to cover part of its demand with clean energy generated in solar plants. The investment will be the largest private-to-private solar project in Jordan yet, benefiting from new regulations that allow private consumers to establish their own energy facilities under a process known as "wheeling" that transports electricity from within the grid to facilities outside the grid's boundaries. The solar plants have been developed by the Jordanian company Kawar Investment, engineered, procured and constructed by Kawar Energy and are located in the King Hussein Bin Talal Development Area, the Mafraq governorate and the Amman governorate, with a total capacity of 37 MW. The operation and maintenance arm of Kawar Energy will be handling the O&M of all three solar parks for the next 20 years. The financing is provided by the EBRD with a loan of up to USD 15 million, the Jordan Kuwait Bank PSC (JKB) with USD 9.0 million, the Arab Jordan Investment Bank (Qatar) with USD 6.0 million and the Climate Investment Funds' Clean Technology Fund with USD 4.6 million. The three plants are expected to generate around 70 GWh per year in total, reducing CO2 emissions by 41,500 tonnes annually. With support from the EBRD, the local renewable energy sector has increased capacity from around 20 MW to over 1,000 MW between 2012 and 2019, with an estimated 1.2 GW under construction or development. Since 2012, the EBRD has provided over €1.3 billion to 43 projects in Jordan, including more than €596 million in loans to 13 projects in the country's power sector. Tags: EBRD, EBRD Solar Jordan, Finance, green energy, International, Jordan, Renewable Energy, Solar, Solar Energy, Solar Power, Solar PV
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
2,287
[ 128000, 7778, 8345, 5513, 8345, 469, 13396, 35, 5767, 3095, 84419, 9877, 4791, 12, 17205, 25450, 18317, 304, 17527, 198, 8428, 37790, 5767, 3095, 84419, 9877, 4791, 12, 17205, 25450, 18317, 304, 17527, 198, 1383, 24852, 1136, 6383, 1764, 14, 16459, 1952, 31502, 11, 5033, 220, 17, 303, 11, 220, 679, 24, 198, 8428, 37790, 690, 3871, 449, 1202, 8717, 1862, 264, 71674, 13238, 4907, 6136, 304, 17527, 449, 264, 6020, 6462, 315, 709, 311, 20121, 220, 1758, 3610, 627, 791, 7665, 8715, 369, 95794, 323, 11050, 320, 8428, 37790, 8, 706, 7376, 430, 433, 690, 3871, 449, 1202, 8717, 1862, 264, 71674, 13238, 4907, 6136, 304, 17527, 449, 264, 6020, 6462, 315, 709, 311, 20121, 220, 1758, 3610, 13, 578, 2447, 690, 7431, 279, 60505, 82, 5793 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7778, 8345, 5513, 8345, 469, 13396, 35, 5767, 3095, 84419, 9877, 4791, 12, 17205, 25450, 18317, 304, 17527, 198, 8428, 37790, 5767, 3095, 84419, 9877, 4791, 12, 17205, 25450, 18317, 304, 17527, 198, 1383, 24852, 1136, 6383, 1764, 14, 16459, 1952, 31502, 11, 5033, 220, 17, 303, 11, 220, 679, 24, 198, 8428, 37790, 690, 3871, 449, 1202, 8717, 1862, 264, 71674, 13238, 4907, 6136, 304, 17527, 449, 264, 6020, 6462, 315, 709, 311, 20121, 220, 1758, 3610, 627, 791, 7665, 8715, 369, 95794, 323, 11050, 320, 8428, 37790, 8, 706, 7376, 430, 433, 690, 3871, 449, 1202, 8717, 1862, 264, 71674, 13238, 4907, 6136, 304, 17527, 449, 264, 6020, 6462, 315, 709, 311, 20121, 220, 1758, 3610, 13, 578, 2447, 690, 7431, 279, 60505, 82, 5793, -100 ]
Layoffs rise as US economy slows Companies from ride-sharing platforms to the mighty Amazon are either shedding jobs or putting hiring plans on hold as the U.S. economy slows. Lyft said Thursday in a regulatory filing that it is cutting 13 percent of its workforce, or nearly 700 employees, as it moves to cut costs. The loss-making ride-hailing service has seen its sales shrink over the past year, while its shares are down 67% in 2022. Payment services provider Stripe also announced layoffs Thursday, saying it was cutting 14 percent of its workforce, or about 1,000 employees. In an email to employees posted on Stripe's website, CEO Patrick Collison said the company was preparing for "leaner times" amid worsening economic conditions. "We face persistent inflation, energy shocks, higher interest rates, reduced investment budgets and thinner startup funding," he wrote. Stripe said it will offer at least 14 weeks of severance pay for all laid-off employees and more for those with longer tenure. Twitter is another big tech company trying to cut costs. Bloomberg News reported that Elon Musk, who struck a deal with buy the social networking service last week for $44 billion, plans to lay off 3,700 employeesor about half of its workforce. Tesla's CEO wasted little time cleaning house, moving to fire Twitter's CEO, CFO and top lawyer within hours of taking control, while other members of the company's leadership team have also leave. The US economy is growing, but recession fears remain Also, moving to contain costs, Amazon executives are freezing hiring for its corporate workforce for at least the next few months, Beth Galetti, senior vice president of human experience and technology, said in a note posted on Amazon's website on Thursday. "We are facing an unusual macroeconomic environment and we want to balance our hiring and investment with being cautious about this economy," he said. The National Association for Business Economics recently predicted that the US will enter a recession within the next 12 months. Despite rising tech layoffs and economic challenges affecting millions of Americans, U.S. unemployment remains near a five-decade low of 3.5 percent. Employers posted across the country 10.7 million job vacancies in September, up from 10.3 million in August, the Labor Ministry announced on Tuesday. And despite the flurry of corporate layoff announcements, the number of workers filing for unemployment benefits remains low, suggesting that even laid-off workers are finding new jobs fairly quickly. "There's a bit of a panic," said Julia Pollack, chief economist at ZipRecruiter, citing the economy, technology and advertising sectors. "Companies are sitting on piles of cash and are very conservative, trying not to overhire. They probably won't expand, they'll still open new locations, and the big ribbon cutting will be postponed for another year." "We still have this incredible job market and an incredible shortage of candidates, but that gap between demand and supply is narrowing," he added. The government is due to release its employment report for October on Friday. Alain Serter Alain Sherter covers business and financial affairs for CBSNews.com. TaggedAmazonLyft 8 Best Outdoor Activities in Quebec City LAFC vs Philadelphia Union Live Stream: MLS Cup Prediction, TV Channel, How to Watch Online, News, Odds Aaron Dean: Officer who fatally shot Atatiana Jefferson through her window says he thought it was a burglary Bob Iger returns as CEO of Disney, shocking entertainment industry UN Weather Report: Climate woes are bad and getting worse faster
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
7,068
[ 128000, 43, 352, 33583, 10205, 439, 2326, 8752, 70270, 198, 64298, 505, 12141, 55856, 15771, 311, 279, 42727, 8339, 527, 3060, 80417, 7032, 477, 10917, 24009, 6787, 389, 3412, 439, 279, 549, 815, 13, 8752, 70270, 627, 48412, 728, 1071, 7950, 304, 264, 23331, 26559, 430, 433, 374, 14713, 220, 1032, 3346, 315, 1202, 32027, 11, 477, 7154, 220, 7007, 8420, 11, 439, 433, 11031, 311, 4018, 7194, 13, 578, 4814, 28846, 12141, 2902, 14612, 2532, 706, 3970, 1202, 6763, 30000, 927, 279, 3347, 1060, 11, 1418, 1202, 13551, 527, 1523, 220, 3080, 4, 304, 220, 2366, 17, 627, 20799, 3600, 9287, 60666, 1101, 7376, 99922, 7950, 11, 5605, 433, 574, 14713, 220, 975, 3346, 315, 1202, 32027, 11, 477, 922, 220, 16, 11, 931, 8420, 13, 763 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 43, 352, 33583, 10205, 439, 2326, 8752, 70270, 198, 64298, 505, 12141, 55856, 15771, 311, 279, 42727, 8339, 527, 3060, 80417, 7032, 477, 10917, 24009, 6787, 389, 3412, 439, 279, 549, 815, 13, 8752, 70270, 627, 48412, 728, 1071, 7950, 304, 264, 23331, 26559, 430, 433, 374, 14713, 220, 1032, 3346, 315, 1202, 32027, 11, 477, 7154, 220, 7007, 8420, 11, 439, 433, 11031, 311, 4018, 7194, 13, 578, 4814, 28846, 12141, 2902, 14612, 2532, 706, 3970, 1202, 6763, 30000, 927, 279, 3347, 1060, 11, 1418, 1202, 13551, 527, 1523, 220, 3080, 4, 304, 220, 2366, 17, 627, 20799, 3600, 9287, 60666, 1101, 7376, 99922, 7950, 11, 5605, 433, 574, 14713, 220, 975, 3346, 315, 1202, 32027, 11, 477, 922, 220, 16, 11, 931, 8420, 13, 763, -100 ]
California father's killing at campsite leads to investigations into 7 past shootings Posted: Jul 1, 2018 5:39 AM EST (CNN) -- Authorities are looking into whether the death of a man who was shot while camping with his daughters in California is linked to previous shootings at the campsite. Tristan Beaudette was shot once in the head on June 22 as he slept in a tent with his 2- and 4-year-old daughters at the Malibu Creek State Park, officials said. The Los Angeles County coroner ruled his death a homicide this week. In a statement, the Los Angeles County Sheriff's Department said it's looking for links between the 35-year-old's killing and seven shootings dating to November 2016. Detectives have not determined a motive behind the shooting and currently there's no evidence that suggest all the incidents are connected, the statement said. The shootings detectives are investigating took place on November 3 and 9, 2016; January 7, June 6, July 22, July 30, 2017 and most recently on June 18. Incidents include a man shot in the 8,000-acre park in 2016, and a woman whose car was hit by a bullet while she was camping there with her boyfriend in January 2017, CNN affiliate KABC reported. It's unclear whether the shootings resulted in fatalities. Earlier this week, the sheriff's department said it was reviewing only three prior shooting incidents. The Malibu Creek State Park is a scenic recreation area 25 miles from downtown Los Angeles that's been used as a backdrop for movies and television shows. Beaudette loved watching his daughters sing on stage, said Rabbi Arnie Rachlis of the University Synagogue in Irvine. "We would see the family at many of the University Synagogue events," Rachlis said. "Tristan was such a warm human being with this tremendous smile. You would see his little girls on stage, performing or singing. And he was riveted to them, adored them, looking at them with a big smile." Beaudette took the girls camping while his wife was studying for an exam, the rabbi told CNN. Beaudette was "so comfortable in nature and as a parent, ... it was natural that he would take them on the trip." He was an associate director at the pharmaceutical company Allergan, according to his LinkedIn page. The online bio also says Beaudette had seven years experience in late-stage pharmaceutical drug-product development. "Tristan will be remembered as a talented scientist who was admired by all who knew him and a meaningful contributor to our company's research and development efforts," Allergan said in a statement. Tomorrow 21° Snow Showers
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
245
[ 128000, 46510, 7126, 596, 13419, 520, 3190, 9703, 11767, 311, 26969, 1139, 220, 22, 3347, 44861, 198, 17827, 25, 10263, 220, 16, 11, 220, 679, 23, 220, 20, 25, 2137, 6912, 26963, 198, 3100, 9944, 8, 1198, 68415, 527, 3411, 1139, 3508, 279, 4648, 315, 264, 893, 889, 574, 6689, 1418, 33873, 449, 813, 30968, 304, 7188, 374, 10815, 311, 3766, 44861, 520, 279, 3190, 9703, 627, 1305, 9121, 2893, 8039, 6672, 574, 6689, 3131, 304, 279, 2010, 389, 5651, 220, 1313, 439, 568, 46498, 304, 264, 16006, 449, 813, 220, 17, 12, 323, 220, 19, 4771, 6418, 30968, 520, 279, 8560, 58082, 24076, 3314, 5657, 11, 7510, 1071, 627, 791, 9853, 12167, 6406, 22760, 261, 21989, 813, 4648, 264, 50077, 420, 2046, 627, 644, 264, 5224, 11 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 46510, 7126, 596, 13419, 520, 3190, 9703, 11767, 311, 26969, 1139, 220, 22, 3347, 44861, 198, 17827, 25, 10263, 220, 16, 11, 220, 679, 23, 220, 20, 25, 2137, 6912, 26963, 198, 3100, 9944, 8, 1198, 68415, 527, 3411, 1139, 3508, 279, 4648, 315, 264, 893, 889, 574, 6689, 1418, 33873, 449, 813, 30968, 304, 7188, 374, 10815, 311, 3766, 44861, 520, 279, 3190, 9703, 627, 1305, 9121, 2893, 8039, 6672, 574, 6689, 3131, 304, 279, 2010, 389, 5651, 220, 1313, 439, 568, 46498, 304, 264, 16006, 449, 813, 220, 17, 12, 323, 220, 19, 4771, 6418, 30968, 520, 279, 8560, 58082, 24076, 3314, 5657, 11, 7510, 1071, 627, 791, 9853, 12167, 6406, 22760, 261, 21989, 813, 4648, 264, 50077, 420, 2046, 627, 644, 264, 5224, 11, -100 ]
Kiyoshi Kurosawa: Before We Vanish (2017) (NYFF) Post subject: Kiyoshi Kurosawa: Before We Vanish (2017) (NYFF) RYUHEI MATSUDA AND MASAMI NAGASAWA, CENTER, IN BEFORE WE VANISH Dream deferred, love affirmed Kiiyoshi Kurosawa is best known for his superb modern horror films, especially his 1997 Cure and 2000 Pulse. Reviewing the good but not quite so good one made in between, the ironically titled Bright Future , I wrote "Kurosawa like no other living director creates his own haunting and disturbing moods." He took a successful turn toward a more conventional family drama about a man ashamed of being out of work with his 2008 Tokyo Sonata. But in 2012 he came home in a new format, with a drawn-out but absorbing horror miniseries, "Penance", about murder and schoolgirls; its five episodes were shown in theaters and on Japanese TV; you can watch it online. Things have been uneven since then, as can happen with the prolific. Two overlong movies, Journey to the Shore and Daguerreotype (with Tahar Rahim, Olivier Gourmet, Mathieu Amalric, and Malik Zidi, all wsted, which I coudln't finish), came out in 2015 and 2016. But in between was the successful and more typical Creepy. Well, this new one, based on a play (by Tomohiro Maekawa), is in between the two. It meanders too much, and doesn't seem to know how to grab us and hold us and move toward a climax. It's overlong too. But it's fun to watch, even amid cheesy special effects, Kurosawa's mastery of odd atmosphere, his way with young characters. One settles in comfortably for the work of a real pro, and winds up with a mystical and meditative work that plays with Eighties sci-fi. What happens is a very low keyed alien invasion but it begins, as if influenced by American blockbusters' penchant for high-octane openings, with the violent, bloody murder of a family, and then Akira (Yuri Tsunematsu), the teenage daughter, appears walking down the street splattered with gore. But there are several other stories. There is the journalist, Sakurai (Hiroki Hasegawa), who, though he insists his interest is more important things, is sent in to follow up on the killings, and then he is approached by a loose-limbed, kind of crazy young man called Amano (Mahiro Takasugi) who offers to be Sakurai's "guide." (Takasugi does some falls and slides that are very graceful; and he's not the only one.) An illustrator who works at home, Narumi (Masami Nagasawa) finds out her estranged husband, Shinji (Ryuhei Matsuda), has come back from a walk helpless, with loss of memory and incomprehension of basic tasks and ideas. This delights Narumi, who had grown to hate Shinji. Now that he's robed of most of his personality, though his helplessness can be a bit annoying, he becomes like a cuddly doll for her, or a playful reminder of all she loved about him originally. The restored affection of Narumi and Shinji turns out to be the real unifying thread of a movie that instead of being primarily about alien invasion or apocalypse ends with a focus on the redeeming power of love. What helps this, perhaps the subtlest note, is that for a while we may imagine that maybe Shinji only thinks he's been invaded by an alien. He has, but this invasion turns out to be benign; the aliens are moved by what they find and change their minds. This is a hint of something dealt with in more detail in Nicolas Roeg's The Man Who Fell to Earth: the fact that life on earth can change a guy. Roeg's film meanders too, but it treats some of these themes more richly and, of course, has David Bowie. To do him justice, though, Ryuhei Matsuda looks rather like an alien too, at least from certain angles: perfect, but just a skosh off. Sometimes Sinji's questions sound like mockery of human politics and philosophy. He also starts insisting he is an alien, come as part of a takeover. He must absorb - like Invasion of the Body Snatchers , certain human concepts. He's not the only one to do this, and they do it by asking a few questions to get the person focused on an idea, and then touch their forehead, whereupon they generally collapse from the loss, which may be debilitating - or freeing. When Narumi's boss at work has his concept of work taken over, he and his colleagues merrily go about destroying the office. There isn't very much violence, or rather it simply isn't effective as, say, in Cure, where each successive death is at once a shock and a confirmation; actually Akira goes on being very violent, killing people who annoy her wholesale with whatever weapons come to hand. They emit flashes and look suspiciously like Fifties sci-fi movie ray-guns at times: but Kurosawa clearly intends this playful allusion to more naive and simpler cinematic future-worlds. Before We Vanish doesn't always know what it wants to be (Cure and Pulse, for that matter Tokyo Sonata, never deviate). Kurosawa may have chosen the play because it seemed germane to former interests. When the people invaded by aliens touch a forehead and the person drops to the ground, it echoes earlier, more powerful and haunting Kurosawa films. But the trouble is he has apparently expanded the play, when he ought to have made it leaner and more powerful. There are many amusing or enjoyable or even thought-provoking moments here, but the action is meandering, rather than suspenseful, and the result isn't the audience-pleaser that the director's best work has been. Before We Vanish/散歩する侵略者 (Sanpo suru shinryakusha), 129 mins., debuted at Cannes in May 2017; it was included in at least 14 other international festivals, including the New York Film Festival (30 Sept. 2017). Its US theatrical debut, from Super LTD, begins 2 Feb. 2018. It will show in New York atLincoln Center and IFC Center, and also in Los Angeles.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
252
[ 128000, 42, 16618, 32945, 735, 44486, 14406, 25, 13538, 1226, 13000, 819, 320, 679, 22, 8, 320, 23923, 1785, 340, 4226, 3917, 25, 735, 16618, 32945, 735, 44486, 14406, 25, 13538, 1226, 13000, 819, 320, 679, 22, 8, 320, 23923, 1785, 340, 11492, 52, 1837, 40, 25832, 50, 32391, 3651, 88148, 67668, 452, 1929, 1950, 14757, 32, 11, 67092, 11, 2006, 57582, 20255, 97753, 16849, 198, 65454, 27334, 11, 3021, 74549, 198, 42, 3893, 88, 32945, 735, 44486, 14406, 374, 1888, 3967, 369, 813, 33689, 6617, 22169, 12631, 11, 5423, 813, 220, 2550, 22, 70819, 323, 220, 1049, 15, 50349, 13, 10506, 287, 279, 1695, 719, 539, 5115, 779, 1695, 832, 1903, 304, 1990, 11, 279, 80865, 25891, 27508, 12781, 1174, 358, 6267, 330, 42, 44486, 14406, 1093 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 42, 16618, 32945, 735, 44486, 14406, 25, 13538, 1226, 13000, 819, 320, 679, 22, 8, 320, 23923, 1785, 340, 4226, 3917, 25, 735, 16618, 32945, 735, 44486, 14406, 25, 13538, 1226, 13000, 819, 320, 679, 22, 8, 320, 23923, 1785, 340, 11492, 52, 1837, 40, 25832, 50, 32391, 3651, 88148, 67668, 452, 1929, 1950, 14757, 32, 11, 67092, 11, 2006, 57582, 20255, 97753, 16849, 198, 65454, 27334, 11, 3021, 74549, 198, 42, 3893, 88, 32945, 735, 44486, 14406, 374, 1888, 3967, 369, 813, 33689, 6617, 22169, 12631, 11, 5423, 813, 220, 2550, 22, 70819, 323, 220, 1049, 15, 50349, 13, 10506, 287, 279, 1695, 719, 539, 5115, 779, 1695, 832, 1903, 304, 1990, 11, 279, 80865, 25891, 27508, 12781, 1174, 358, 6267, 330, 42, 44486, 14406, 1093, -100 ]
Home Business Is it Time to Take Your Profits From Alibaba Group Holding Limited... Is it Time to Take Your Profits From Alibaba Group Holding Limited [BABA] Stock? Over the past three months, Alibaba Group Holding Limited [BABA] ended the trading day at $264.01 and exhibited a change of 0.25% with a 24 hour trading and reached upto the volume of 17.46M compared to its recorded trading volume of 14.61 million. BABA generated a 1 year amount change with 34.49%. Though for Principal markets a year is counted as a long time period. By having a look at the most recent performance of this stock, in the last week its amount moved by -2.26% with an amount shift of -13.35% over the last month. On 1, December 2020, SHAREHOLDER ALERT: RTX TILE BABA: The Law Offices of Vincent Wong Reminds Investors of Important Class Action Deadlines. According to news published on Yahoo Finance, NEW YORK, NY / ACCESSWIRE / December 1, 2020 / The Law Offices of Vincent Wong announce that class actions have commenced on behalf of certain shareholders in the following companies. If you suffered a loss you have until the lead plaintiff deadline to request that the court appoint you as lead plaintiff. There will be no obligation or cost to you. The most recent analyst activity for Alibaba Group Holding Limited [NYSE:BABA] stock was on August 21, 2020, when it was Reiterated with a Buy rating from The Benchmark Company, which also raised its 12-month price target on the stock from $275 to $290. Before that, on August 24, 2020, Barclays Recapitulated an Overweight rating and elevated its amount target to $320. On July 09, 2020, Needham Initiated a Buy rating and boosted its price target on this stock to $275. On February 14, 2020, The Benchmark Company Reiterated a Buy rating and increased its price target from $220 to $275. On January 22, 2020, DZ Bank Initiated a Buy rating and increased its price target to $260. On November 22, 2019, Macquarie Initiated an Outperform rating. On October 04, 2019, HSBC Securities Reiterated a Buy rating and boosted its target amount on this stock from $230 to $233. In the past 52 weeks of trading, this stock has oscillated between a low of $169.95 and a peak of $319.32. Right now, the middling Wall Street analyst 12-month amount mark is $2327.32. At the most recent market close, shares of Alibaba Group Holding Limited [NYSE:BABA] were valued at $264.01. According to the average price forecast, investors can expect a potential return of 85.48%. Alibaba Group Holding Limited [NYSE:BABA] most recently reported quarterly sales of 173.7 billion, which represented growth of 30.30%. This publicly-traded organization's revenue is $4,862,959 per employee, while its income is $1,424,061 per employee. This company's Gross Margin is currently 43.30%, its Operating Margin is 16.30%, its Pretax Margin is +32.69, and its Net Margin is +29.28. Continuing to look at profitability, this corporation's Return on Assets, Equity, Whole Principal & invested Principal is sitting at 13.07, 23.91, 10.73 and 19.90 respectively. If looking now at the Principal structure of this organization, it shows its whole liability to the whole Principal at 16.32 and the whole liability to whole assets at 11.22. It shows enduring liability to the whole principal at 15.44 and enduring liability to assets at 0.11 while looking for an extended time period. Readers are usually of view to make a close observation to the indicators that support and make resistance before moving to any particular stock. As of now, the company's stock is sitting at 261.83 points at 1st support level, the second support level is making up to 259.65. But as of 1st resistance point, this stock is sitting at 265.93 and at 267.85 for 2nd resistance point. Alibaba Group Holding Limited [BABA] reported its earnings at $2.73 per share in the fiscal quarter closing of 9/29/2020. The Analysts for Wall Street were expecting to report its earnings at $2.14/share signifying the difference of 0.59 and 27.60% surprise value. Comparing the previous quarter ending of 6/29/2020, the stated earnings were $2.21 calling estimates for $2.06/share with the difference of 0.15 depicting the surprise of 7.30%. Meanwhile, turning our focus to liquidity, the Current Ratio for Alibaba Group Holding Limited [NYSE:BABA] is 2.00. Likewise, the Quick ratio is also the same, showing Cash ratio at 1.55. Now if looking for a valuation of this stock's amount to sales ratio it's 6.85, it's amount to book ratio is 4.77 and showing 35.74 of P/E (TTM) ratio. Alibaba Group Holding Limited BABA stock NYSE:BABA Previous articleWhy Yamana Gold Inc. [AUY] Stock Will Fly to $10.00 Over the Next 12 Months Next articleWhy Verizon Communications Inc. [VZ] Stock Still Has Countless Sunny Days Ahead
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
4,613
[ 128000, 7778, 8184, 2209, 433, 4212, 311, 12040, 4718, 8626, 1220, 5659, 55464, 5856, 55777, 19439, 9522, 3957, 433, 4212, 311, 12040, 4718, 8626, 1220, 5659, 55464, 5856, 55777, 19439, 510, 33, 57650, 60, 12937, 5380, 1959, 279, 3347, 2380, 4038, 11, 55464, 5856, 55777, 19439, 510, 33, 57650, 60, 9670, 279, 11380, 1938, 520, 400, 12815, 13, 1721, 323, 51713, 264, 2349, 315, 220, 15, 13, 914, 4, 449, 264, 220, 1187, 6596, 11380, 323, 8813, 81226, 279, 8286, 315, 220, 1114, 13, 2790, 44, 7863, 311, 1202, 12715, 11380, 8286, 315, 220, 975, 13, 5547, 3610, 13, 426, 57650, 8066, 264, 220, 16, 1060, 3392, 2349, 449, 220, 1958, 13, 2491, 14697, 18056, 369, 37409, 11987, 264, 1060, 374, 31094, 439, 264, 1317, 892, 4261, 13 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7778, 8184, 2209, 433, 4212, 311, 12040, 4718, 8626, 1220, 5659, 55464, 5856, 55777, 19439, 9522, 3957, 433, 4212, 311, 12040, 4718, 8626, 1220, 5659, 55464, 5856, 55777, 19439, 510, 33, 57650, 60, 12937, 5380, 1959, 279, 3347, 2380, 4038, 11, 55464, 5856, 55777, 19439, 510, 33, 57650, 60, 9670, 279, 11380, 1938, 520, 400, 12815, 13, 1721, 323, 51713, 264, 2349, 315, 220, 15, 13, 914, 4, 449, 264, 220, 1187, 6596, 11380, 323, 8813, 81226, 279, 8286, 315, 220, 1114, 13, 2790, 44, 7863, 311, 1202, 12715, 11380, 8286, 315, 220, 975, 13, 5547, 3610, 13, 426, 57650, 8066, 264, 220, 16, 1060, 3392, 2349, 449, 220, 1958, 13, 2491, 14697, 18056, 369, 37409, 11987, 264, 1060, 374, 31094, 439, 264, 1317, 892, 4261, 13, -100 ]
Ashland Times Gazette Wednesday's Game Ashland 92, Notre Dame 55 Thursday's Games Ohio Dominican at Wayne St., 5:30 p.m. Hillsdale at Michigan Tech, 5:30 p.m. Lake Erie, Lake Superior St., 5:30 p.m. Walsh at Northwood, 6 p.m. Findlay at Northern Mich., 6 p.m. © 2023 www.times-gazette.com. All rights reserved.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
9,665
[ 128000, 53856, 1974, 8691, 75682, 198, 41619, 596, 4140, 198, 53856, 1974, 220, 6083, 11, 44564, 41798, 220, 2131, 198, 38888, 596, 11871, 198, 66217, 67113, 520, 28640, 800, 2637, 220, 20, 25, 966, 281, 749, 627, 39, 3385, 35283, 520, 14972, 17829, 11, 220, 20, 25, 966, 281, 749, 627, 82389, 79587, 11, 11940, 42041, 800, 2637, 220, 20, 25, 966, 281, 749, 627, 89398, 939, 520, 4892, 6798, 11, 220, 21, 281, 749, 627, 10086, 6789, 520, 17355, 5384, 2637, 220, 21, 281, 749, 627, 20644, 220, 2366, 18, 8604, 37385, 2427, 1394, 6672, 916, 13, 2052, 3268, 4694, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 53856, 1974, 8691, 75682, 198, 41619, 596, 4140, 198, 53856, 1974, 220, 6083, 11, 44564, 41798, 220, 2131, 198, 38888, 596, 11871, 198, 66217, 67113, 520, 28640, 800, 2637, 220, 20, 25, 966, 281, 749, 627, 39, 3385, 35283, 520, 14972, 17829, 11, 220, 20, 25, 966, 281, 749, 627, 82389, 79587, 11, 11940, 42041, 800, 2637, 220, 20, 25, 966, 281, 749, 627, 89398, 939, 520, 4892, 6798, 11, 220, 21, 281, 749, 627, 10086, 6789, 520, 17355, 5384, 2637, 220, 21, 281, 749, 627, 20644, 220, 2366, 18, 8604, 37385, 2427, 1394, 6672, 916, 13, 2052, 3268, 4694, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
We love our customers! Read what some of them have to say about our restaurant. Carolina House is like a second home. Carolina House is a unique combination of a comfortable small town pub with the culinary appeal of fine dining if you so choose. You can enjoy a good IPA with a burger or a great margarita with a burrito any night of the week. Or you can embrace fine dining with a great wine with the small town charm that Tammy and her staff exude. For those of us "regulars" Carolina House is like a second home. Gracious and attentive wait staff, great bartenders and a cozy, unpretentious environment that makes our out of town friends appreciate this gem we have in our little village. The South may well be known for its hospitality, but for many years, my favorite source of "Northern Comfort" has been Carolina House. The friendly and talented folks there go out of their way to see that everyone feels satisfied and at home. Some day I expect to walk into Carolina House and find graffiti on the wall that reads "For a good time, call Tammy!" She and her wonderful team work beautifully together at striving to make your every dining experience just that — a good time. Just a quick note to tell you how much my husband and I always enjoy Carolina House. The atmosphere is wonderful and the food and service are consistently terrific ~ and consistent isn't easy to find these days!! We love to dine "just us two", and it's also a super place to meet up with new friends and old. Thanks again for a great dining experience we can always count on.
{ "redpajama_set_name": "RedPajamaC4" }
3,399
[ 128000, 1687, 3021, 1057, 6444, 0, 4557, 1148, 1063, 315, 1124, 617, 311, 2019, 922, 1057, 10960, 627, 9028, 59004, 4783, 374, 1093, 264, 2132, 2162, 627, 9028, 59004, 4783, 374, 264, 5016, 10824, 315, 264, 10882, 2678, 6424, 6814, 449, 279, 58441, 14638, 315, 7060, 18397, 422, 499, 779, 5268, 13, 1472, 649, 4774, 264, 1695, 56847, 449, 264, 45723, 477, 264, 2294, 19205, 277, 6388, 449, 264, 7951, 29141, 904, 3814, 315, 279, 2046, 13, 2582, 499, 649, 27830, 7060, 18397, 449, 264, 2294, 13378, 449, 279, 2678, 6424, 32353, 430, 29988, 2465, 323, 1077, 5687, 506, 799, 13, 1789, 1884, 315, 603, 330, 23108, 82, 1, 13030, 4783, 374, 1093, 264, 2132, 2162, 13, 2895, 19995, 323, 73898, 3868, 5687, 11, 2294, 62618, 14846, 323 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1687, 3021, 1057, 6444, 0, 4557, 1148, 1063, 315, 1124, 617, 311, 2019, 922, 1057, 10960, 627, 9028, 59004, 4783, 374, 1093, 264, 2132, 2162, 627, 9028, 59004, 4783, 374, 264, 5016, 10824, 315, 264, 10882, 2678, 6424, 6814, 449, 279, 58441, 14638, 315, 7060, 18397, 422, 499, 779, 5268, 13, 1472, 649, 4774, 264, 1695, 56847, 449, 264, 45723, 477, 264, 2294, 19205, 277, 6388, 449, 264, 7951, 29141, 904, 3814, 315, 279, 2046, 13, 2582, 499, 649, 27830, 7060, 18397, 449, 264, 2294, 13378, 449, 279, 2678, 6424, 32353, 430, 29988, 2465, 323, 1077, 5687, 506, 799, 13, 1789, 1884, 315, 603, 330, 23108, 82, 1, 13030, 4783, 374, 1093, 264, 2132, 2162, 13, 2895, 19995, 323, 73898, 3868, 5687, 11, 2294, 62618, 14846, 323, -100 ]
Start using the profile by choosing Soccer in the Graphics type dropdown. Below is a list of soccer specific functions. Display the number of additional minutes. Present red or yellow penalty card together with a name. Display the names of the players exchanging.
{ "redpajama_set_name": "RedPajamaC4" }
50
[ 128000, 3563, 1701, 279, 5643, 555, 19301, 38633, 304, 279, 20914, 955, 21014, 13, 21883, 374, 264, 1160, 315, 22963, 3230, 5865, 627, 7165, 279, 1396, 315, 5217, 4520, 627, 21886, 2579, 477, 14071, 16750, 3786, 3871, 449, 264, 836, 627, 7165, 279, 5144, 315, 279, 4311, 79531, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 3563, 1701, 279, 5643, 555, 19301, 38633, 304, 279, 20914, 955, 21014, 13, 21883, 374, 264, 1160, 315, 22963, 3230, 5865, 627, 7165, 279, 1396, 315, 5217, 4520, 627, 21886, 2579, 477, 14071, 16750, 3786, 3871, 449, 264, 836, 627, 7165, 279, 5144, 315, 279, 4311, 79531, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
It's 2044. The earth is in shambles courtesy of pollution, overpopulation, and the dog uprising of 2039. With the aid of next-level sci fi technology humankind is exploring the galaxy in search of a new home. We've gotten far, planted flags all over the place like overzealous golf caddies, but we have yet to find a suitable replacement. Things look bleak for the future of our species. A shiny spaceship nears a promising new planet in a far away galaxy, one brimming with potential for life and colonization like we have never seen before. A new hope. It gently nestles down on the grassy terrain. Out steps an intrepid space explorer, our hero, looking to the alien horizon with a sense of pride and destiny. They daringly take off their helmet and take the first breath of this new, perfect world's air. They then utter these historic words: "I shall name this new home for humankind after my parent, and I will name its moon halloweencostumes.com, for without both I would never have become an astronaut." This is your child, all grown up. They decided to become an astronaut when you bought them our Toddler Astronaut Costume when they were two and a half. We saved the human race and now we are immortalized. Feels good, doesn't it? The Toddler Astronaut Costume looks just like the real thing. Easy to put on with lots of authentic-looking accents like faux leather, zippered pockets, and NASA and American flag patches, your little one will look like they're ready to head for the stars -- as soon as they figure out how to pour their own glass of Tang! A little hat pulls the whole ensemble together.
{ "redpajama_set_name": "RedPajamaC4" }
1,923
[ 128000, 2181, 596, 220, 7854, 19, 13, 578, 9578, 374, 304, 559, 3042, 645, 27104, 315, 25793, 11, 927, 45541, 11, 323, 279, 5679, 70506, 315, 220, 9639, 24, 13, 3161, 279, 12576, 315, 1828, 11852, 39074, 9314, 5557, 2854, 70370, 374, 24919, 279, 34261, 304, 2778, 315, 264, 502, 2162, 13, 1226, 3077, 17454, 3117, 11, 39441, 8202, 682, 927, 279, 2035, 1093, 927, 3059, 30543, 19665, 272, 723, 552, 11, 719, 584, 617, 3686, 311, 1505, 264, 14791, 14039, 13, 20695, 1427, 76367, 369, 279, 3938, 315, 1057, 9606, 627, 32, 42299, 85942, 3221, 82, 264, 26455, 502, 11841, 304, 264, 3117, 3201, 34261, 11, 832, 1437, 41133, 449, 4754, 369, 2324, 323, 96553, 1093, 584, 617, 2646, 3970, 1603, 13, 362, 502, 3987, 13, 1102 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 2181, 596, 220, 7854, 19, 13, 578, 9578, 374, 304, 559, 3042, 645, 27104, 315, 25793, 11, 927, 45541, 11, 323, 279, 5679, 70506, 315, 220, 9639, 24, 13, 3161, 279, 12576, 315, 1828, 11852, 39074, 9314, 5557, 2854, 70370, 374, 24919, 279, 34261, 304, 2778, 315, 264, 502, 2162, 13, 1226, 3077, 17454, 3117, 11, 39441, 8202, 682, 927, 279, 2035, 1093, 927, 3059, 30543, 19665, 272, 723, 552, 11, 719, 584, 617, 3686, 311, 1505, 264, 14791, 14039, 13, 20695, 1427, 76367, 369, 279, 3938, 315, 1057, 9606, 627, 32, 42299, 85942, 3221, 82, 264, 26455, 502, 11841, 304, 264, 3117, 3201, 34261, 11, 832, 1437, 41133, 449, 4754, 369, 2324, 323, 96553, 1093, 584, 617, 2646, 3970, 1603, 13, 362, 502, 3987, 13, 1102, -100 ]
Trending Now is the highlighter craze. It seems that every major brand has something to offer this season to get you glowing whether it be cream, powder, or liquid form. Today I have a round up of some of my recent picks, as well as swatches for you.
{ "redpajama_set_name": "RedPajamaC4" }
2,020
[ 128000, 51, 63094, 4800, 374, 279, 11415, 261, 46141, 3059, 13, 1102, 5084, 430, 1475, 3682, 6883, 706, 2555, 311, 3085, 420, 3280, 311, 636, 499, 49592, 3508, 433, 387, 12932, 11, 17138, 11, 477, 14812, 1376, 13, 11450, 358, 617, 264, 4883, 709, 315, 1063, 315, 856, 3293, 22657, 11, 439, 1664, 439, 2064, 9296, 369, 499, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 51, 63094, 4800, 374, 279, 11415, 261, 46141, 3059, 13, 1102, 5084, 430, 1475, 3682, 6883, 706, 2555, 311, 3085, 420, 3280, 311, 636, 499, 49592, 3508, 433, 387, 12932, 11, 17138, 11, 477, 14812, 1376, 13, 11450, 358, 617, 264, 4883, 709, 315, 1063, 315, 856, 3293, 22657, 11, 439, 1664, 439, 2064, 9296, 369, 499, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Contemporary Turkish Politics, POMEPS Studies 22 Open Access Turkey has been in the news repeatedly in 2016, from the coup attempt of July to the subsequent government purges to its renewed fight against the PKK and crackdown on Kurdish populations. However surprising these developments may appear for an outside observer, they are deeply rooted in the history of the Turkish state, the evolution of the ruling Justice and Development Party (Adalet ve Kalkınma Partisi, AKP), and the complex identity politics of the region. In October, more than a dozen scholars of Turkish politics gathered at Rice University's Baker Institute in Houston for a Project on Middle East Political Science workshop to delve into some of these underlying themes. The memos produced for that workshop have been published individually on the POMEPS website and the full collection is now available as a free download here. The authors in this collection provide rich context, new data, and sharp analysis of the nuanced challenges facing the country and the region today. The relationship between state and religion is one of the key issues to understand Turkish politics. Sebnem Gumuscu describes how competition between two main Islamist organizations evolved and influenced the government organization, somewhat paradoxically diminishing the checks and balances of the secular state that expedited the government's ability to purge. Kristin Fabbe examines the direct and indirect ways religion and government interact and asks who might fill the bureaucratic void left by the Gülen movement. The religion-state nexus not only influences domestic affairs in crucial ways but its effects also shape Turkey's stature within the regional. Once heralded as a shining beacon of democracy in the region, Turkey is now sinking on many indices of democracy and freedom. Ekrem Karakoc illustrates the fluctuating popularity of the Turkish model since the Arab uprisings in other MENA countries. Unsurprisingly, Islamist parties tended to look up to the success of the AKP more than other groups. Yet the often-referenced secular/ Islamist dichotomy fails to get at the complexities of these movements and their relationships with power. The malleable use of identity is a recurring theme in this collection. Senem Aslan paints a fascinating picture of the diverse ways in which AKP leaders use public displays of crying. In a region where machismo and tough leadership dominate political discourse, this invoking of emotion and victimhood serves a unique purpose for a party that has been in power now for more than a dozen years. Kimberly Guiler also takes up this question of victimhood, examining the use of conspiracy theories in the wake of the July 2016 coup as the AKP attempted to centralize power and promote national unity. Esen Kirdiş shows how shifts in the AKP government's identity can be measured by the shifts in its foreign policy, from moderate Western-facing at the beginning of its tenure in office, to increasingly more Islam and identity focused as its support and base grew and now to a nationalist orientation as its support is wavering. Lisel Hintz describes how the Republic Nationalist orientation of previous governments gave way to the Ottoman-inspired and Islam-focused inclusive politics that downplayed the importance of ethnicity, opening an all too brief window of opportunity for addressing the Kurdish question. In their analysis of female political representation, Abdullah Aydogan, Melissa Marschall, and Marwa Shalaby explore the effects of gender roles and norms on women's nomination and winning at the local and national level offices. Counterintuitively, they find that national offices are more open to female representation than local levels. Expanding on the Kurdish question, Sabri Çiftçi illustrates the unique challenges to ethnic descriptive representation of Kurds in Turkey, especially in the context of conflict. The lack of demographic data remains a main challenge, but Avital Livny fills in the missing information gap with some innovative new survey data to measure Kurdish politicization. Şener Aktürk presents and analyzes several often-cited hypotheses about why the PKK ended its ceasefire in 2015, suggesting that foreign policy may have played a larger role than many believe. During this period of renewed war, Aysegul Aydin and Cem Emrence illustrate how curfews have been used not only as a means of civilian control but also selectively to punish areas that have voted for the Kurdish party and to entice voters who live in more competitive electoral districts. Güneş Murat Tezcür presents his unique dataset of Turkish foreign fighters leaving the country to join either nationalist struggles of Kurds or the religious call of ummah and caliphate, showing how these individuals are similar and very different and what this means for Turkish society. Useful for students, academics, and policy-makers alike, the pieces in POMEPS Studies 22 Contemporary Turkish Politics, offer a uniquely accessible yet nuanced analysis of a country in flux. Download it today. Project on Middle East Political Science (POMEPS) Lynch, Marc POMEPS Studies https://scholarspace-etds.library.gwu.edu/work/dz010q366 POMEPS_Studies_22_Turkish_Politics_Web.pdf 2018-08-26 Open Access
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
3,353
[ 128000, 825, 14084, 24666, 35979, 11, 393, 11662, 5119, 19241, 220, 1313, 5377, 9742, 198, 73819, 706, 1027, 304, 279, 3754, 19352, 304, 220, 679, 21, 11, 505, 279, 16081, 4879, 315, 5887, 311, 279, 17876, 3109, 4087, 4282, 311, 1202, 36646, 4465, 2403, 279, 99058, 323, 59233, 389, 42740, 22673, 13, 4452, 15206, 1521, 26006, 1253, 5101, 369, 459, 4994, 22842, 11, 814, 527, 17693, 41976, 304, 279, 3925, 315, 279, 24666, 1614, 11, 279, 15740, 315, 279, 17864, 12007, 323, 11050, 8722, 320, 96447, 1169, 5320, 735, 1727, 125763, 113448, 11, 31672, 47, 705, 323, 279, 6485, 9764, 11759, 315, 279, 5654, 13, 763, 6664, 11, 810, 1109, 264, 21030, 31839, 315, 24666, 11759, 20802, 520, 30616, 3907, 596, 29492, 10181, 304, 16386, 369, 264, 5907 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 825, 14084, 24666, 35979, 11, 393, 11662, 5119, 19241, 220, 1313, 5377, 9742, 198, 73819, 706, 1027, 304, 279, 3754, 19352, 304, 220, 679, 21, 11, 505, 279, 16081, 4879, 315, 5887, 311, 279, 17876, 3109, 4087, 4282, 311, 1202, 36646, 4465, 2403, 279, 99058, 323, 59233, 389, 42740, 22673, 13, 4452, 15206, 1521, 26006, 1253, 5101, 369, 459, 4994, 22842, 11, 814, 527, 17693, 41976, 304, 279, 3925, 315, 279, 24666, 1614, 11, 279, 15740, 315, 279, 17864, 12007, 323, 11050, 8722, 320, 96447, 1169, 5320, 735, 1727, 125763, 113448, 11, 31672, 47, 705, 323, 279, 6485, 9764, 11759, 315, 279, 5654, 13, 763, 6664, 11, 810, 1109, 264, 21030, 31839, 315, 24666, 11759, 20802, 520, 30616, 3907, 596, 29492, 10181, 304, 16386, 369, 264, 5907, -100 ]
FM Kirby Center 71 Public Square $39.75, $49.75, $59.75, plus fees https://www.kirbycenter.org/events/8kh/joe_gatto/ Joe Gatto Well-known comedian, actor, and producer, best known for the hit TV shows "Impractical Jokers" and "The Misery Index". Joe Gatto is one of the founding members of The Tenderloins Comedy Troupe who has toured with a live comedy show to sold-out crowds across the world, including legendary arenas, such as Madison Square Garden in New York and the O2 Arena in London. Joe also is a co-host of the "Two Cool Moms" Podcast and has also appeared on hit podcasts including This Past Weekend with Theo Von, What A Joke with Papa and Fortune and Life is Short with Justin Long. Joe loves spending time with his two children and his ever growing pack of rescue dogs affectionately known as the "Gatto Pups." VIP Add On $100.00, can be added to any price ticket Meet & Greet/photo with Joe Gatto. Meet & Greet ticket DOES NOT include a show ticket. Separate show ticket MUST be purchased to attend Meet & Greet.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
1,199
[ 128000, 26691, 58811, 5955, 198, 6028, 3142, 15992, 198, 3, 2137, 13, 2075, 11, 400, 2491, 13, 2075, 11, 400, 2946, 13, 2075, 11, 5636, 12718, 198, 2485, 1129, 2185, 5314, 404, 1729, 3133, 2726, 43864, 14, 23, 31764, 4537, 4748, 1928, 17173, 6018, 41444, 480, 17173, 198, 11649, 22015, 51912, 11, 12360, 11, 323, 17276, 11, 1888, 3967, 369, 279, 4295, 6007, 5039, 330, 1453, 652, 37119, 622, 41781, 1, 323, 330, 791, 33659, 727, 8167, 23811, 41444, 480, 17173, 374, 832, 315, 279, 36330, 3697, 315, 578, 94967, 385, 1354, 44851, 350, 38815, 889, 706, 91713, 449, 264, 3974, 23160, 1501, 311, 6216, 9994, 35851, 4028, 279, 1917, 11, 2737, 28812, 98767, 11, 1778, 439, 31015, 15992, 19558, 304, 1561, 4356, 323, 279, 507, 17, 28145 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 26691, 58811, 5955, 198, 6028, 3142, 15992, 198, 3, 2137, 13, 2075, 11, 400, 2491, 13, 2075, 11, 400, 2946, 13, 2075, 11, 5636, 12718, 198, 2485, 1129, 2185, 5314, 404, 1729, 3133, 2726, 43864, 14, 23, 31764, 4537, 4748, 1928, 17173, 6018, 41444, 480, 17173, 198, 11649, 22015, 51912, 11, 12360, 11, 323, 17276, 11, 1888, 3967, 369, 279, 4295, 6007, 5039, 330, 1453, 652, 37119, 622, 41781, 1, 323, 330, 791, 33659, 727, 8167, 23811, 41444, 480, 17173, 374, 832, 315, 279, 36330, 3697, 315, 578, 94967, 385, 1354, 44851, 350, 38815, 889, 706, 91713, 449, 264, 3974, 23160, 1501, 311, 6216, 9994, 35851, 4028, 279, 1917, 11, 2737, 28812, 98767, 11, 1778, 439, 31015, 15992, 19558, 304, 1561, 4356, 323, 279, 507, 17, 28145, -100 ]
Which Sambar model do you have? To get access to every router of Sambar (e.g. Sambar Server ), you need the IP of your router, the username and router password. You can find these information in Sambar router manuals. But if you do not have the manual for your router or you do not want to read the whole manual to find the default login information then you can use the quick guide below. The default username for your Sambar router is admin. If these steps doesn't work for you and you still can't login to your router then there's another method. You know the model name/ID of your Sambar router? Great! Just select your device from the box below and you will be redirected to our guide especially for your device that includes a user manual. Try different ID/password combinations that are widely used by Sambar that you'll find below. In the list below you will see the most popular default username and password combinations used by Sambar. Sometimes the username and password doesn't work that we mentioned in the top of this guide. Then you can try these username/password combinations below to get access to your wireless router.
{ "redpajama_set_name": "RedPajamaC4" }
4,535
[ 128000, 23956, 8388, 2308, 1646, 656, 499, 617, 5380, 1271, 636, 2680, 311, 1475, 9457, 315, 8388, 2308, 320, 68, 1326, 13, 8388, 2308, 8588, 7026, 499, 1205, 279, 6933, 315, 701, 9457, 11, 279, 6059, 323, 9457, 3636, 13, 1472, 649, 1505, 1521, 2038, 304, 8388, 2308, 9457, 56294, 13, 2030, 422, 499, 656, 539, 617, 279, 11630, 369, 701, 9457, 477, 499, 656, 539, 1390, 311, 1373, 279, 4459, 11630, 311, 1505, 279, 1670, 5982, 2038, 1243, 499, 649, 1005, 279, 4062, 8641, 3770, 627, 791, 1670, 6059, 369, 701, 8388, 2308, 9457, 374, 4074, 627, 2746, 1521, 7504, 3250, 956, 990, 369, 499, 323, 499, 2103, 649, 956, 5982, 311, 701, 9457, 1243, 1070, 596, 2500, 1749, 13, 1472, 1440, 279, 1646, 836, 14, 926 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 23956, 8388, 2308, 1646, 656, 499, 617, 5380, 1271, 636, 2680, 311, 1475, 9457, 315, 8388, 2308, 320, 68, 1326, 13, 8388, 2308, 8588, 7026, 499, 1205, 279, 6933, 315, 701, 9457, 11, 279, 6059, 323, 9457, 3636, 13, 1472, 649, 1505, 1521, 2038, 304, 8388, 2308, 9457, 56294, 13, 2030, 422, 499, 656, 539, 617, 279, 11630, 369, 701, 9457, 477, 499, 656, 539, 1390, 311, 1373, 279, 4459, 11630, 311, 1505, 279, 1670, 5982, 2038, 1243, 499, 649, 1005, 279, 4062, 8641, 3770, 627, 791, 1670, 6059, 369, 701, 8388, 2308, 9457, 374, 4074, 627, 2746, 1521, 7504, 3250, 956, 990, 369, 499, 323, 499, 2103, 649, 956, 5982, 311, 701, 9457, 1243, 1070, 596, 2500, 1749, 13, 1472, 1440, 279, 1646, 836, 14, 926, -100 ]
The University has preserved its 12th place nationally in the influential The Times and The Sunday Times Good University Guide 2020. Exeter retains position amongst UK's best universities in influential rankings Exeter has retained its position amongst the best universities in the UK, according to the latest influential rankings. The University preserved its 12th place nationally in the influential The Times and The Sunday Times Good University Guide 2020. Exeter was also ranked 2nd in the South West region in the rankings, released today (September 20th 2019). The league table cites Exeter's continued investment in campus infrastructure in recent years, favourable contact hours and class sizes, and the Gold rated TEF award as being behind the University's high ranking. The guide also highlighted the University's involvement with business, industry and professional experts in teaching, and the "outstanding environment in which it takes place". University of Exeter Vice-Chancellor and Chief Executive Professor Sir Steve Smith said: "I am absolutely delighted that Exeter has cemented its position as being amongst the very best universities in the UK. "The University is committed to providing the very best teaching and research environment for our students and staff, as well as working with industry and businesses to play a crucial role in both the regional and national economy." The Times and The Sunday Times Good University Guide 2020 provides students and their parents with an invaluable first reference point on the path to finding a university place. It contains full profiles of all universities and the leading colleges of higher education. The ranking is made up of nine indicators including student satisfaction with teaching quality and their wider student experience, research quality, graduate prospects, entrance qualifications held by new students, degree results achieved, student/staff ratios, service and facilities spend, and degree completion rates.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
872
[ 128000, 791, 3907, 706, 34683, 1202, 220, 717, 339, 2035, 40343, 304, 279, 32549, 578, 8691, 323, 578, 7418, 8691, 7839, 3907, 13002, 220, 2366, 15, 627, 849, 1430, 52944, 2361, 24059, 6560, 596, 1888, 23978, 304, 32549, 33407, 198, 849, 1430, 706, 35363, 1202, 2361, 24059, 279, 1888, 23978, 304, 279, 6560, 11, 4184, 311, 279, 5652, 32549, 33407, 627, 791, 3907, 34683, 1202, 220, 717, 339, 2035, 40343, 304, 279, 32549, 578, 8691, 323, 578, 7418, 8691, 7839, 3907, 13002, 220, 2366, 15, 627, 849, 1430, 574, 1101, 21682, 220, 17, 303, 304, 279, 4987, 4410, 5654, 304, 279, 33407, 11, 6004, 3432, 320, 30649, 220, 508, 339, 220, 679, 24, 4390, 791, 10966, 2007, 58273, 1398, 1430, 596, 8738, 9341, 304, 15679, 14054, 304, 3293 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 3907, 706, 34683, 1202, 220, 717, 339, 2035, 40343, 304, 279, 32549, 578, 8691, 323, 578, 7418, 8691, 7839, 3907, 13002, 220, 2366, 15, 627, 849, 1430, 52944, 2361, 24059, 6560, 596, 1888, 23978, 304, 32549, 33407, 198, 849, 1430, 706, 35363, 1202, 2361, 24059, 279, 1888, 23978, 304, 279, 6560, 11, 4184, 311, 279, 5652, 32549, 33407, 627, 791, 3907, 34683, 1202, 220, 717, 339, 2035, 40343, 304, 279, 32549, 578, 8691, 323, 578, 7418, 8691, 7839, 3907, 13002, 220, 2366, 15, 627, 849, 1430, 574, 1101, 21682, 220, 17, 303, 304, 279, 4987, 4410, 5654, 304, 279, 33407, 11, 6004, 3432, 320, 30649, 220, 508, 339, 220, 679, 24, 4390, 791, 10966, 2007, 58273, 1398, 1430, 596, 8738, 9341, 304, 15679, 14054, 304, 3293, -100 ]
Locations, IDW Locations Calvin Home Ghostbusters IDW 20/20 Calvin Family Ghosts Encountered: The Calvin Home[1] is the Staten Island residence of the Calvin family.[2] A Sandman entered the Calvin Home. The family felt an evil presence and had same nightmares for days.[3] They checked into a hotel and called the Ghostbusters.[4] The next week, Alan Crendall and Bridget Gibbons took the case. An hour after they were supposed to be off-shift, they searched the house with their Ecto Goggles on.[5] While Bridget emphasized time and a half, Alan sighted the eyes of the entity but was unaware it was a Sandman. He was attacked and placed in a dream-like state where he was confronted by Vigo. Bridget retreated and called in Samuel Hazer and Gabriel Sitter. They trapped the Sandman then Alan regained consciousness soon after. Bridget told him he wasn't getting a cut of the payment since he slept through the bust. Alan noticed the slash on his chest inflicted by Vigo in his dream was still there. Down The Basement Stairs ↑ Narrator (2019). IDW Comics- "Ghostbusters IDW 20/20" (2019) (Comic p.23). Narrator says: "Last week, an evil presence was felt in the Calvin Home." ↑ Narrator (2019). IDW Comics- "Ghostbusters IDW 20/20" (2019) (Comic p.23). Narrator says: "Staten Island, NY." ↑ Narrator (2019). IDW Comics- "Ghostbusters IDW 20/20" (2019) (Comic p.23). Narrator says: "The whole family had nightmares for days." ↑ Narrator (2019). IDW Comics- "Ghostbusters IDW 20/20" (2019) (Comic p.23). Narrator says: "Which is exactly why they checked into a hotel and called the Ghostbusters." ↑ Bridget Gibbons (2019). IDW Comics- "Ghostbusters IDW 20/20" (2019) (Comic p.23). Bridget Gibbons says: "We were supposed to be off-shift an hour ago." Retrieved from "https://ghostbusters.fandom.com/wiki/Calvin_Home?oldid=167271" IDW Locations 1 Marvel Comics Ltd- The Real Ghostbusters Series
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
3,333
[ 128000, 44137, 11, 3110, 54, 42569, 198, 9027, 9799, 5492, 198, 65786, 76618, 3110, 54, 220, 508, 14, 508, 198, 9027, 9799, 12517, 198, 38, 45792, 10984, 632, 12616, 512, 791, 51983, 5492, 58, 16, 60, 374, 279, 96406, 10951, 22423, 315, 279, 51983, 3070, 8032, 17, 933, 32, 8847, 1543, 10862, 279, 51983, 5492, 13, 578, 3070, 6612, 459, 14289, 9546, 323, 1047, 1890, 75362, 369, 2919, 8032, 18, 60, 2435, 10273, 1139, 264, 9689, 323, 2663, 279, 26099, 76618, 8032, 19, 60, 578, 1828, 2046, 11, 26349, 7948, 303, 543, 323, 32437, 456, 29479, 47620, 3952, 279, 1162, 13, 1556, 6596, 1306, 814, 1051, 10171, 311, 387, 1022, 91043, 11, 814, 27600, 279, 3838, 449, 872, 469, 302, 78, 480, 51952, 389, 8032, 20, 60, 6104 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 44137, 11, 3110, 54, 42569, 198, 9027, 9799, 5492, 198, 65786, 76618, 3110, 54, 220, 508, 14, 508, 198, 9027, 9799, 12517, 198, 38, 45792, 10984, 632, 12616, 512, 791, 51983, 5492, 58, 16, 60, 374, 279, 96406, 10951, 22423, 315, 279, 51983, 3070, 8032, 17, 933, 32, 8847, 1543, 10862, 279, 51983, 5492, 13, 578, 3070, 6612, 459, 14289, 9546, 323, 1047, 1890, 75362, 369, 2919, 8032, 18, 60, 2435, 10273, 1139, 264, 9689, 323, 2663, 279, 26099, 76618, 8032, 19, 60, 578, 1828, 2046, 11, 26349, 7948, 303, 543, 323, 32437, 456, 29479, 47620, 3952, 279, 1162, 13, 1556, 6596, 1306, 814, 1051, 10171, 311, 387, 1022, 91043, 11, 814, 27600, 279, 3838, 449, 872, 469, 302, 78, 480, 51952, 389, 8032, 20, 60, 6104, -100 ]
Trained by criminals and inspired by heroes, Clint Barton has grown from a troubled youth into one of the greatest heroes on Earth. The world knows him best as Hawkeye: Earth's Mightiest Marksman. A member of the Avengers for many years, he has left the team on occasion because of team friction. But he always returns, ready to face any threat.
{ "redpajama_set_name": "RedPajamaC4" }
3,772
[ 128000, 1305, 2692, 555, 32638, 323, 14948, 555, 23757, 11, 56129, 70317, 706, 15042, 505, 264, 42132, 12822, 1139, 832, 315, 279, 12474, 23757, 389, 9420, 13, 578, 1917, 8964, 1461, 1888, 439, 12897, 798, 68, 25, 9420, 596, 34351, 13744, 49195, 1543, 13, 362, 4562, 315, 279, 44197, 369, 1690, 1667, 11, 568, 706, 2163, 279, 2128, 389, 13402, 1606, 315, 2128, 39676, 13, 2030, 568, 2744, 4780, 11, 5644, 311, 3663, 904, 6023, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 1305, 2692, 555, 32638, 323, 14948, 555, 23757, 11, 56129, 70317, 706, 15042, 505, 264, 42132, 12822, 1139, 832, 315, 279, 12474, 23757, 389, 9420, 13, 578, 1917, 8964, 1461, 1888, 439, 12897, 798, 68, 25, 9420, 596, 34351, 13744, 49195, 1543, 13, 362, 4562, 315, 279, 44197, 369, 1690, 1667, 11, 568, 706, 2163, 279, 2128, 389, 13402, 1606, 315, 2128, 39676, 13, 2030, 568, 2744, 4780, 11, 5644, 311, 3663, 904, 6023, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
The U.S. government's Treasury inflation-protected securities (TIPS) are a popular addition to most bond portfolios, particularly when the economy isn't performing very well. For many investors, TIPS are an obvious go-to pick whenever there is above-average uncertainty about inflation and market returns. Unfortunately, TIPS rarely live up to their billing, primarily because this is an investment that most people don't understand as well as they should. Functionally, Treasure inflation-protected securities (TIPS) act a lot like other Treasury bonds. They are backed by the credit of the United States government and they pay annual interest like Treasury bonds. The crucial difference is the face value of a TIPS bond is adjusted according to the official consumer price index (CPI) of the Bureau of Labor Statistics; the higher the CPI, the higher the face value for the TIPS. On the surface, this seems like a great deal. Inflation eats away at nominal interest payments, so an upward adjustment on face value means the interest payments go up with inflation. However, TIPS aren't the only securities that have inflation priced into their value; standard Treasury bonds also have an implicit inflation adjustment. If the markets anticipate inflation to be 3% over time, that expectation is priced into the bond market. Investors make decisions based in part on whether they think inflation will be higher or lower than what the price of a security reflects. This affects the value of TIPS and normal Treasury bonds, but TIPS are less likely to win that exchange. Given this scenario, TIPS are only more likely to perform better than Treasury bonds if the stated CPI is higher than what the market anticipates. The modern CPI is a little prejudiced against high inflation numbers, which means market inflation expectations are often higher than the CPI. The result is a lower real interest rate for TIPS. The major problem with the contemporary CPI calculation is the Bureau of Labor Statistics intentionally leaves out goods most likely to be affected by inflation. There are also mathematical limitations to the formula that make it difficult to reflect real changes in product accurately. The CPI might note a container of nails didn't go up in price, but the container might actually have 5% fewer nails than before. Prices are an imperfect measure of shifting quality or quantity, and many producers choose to reduce real output rather than raise prices for their customers. Some have called TIPS the only risk-free investment because of their principal safety and alleged inflation protection. However, one of the major indicators of risk is price volatility, and TIPS often come up lacking in this department. For example, consider the standard deviation and average return for the Barclays U.S. Aggregate Bond Index between 2005 and 2015, a historically bad time to be a bond investor. The standard deviation was 3.26%, while annualized returns were 4.75%. It's a little tricky to approximate a TIPS index that investors can buy, but the Vanguard TIPS Fund is pretty close. The TIPS Fund returned 4.2% and had a standard deviation of 6.4% over the same period – more volatility, less return.
{ "redpajama_set_name": "RedPajamaC4" }
5,816
[ 128000, 791, 549, 815, 13, 3109, 596, 32991, 25544, 12, 5883, 34919, 320, 51, 27034, 8, 527, 264, 5526, 5369, 311, 1455, 11049, 76808, 11, 8104, 994, 279, 8752, 4536, 956, 16785, 1633, 1664, 13, 1789, 1690, 15167, 11, 350, 27034, 527, 459, 8196, 733, 4791, 3820, 15716, 1070, 374, 3485, 78526, 27924, 922, 25544, 323, 3157, 4780, 13, 19173, 11, 350, 27034, 19029, 3974, 709, 311, 872, 34631, 11, 15871, 1606, 420, 374, 459, 9341, 430, 1455, 1274, 1541, 956, 3619, 439, 1664, 439, 814, 1288, 627, 5263, 750, 11, 58248, 25544, 12, 5883, 34919, 320, 51, 27034, 8, 1180, 264, 2763, 1093, 1023, 32991, 27460, 13, 2435, 527, 22126, 555, 279, 6807, 315, 279, 3723, 4273, 3109, 323, 814, 2343, 9974, 2802, 1093, 32991, 27460, 13 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 549, 815, 13, 3109, 596, 32991, 25544, 12, 5883, 34919, 320, 51, 27034, 8, 527, 264, 5526, 5369, 311, 1455, 11049, 76808, 11, 8104, 994, 279, 8752, 4536, 956, 16785, 1633, 1664, 13, 1789, 1690, 15167, 11, 350, 27034, 527, 459, 8196, 733, 4791, 3820, 15716, 1070, 374, 3485, 78526, 27924, 922, 25544, 323, 3157, 4780, 13, 19173, 11, 350, 27034, 19029, 3974, 709, 311, 872, 34631, 11, 15871, 1606, 420, 374, 459, 9341, 430, 1455, 1274, 1541, 956, 3619, 439, 1664, 439, 814, 1288, 627, 5263, 750, 11, 58248, 25544, 12, 5883, 34919, 320, 51, 27034, 8, 1180, 264, 2763, 1093, 1023, 32991, 27460, 13, 2435, 527, 22126, 555, 279, 6807, 315, 279, 3723, 4273, 3109, 323, 814, 2343, 9974, 2802, 1093, 32991, 27460, 13, -100 ]
I watched too a few days after because I like the language and I was curious, it was very dramatic yes. Felt over the top. The scene when the French Even (can't remember their names) is rude to French Isak in the morning was good tho, the thing about not wanting to eat too. I liked the talk about "I don't have mental illness and I'll hurt you too" but that's pretty much it, I think the portrayal was a little too stereotypical. When you google about bipolar disorder, read a few articles and probably that's what you imagine... this hyper eccentric person with insanely good drawing skills and who obsess over stupid stuff every episode. Memorizing a religious book? Out of nowhere? Really? I mean, they tried but can't relate. It was a big cliche. Edit: mixed up the plot, things are cleared up in comments thanks for the patience! Sorry to jump in, but I think you are getting confused? The part about the Quran was in the original, they didn't mention it at all in Skam France. Assurdo che questa sia una "unpopular opinion" sinceramente.
{ "redpajama_set_name": "RedPajamaC4" }
5,234
[ 128000, 40, 15746, 2288, 264, 2478, 2919, 1306, 1606, 358, 1093, 279, 4221, 323, 358, 574, 22999, 11, 433, 574, 1633, 22520, 10035, 13, 435, 3903, 927, 279, 1948, 13, 578, 6237, 994, 279, 8753, 7570, 320, 4919, 956, 6227, 872, 5144, 8, 374, 47101, 311, 8753, 2209, 587, 304, 279, 6693, 574, 1695, 40425, 11, 279, 3245, 922, 539, 19762, 311, 8343, 2288, 13, 358, 15262, 279, 3137, 922, 330, 40, 1541, 956, 617, 10723, 17563, 323, 358, 3358, 13194, 499, 2288, 1, 719, 430, 596, 5128, 1790, 433, 11, 358, 1781, 279, 75033, 574, 264, 2697, 2288, 23473, 88167, 13, 3277, 499, 11819, 922, 65919, 19823, 11, 1373, 264, 2478, 9908, 323, 4762, 430, 596, 1148, 499, 13085, 1131, 420, 17508, 55920, 1732, 449, 90466, 1695 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 40, 15746, 2288, 264, 2478, 2919, 1306, 1606, 358, 1093, 279, 4221, 323, 358, 574, 22999, 11, 433, 574, 1633, 22520, 10035, 13, 435, 3903, 927, 279, 1948, 13, 578, 6237, 994, 279, 8753, 7570, 320, 4919, 956, 6227, 872, 5144, 8, 374, 47101, 311, 8753, 2209, 587, 304, 279, 6693, 574, 1695, 40425, 11, 279, 3245, 922, 539, 19762, 311, 8343, 2288, 13, 358, 15262, 279, 3137, 922, 330, 40, 1541, 956, 617, 10723, 17563, 323, 358, 3358, 13194, 499, 2288, 1, 719, 430, 596, 5128, 1790, 433, 11, 358, 1781, 279, 75033, 574, 264, 2697, 2288, 23473, 88167, 13, 3277, 499, 11819, 922, 65919, 19823, 11, 1373, 264, 2478, 9908, 323, 4762, 430, 596, 1148, 499, 13085, 1131, 420, 17508, 55920, 1732, 449, 90466, 1695, -100 ]
These remote jobs all pay more than $45,000 and don't require a four-year education. You've probably seen those roadside signs stapled to telephone poles advertising big bucks for dubious work-from-home tasks. "Hiring students! Up to $1,000 a month! Call this number!" the "snipe signs" read. But one can only assemble so much furniture and stuff so many envelopes, and the payout is rarely what's been promised, if anything at all. Luckily for those without bachelor's degrees, not every high-paying, work-from-home job you qualify for is a scam. FlexJobs, an online service specializing in telecommuting and remote work, recently sifted through its listings for legitimate remote jobs that don't require four years of college. Each of the below positions pay more than $45,000 a year, according to median annual salary data from PayScale, and does not require a bachelor's degree. Sample job description: Edit original content with a focus on keywords provided by clients that help them achieve higher search engine rankings. Content includes blog posts, press releases, SEO articles, and others. Freelance, remote position. Sample job description: Verify that the correct category keywords are present, consistently meet deadlines, and generate at least 60 word design-focused copies at 80-to-100 words each. Prior copywriting experience is required. Remote position. Sample job description: Assist in the management of daily clinical trials operations; provide oversight of all organization, clinical, site, and vendor activities; and manage trial master files. Freelance, long-term temporary position. Sample job description: Conduct inspections of loss sites, write appraisals, and issue payments. Must provide exceptional customer service. Prior related experience required. Remote position. Sample job description: Answer phones, prepare board materials, and other relevant job functions. Executive assistants must have stellar communication and interpersonal skills. Full-time, remote position. Sample job description: Complete telephone assessments with members and families, respond with appropriate coordination of care and services, share input into the plan of care with team members, and maintain documentation. Full-time, remote position. Sample job description: Seek out and screen potential staff and implement team training. More than 10 years of experience and a current Managing Broker License required. Real estate industry experience preferred. Full-time, telecommuting position. Sample job description: Develop and execute new features for new and existing webpages, oversee updates and optimizations for WordPress plugins, and make suggestions for improving site functionality. Must have experience developing websites. Remote position.
{ "redpajama_set_name": "RedPajamaC4" }
8,060
[ 128000, 9673, 8870, 7032, 682, 2343, 810, 1109, 400, 1774, 11, 931, 323, 1541, 956, 1397, 264, 3116, 4771, 6873, 627, 2675, 3077, 4762, 3970, 1884, 80743, 12195, 36114, 839, 311, 21186, 51879, 13172, 2466, 48434, 369, 63189, 990, 39151, 25389, 9256, 627, 46639, 6322, 4236, 0, 3216, 311, 400, 16, 11, 931, 264, 2305, 0, 7290, 420, 1396, 9135, 279, 330, 9810, 3527, 12195, 1, 1373, 627, 4071, 832, 649, 1193, 42840, 779, 1790, 14891, 323, 6392, 779, 1690, 87706, 11, 323, 279, 46988, 374, 19029, 1148, 596, 1027, 19487, 11, 422, 4205, 520, 682, 627, 96850, 369, 1884, 2085, 49683, 596, 12628, 11, 539, 1475, 1579, 89823, 11, 990, 39151, 25389, 2683, 499, 26456, 369, 374, 264, 35726, 627, 32771, 41767, 11, 459, 2930, 2532, 58394 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 9673, 8870, 7032, 682, 2343, 810, 1109, 400, 1774, 11, 931, 323, 1541, 956, 1397, 264, 3116, 4771, 6873, 627, 2675, 3077, 4762, 3970, 1884, 80743, 12195, 36114, 839, 311, 21186, 51879, 13172, 2466, 48434, 369, 63189, 990, 39151, 25389, 9256, 627, 46639, 6322, 4236, 0, 3216, 311, 400, 16, 11, 931, 264, 2305, 0, 7290, 420, 1396, 9135, 279, 330, 9810, 3527, 12195, 1, 1373, 627, 4071, 832, 649, 1193, 42840, 779, 1790, 14891, 323, 6392, 779, 1690, 87706, 11, 323, 279, 46988, 374, 19029, 1148, 596, 1027, 19487, 11, 422, 4205, 520, 682, 627, 96850, 369, 1884, 2085, 49683, 596, 12628, 11, 539, 1475, 1579, 89823, 11, 990, 39151, 25389, 2683, 499, 26456, 369, 374, 264, 35726, 627, 32771, 41767, 11, 459, 2930, 2532, 58394, -100 ]
Mousley said the somewhat low turnout on the contract vote shows that teachers are "happy about the 1 percent, steps and tracks, and longevity. At Monday evening's school board meeting, Mousley told members that teachers face "some very interesting challenges with the waiver of No Child Left Behind," referring to a waiver granted last month to Kansas schools by the Department of Education. In February, Kansas requested flexibility in meeting some of the provision of the act, including its mandate that every student at every school must pass state reading and math assessments by 2014. In its place, the state will implement plans aimed at improving low-performing schools, increasing teacher efficiency and preparing students for college and careers. During a brief presentation Monday, Allison said Wichita schools will consider students' growth rather than trying to reach an arbitrarily set standard, but that more information on the district's plans will be forthcoming in September. More than half of states have received waivers. "It's going to take flexibility and looking for solutions," Mousley said, referring to possible challenges teachers face since the waiver was granted. • No changes to the employee health plan. As before, employee premiums are waived if they participate in a certain number of wellness activities. Also on Monday, board members got their first detailed look at the proposed 2012-2013 budget, which keeps local property tax rate flat – 57.017 mills – and includes the first raise for employees in four years. Allison said the district is asking the board to approve the maximum amount requested — $628 million — with spending set to "focus on the students." The budget is $22 million higher than last year's. About 87 percent of operating costs will be spent in the schools, Allison said; the remainder will pay for "key business functions" and facility maintenance. Allison said the district has worked to keep costs low at new schools opening this year by reassigning teachers from buildings that were shut down and keeping new staff additions minimal. Transportation costs may also have less of an impact than anticipated, he said. Allison also noted that state funding increased $58 per student, but that's still $595 below funding rates in 2008-2009. "No one is upset by receiving additional funding, but it still puts us far below 08-09 (numbers) with the cuts," he said. Board members voted 7-0 to publish the proposed budget. The board will hear public comment on the budget at 6 p.m. Aug. 27 in the North High School lecture hall. It is set to take action after the public hearing. The deadline to approve the budget is later this month, officials said. • Unanimously accepted a recommendation to remove six projects from its "Pause and Study" list, including moving forward with the expansion of popular magnet school Bostic Elementary. More than a year ago, district officials put many projects in the district's $370 million bond issue on hold while they dealt with budget cuts and re-evaluated spending priorities. In a modified project, Bostic will get six new classrooms – four for a shelter, two for programs – renovate and expand special education and add a secure entry door so visitors would be routed into the school's office first. The original bond project included the addition of the classrooms only. Chester I. Lewis Academic Learning Center, formerly Northeast Magnet High School, will get a new 3,000 sq. ft. multipurpose room and shelter – paid for using FEMA money – instead of art rooms, student support and a library proposed under the original bond project. The action also eliminated bond projects slated at four elementary schools, which have closed: Bryant, Emerson, Lincoln and Mueller. The move should save about will save about $7 million in bond funds, officials have said. Allison said the board will revisit the remaining 15 projects still on hold over the next few months. • Approved the sale of the former Booth Elementary School, 5920 E. Mount Vernon, as part of its consent agenda. The school, which closed in 2003, was auctioned last month. Hope International Fellowship, a nondenominational Christian church, submitted the winning bid, offering $83,000 for the school. • Discussed redistricting to reflect a 9,574-person increase in the school district since 2000 and ensure equal representation at the ballot box. Data shows that three of the six board districts — Districts 1, 2 and 6 (primarily north, northeast and east Wichita) — have populations above the target per-district number: 54,316; the remaining three (primarily south and west Wichita) are below the target. Board member Connie Dietz recommended redrawing lines so that each district includes a high school, if unity within the community could be maintained. Currently District 2 does not have a high school within its voting district, she said. The board is set to consider proposed redistricting maps by late August or early September. Rogers said the board would consider posting the map on the district's website and notifying those affected when lines are redrawn. "It would be my desire to move as few people to another district as possible" so residents don't become disenfranchised, he said.
{ "redpajama_set_name": "RedPajamaC4" }
7,090
[ 128000, 44, 788, 3258, 1071, 279, 14738, 3428, 53019, 389, 279, 5226, 7055, 5039, 430, 13639, 527, 330, 57621, 922, 279, 220, 16, 3346, 11, 7504, 323, 14242, 11, 323, 58219, 627, 1688, 7159, 11714, 596, 2978, 4580, 6574, 11, 386, 788, 3258, 3309, 3697, 430, 13639, 3663, 330, 15031, 1633, 7185, 11774, 449, 279, 54205, 315, 2360, 9576, 14043, 43474, 1359, 22797, 311, 264, 54205, 11938, 1566, 2305, 311, 20754, 8853, 555, 279, 6011, 315, 11930, 627, 644, 7552, 11, 20754, 11472, 25152, 304, 6574, 1063, 315, 279, 17575, 315, 279, 1180, 11, 2737, 1202, 35381, 430, 1475, 5575, 520, 1475, 2978, 2011, 1522, 1614, 5403, 323, 7033, 41300, 555, 220, 679, 19, 13, 763, 1202, 2035, 11, 279, 1614, 690, 4305, 6787, 20034, 520, 18899, 3428 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 44, 788, 3258, 1071, 279, 14738, 3428, 53019, 389, 279, 5226, 7055, 5039, 430, 13639, 527, 330, 57621, 922, 279, 220, 16, 3346, 11, 7504, 323, 14242, 11, 323, 58219, 627, 1688, 7159, 11714, 596, 2978, 4580, 6574, 11, 386, 788, 3258, 3309, 3697, 430, 13639, 3663, 330, 15031, 1633, 7185, 11774, 449, 279, 54205, 315, 2360, 9576, 14043, 43474, 1359, 22797, 311, 264, 54205, 11938, 1566, 2305, 311, 20754, 8853, 555, 279, 6011, 315, 11930, 627, 644, 7552, 11, 20754, 11472, 25152, 304, 6574, 1063, 315, 279, 17575, 315, 279, 1180, 11, 2737, 1202, 35381, 430, 1475, 5575, 520, 1475, 2978, 2011, 1522, 1614, 5403, 323, 7033, 41300, 555, 220, 679, 19, 13, 763, 1202, 2035, 11, 279, 1614, 690, 4305, 6787, 20034, 520, 18899, 3428, -100 ]
New Rock 105 (WWDG) has collared a full roster of jocks. Bob Schmidt slides into morning drive, Laura Steele from Indianapolis's Q95 (WFBQ) takes on middays, Chad Erickson from WMRQ in Hartford signs on for evenings, and Jack Awfulnight (Jeremy Huntley) rounds out the crew on overnights. Scorch stays put on afternoon drive, where he's been since 'The Dog' flipped to alternative modern rock two months ago.
{ "redpajama_set_name": "RedPajamaC4" }
4,065
[ 128000, 3648, 9305, 220, 6550, 320, 54, 18023, 38, 8, 706, 4631, 1636, 264, 2539, 22162, 315, 503, 26246, 13, 14596, 52165, 22245, 1139, 6693, 6678, 11, 30928, 57493, 505, 42451, 596, 1229, 2721, 320, 54, 16606, 48, 8, 5097, 389, 65703, 954, 11, 43130, 81015, 942, 505, 468, 18953, 48, 304, 73220, 12195, 389, 369, 59938, 11, 323, 7762, 18371, 1285, 9471, 320, 76665, 27690, 3258, 8, 20101, 704, 279, 13941, 389, 927, 77, 2866, 13, 2522, 22312, 27656, 2231, 389, 13658, 6678, 11, 1405, 568, 596, 1027, 2533, 364, 791, 14588, 6, 47180, 311, 10778, 6617, 7091, 1403, 4038, 4227, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 3648, 9305, 220, 6550, 320, 54, 18023, 38, 8, 706, 4631, 1636, 264, 2539, 22162, 315, 503, 26246, 13, 14596, 52165, 22245, 1139, 6693, 6678, 11, 30928, 57493, 505, 42451, 596, 1229, 2721, 320, 54, 16606, 48, 8, 5097, 389, 65703, 954, 11, 43130, 81015, 942, 505, 468, 18953, 48, 304, 73220, 12195, 389, 369, 59938, 11, 323, 7762, 18371, 1285, 9471, 320, 76665, 27690, 3258, 8, 20101, 704, 279, 13941, 389, 927, 77, 2866, 13, 2522, 22312, 27656, 2231, 389, 13658, 6678, 11, 1405, 568, 596, 1027, 2533, 364, 791, 14588, 6, 47180, 311, 10778, 6617, 7091, 1403, 4038, 4227, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
A construction lawyer deals with the complicated relationship between construction firms and clients. In the event that there is a breach of agreement between these two parties or any parties involved in construction, construction lawyer can help to recover damages based on the breach. Construction lawyers can help compose and review construction contracts to ensure they are legally sound and in compliance with the law. What you need to tell your attorney depends on the status of the client and the services needed. Clients that are suing a construction firm for breach of contract or a number of other violations will need to discuss the nature of the violation and any agreements, written, verbal or implied that matter for the purposes of the case. When defending against a construction lawsuit, also inform the lawyers of the supposed violation, your liability in the matter and any agreements made with the other party. The State Bar Association will maintain a listing of its members and some will be able to better evaluate and vouch for the reliability of its members. Depending on the location, construction lawyers may be specialized in construction law or practice in related fields such as real estate and commercial law. Be aware that advertising is never an accurate indicator of construction lawyer quality and incessant advertising may just be overcompensation for other short comings that prevent the construction lawyer from running a successful practice. You may use this website to find a construction attorney. To do so, use the search box on top of all pages. You may also compare attorneys and ask free questions by clicking Find Attorneys on top of the page. A specialist lawyer with knowledge of construction litigation will be useful in this instance as they will be able to best analyze existing agreements to build a case. The lawyer will have to have knowledge not just of the law, but also typical construction arrangements, the duty and standard of care in the expected in the construction industry and potential liabilities that arise from these arrangements. Specialized knowledge and relevant experience can maximize your settlement and avoid potential pitfalls that may exonerate the other negligent party. When preparing to file or defend against a claim, bring all existing agreements with the other party in the suit. Also, bring a record of all financial transactions. The construction lawyer will be able to review these documents for discrepancies and build a case against the other party. Determine if you would prefer to litigate or would prefer an alternative dispute resolution method. Many construction lawyers offer legally binding arbitration services to settle the dispute out of court. There are a number of situations where disputes over a project can be settled with ADR such as property damage or pay disputes. Although it is required of lawyers to graduate from an accredited law school and pass the bar examination, it never hurts to examine the construction lawyer's credentials. You must be ready to assess if the lawyer has the adequate experience needed to pursue the case effectively. Communication is paramount to maintaining a solid and effective client-retainer relationship. If the lawyer makes it intentionally difficult to contact him, you should consider another lawyer. Be aware of unreasonable fees, illegal activity or coercion on the part of the construction lawyer. You will usually be able to determine if your attorney has your best interests in mind. Bar associations maintain dispute resolution and grievance services for clients that have issues with their mesothelioma attorney. Failing to report negligent or unethical behavior may negatively affect both you and future clients. A contingency fee is a percentage of the award that the mesothelioma lawyer is entitled to claim if they win the case. This will only be the case if suing the other party for damages. These lawyers will claim in their advertising not to charge you unless they win your case, but be aware of other hidden fees for services rendered that lead up to the trial or settlement. For contract composition and review, construction lawyers will charge a flat fee. Under this service the construction lawyer will generate a document that complies with all laws and should be protected against certain forms of litigation, either due to exposed liabilities or illegal provisions. A construction law lawyer is an expert on construction law that represents contractors and individuals that need to litigate against a party involved in a construction project. Construction defect lawyers specialize in litigating against construction firms that neglect their duty of care to their client. The construction law lawyer can litigate or if the client prefers, pursue alternative dispute resolution, such as arbitration. In the event that you need the services of a construction defect lawyer, be sure to bring documentation and evidence in the construction firm's work. From there, the construction law lawyer will be able to build a case against the construction firm. Construction law lawyers also offer services to compose contracts or review existing documents for faults. Unlike the other construction law lawyer services, these are usually flat rate arrangements meant to avoid potential litigation in the future by minimizing liability in agreements prior to the start of construction. Construction defect lawyers commonly practice in other areas of real estate law, so be sure to ask typical construction law lawyers if they also take construction defect cases. More often than not, these lawyers will handle these cases and will have broad experience in all aspects of construction law.
{ "redpajama_set_name": "RedPajamaC4" }
248
[ 128000, 32, 8246, 15779, 12789, 449, 279, 17395, 5133, 1990, 8246, 19339, 323, 8403, 13, 763, 279, 1567, 430, 1070, 374, 264, 31471, 315, 9306, 1990, 1521, 1403, 9875, 477, 904, 9875, 6532, 304, 8246, 11, 8246, 15779, 649, 1520, 311, 11993, 26186, 3196, 389, 279, 31471, 13, 24987, 21866, 649, 1520, 31435, 323, 3477, 8246, 17517, 311, 6106, 814, 527, 26267, 5222, 323, 304, 8907, 449, 279, 2383, 627, 3923, 499, 1205, 311, 3371, 701, 14065, 14117, 389, 279, 2704, 315, 279, 3016, 323, 279, 3600, 4460, 13, 48508, 430, 527, 70507, 264, 8246, 7626, 369, 31471, 315, 5226, 477, 264, 1396, 315, 1023, 27655, 690, 1205, 311, 4358, 279, 7138, 315, 279, 20535, 323, 904, 20038, 11, 5439, 11, 36870, 477, 6259, 430, 5030, 369, 279 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 32, 8246, 15779, 12789, 449, 279, 17395, 5133, 1990, 8246, 19339, 323, 8403, 13, 763, 279, 1567, 430, 1070, 374, 264, 31471, 315, 9306, 1990, 1521, 1403, 9875, 477, 904, 9875, 6532, 304, 8246, 11, 8246, 15779, 649, 1520, 311, 11993, 26186, 3196, 389, 279, 31471, 13, 24987, 21866, 649, 1520, 31435, 323, 3477, 8246, 17517, 311, 6106, 814, 527, 26267, 5222, 323, 304, 8907, 449, 279, 2383, 627, 3923, 499, 1205, 311, 3371, 701, 14065, 14117, 389, 279, 2704, 315, 279, 3016, 323, 279, 3600, 4460, 13, 48508, 430, 527, 70507, 264, 8246, 7626, 369, 31471, 315, 5226, 477, 264, 1396, 315, 1023, 27655, 690, 1205, 311, 4358, 279, 7138, 315, 279, 20535, 323, 904, 20038, 11, 5439, 11, 36870, 477, 6259, 430, 5030, 369, 279, -100 ]
This statistic displays the circulation of quality newspapers in the United Kingdom (UK) in 2018. The Sunday Times ranked first with a circulation of almost 720 thousand copies. It was followed by the The Times, which had a circulation of roughly 425 thousand copies. How often do you use the following media to stay informed?
{ "redpajama_set_name": "RedPajamaC4" }
3,529
[ 128000, 2028, 43589, 19207, 279, 35855, 315, 4367, 32594, 304, 279, 3723, 15422, 320, 25554, 8, 304, 220, 679, 23, 13, 578, 7418, 8691, 21682, 1176, 449, 264, 35855, 315, 4661, 220, 13104, 16579, 11236, 13, 1102, 574, 8272, 555, 279, 578, 8691, 11, 902, 1047, 264, 35855, 315, 17715, 220, 17837, 16579, 11236, 627, 4438, 3629, 656, 499, 1005, 279, 2768, 3772, 311, 4822, 16369, 30, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 2028, 43589, 19207, 279, 35855, 315, 4367, 32594, 304, 279, 3723, 15422, 320, 25554, 8, 304, 220, 679, 23, 13, 578, 7418, 8691, 21682, 1176, 449, 264, 35855, 315, 4661, 220, 13104, 16579, 11236, 13, 1102, 574, 8272, 555, 279, 578, 8691, 11, 902, 1047, 264, 35855, 315, 17715, 220, 17837, 16579, 11236, 627, 4438, 3629, 656, 499, 1005, 279, 2768, 3772, 311, 4822, 16369, 30, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Diversity of Food in a Multicultural Society Soumya Mukherjee Food is the critical and the essential fact of living. Oxford English dictionary defines food as any substance that people or animals eat to stay alive. But food has various other function than just retaining its biological significance. Food bears social connotations and it is never neutral or rational composition of nutrients. Though, lately, natural sciences have stressed the nutritional and biological importance of food but food associates itself with culture, economics and politics of the region where it travels. Food acts as the marker of cultural, communal and regional identities. Discourses and narratives surrounding food are also common in many expatriate communities. India is a land of diversity which is most visible through the varied food habits of its inhabitants. The multi-cuisine nature of the country has never paved the way to construct a national cuisine and thus, food within the territories of India has always been known by different names like Gujarati cuisine, Punjabi cuisine, Bengali cuisine, Kashmiri cuisine, Tamil cuisine, Marathi cuisine, Telugu cuisine etc. Indian food has travelled abroad with the transnational migration Indian communities which began during the colonial era as indentured laborers to different plantation areas across the colonies and later as highly skilled professionals or knowledge workers mostly to the developed nations. When Indian food traveled abroad it acquired a national identity, though it retained its regional exoticism, it appeared under the category of Indian cuisine. With the passage of time, Indian food embedded itself in the culture of the region where it traveled and thus initiated the evolution of a hybrid culture or multicultural society. Changing Contexts of Food Food changes meaning with the shift in political and social context. In ancient Hindu India, food was embedded in medico-moral economies and eating was not associated with sensory pleasure. With the advent of Mughals, food became a product of consumption and display and the administrative book of Mughals "Ain-i-Akbari" dedicated a separate section for recipes which had different prescriptions for the court food and peasant food. Thus food became an integral part of the politics of administration. Transnational migration of communities assigned a discursive identity to food. Emigrants initiated discourses about food and associated it with either living in India or living outside. Food became a metaphor to fill the void or to gratify the sense of lack created by staying away from home. Food also changed its meaning to the marker of communities and signified the religious, moral as well as ethnic identities. Lately, scholastic disciplines involving studies about food have emerged and food has also become an item of exhibition where it also performs a communicative function. Interaction between Food and Indian Diaspora Indian trans-migrants use discourse on diet as a way to maintain connections with the homeland. These communities actively engage in shifting meanings of what they eat to emphasize their connections with each other and with India through their narratives involving food. They associate vegetarian diet with living in India. The use of "authentic" Indian ingredients become symbol of Indian identity through discourse. The life in the foreign-land needs continuous adjustment including adjustment in the gastronomic habits. This creates an imagined aura surrounding the authentic home food that is only accessible in the homeland. The gastronomic adjustments lead to innovations resulting through hybridization. For example, Daal Puri, which grew out of limited culinary combinations possible on a staple diet based on weekly rations given to the indentured labourers, has become an essential item on social occasions irrespective of ethnicity in Trinidad and is sold as a fast food in shops naming it as 'Bus(t) Up Shut'. The meal among the old Diaspora, which continues even today among the communities of Indian origin in the Caribbean, Fiji, Mauritius, Suriname, evolved out of the weekly ration resulting in a uniform indenture cuisine throughout the colonies. Discourse about food also paves the way to distinguish between the discourse and practice i.e. between the being and the imaginary. Thus food is associated with the creation of fantasy about the homeland as described by Zizek. The trauma of separation is reflected through the discourses about gastronomic adjustments. It creates an imagined reality about the home and differentiates it from the lived reality outside. Eating Indian food at home especially on weekends become an essential part of the lifestyle. Such trauma gets expressed through various representations, for example, Mira Nair's 'The Namesake' contains many sequences that shows the central characters eating Bengali cuisines at home. Discourses about food lead to production of textualized culinary repertoires through cookbooks written by middle class expatriate women. Indian food is always embedded in rituals. Every religious ritual or social occasions like marriages are marked by extravagant feasts reinforcing the Indian identity in the host land. People converse about food in social gatherings and these conversations provide the space to share the nostalgia about home. Food stands for the home. It serves as a connecting link and an escape which consoles the expatriation. Diasporas fantasize about food and people with enough resources, sometimes try to merge the fantasy with the lived reality by maintaining dietary exclusiveness. Food among diasporas indicates the negotiation of identities thus the host land and the motherland enter into a relationship of mutual reinforcement through diasporas. Indian Diaspora constantly tries to replicate or reconstruct the memories of the homeland through various cultural or religious practices where food plays an important role. Durga Puja is an important festivals for the natives of West Bengal in India. The Bengali communities abroad celebrate the ritual with equal vigour and distribution of 'Malsa Bhog' in the pandals marks the cultural authenticity of the celebration. Indian food also generates good business, particularly in developed host lands. The rise of Chicken tikka masala as 'Nation's favourite dish' in Britain testifies the popularity of Indian cuisines. There are streets flooded with Indian restaurants that claim to serve 'authentic' Indian cuisines which are not exclusively meant for Indians and they usually attract the host population. Thus the Indian Diaspora contaminates the cultural spaces in the host land and food initiates the formation of a multi-cultural society, if not in its true sense, at least through eating practices. Walter Benjamin says in the essay 'Work of Art in the Age of Mechanical Reproduction', the aura associated with art is lost when it is reproduced mechanically and its originality faces doubts. Similarly, the aura surrounding ethnic Indian food, as imagined by the diasporas, is lost when it is reproduced in the foreign land. The question of authenticity and originality thus gets associated with Indian food abroad which every Indian restaurant boasts of. Food in the homeland is ought to be original and the need to prove its authenticity becomes irrelevant. Art bears meaning according to the context and so is food. Globalisation and flexibility in the export and import policies has lead to the shipping of a lot of Indian finished food products to various countries where Indian diasporas have settled. Indian bhujia, pickles, chutneys, bhelpuri, etc. are exported for the consumption of the diasporas. The economic interest surrounding food has also resulted in the organisation of various food festivals. Historically, the Indian food business traces its roots to the sweet shop which was started in the lanes of UK. It was mainly the women who owned and worked in these sweet shops as an extension of the domestic kitchen. Food, in the diasporic context, has a communicative function. It communicates the identity of the community to 'other'. The cosmopolitan and global Indian Diaspora which celebrates differences communicates its exoticness to the more 'subtle' West through food along with various other markers. Eating as a performance connects several communities which otherwise differ in ideologies or in linguistic variables. It plays an important role in cultural imagination. Food gives a way of not only ordering a week or a day but of living inside history, measuring everything that is remembered against a chronology of cooks. Culinary nostalgia of Indian Diaspora is expressed through several representations. Many literary works by diasporic writers as well as visual representations through films reflect the emotion associated with food. Migrants preserve their ties to a homeland through their preservation of and participation in traditional customs and rituals of consumption, they are adamant, entirely passionate about such matters as the eating habits of the motherland. In Jhumpa Lahiri's novel, 'The Interpretation of Maladies', she mentions about Jhalmuri, a popular street food in Kolkata. Also, in her second novel, 'The Namesake', she begins the narrative with Ashima, craving for a snack sold for pennies in the streets of Kolkata. The movies of Gurinder Chhada also portrays elaborate dining scenes in Punjabi families subconsciously depicting her culinary nostalgia through representation. Interestingly, most of the popular cookbooks on Indian cuisines are written by expatriate Indian women. These books stress on the construction of a national cuisine as diasporas become more Indian than the natives in the motherland. Any Diaspora, settled away from the homeland tries to connect itself to the motherland through various modes and practices. It recreates the memories of home and constructs a myth around it. Food plays an important role in constructing the cultural imaginary. Food shapes and re-shapes the identity of diasporas and distinguishes between the imagined reality and the lived reality. Indian Diaspora also lives through discourses about gastronomic realms and uses it to fulfil the sense of lack created by expatriation. They generate narratives about food which are passed on to the successive generations as anecdotes. Food signifies a metonymic homeland. The flexibility of culinary realms and also the political economy surrounding it creates a hybrid culture which is also triggered by business. Representations of diasporic communities through television soap operas and diasporic films adds to the popularity of Indian cuisine generating billions of dollars as annual turnovers from the restaurant business. Food occupies an emotional corner in the minds of Indian Diaspora and thus food becomes a philosophical base in the lives of the diasporas. Gestational Diabetes - Indian Food Diet. Diabetes during pregnancy and the calorie count by BundleBoy13 The Africans in Africa and the Diaspora; Similar Cultures, Traditions, Customs, Music and Dance - African Spun by ixwa9 Literary Criticism & Analyses of Short Stories Cultural Analysis of Salman Rushdie's "The Courter" by Dana Ayres0 History of Gullah Geechee Southern Cuisine by Holle Abee164 British Cuisine Haggis Alternatives for a Traditional Scottish Burns Supper by Gordon Hamilton4 Yorkshire Pudding - How do you eat yours? by Sniff It Out137 How to Make Sri Lankan Plain Hoppers and Egg Hoppers by Ohla8
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
6,647
[ 128000, 35, 3050, 315, 12369, 304, 264, 22950, 53915, 13581, 198, 58532, 2465, 64, 70319, 1964, 68996, 198, 27844, 374, 279, 9200, 323, 279, 7718, 2144, 315, 5496, 13, 26275, 6498, 11240, 19170, 3691, 439, 904, 20278, 430, 1274, 477, 10099, 8343, 311, 4822, 13989, 13, 2030, 3691, 706, 5370, 1023, 734, 1109, 1120, 51110, 1202, 24156, 26431, 13, 12369, 30824, 3674, 390, 14632, 323, 433, 374, 2646, 21277, 477, 25442, 18528, 315, 37493, 13, 18056, 11, 31445, 11, 5933, 36788, 617, 32647, 279, 43226, 323, 24156, 12939, 315, 3691, 719, 3691, 40531, 5196, 449, 7829, 11, 28989, 323, 11759, 315, 279, 5654, 1405, 433, 35292, 13, 12369, 14385, 439, 279, 11381, 315, 13042, 11, 57937, 323, 15481, 40521, 13, 11997, 16753, 323, 58378, 14932, 3691, 527, 1101 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 35, 3050, 315, 12369, 304, 264, 22950, 53915, 13581, 198, 58532, 2465, 64, 70319, 1964, 68996, 198, 27844, 374, 279, 9200, 323, 279, 7718, 2144, 315, 5496, 13, 26275, 6498, 11240, 19170, 3691, 439, 904, 20278, 430, 1274, 477, 10099, 8343, 311, 4822, 13989, 13, 2030, 3691, 706, 5370, 1023, 734, 1109, 1120, 51110, 1202, 24156, 26431, 13, 12369, 30824, 3674, 390, 14632, 323, 433, 374, 2646, 21277, 477, 25442, 18528, 315, 37493, 13, 18056, 11, 31445, 11, 5933, 36788, 617, 32647, 279, 43226, 323, 24156, 12939, 315, 3691, 719, 3691, 40531, 5196, 449, 7829, 11, 28989, 323, 11759, 315, 279, 5654, 1405, 433, 35292, 13, 12369, 14385, 439, 279, 11381, 315, 13042, 11, 57937, 323, 15481, 40521, 13, 11997, 16753, 323, 58378, 14932, 3691, 527, 1101, -100 ]
(3) whether the authorities clean up the abandoned fishing nets in Hong Kong waters on a regular basis; if they do, of the details; if not, the reasons for that? (1) In the past five years, the Agriculture, Fisheries and Conservation Department (AFCD) has received reports of three death cases of marine animals from endangered species entangled in fishing nets. (2) and (3) A study to investigate the sources, distribution and movement of marine refuse was carried out in 2013-14 under the steer of the Interdepartmental Working Group on Clean Shorelines (the Working Group). The study included surveys at 36 sites of reported black spots of marine refuse during April 2013 to March 2014. The surveys found abandoned fishing nets at 12 sites and estimated abandoned fishing nets accounted for less than 0.1 per cent of total marine refuse collected from shorelines and 0.3 per cent of total floating marine refuse by count. In their marine refuse cleansing operations, the concerned Departments will remove the abandoned fishing nets together with other marine refuse. The AFCD also conducts regular ecological monitoring in marine parks and coordinates the annual survey of key coral sites in Hong Kong waters under the Reef Check programme. During the monitoring and survey, divers will record the locations of abandoned fishing nets and the AFCD will then arrange its contractor to clean up the nets systematically. In addition, underwater clean-up events are jointly organised by the AFCD and the Hong Kong Underwater Association to engage volunteer divers to remove abandoned fishing nets from major coral sites. The Working Group has also taken into account the finding of the Coastal Watch project which is funded by the Environment and Conservation Fund. As part of the key messages in promoting public education on clean shorelines, the AFCD will continue to promulgate the message of proper disposal of used fishing nets to local fishermen through its regular liaison channels, fisheries training courses and seminars. The Marine Department also reminds fishermen regularly to dispose of wastes generated from their fishing boats properly and not to dump it into the sea.
{ "redpajama_set_name": "RedPajamaC4" }
3,518
[ 128000, 7, 18, 8, 3508, 279, 11527, 4335, 709, 279, 23838, 20543, 53557, 304, 19730, 18711, 21160, 389, 264, 5912, 8197, 26, 422, 814, 656, 11, 315, 279, 3649, 26, 422, 539, 11, 279, 8125, 369, 430, 5380, 7, 16, 8, 763, 279, 3347, 4330, 1667, 11, 279, 37963, 11, 94505, 323, 45435, 6011, 320, 8440, 6620, 8, 706, 4036, 6821, 315, 2380, 4648, 5157, 315, 29691, 10099, 505, 52356, 9606, 1218, 40040, 304, 20543, 53557, 627, 7, 17, 8, 323, 320, 18, 8, 362, 4007, 311, 19874, 279, 8336, 11, 8141, 323, 7351, 315, 29691, 26122, 574, 11953, 704, 304, 220, 679, 18, 12, 975, 1234, 279, 49715, 315, 279, 5783, 28414, 278, 22938, 5856, 389, 9785, 45819, 8128, 320, 1820, 22938, 5856, 570, 578, 4007, 5343 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7, 18, 8, 3508, 279, 11527, 4335, 709, 279, 23838, 20543, 53557, 304, 19730, 18711, 21160, 389, 264, 5912, 8197, 26, 422, 814, 656, 11, 315, 279, 3649, 26, 422, 539, 11, 279, 8125, 369, 430, 5380, 7, 16, 8, 763, 279, 3347, 4330, 1667, 11, 279, 37963, 11, 94505, 323, 45435, 6011, 320, 8440, 6620, 8, 706, 4036, 6821, 315, 2380, 4648, 5157, 315, 29691, 10099, 505, 52356, 9606, 1218, 40040, 304, 20543, 53557, 627, 7, 17, 8, 323, 320, 18, 8, 362, 4007, 311, 19874, 279, 8336, 11, 8141, 323, 7351, 315, 29691, 26122, 574, 11953, 704, 304, 220, 679, 18, 12, 975, 1234, 279, 49715, 315, 279, 5783, 28414, 278, 22938, 5856, 389, 9785, 45819, 8128, 320, 1820, 22938, 5856, 570, 578, 4007, 5343, -100 ]
Archives – Travel | Jan. 25, 2010 For the feast of the Presentation, we visit the Sanctuary of Mary, Our Lady of the Holy Spirit, in Branchville, N.J. JOSEPH PRONECHEN Father Sylvester Livolsi devoted much of his priesthood to building a sanctuary to Mary. Now, his unwavering dream has come to fruition. On May 1 of last year, the feast of St. Joseph the Worker, more than 200 people packed the chapel of the Sanctuary of Mary, Our Lady of the Holy Spirit in Branchville, N.J. Bishop Arthur Serratelli of Paterson, N.J., celebrated a memorial Mass for Father Livolsi and consecrated the sanctuary. The guardianship of the sanctuary was transferred to the Society of Our Lady of the Most Holy Trinity. Father Livolsi died in February 2008 on his 85th birthday. He had arranged with two trustees of the sanctuary, Msgr. Paul Hayes, his seminary classmate and lifelong friend, and Margaret Nolo, longtime treasurer of the sanctuary, to give it to the Society of Our Lady of the Most Holy Trinity. "It's a free gift to them," said Msgr. Hayes. "The shrine has got to grow, and SOLT is going to be responsible for its growth." Msgr. Hayessaid Father Livolsi had the idea for the sanctuary in his seminary days. Every year since his ordination in 1948, Father Livolsi would ask the archbishop of Newark if he could devote his ministry to building a shrine to Mary. And every year he was told he was needed in the parishes. But his dream never wavered. One sunny Sunday Father Livolsi took his mother out for a drive to northeastern New Jersey along winding Route 519, a quiet country road new to him. In Branchville, he happened on a scenic spot with a "For Sale" sign. The next day he called the owner to buy five acres. He had no money but described his inspiration for a Marian shrine. The non-Catholic owner, Nils Ericson, wouldn't subdivide. But a month later he and his wife had second thoughts and decided to sell him nine acres. What could be better on their land than a shrine, they thought? In 1972, Bishop Lawrence Casey of Paterson gave his permission and blessing. Father Livolsi devoted the remaining 37 years of his priesthood to building the sanctuary, which today stands on 23 acres nestled amid picturesque rural scenes. The athletic priest chopped trees himself and mixed cement. An early photo shows him smiling with the first large cross he erected using tree limbs. Volunteers soon joined in. Everyone Pitched In By 1974 the chapel took shape. Today, the interior is a warm combination of rustic pine ceiling and a heavenly catechism of traditional liturgical art. Rows of old-fashioned stained-glass windows surround visitors with saints like Joseph, Therese and Anne, focus on Mary's titles like Our Lady of Lourdes, or prompt the contemplation of the Visitation, Nativity or Crucifixion. Stretching along the wall above are the invocations of Mary from the Divine Praises recited after Benediction. Between windows, carved wooden Stations of the Cross open like triptychs with meditations and prayers on both sides. Beautiful statues honor Mary and Joseph, especially ones flanking the tabernacle. Somehow, Father Livolsi did everything without fund-raising. "He wouldn't take a salary and refused his pension," Nolo explained. "He wouldn't accept Mass stipends. He didn't like to talk about money at all." Msgr. Hayes said that his former classmate had unwavering trust that St. Joseph would take care of everything. On their own, people donated or volunteered their time. Carpenters, plumbers and workmen simply pitched in. Ericson did the excavating for free. Pews were donated from one church, the Stations of the Cross from another. The sanctuary expanded to include St. Joseph Pilgrim Hall; God the Father Chapel, where people can read and meditate (built in memory of Ericson), and a little building dedicated to St. Michael. "It's the personal stuff that's inspiring," said Msgr. Hayes, noting that his friend left journals, poems and letters in his own meticulous, masculine handwriting. Devotion to St. Joseph the Worker shines through. Father Livolsi would explain how "you can pray while you're working." He believed St. Joseph showed him the way. Centered Around the Eucharist Father Thomas Nicastro of Our Lady of the Assumption in Bayonne, N.J., attributes his vocation to Father Livolsi. "He had a beautiful practice, and I believe my vocation to the priesthood had to do with it," he said. "After he baptized a baby, he would hold the baby up and dedicate the baby to the Blessed Mother. I believe I got my vocation that day when he dedicated me to the Blessed Mother." Years later, as a high school student, Father Nicastro hosted pilgrimages to the sanctuary from his parish of St. Francis Xavier in Newark (where Father Livolsi served as a young priest). "Father Livolsi had his own special vision and provided a place of prayer and devotion for many people and began something very good," Bishop Serratelli said. "The presence of SOLT is going to build on his work and offer to people many ways to deepen authentic Catholic spirituality." Visitors will find a shrine schedule centered around the Eucharist. There is an hour of adoration in the morning with the Rosary and another adoration hour in the afternoon. "We're Eucharistic-centered and want to eventually expand that," said the sanctuary's director, Father James Mulligan of the Society of Our Lady of the Most Holy Trinity. Father Gerard Sheehan explained how the society would like the lay faithful to join in the prayer life and daily adoration at the shrine and come in groups for days of recollection. He also believes that Our Lady has provided the sanctuary as a place for priests to be renewed in their relationship with Christ through prayer and contemplation. "It's a tremendous gift, and we want to use it for her purposes," he said. "It has the potential of becoming a great sanctuary for many different people." Staff writer Joseph Pronechen is based in Trumbull, Connecticut. Sanctuary of Mary, Our Lady of the Holy Spirit 252 Wantage Ave. (Rt. 519) Branchville, NJ 07826 Getting There: From I-84 West in New York state, take exit 2. At the end of the ramp, take a left (south) on County Road 35/Mountain Road. Crossing the New Jersey state line, this becomes County Road 519/Greenville Road. At triangle, bear left onto County Road 443/Rt. 23. Bear right onto County Road 519/Colesville Lusscroft Road. Bear right at intersection with Brink Road, continuing along 519. This becomes Wantage Avenue. Continue following this, and bear left on Wantage when it splits with Kymer Road. The sanctuary is at 252 Wantage. Planning Your Visit: There is daily Mass but no Sunday Mass. (The shrine isn't a parish.) Confessions anytime. Write your comment:
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
5,790
[ 128000, 19249, 1924, 1389, 18589, 765, 4448, 13, 220, 914, 11, 220, 679, 15, 198, 2520, 279, 53268, 315, 279, 51968, 11, 584, 4034, 279, 75333, 315, 10455, 11, 5751, 21270, 315, 279, 19229, 17326, 11, 304, 26176, 8078, 11, 452, 3587, 627, 27237, 937, 11079, 8743, 5338, 2198, 965, 198, 62416, 47137, 5302, 37311, 3145, 72, 29329, 1790, 315, 813, 86716, 311, 4857, 264, 51639, 311, 10455, 13, 4800, 11, 813, 15375, 402, 4776, 8063, 706, 2586, 311, 94706, 627, 1966, 3297, 220, 16, 315, 1566, 1060, 11, 279, 53268, 315, 800, 13, 15466, 279, 34186, 11, 810, 1109, 220, 1049, 1274, 19937, 279, 83249, 315, 279, 75333, 315, 10455, 11, 5751, 21270, 315, 279, 19229, 17326, 304, 26176, 8078, 11, 452, 3587, 13, 34342, 28686, 328 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 19249, 1924, 1389, 18589, 765, 4448, 13, 220, 914, 11, 220, 679, 15, 198, 2520, 279, 53268, 315, 279, 51968, 11, 584, 4034, 279, 75333, 315, 10455, 11, 5751, 21270, 315, 279, 19229, 17326, 11, 304, 26176, 8078, 11, 452, 3587, 627, 27237, 937, 11079, 8743, 5338, 2198, 965, 198, 62416, 47137, 5302, 37311, 3145, 72, 29329, 1790, 315, 813, 86716, 311, 4857, 264, 51639, 311, 10455, 13, 4800, 11, 813, 15375, 402, 4776, 8063, 706, 2586, 311, 94706, 627, 1966, 3297, 220, 16, 315, 1566, 1060, 11, 279, 53268, 315, 800, 13, 15466, 279, 34186, 11, 810, 1109, 220, 1049, 1274, 19937, 279, 83249, 315, 279, 75333, 315, 10455, 11, 5751, 21270, 315, 279, 19229, 17326, 304, 26176, 8078, 11, 452, 3587, 13, 34342, 28686, 328, -100 ]
Yard 2097 (LCU L 56), the sixth of the class of LCU MK IV ships, have been built and delivered by M/s GRSE Ltd today, on March 30, 2019 at Kolkata. This is the 100th ship delivered by the DPSU in Kolkata. The construction of the ship was overseen by Warship Overseeing Team, Kolkata. Amongst the dignitaries who attended the ceremony held in GRSE included the Defence Secretary, Vice Admiral BK Verma AVSM, ADC, the C-in-C Andaman & Nicobar Command and Vice Admiral MS Pawar AVSM, VSM, the Deputy Chief of Naval Staff. Indian Navy's amphibious operations capability including transport of troops, tanks and equipment will get enhanced with the addition of this Landing Craft Utility which will be based at Andaman and Nicobar Islands. The ship is commanded by Lt Cdr Gopinath Narayan and has a compliment of five officers and 50 sailors.
{ "redpajama_set_name": "RedPajamaC4" }
9,475
[ 128000, 56, 569, 220, 12652, 22, 320, 8724, 52, 445, 220, 3487, 705, 279, 26084, 315, 279, 538, 315, 445, 17218, 27957, 17244, 18198, 11, 617, 1027, 5918, 323, 12886, 555, 386, 2754, 15116, 937, 12604, 3432, 11, 389, 5587, 220, 966, 11, 220, 679, 24, 520, 82634, 13, 1115, 374, 279, 220, 1041, 339, 8448, 12886, 555, 279, 59583, 52, 304, 82634, 13, 578, 8246, 315, 279, 8448, 574, 20270, 268, 555, 5111, 5383, 6193, 66154, 8068, 11, 82634, 627, 34710, 267, 279, 28677, 275, 5548, 889, 18677, 279, 22260, 5762, 304, 15116, 937, 5343, 279, 40007, 12667, 11, 23270, 59094, 77882, 6383, 1764, 12431, 9691, 11, 22858, 11, 279, 356, 3502, 7813, 1628, 13005, 612, 18011, 32493, 7498, 323, 23270, 59094, 10504, 61071, 277, 12431, 9691 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 56, 569, 220, 12652, 22, 320, 8724, 52, 445, 220, 3487, 705, 279, 26084, 315, 279, 538, 315, 445, 17218, 27957, 17244, 18198, 11, 617, 1027, 5918, 323, 12886, 555, 386, 2754, 15116, 937, 12604, 3432, 11, 389, 5587, 220, 966, 11, 220, 679, 24, 520, 82634, 13, 1115, 374, 279, 220, 1041, 339, 8448, 12886, 555, 279, 59583, 52, 304, 82634, 13, 578, 8246, 315, 279, 8448, 574, 20270, 268, 555, 5111, 5383, 6193, 66154, 8068, 11, 82634, 627, 34710, 267, 279, 28677, 275, 5548, 889, 18677, 279, 22260, 5762, 304, 15116, 937, 5343, 279, 40007, 12667, 11, 23270, 59094, 77882, 6383, 1764, 12431, 9691, 11, 22858, 11, 279, 356, 3502, 7813, 1628, 13005, 612, 18011, 32493, 7498, 323, 23270, 59094, 10504, 61071, 277, 12431, 9691, -100 ]
From the editors of Kiplingers Personal Finance Magazine, . From auto insurance to zoning regulations, Know Your Legal Rights guides readers over hundreds of common legal hurdles. This ready reference is written in understandable language, not legal jargon. It will help readers recognize when they have a legal problem and decide if and how they can resolve it on their own. If they can't, this book shows them how to find qualified legal counsel. Know Your Legal Rights also explores the legal aspects of truly personal subjects, such as marriage and divorce, parental obligations, live-in rights, medical dilemmas and estate planning. It includes helpful resource information, including lists of advocacy groups, trade and professional associations, and federal and legal agencies where you can turn for further help.
{ "redpajama_set_name": "RedPajamaC4" }
9,258
[ 128000, 3915, 279, 29846, 315, 735, 10567, 14437, 19758, 23261, 22168, 11, 16853, 3915, 3313, 8276, 311, 66078, 14640, 11, 14521, 4718, 25705, 10734, 28292, 13016, 927, 11758, 315, 4279, 5897, 73635, 13, 1115, 5644, 5905, 374, 5439, 304, 49839, 4221, 11, 539, 5897, 503, 71921, 13, 1102, 690, 1520, 13016, 15641, 994, 814, 617, 264, 5897, 3575, 323, 10491, 422, 323, 1268, 814, 649, 9006, 433, 389, 872, 1866, 13, 1442, 814, 649, 956, 11, 420, 2363, 5039, 1124, 1268, 311, 1505, 15337, 5897, 16467, 13, 14521, 4718, 25705, 10734, 1101, 41424, 279, 5897, 13878, 315, 9615, 4443, 15223, 11, 1778, 439, 11103, 323, 25549, 11, 46679, 30255, 11, 3974, 3502, 3268, 11, 6593, 44261, 90636, 323, 12675, 9293, 13, 1102, 5764, 11190, 5211, 2038, 11, 2737 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 3915, 279, 29846, 315, 735, 10567, 14437, 19758, 23261, 22168, 11, 16853, 3915, 3313, 8276, 311, 66078, 14640, 11, 14521, 4718, 25705, 10734, 28292, 13016, 927, 11758, 315, 4279, 5897, 73635, 13, 1115, 5644, 5905, 374, 5439, 304, 49839, 4221, 11, 539, 5897, 503, 71921, 13, 1102, 690, 1520, 13016, 15641, 994, 814, 617, 264, 5897, 3575, 323, 10491, 422, 323, 1268, 814, 649, 9006, 433, 389, 872, 1866, 13, 1442, 814, 649, 956, 11, 420, 2363, 5039, 1124, 1268, 311, 1505, 15337, 5897, 16467, 13, 14521, 4718, 25705, 10734, 1101, 41424, 279, 5897, 13878, 315, 9615, 4443, 15223, 11, 1778, 439, 11103, 323, 25549, 11, 46679, 30255, 11, 3974, 3502, 3268, 11, 6593, 44261, 90636, 323, 12675, 9293, 13, 1102, 5764, 11190, 5211, 2038, 11, 2737, -100 ]
THE VANILLA ICE PROJECT PREMIERING JULY 15TH New York -- June 20, 2017 Pop icon Vanilla Ice, a.k.a. Rob VanWinkle, goes to Florida's Treasure Coast to tackle his next house renovation and flip during the new season of DIY Network's popular series, The Vanilla Ice Project. Premiering Saturday, July 15, at 10 p.m. ET/PT, the 13-episode arc will follow Vanilla Ice as he launches his most colossal and lavish renovation to date—the transformation of a dilapidated 7,000-square-foot home into a contemporary oceanfront estate that features a rocket ship play space, an indoor hibachi grill room and a custom pool. The new season features Vanilla Ice and his team of "construction ninjas" as they face time and budget constraints while restoring a sprawling but decaying property. Each episode features the team as they strip the home down to its bones and transform it into a modern, Polynesian-style oceanfront retreat. When Vanilla Ice is finished, the astonishing overhaul is sure to wow visitors for years to come. "This season we're going to bring the bling," said Vanilla Ice. "There's no problem too big, no details too small, and it's guaranteed to be one heck of a ride!" ABOUT DIY NETWORK Currently in more than 57 million U.S. households, DIY Network is the go-to destination for wall-breaking, roof-ripping, house-hauling, yard-crashing series. The network's award-winning website, DIYNetwork.com, consistently ranks among America's top home and garden destinations for entertaining videos, home improvement advice and step-by-step instructions. Fans can interact with other home improvement enthusiasts and do-it-yourselfers through Facebook, Twitter, Pinterest and Instagram. Headquartered in Knoxville, Tennessee, DIY Network is owned by Scripps Networks Interactive, Inc., which also owns and operates HGTV, Food Network, Travel Channel, Cooking Channel and Great American Country. Photo Courtesy Of: DIY Network DIY NETWORK FLORIDA'S TREASURE COAST TELEVISION VANILLA ICE
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
1,793
[ 128000, 17673, 97753, 99582, 41663, 40992, 21626, 9972, 86094, 88160, 56, 220, 868, 3701, 198, 3648, 4356, 1198, 5651, 220, 508, 11, 220, 679, 22, 10466, 4706, 66682, 20534, 11, 264, 5314, 5973, 13, 4997, 13000, 54, 36244, 11, 5900, 311, 9784, 596, 58248, 16377, 311, 22118, 813, 1828, 3838, 50555, 323, 18791, 2391, 279, 502, 3280, 315, 32558, 8304, 596, 5526, 4101, 11, 578, 66682, 20534, 5907, 13, 20210, 287, 7884, 11, 5887, 220, 868, 11, 520, 220, 605, 281, 749, 13, 18241, 14, 2898, 11, 279, 220, 1032, 12, 40391, 15952, 690, 1833, 66682, 20534, 439, 568, 38175, 813, 1455, 97937, 323, 80234, 50555, 311, 2457, 22416, 18475, 315, 264, 19371, 44221, 660, 220, 22, 11, 931, 34047, 21117, 2162, 1139, 264, 19225, 18435, 7096, 12675 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 17673, 97753, 99582, 41663, 40992, 21626, 9972, 86094, 88160, 56, 220, 868, 3701, 198, 3648, 4356, 1198, 5651, 220, 508, 11, 220, 679, 22, 10466, 4706, 66682, 20534, 11, 264, 5314, 5973, 13, 4997, 13000, 54, 36244, 11, 5900, 311, 9784, 596, 58248, 16377, 311, 22118, 813, 1828, 3838, 50555, 323, 18791, 2391, 279, 502, 3280, 315, 32558, 8304, 596, 5526, 4101, 11, 578, 66682, 20534, 5907, 13, 20210, 287, 7884, 11, 5887, 220, 868, 11, 520, 220, 605, 281, 749, 13, 18241, 14, 2898, 11, 279, 220, 1032, 12, 40391, 15952, 690, 1833, 66682, 20534, 439, 568, 38175, 813, 1455, 97937, 323, 80234, 50555, 311, 2457, 22416, 18475, 315, 264, 19371, 44221, 660, 220, 22, 11, 931, 34047, 21117, 2162, 1139, 264, 19225, 18435, 7096, 12675, -100 ]
Following its 2-1 opening win in the John Curtis series, the Jesuit baseball team improved to 5-0 in district play. In Game 2 the defending state champions were then able to snap their two-game losing streak and end Jesuit's four-game winning streak with a 2-1 victory of their own. In the Game 1 victory, pitcher Will Hellmers added another success to his résumé, combining with Will Moran for a no-hitter in Jesuit's 2-0 victory over John Curtis. Hellmers's 6-inning no-hitter saw 15 of his 18 outs come from strikeouts. As a result, 18 of the 21 outs recorded by Jesuit were by strikeouts against the three-time defending 9-5A champion and two-time defending Division I state champion Patriots. In the Jesuit-Shaw "Battle of the Birds" series, the Blue Jays prevailed with a 2-game sweep. In Game 1 the Jays captured three 1st-inning runs behind the arm of Will Hellmers and Brenden Berggren. The duo threw a combined shutout to keep Jesuit atop the Catholic League standings. The second game was led by Hellmers's field day at the plate, which included two home runs, a double, and three RBIs. On the mound the Jays were led by Connor Sarrat's complete game one-hitter. Both teams huddle up after Jesuit's 2-1 series-opening victory over John Curtis at Mike Miley. Jesuit has an away district game at Holy Cross on Thursday, April 11 at 4 p.m. A no-hitter is shown on the scoreboard as pitcher Will Hellmers gets the signal. Will Moran hits a single. Moran relieves Hellmers for the last inning. Junior Max Mancheski flashes a smile in the team huddle. Left fielder Brian Valigosky catches the final out of the inning in Game 2 at John Ryan Stadium on Monday, April 8. First baseman Will Hellmers flips it to Dardar. Jays advance on a walk. As a car drives on the overpass, the final play of the game takes place on the field below.
{ "redpajama_set_name": "RedPajamaC4" }
9,889
[ 128000, 28055, 1202, 220, 17, 12, 16, 8736, 3243, 304, 279, 3842, 51816, 4101, 11, 279, 9243, 3159, 20075, 2128, 13241, 311, 220, 20, 12, 15, 304, 9474, 1514, 13, 763, 4140, 220, 17, 279, 29269, 1614, 34838, 1051, 1243, 3025, 311, 10885, 872, 1403, 19959, 13490, 30314, 323, 842, 9243, 3159, 596, 3116, 19959, 11230, 30314, 449, 264, 220, 17, 12, 16, 12845, 315, 872, 1866, 627, 644, 279, 4140, 220, 16, 12845, 11, 42070, 4946, 24830, 23621, 3779, 2500, 2450, 311, 813, 9517, 1264, 978, 11, 35271, 449, 4946, 93335, 369, 264, 912, 2902, 3328, 304, 9243, 3159, 596, 220, 17, 12, 15, 12845, 927, 3842, 51816, 13, 24830, 23621, 596, 220, 21, 3502, 1251, 912, 2902, 3328, 5602, 220, 868, 315, 813, 220, 972, 23651 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 28055, 1202, 220, 17, 12, 16, 8736, 3243, 304, 279, 3842, 51816, 4101, 11, 279, 9243, 3159, 20075, 2128, 13241, 311, 220, 20, 12, 15, 304, 9474, 1514, 13, 763, 4140, 220, 17, 279, 29269, 1614, 34838, 1051, 1243, 3025, 311, 10885, 872, 1403, 19959, 13490, 30314, 323, 842, 9243, 3159, 596, 3116, 19959, 11230, 30314, 449, 264, 220, 17, 12, 16, 12845, 315, 872, 1866, 627, 644, 279, 4140, 220, 16, 12845, 11, 42070, 4946, 24830, 23621, 3779, 2500, 2450, 311, 813, 9517, 1264, 978, 11, 35271, 449, 4946, 93335, 369, 264, 912, 2902, 3328, 304, 9243, 3159, 596, 220, 17, 12, 15, 12845, 927, 3842, 51816, 13, 24830, 23621, 596, 220, 21, 3502, 1251, 912, 2902, 3328, 5602, 220, 868, 315, 813, 220, 972, 23651, -100 ]
Scleroderma paradoxum är en svampart som beskrevs av G.W. Beaton 1982. Scleroderma paradoxum ingår i släktet Scleroderma och familjen rottryfflar. Inga underarter finns listade i Catalogue of Life. Källor Rottryfflar paradoxum
{ "redpajama_set_name": "RedPajamaWikipedia" }
7,902
[ 128000, 50, 566, 261, 4414, 1764, 52313, 372, 19106, 665, 13871, 1141, 472, 1794, 9234, 74, 7430, 82, 1860, 480, 1196, 13, 2893, 24444, 220, 3753, 17, 13, 328, 566, 261, 4414, 1764, 52313, 372, 6892, 18382, 602, 1776, 2357, 5964, 295, 328, 566, 261, 4414, 1764, 12218, 44526, 24041, 5868, 1568, 544, 14115, 13, 256, 763, 6885, 1234, 5408, 74165, 1160, 1037, 602, 32321, 361, 315, 9601, 382, 42, 33351, 269, 271, 38036, 1568, 544, 14115, 198, 1768, 40197, 372, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 50, 566, 261, 4414, 1764, 52313, 372, 19106, 665, 13871, 1141, 472, 1794, 9234, 74, 7430, 82, 1860, 480, 1196, 13, 2893, 24444, 220, 3753, 17, 13, 328, 566, 261, 4414, 1764, 52313, 372, 6892, 18382, 602, 1776, 2357, 5964, 295, 328, 566, 261, 4414, 1764, 12218, 44526, 24041, 5868, 1568, 544, 14115, 13, 256, 763, 6885, 1234, 5408, 74165, 1160, 1037, 602, 32321, 361, 315, 9601, 382, 42, 33351, 269, 271, 38036, 1568, 544, 14115, 198, 1768, 40197, 372, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
What email clients is the MageMail email template compatible with? The MageMail responsive email templates are compatible with basically every major email client out there, outside of Outlook 2007, which is an old client that's probably more in use in corporate environments. It's was hard to find an exact number on Outlook 2007 marketshare. This post has a nice breakdown but it's pretty dated. If Outlook is 11% of market share, and if Outlook 2007 is roughly 30% of total Outlook usage, then I'd guess it's around 3% of total market share. At the end of the day, it comes down to what your customers are using.
{ "redpajama_set_name": "RedPajamaC4" }
2,754
[ 128000, 3923, 2613, 8403, 374, 279, 24260, 17117, 2613, 3896, 18641, 449, 5380, 791, 24260, 17117, 27078, 2613, 20506, 527, 18641, 449, 13524, 1475, 3682, 2613, 3016, 704, 1070, 11, 4994, 315, 42158, 220, 1049, 22, 11, 902, 374, 459, 2362, 3016, 430, 596, 4762, 810, 304, 1005, 304, 13166, 22484, 627, 2181, 596, 574, 2653, 311, 1505, 459, 4839, 1396, 389, 42158, 220, 1049, 22, 3157, 19930, 13, 1115, 1772, 706, 264, 6555, 31085, 719, 433, 596, 5128, 30105, 627, 2746, 42158, 374, 220, 806, 4, 315, 3157, 4430, 11, 323, 422, 42158, 220, 1049, 22, 374, 17715, 220, 966, 4, 315, 2860, 42158, 10648, 11, 1243, 358, 4265, 8101, 433, 596, 2212, 220, 18, 4, 315, 2860, 3157, 4430, 627, 1688, 279, 842, 315, 279, 1938 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 3923, 2613, 8403, 374, 279, 24260, 17117, 2613, 3896, 18641, 449, 5380, 791, 24260, 17117, 27078, 2613, 20506, 527, 18641, 449, 13524, 1475, 3682, 2613, 3016, 704, 1070, 11, 4994, 315, 42158, 220, 1049, 22, 11, 902, 374, 459, 2362, 3016, 430, 596, 4762, 810, 304, 1005, 304, 13166, 22484, 627, 2181, 596, 574, 2653, 311, 1505, 459, 4839, 1396, 389, 42158, 220, 1049, 22, 3157, 19930, 13, 1115, 1772, 706, 264, 6555, 31085, 719, 433, 596, 5128, 30105, 627, 2746, 42158, 374, 220, 806, 4, 315, 3157, 4430, 11, 323, 422, 42158, 220, 1049, 22, 374, 17715, 220, 966, 4, 315, 2860, 42158, 10648, 11, 1243, 358, 4265, 8101, 433, 596, 2212, 220, 18, 4, 315, 2860, 3157, 4430, 627, 1688, 279, 842, 315, 279, 1938, -100 ]
Click HERE to open our coilover installation guide. Scroll down for videos and additional assistance. FPS spring install from F&F Media on Vimeo. Protect Your Lug Nuts from F&F Media on Vimeo. Pre-Load from F&F Media on Vimeo. How To Lower Function and Form Type 2 RSX/SCION TC rear shock from F&F Media on Vimeo.
{ "redpajama_set_name": "RedPajamaC4" }
3,021
[ 128000, 2677, 19804, 311, 1825, 1057, 40760, 2017, 14028, 8641, 13, 23198, 1523, 369, 6946, 323, 5217, 13291, 627, 67841, 10683, 4685, 505, 435, 5, 37, 7972, 389, 99925, 627, 62647, 4718, 93590, 452, 6256, 505, 435, 5, 37, 7972, 389, 99925, 627, 4808, 12, 6003, 505, 435, 5, 37, 7972, 389, 99925, 627, 4438, 2057, 28636, 5830, 323, 3459, 4078, 220, 17, 24107, 55, 14, 3624, 1294, 25610, 14981, 10988, 505, 435, 5, 37, 7972, 389, 99925, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 2677, 19804, 311, 1825, 1057, 40760, 2017, 14028, 8641, 13, 23198, 1523, 369, 6946, 323, 5217, 13291, 627, 67841, 10683, 4685, 505, 435, 5, 37, 7972, 389, 99925, 627, 62647, 4718, 93590, 452, 6256, 505, 435, 5, 37, 7972, 389, 99925, 627, 4808, 12, 6003, 505, 435, 5, 37, 7972, 389, 99925, 627, 4438, 2057, 28636, 5830, 323, 3459, 4078, 220, 17, 24107, 55, 14, 3624, 1294, 25610, 14981, 10988, 505, 435, 5, 37, 7972, 389, 99925, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
The Label control implements a read-only text view. You can use this control to draw one or multiple lines of static text, such as those you might use to identify other parts of your user interface. Now we will discuss in detail related to properties and actions of the label. Tapping on label will open the following window as shown below. In properties tab, you can change any property of label and even can easily search using the search bar. To configure various events related to label tap on action and configure it. Below properties are explained in detail in View Control. Please refer Controls - 1 Views document. Label Text Vertical Alignment : The technique to use for aligning the text vertically. Value - String : Choose any option from center, top, bottom in the drop down list to align respectively. Text Color : To change the text color of the label. Clicking on the box will open the picker as shown below. Choose the color and tap on OK to change the background color of the view. Choose none to apply clear color to the background of the view. Text : The text displayed by the label. Value - String : This string is nil by default. Font - Family : The font of the text. Value : The default value of this property is Helvetica-Bold. Tapping on will open the following window as shown below. Tapping on any of the font style in the list will set the font of the text of selected label. Font - Size : The font size of the text displayed by the label. Value - float : The size (in points) to which the font is scaled. This value must be greater than 0.0. Minimum Font - Size : The size of the smallest permissible font with which to draw the label's text.When drawing text that might not fit within the bounding rectangle of the label, you can use this property to prevent the receiver from reducing the font size to the point where it is no longer legible. Shadow Color : The color of the label's shadow. Value - float : The default value of this property is clear color. Shadow Offset X : The offset (in points)in X - direction of the label's shadow. Value - float : The default value of this property is 0.0. Shadow Offset Y : The offset (in points)in Y - direction of the label's shadow. Text Alignment : The technique to use for aligning the text. Value - float : The default value of this property is left. You can choose left, right and center from the drop down list. Number of Lines : The maximum number of lines to use for rendering text. Value - int : This property controls the maximum number of lines to use in order to fit the label's text into its bounding rectangle. The default value for this property is 1. To remove any maximum limit, and use as many lines as needed, set the value of this property to 0. Line break mode : The technique to use for wrapping and truncating the label's text. Word Wrap : Wrapping occurs at word boundaries, unless the word itself doesn't fit on a single line. Char Wrap : Wrapping occurs before the first character that doesn't fit. Clip : Lines are simply not drawn past the edge of the text container. Truncate Head : The line is displayed so that the end fits in the container and the missing text at the beginning of the line is indicated by an ellipsis glyph. Although this mode works for multiline text, it is more often used for single line text. Truncate Tail : The line is displayed so that the beginning fits in the container and the missing text at the end of the line is indicated by an ellipsis glyph. Although this mode works for multiline text, it is more often used for single line text. Truncate Middle : The line is displayed so that the beginning and end fit in the container and the missing text in the middle is indicated by an ellipsis glyph. Although this mode works for multiline text, it is more often used for single line text. Adjust Font Size : A Boolean value indicating whether the font size should be reduced in order to fit the title string into the label's bounding rectangle. Value - int : The default value for this property is NO. If you change it to YES, you should also set an appropriate minimum font size by modifying the minimum FontSize property. Enabled : A Boolean value that determines whether user events are ignored and removed from the event queue. Value - bool :The default value for this property is NO. If you change it to YES, then events related to Label will be received by the app. Highlighted : A Boolean value indicating whether the receiver should be drawn with a highlight. Value - bool : Setting this property causes the receiver to redraw with the appropriate highlight state. This control can be used as button control with proper highlight settings. Highlighted Color : The highlight color applied to the label's text. Value - Color : This color is applied to the label automatically whenever the highlighted property is set to YES. Tapping on will open the color picker. Choose appropriate color from picker apply it on the label's highlighted text. Below properties are explained in detail in View Control. Please refer Controls - 1 Views document.. Dynamic height for label : A Boolean value indicating whether the label 's height should increase as per the content. Value - bool : Setting this to YES will automatically resize the label depending on the text on the label. Enable Marquee : A Boolean value indicating whether marquee is enabled for the label. Value - bool : Setting this to YES will allow move text horizontally . Note : This will only work if the length of text of label is greater than the rect area of the label. Text Scrolling speed on label : A float value to determine the speed at which the label text is moving. Value - int : The default value is 0.0. Text will only move if the value is greater than 0.0. Enable Html Label : A boolean value to enable label to behave same as webview(without scroll). Value - bool : The default value is NO. If set to YES, label will handle the HTML data. Enable Underline : A bool value to allow underline under the text displayed in the label. Value - bool : The default value is NO. If set to YES, the complete text in the label will be underlined. As shown in above figure the Label's actions are almost similar to View 's actions which are discussed Controls - 1 Views . Please refer document of all the actions . A text field is a control that displays editable text. You typically use this control to gather small amounts of text from the user and perform some immediate action, such as a search operation, based on that text. Placeholder : The string that is displayed when there is no other text in the text field. Value - String : This value is nil by default. The placeholder string is drawn using a 70% grey color. Below properties are explained in detail in Label Control. Please refer above. Background : The image that represents the background appearance of the text field when it is enabled. Value -image : When set, the image referred to by this property replaces the standard appearance controlled by the borderStyle property. Background images are drawn in the border rectangle portion of the text field. Images you use for the text field's background should be able to stretch to fit. This property is set to nil by default. Disabled Background : The image that represents the background appearance of the text field when it is disabled. Value -image : Background images are drawn in the border rectangle portion of the text field. Images you use for the text field's background should be able to stretch to fit. This property is ignored if the background property is not also set. Border Style : The border style used by the text field. Round Rect : Displays a rounded-style border for the text field. Solid Line : Displays a bezel-style border for the text field. This style is typically used for standard data-entry fields. Normal Line : Displays a thin rectangle around the text field. None : Displays text field with no border. Clears on Begin : A Boolean value indicating whether the text field removes old text when editing begins. Value - bool : If this property is set to YES, the text field's previous text is cleared when the user selects the text field to begin editing. If NO, the text field places an insertion point at the place where the user tapped the field. Auto Capitalization Type : The auto-capitalization style for the text object. None : Do not capitalize any text automatically. Words : Capitalize the first letter of each word automatically. Sentences : Capitalize the first letter of each sentence automatically. All Characters : Capitalize all characters automatically. AutoCorrection Type : The auto-correction style for the text object. Yes : Choose an appropriate auto-correction behavior for the current script system. No : Disable auto-correction behavior. Default : Enable auto-correction behavior. Keyboard Type : The keyboard style associated with the text object. Default : Use the default keyboard for the current input method. Ascii Capable : Use a keyboard that displays standard ASCII characters. Number and Punctuation : Use the numbers and punctuation keyboard. URL : Use a keyboard optimized for URL entry. This type features ".", "/", and ".com" prominently. Number Pad : Use a numeric keypad designed for PIN entry. This type features the numbers 0 through 9 prominently. This keyboard type does not support auto-capitalization. Phone Pad : Use a keypad designed for entering telephone numbers. This type features the numbers 0 through 9 and the "*" and "#" characters prominently. This keyboard type does not support auto-capitalization. Name Phone Pad : Use a keypad designed for entering a person's name or phone number. This keyboard type does not support auto-capitalization. Email : Use a keyboard optimized for specifying email addresses. This type features the "@", "." and space characters prominently. Keyboard Appearance : The appearance style of the keyboard that is associated with the text object. Alert : Use a keyboard that is suitable for an alert panel. Return Type : The contents of the "return" key. Default : Set the text of the return key to "return". Go : Set the text of the return key to "Go". Google : Set the text of the return key to "Google". Join : Set the text of the return key to "Join". Next : Set the text of the return key to "Next". Route : Set the text of the return key to "Route". Search : Set the text of the return key to "Search". Send : Set the text of the return key to "Send". Yahoo : Set the text of the return key to "Yahoo". Done : Set the text of the return key to "Done". Emergency : Set the text of the return key to "Emergency". Enable Return Key : A Boolean value indicating whether the return key is automatically enabled when text is entered by the user. Value : The default value for this property is NO. If you set it to YES, the keyboard disables the return key when the text entry area contains no text. As soon as the user enters any text, the return key is automatically enabled. Secure Text Entry : Identifies whether the text object should hide the text being entered. Value : This property is set to NO by default. Setting this property to YES creates a password-style text object, which hides the text being entered. Is Growing Textfield : A boolean value to enable text field to increase its height as per the content. Value : If YES, the text field 's height will get bigger as the user types the content in it. The default value is NO. Text Entry Restrictions : The restriction on the user's entry of text in the text field. Value : Restrict the number of characters than can be entered in the text field by the user. You can even set the minimum character that should be entered in the text field. max_length(int) : To insert maximum number of character in the text field. For e.g max_length(12) will allow to enter 12 maximum character in the text field. min_length(int) : To insert minimum number of character in the text field. For e.g max_length(12) will allow to enter 12 minimum character in the text field. Text Field Number Format : The formatting of the number entered by the user in the textfield . Value : To formate the phone number , credit card number or debit card number by making use of some special characters. ***-***-*** : Here "*" indicates the number and "-" special character that we can insert in between the numbers. For e.g., if the format is something like that ***-***-**** then number will be formatted like this 123-456-7890. Input Accessory View ID : The control that will be displayed in the toolbar above keyboard when user will start entering data in the text field. Value : Set any object ID of any control that is in the Main_View. Text field Left View Id : The overlay view displayed on the left side of the text field. Text field Right View Id : The overlay view displayed on the right side of the text field. Left View Mode : Controls when the left overlay view appears in the text field. UITextFieldViewModeNever : The overlay view never appears. UITextFieldViewModeWhileEditing : The overlay view is displayed only while text is being edited in the text field. UITextFieldViewModeUnlessEditing : The overlay view is displayed only when text is not being edited. UITextFieldViewModeAlways : The overlay view is always displayed. Right View Mode : Controls when the right overlay view appears in the text field. hbInputViewID : The view that will be displayed instead of keyboard. As shown in above figure the Text Field's actions description is given below. Load : The action related to this event will be called when system loads the texfield. Done Clicking : he action related to this event will be called when user has tapped done button in the toolbar above keyboard is clicked . End Editing : The action related to this event will be called when user has completed editing the text in the texfield. Begin Editing : The action related to this event will be called when user has starts typing the text in the texfield. The TextView control implements the behavior for a scrollable , multi line text region. The class supports the display of text using custom style information and also supports text editing. You typically use a textview to display multiple lines of text, such as when displaying the body of a large text document. Below property are explained in detail in ImageView Control. Please refer Controls - 1 Views document. Below property are explained in detail in View Control. Please refer Controls - 1 Views document. Below property are explained in detail in WebView Control. Please refer Controls - 1 Views document. Show Horizontal Scroll : A Boolean value that controls whether the horizontal scroll indicator is visible. Value : The default value is YES. The indicator is visible while tracking is underway and fades out after tracking. Show Vertical Scroll : A Boolean value that controls whether the horizontal scroll indicator is visible. Scroll Enabled : A Boolean value that determines whether scrolling is enabled. Value - bool : If the value of this property is YES , scrolling is enabled, and if it is NO , scrolling is disabled. The default is YES. When scrolling is disabled, the textview does not accept touch events; it forwards them up the view behind textview. Paging Enabled : A Boolean value that determines whether paging is enabled for the scroll view. Value - bool : If the value of this property is YES, the scrollview stops on multiples of the scroll view's bounds when the user scrolls. The default value is NO. Bounces : A Boolean value that controls whether the scroll view bounces past the edge of content and back again. Value - bool : If the value of this property is YES, the scroll view bounces when it encounters a boundary of the content. Bouncing visually indicates that scrolling has reached an edge of the content. If the value is NO, scrolling stops immediately at the content boundary without bouncing. The default value is YES. Always Bounce Horizontal : A Boolean value that determines whether bouncing always occurs when horizontal scrolling reaches the end of the content view. Value - bool : If this property is set to YES and bounces is YES, horizontal dragging is allowed even if the content is smaller than the bounds of the textview. The default value is NO. Always Bounce Vertical : A Boolean value that determines whether bouncing always occurs when vertical scrolling reaches the end of the content view. Value - bool : If this property is set to YES and bounces is YES, vertical dragging is allowed even if the content is smaller than the bounds of the textview. The default value is NO. Below property are explained in detail in Text field control. Please refer above. Maximum Character Count : The counter of characters that is displayed at bottom right corner in the textview. The counter will decrement as the user types the character in the textview. Value - int : By default it will be nil. If the counter is greater than 0 then the value will be displayed at the bottom. Enable Character Count : A Boolean value to show number of characters that can be type in the textview. Value - bool : If this property is set to YES then the counter value will be displayed at the bottom right corner of the textview. As shown in above figure the textview actions are almost similar to View 's actions which are discussed above. Please refer description of all the actions of textview as given above. An autocomplete text field is a control that displays editable text. You can use this control to give user suggestions that he/she use to automatically enter in the text field, when user taps on suggestions . The suggestions will be displayed in the horizontal scrollview above the keyboard. To provide input to this control we need to configure datasource to display data coming from the web service. For data source configuration, please refer Datasource document. Note : Add the action of the webservice call on the load event of the autocomplete textfield. Key to Data Index : To get related data(id, image) as output to any other control or to the web service from the selected data from the suggestions in the text field. Value - String : Clicking on this property 's drop down list will give you option to select the web service key of the web service that you have successfully configured in the Data Source panel. Key to Data Source : Set the webserver key when there is multi level data in the webservice response. In this case we need to set Key To Data Source as Parent1 and Key Name to Data as Child. Clicking on this property 's drop down list will give you option to select the web service key of the web service that you have successfully configured in the Datasource panel. Below properties are explained in detail in Text field Control. Please refer above. Suggestions View BG Color : The background color of the suggestions view that will appear below textfield. Value - Color : To change the background color of the view. Clicking on the box will open the color picker form where you can choose the color. Suggestions Text Color : The text color of the text of the labels in the suggestions view. Value -Color : To change the background color of the view click on the box will open the color picker form where you can choose the color. Suggestions Text Size : The font size of the text of the labels in the suggestions view. Value - float : The default font size is 12. Value - String : Enter any character as input for separator. Should allow multi selection : The boolean value allowing the user to select multiple values from the suggestions. Value - Bool : If set to YES , will allow the user to select multiple values from the suggestions. Allow duplicate : The boolean value allowing the data to enter duplicate values from the suggestions. Value - Bool : If set to YES , will allow the user to enter duplicate values from the suggestions. As shown in above figure the autocomplete textfield actions are almost similar to View 's actions which are discussed above. Please refer description of all the actions of autocomplete textfield as given above. An autocomplete textview is a control that displays editable text. You can use this control to give user suggestions that he/she use to automatically enter in the textview, when user taps on suggestions . The suggestions will be displayed in the horizontal scrollview above the keyboard. To provide input to this control we need to configure datasource to display data coming from the web service. For datasource configuration please refer Datasource document. Note : Add the action of the webservice call on the load event of the autocomplete textview. Below properties are explained in detail in Auto complete Texfield Control. Please refer above. Below properties are explained in detail in Imageview Control. Please refer Controls - 1 Views document. Below properties are explained in detail in TextView Control. Please refer Controls - 1 Views document. Delays Content Touches : A boolean value to give delay time after the selection of any value from the list. Value - bool : By default it is NO. If set to YES, after selection of any value there will be a delay of one second. Below properties are explained in detail in Textfield Control. Please refer above. TextView Remove Image : An image to be displayed for the delete button besides the text of the selected value in the textview. Value - image : Choose the image from the resources to display image in the delete button. Tapping on will open up the resource manager. TextView Divider Image : An image to be displayed between the two selected values in the textview. TextView Divider Color : The color of the divider between the two selected values in the textview. Value - color : To change the divider color of the textview, click on the box will open the color picker and choose the color. Dropdown Table Text Color : The color of the text of the labels displayed in the tableview. Value - color : To change the text color of the text, click on the box will open the color and choose the color. Dropdown Table Background Color : The color of the background of the tableview displayed at the bottom of the textview. Value - color : To change the background color of the text, click on the box will open the color and choose the color. Dropdown Table Background Image : An image to be displayed in the background of the tableview . Value - image : Choose the image from the resources to display image in the background of tableview. Tapping on will open up the resource manager. Dropdown Table Separator Color : The color of the separator between the two values in the tableview displayed at the bottom of the textview. Value - color : To change the separator color of the tableview click on the box will open the color and choose the color. Remove button required : A boolean value to hide or show the delete button besides the text in the textview. Value - bool : If set to YES, it will display the delete button besides the text in the textview. Dropdown Table Separator Image : An image to be displayed in the separator of the tableview . Value - image : Choose the image from the resources to display image in the separator of tableview. Tapping on will open up the resource manager. Number of events having actions. Number of actions configured in the event. The action related to the events displayed in the above image is explained in the Controls - 1 Views document. Please refer that document. The SearchBar control implements a text field control for text-based searches. The control provides a text field for entering text, a search button, a bookmark button, and a cancel button. The searchbar can be implemented with a tableview or gridview depending on the requirement. The searchbar searches the text in the from the data that is displayed in the tableview or gridview. Key Name To Data : Set the key based on which you need to do search in the tableivew data or gridview data. Value - String : Clicking on this property 's drop down list will give you option to select the web service key of the web service that you have successfully configured in the Datasource panel. Value - String : The default value is nil. Show search results button : A Boolean value indicating whether the search results button is displayed. Value - bool : The default value is NO. Show Bookmark Button : A Boolean value indicating whether the bookmark button is displayed. Show Cancel Button : A Boolean value indicating whether the cancel button is displayed. Object Parent ID : The object ID of either tableview or gridivew. Value - color : Set the object ID of tableview or gridivew from the drop down list. Note : Without setting this property the current control will not work. Prompt : A single line of text displayed at the top of the search bar. Search bar Style : A search bar style that specifies the search bar's appearance. Default :The search bar has the default style. Black Opaque : The search bar has a translucent background, and the search field is opaque. Black Transculent : The search bar has no background, and the search field is translucent. Tint Color : The tint color to apply to key elements in the search bar. Value - color : To change the tint color of the components in the searchbar click on the box will open the color and choose the color. Search Text Color : The color of the text in the search bar. Value - color : To change the text color, click on the box will open the color and choose the color. Text : The current or starting search text. Value : The default value is nil. Search Icon Image : The icon image that will be displayed in place of the default icon in the middle of the search bar. Value - image : Choose the image from the resources to display image in the middle of searchbar. Tapping on will open up the resource manager. Enable Online Search : A boolean value to allow search bar to search data from the web server data instead of the cached data. Value - bool : If set to YES, the data will be search from the online data. The default value is NO. Cancel button Background Color : The color of the background color of the cancel button that appears on searchbar when user starts typing in the text area of searchbar. Value - color : To change the cancel button background color, click on the box will open the color and choose the color. Search Textfield Background Image : The background image for the search bar. Value - Image : Choose the image from the resources to display image in the background of searchbar. Tapping on will open up the resource manager. Search Type : A condition based on which searching will be executed. Begins With : Search will be executed if the starting characters of the text matches with the key data coming from the server. Anywhere : Search will be executed based on characters of the text. Clear Icon Image : The image for the clear button that appears when user starts typing in the searchbar. Value - Image : Choose the image from the resources to display image in place of default clear icon of searchbar. Tapping on will open up the resource manager. Bookmark Icon Image : The image for the bookmark button that appears in the right side of the searchbar. Value - Image : Choose the image from the resources to display image in bookmark button of searchbar. Tapping on will open up the resource manager. Also keep the Show Bookmark Icon enabled. Result List Image Icon : The image for the results button that appears in the right side of the searchbar. Value - Image : Choose the image from the resources to display image in bookmark button of searchbar. Tapping on will open up the resource manager. Also keep the Show Search Results Icon enabled. Cancel Icon Image : The image for the cancel button that appears in the right side of the searchbar. Value - Image : Choose the image from the resources to display image in bookmark button of searchbar. Tapping on will open up the resource manager. As shown in above figure the Searchfield's actions description is given below. Search Cancelled : The action related to this event will be called when user taps on the cancel button. Text Cleared : The action related to this event will be called when user has taps on the clear button in the textfield of the searchbar . Search Clicked : The action related to this event will be called when user taps on the search button that appears in the keyboard .
{ "redpajama_set_name": "RedPajamaC4" }
5,144
[ 128000, 791, 9587, 2585, 5280, 264, 1373, 15744, 1495, 1684, 13, 1472, 649, 1005, 420, 2585, 311, 4128, 832, 477, 5361, 5238, 315, 1118, 1495, 11, 1778, 439, 1884, 499, 2643, 1005, 311, 10765, 1023, 5596, 315, 701, 1217, 3834, 627, 7184, 584, 690, 4358, 304, 7872, 5552, 311, 6012, 323, 6299, 315, 279, 2440, 13, 350, 3713, 389, 2440, 690, 1825, 279, 2768, 3321, 439, 6982, 3770, 627, 644, 6012, 5769, 11, 499, 649, 2349, 904, 3424, 315, 2440, 323, 1524, 649, 6847, 2778, 1701, 279, 2778, 3703, 627, 1271, 14749, 5370, 4455, 5552, 311, 2440, 15596, 389, 1957, 323, 14749, 433, 627, 39314, 6012, 527, 11497, 304, 7872, 304, 2806, 7935, 13, 5321, 8464, 33170, 482, 220, 16, 25987, 2246, 627, 2535, 2991, 36563, 33365, 551 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 9587, 2585, 5280, 264, 1373, 15744, 1495, 1684, 13, 1472, 649, 1005, 420, 2585, 311, 4128, 832, 477, 5361, 5238, 315, 1118, 1495, 11, 1778, 439, 1884, 499, 2643, 1005, 311, 10765, 1023, 5596, 315, 701, 1217, 3834, 627, 7184, 584, 690, 4358, 304, 7872, 5552, 311, 6012, 323, 6299, 315, 279, 2440, 13, 350, 3713, 389, 2440, 690, 1825, 279, 2768, 3321, 439, 6982, 3770, 627, 644, 6012, 5769, 11, 499, 649, 2349, 904, 3424, 315, 2440, 323, 1524, 649, 6847, 2778, 1701, 279, 2778, 3703, 627, 1271, 14749, 5370, 4455, 5552, 311, 2440, 15596, 389, 1957, 323, 14749, 433, 627, 39314, 6012, 527, 11497, 304, 7872, 304, 2806, 7935, 13, 5321, 8464, 33170, 482, 220, 16, 25987, 2246, 627, 2535, 2991, 36563, 33365, 551, -100 ]
Q: ubuntu will run but wont install from disk I downloaded ubuntu and burned to disk. booted up using the disk and Ubuntu will load. but it wont install. I'll click the install icon select my internet and click continue. then nothing. the hour glass goes and goes but nothing. I'm using a dell inspiron 1545. Windows no longer works on this pc. I was trying to run Ubuntu as a hassle free alternative. A: You could also boot the disk and choose install Ubuntu to kick off ubiquity without the live environment and see if it will install that way.
{ "redpajama_set_name": "RedPajamaStackExchange" }
1,330
[ 128000, 48, 25, 85314, 690, 1629, 719, 40464, 4685, 505, 13668, 358, 24174, 85314, 323, 27724, 311, 13668, 13, 712, 9437, 709, 1701, 279, 13668, 323, 36060, 690, 2865, 13, 719, 433, 40464, 4685, 13, 358, 3358, 4299, 279, 4685, 4706, 3373, 856, 7757, 323, 4299, 3136, 13, 1243, 4400, 13, 279, 6596, 9168, 5900, 323, 5900, 719, 4400, 13, 220, 358, 2846, 1701, 264, 25219, 119059, 2534, 220, 10559, 20, 13, 5632, 912, 5129, 4375, 389, 420, 13615, 13, 358, 574, 4560, 311, 1629, 36060, 439, 264, 47947, 1949, 10778, 382, 32, 25, 1472, 1436, 1101, 10677, 279, 13668, 323, 5268, 4685, 36060, 311, 10536, 1022, 53336, 488, 2085, 279, 3974, 4676, 323, 1518, 422, 433, 690, 4685, 430, 1648, 627, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0 ]
[ 48, 25, 85314, 690, 1629, 719, 40464, 4685, 505, 13668, 358, 24174, 85314, 323, 27724, 311, 13668, 13, 712, 9437, 709, 1701, 279, 13668, 323, 36060, 690, 2865, 13, 719, 433, 40464, 4685, 13, 358, 3358, 4299, 279, 4685, 4706, 3373, 856, 7757, 323, 4299, 3136, 13, 1243, 4400, 13, 279, 6596, 9168, 5900, 323, 5900, 719, 4400, 13, 220, 358, 2846, 1701, 264, 25219, 119059, 2534, 220, 10559, 20, 13, 5632, 912, 5129, 4375, 389, 420, 13615, 13, 358, 574, 4560, 311, 1629, 36060, 439, 264, 47947, 1949, 10778, 382, 32, 25, 1472, 1436, 1101, 10677, 279, 13668, 323, 5268, 4685, 36060, 311, 10536, 1022, 53336, 488, 2085, 279, 3974, 4676, 323, 1518, 422, 433, 690, 4685, 430, 1648, 627, -100, -100, -100, -100, -100, -100, -100 ]
12 years of functional software testing and in those years I've had many many talks and discussions with developers. Smart developers, clever ones, very systematic ones, very louzy ones, extremely senior ones, very junior, very dumb, and what I call "top-gun developers, best of the best". Anyways, there is one thing in common with all those talks and discussions. You get a certain feeling when you're debating about the functioning of the software. - The developer is wrong and the tester is right. tester: the text is bold. developer: the text is not bold. - The tester is wrong and the developer is right. developer: the text is bold. tester: the text is not bold. developer: the text is not bold. tester: the text is not bold. developer: the text is bold. tester: the text is black. You´re reading on a mobile device? I allready know... but how about that for a nice example in software testing, right? let's keep it this way for fun. blue buttons says: the red button is right. red button says: the blue button is false. (other example: the owner of the company walks in and says: "everything is going to be changed!"). Whoever is wrong or right, it actually doesn't matter much... this is 0% cooperative, not very usefull, no synergy...., no symbiose, whatever you call it, but the feeling that goes along with the talk/discussion didn't give me energy. Then I know that i'm being helpful for the other team members. Then ask yourself... what is the picture that I get from this interaction? If it's something positive? (Together finding the cause of a bug and solve the problem....? then you're probably doing something good).
{ "redpajama_set_name": "RedPajamaC4" }
8,147
[ 128000, 717, 1667, 315, 16003, 3241, 7649, 323, 304, 1884, 1667, 358, 3077, 1047, 1690, 1690, 13739, 323, 20954, 449, 13707, 627, 34917, 13707, 11, 28799, 6305, 11, 1633, 37538, 6305, 11, 1633, 29740, 4341, 6305, 11, 9193, 10195, 6305, 11, 1633, 27144, 11, 1633, 30355, 11, 323, 1148, 358, 1650, 330, 3565, 76335, 13707, 11, 1888, 315, 279, 1888, 23811, 8780, 2336, 11, 1070, 374, 832, 3245, 304, 4279, 449, 682, 1884, 13739, 323, 20954, 13, 1472, 636, 264, 3738, 8430, 994, 499, 2351, 71513, 922, 279, 31301, 315, 279, 3241, 627, 12, 578, 16131, 374, 5076, 323, 279, 38211, 374, 1314, 627, 74458, 25, 279, 1495, 374, 14265, 13, 16131, 25, 279, 1495, 374, 539, 14265, 627, 12, 578, 38211, 374, 5076, 323, 279, 16131, 374 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 717, 1667, 315, 16003, 3241, 7649, 323, 304, 1884, 1667, 358, 3077, 1047, 1690, 1690, 13739, 323, 20954, 449, 13707, 627, 34917, 13707, 11, 28799, 6305, 11, 1633, 37538, 6305, 11, 1633, 29740, 4341, 6305, 11, 9193, 10195, 6305, 11, 1633, 27144, 11, 1633, 30355, 11, 323, 1148, 358, 1650, 330, 3565, 76335, 13707, 11, 1888, 315, 279, 1888, 23811, 8780, 2336, 11, 1070, 374, 832, 3245, 304, 4279, 449, 682, 1884, 13739, 323, 20954, 13, 1472, 636, 264, 3738, 8430, 994, 499, 2351, 71513, 922, 279, 31301, 315, 279, 3241, 627, 12, 578, 16131, 374, 5076, 323, 279, 38211, 374, 1314, 627, 74458, 25, 279, 1495, 374, 14265, 13, 16131, 25, 279, 1495, 374, 539, 14265, 627, 12, 578, 38211, 374, 5076, 323, 279, 16131, 374, -100 ]
Lucid Dreams Juice WRLD Download 'Lucid Dreams' on iTunes Anne-Marie Home Anne-Marie Is The First Act Confirmed For The #CapitalJBB – And She Can't Wait To Perform For You! 5 November 2018, 08:03 | Updated: 8 November 2018, 07:36 Anne-Marie is coming to the Ball! Picture: Press/Capital The '2002' star is coming back to perform for you all at the UK's biggest Christmas party! We've just confirmed the first act for Capital's Jingle Bell Ball with Coca-Cola – Anne-Marie is coming to get you all dancing on Saturday 8th December! #CapitalJBB Line Up 2018 - Who's Going To Be Taking The Stage At The Jingle Bell Ball?! Anne-Marie is the first name joining the line-up for this year's #CapitalJBB, and she's buzzing to be back performing for you all once again on Saturday 8th December at London's O2. She told us, "I've loved it every time I've done it and I feel like it gets better and better every year which feels impossible at the time but it does. I just love Christmas." She's no stranger to the Ball, so we had to get Anne-Marie to impart her wisdom on her fellow Ballers who might be taking the stage for the first time. She told us, "I still get nervous now and I've done it about 500 times! "I think the best thing to realise is that you're on stage for two or three songs so you've just got to have the best time and forget you're nervous because if you're overly nervous you'll not have as much fun as you could. You look out at the audience and you're like 'they're having the best time so I should'". We can't wait to see you, Anne-Marie! Download Our App To Be The First To Get The #CapitalJBB Goss! Latest Anne-Marie News See more Latest Anne-Marie News Who Is Anne-Marie Dating, Does The 'Perfect' Singer Have A Partner And What Has She Said About Her Sexuality? Anne-Marie Drops More Hints Niall Horan Collab Is Coming Soon WATCH: Anne-Marie Talks About Working With Niall Horan In The Studio Anne-Marie's YouTube Documentary: Trailer, Release Date & Celebrity Guests Including Little Mix Who Is Anne-Marie? New The Voice Judge Songs, Net Worth And More Important Facts See more More News Niall Horan Opens Up About His 'Quieter Life' After One Direction Zayn Malik Fans Are Looking For Baby Zigi's Name In New Album 'Nobody Is Listening' Little Mix's Leigh-Anne Pinnock Wraps Up Filming On First Movie & 'Proud' Perrie Edwards Proves She's Her Ultimate Stan
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
4,694
[ 128000, 41745, 307, 53718, 66851, 468, 4833, 35, 8745, 364, 41745, 307, 53718, 6, 389, 13323, 198, 79039, 48535, 648, 5492, 198, 79039, 48535, 648, 2209, 578, 5629, 3298, 15323, 8600, 1789, 578, 674, 64693, 41, 10306, 1389, 1628, 3005, 3053, 956, 14144, 2057, 26050, 1789, 1472, 4999, 20, 6841, 220, 679, 23, 11, 220, 2318, 25, 2839, 765, 16459, 25, 220, 23, 6841, 220, 679, 23, 11, 220, 2589, 25, 1927, 198, 79039, 48535, 648, 374, 5108, 311, 279, 13131, 0, 25586, 25, 8612, 11547, 391, 2223, 198, 791, 364, 1049, 17, 6, 6917, 374, 5108, 1203, 311, 2804, 369, 499, 682, 520, 279, 6560, 596, 8706, 10280, 4717, 4999, 1687, 3077, 1120, 11007, 279, 1176, 1180, 369, 18880, 596, 622, 2222, 18366, 13131, 449, 63954, 66277 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 41745, 307, 53718, 66851, 468, 4833, 35, 8745, 364, 41745, 307, 53718, 6, 389, 13323, 198, 79039, 48535, 648, 5492, 198, 79039, 48535, 648, 2209, 578, 5629, 3298, 15323, 8600, 1789, 578, 674, 64693, 41, 10306, 1389, 1628, 3005, 3053, 956, 14144, 2057, 26050, 1789, 1472, 4999, 20, 6841, 220, 679, 23, 11, 220, 2318, 25, 2839, 765, 16459, 25, 220, 23, 6841, 220, 679, 23, 11, 220, 2589, 25, 1927, 198, 79039, 48535, 648, 374, 5108, 311, 279, 13131, 0, 25586, 25, 8612, 11547, 391, 2223, 198, 791, 364, 1049, 17, 6, 6917, 374, 5108, 1203, 311, 2804, 369, 499, 682, 520, 279, 6560, 596, 8706, 10280, 4717, 4999, 1687, 3077, 1120, 11007, 279, 1176, 1180, 369, 18880, 596, 622, 2222, 18366, 13131, 449, 63954, 66277, -100 ]
Swimming: Olasz and Pardoe Win Gold at Olympic Marathon Swim Qualifier The final quotas for athletes wanting to compete in the 10km open water swimming events have been decided at the Olympic Marathon Swim Qualifier. Nations which have not qualified could participate where they can qualify a maximum of one athlete per event. The top nine eligible athletes qualified, additionally the highest ranked athlete in each continent would also qualify for a total of 14 quotas. Should Japan also qualify then the next highest ranked athlete will qualify. The Olympic Marathon Swim Qualifier was held in Setubal, Portugal from June 19th to June 20th 2021. The women's 10km open water was won by Hungary's Anna Olasz whom broke away to win by over two seconds with a time of 2:01:55.50. The silver medal went to Spain's Paula Ruiz (2:01:58.00) whom just out touched the wall ahead of Canada's Kate Sanderson by 0.4 seconds. The remaining quotas were won by Great Britain (Alice Dearing), Portugal (Angelica Andre), Argentina (Cecilia Biagioli), Russia (Anastasiia Kirpichnikova), Ecuador (Samantha Arevalo) and Slovenia (Spela Perse). As no Oceania athlete competed the quota was reallocated to the next highest ranked nation, Japan (Yumi Kida) which meant the host quota was also reallocated to South Africa (Michelle Weber). The other continental quotas went to Venezuela (Paola Perez), Ukraine (Krystyna Panchishko), Singapore (Chantal Liew) and Algeria (Souad Cherouati). Great Britain's Hector Pardoe won the men's event with a time of 2:02:07.60. The silver medal had to go to video review as both Greece's Athanasios Kynigakis and Great Britain's Tobias Robinson finished with a time of 2:02:13.10. After review, Kynigakis won the silver medal. As a reminder Robinson will not qualify to the Olympics as only one athlete per nation is allowed. The remaining quotas were won by Israel (Matan Roditi), Australia (Kai Edwards), Japan (Taishin Minamide), Portugal (Tiago Campos), Russia (Kirill Abrosimov), Ecuador (David Farinango) and Tunisia (Ous Mellouli). As no eligible Oceania athlete remained and since Japan qualified in the top nine, the two quotas were reallocated to South Africa (Michael McGlynn) and Mexico (Daniel Delgadillo). The other continental quotas went to Czech Republic (Matej Kozubek), Canada (Hau-Li Fan), Namibia (Phillip Seidler) and Hong Kong (William Thorley). This was the final opportunity for nations to qualify in open water swimming. Athletes can still qualify to the pool events until the end of the month. All that remains is for everyone to accept their quotas. Men's 10km Open Water Women's 10km Open Water Previous Rugby Sevens: European Nations Clinch Final Spots at the Olympic Repechage Tournament Next Archery: Final Individual Quotas Decided at Final Qualification Tournament in Paris
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
9,788
[ 128000, 13521, 41133, 25, 12225, 53440, 323, 393, 569, 4748, 12468, 7573, 520, 25944, 51273, 69333, 20143, 3125, 198, 791, 1620, 85918, 369, 23579, 19762, 311, 20874, 304, 279, 220, 605, 16400, 1825, 3090, 24269, 4455, 617, 1027, 6773, 520, 279, 25944, 51273, 69333, 20143, 3125, 13, 19687, 902, 617, 539, 15337, 1436, 16136, 1405, 814, 649, 26456, 264, 7340, 315, 832, 34880, 824, 1567, 13, 578, 1948, 11888, 17446, 23579, 15337, 11, 37938, 279, 8592, 21682, 34880, 304, 1855, 32843, 1053, 1101, 26456, 369, 264, 2860, 315, 220, 975, 85918, 13, 12540, 6457, 1101, 26456, 1243, 279, 1828, 8592, 21682, 34880, 690, 26456, 13, 578, 25944, 51273, 69333, 20143, 3125, 574, 5762, 304, 2638, 392, 278, 11, 34411, 505, 5651, 220, 777, 339, 311, 5651, 220, 508 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 13521, 41133, 25, 12225, 53440, 323, 393, 569, 4748, 12468, 7573, 520, 25944, 51273, 69333, 20143, 3125, 198, 791, 1620, 85918, 369, 23579, 19762, 311, 20874, 304, 279, 220, 605, 16400, 1825, 3090, 24269, 4455, 617, 1027, 6773, 520, 279, 25944, 51273, 69333, 20143, 3125, 13, 19687, 902, 617, 539, 15337, 1436, 16136, 1405, 814, 649, 26456, 264, 7340, 315, 832, 34880, 824, 1567, 13, 578, 1948, 11888, 17446, 23579, 15337, 11, 37938, 279, 8592, 21682, 34880, 304, 1855, 32843, 1053, 1101, 26456, 369, 264, 2860, 315, 220, 975, 85918, 13, 12540, 6457, 1101, 26456, 1243, 279, 1828, 8592, 21682, 34880, 690, 26456, 13, 578, 25944, 51273, 69333, 20143, 3125, 574, 5762, 304, 2638, 392, 278, 11, 34411, 505, 5651, 220, 777, 339, 311, 5651, 220, 508, -100 ]
The biggest concern for most people when they go away on holiday is, who is going to look after the pets? People have been known not to take a holiday for up to 20 years for the simple reason that they know they will have no peace of mind leaving the animals behind, being tended by unknown persons. Pet-lovers need worry no longer, for Town and Country Homesit can find just the right people to look after your animals, either in your city home or out on your rural property. "People adore their animals, to the extent of having electric blankets for their cat. They are then so relieved and grateful when they find someone to tend their pets while they're away," says Lisa McFarlane, managing director of Town and Country Homesit. Leaving your pets at home means that they can stay in their familiar environment instead of at a boarding establishment or with relations, and they can keep their normal routines. The sitters are guaranteed to be experienced with animals and will provide the necessary care for whatever situation arises, whether it be walking dogs or administering medication to pets. As well as farm animals, the sitters have looked after creatures ranging from turtles and goldfish to llamas and pet magpies. Of course, the sitters will be doing more that just looking after the pets. You can rest assured they will maintain the presence of someone within your home, thus discouraging potential intruders. Other household chores, like mail-collection, watering plants, lawn-mowing and forwarding of messages will also be taken care of by the sitters; and Town and Country Homesit can arrange other services, such as gardening, pet-grooming, and window and carpet-cleaning. Home-sitters will also advise Lisa of any necessary property maintenance or repair, such as burst or leaking pipes, weather damage or electrical problems. Lisa saw the need for home­sitter s in and around Christchurch after she returned 5 ½ years ago from London, where she had been doing graduate recruitment for investment banks. Having grown up on a farm, and adoring animals, Lisa saw the opportunity to combine these interests with her recruitment experience. In this case, recruiting suitable people to look after homes and pets. "As there was no service in existence in Christchurch, it seemed like the need for such an organisation was long overdue," Lisa says. With the help of her mother, Helen, their first home sitter was placed in May 2000, and things have not looked back. In fact, things have been going so successfully for Lisa, now aged 30, that she was one of 15 in New Zealand recently chosen by the Ministry of Youth Development as an example of a successful young entrepreneur for business school studies to be used in universities and secondary schools. Town and Country Homesit specialises in city properties and rural lifestyle blocks, and also services larger farms if suitable sitters are available. The process of finding a suitable housesitter begins with Lisa or Helen coming to your home to assess what sort of person would be best suited to you and your animals. It is important that you, the sitters and, of course, the pets (if applicable) are all compatible, so that you can feel confident your home and pets are in capable hands. The sitters, who are usually acquired through word of mouth, are all aged over 30. They are thoroughly screened, police ­checked and reference-checked. Their situations vary from having just sold a property and waiting to build, to having recently returned from overseas. Clients pay a one-off registration fee plus a daily animal-minding fee starting at $15, which varies depending on whether it's tending to one small dog, for instance, or a herd of goats. Costs are negotiable for long-term cases. One of the great things about living on a rural block is having room to extend your four-legged or many-feathered family. In no time, you find the family dog or cat has been joined by some sheep (to keep down the grass), a few goats (to keep down the weeds), a couple of cows (fresh milk), a pair of ponies (well, there's room!), a clutch of chooks (those yummy yellow yolks) and a few rabbits (the kids insisted). All good fun – until you want to take a holiday. By now, you've also discovered your fence-fixing skills or sheep shearing techniques leave a lot to be desired and you're worried about if, when and how various members of your growing menagerie need drenching – or extra feed given the dry summer. Enter the minders – Helen McFarlane runs Christchurch-based Town and Country Homesit. It functions like an agency that has on its books a range of police referenced checked sitters who look after properties while their owners are away. "We've been operating around the Canterbury area for nearly two years now -dealing with town and rural properties. Previously the owner of a florist business, Helen is in a farm partnership with her husband and breeds border collies (she's also bred Birman cats) so is well aware of animal needs. She works in with daughter Lisa, whose offshore experience in human resource management comes in handy when matching property owners with suitable sitters. "We do have clients who use us solely for security while they're away, but most of our clients have at least one pet. We've had everything from guinea pigs to alpacas the only one we had to decline was someone asking about a couple of rats." Sitters basically take on whatever needs to be done on a property – often going beyond the call of duty. Advertising is largely word of mouth, with referrals coming through such sources as vet&, insurance companies, the SPCA, dog breeders, Neighbourhood watch and crime prevention groups, as well as hospitals and doctors. Helen also has a store of stories to tell – the boxer pup who thought it could still fit through the cat door, demolished the lot and then roared around the terrace the door still attached around its tummy inadvertently destroying all the pot plants. Ever wanted to take that dream holiday but couldn't due to the responsibilities of your property or household pets? GreenFields shareholder Helen McFarlane and her daughter Lisa realised there was a real gap in the market for experienced house sitters to homesit lifestyle properties and have set up Town & Country Homesit Ltd, providing an extensive live in home, property care and pet minding service for both city and rural properties in the Canterbury area. Town & Country Homesit Ltd can match clients with experienced sitters for short or long term assignments sometimes even at short notice. The service also includes exercising dogs if necessary and any medication of pets, collection of mail, forwarding of messages and plant watering right down to lawn mowing and gardening which may also be arranged. Helen says a lot of work goes into ensuring her employees are of an exceptional standard and can cope with a diverse range of tasks. The sitters maintain an appearance in the owners absence discouraging potential intruders and keeping pets in a secure and familiar environment and farm animals fed, watered and cared for. "We meet clients at their home, discuss requirements and then they are matched with a suitable sitter whom they meet with before the sit commences. We have Legal Terms & Conditions that the sitters abide by and to safeguard the owners," says Helen. The McFarlane's have an extensive rural background. Helen and her husband Bruce farmed in partnership for 18 years in South Canterbury and have been farming in Canterbury for the past 13 years. Up until recently Helen owned a country Garden Centre/Florist business, she has bred Birman cats in the past and now breeds Border Collies. Daughter Lisa was 'farm raised' and has previously been in Recruitment and HR for investment banks in London so is very experienced with the recruitment of sitters and of matching sitters to clients and their needs. Tending turtles, walking dogs , feeding goldfish and playing ranch-hand to a herd of llamas is a long way from an investment banking career in London – but for Christchurch's Lisa McFarlane running a firm and house-sitting service has turned up as many daily challenges as stock watching of the financial variety. As owner of Town & Country Homesit, Lisa has learned the fine art of matchmaking: partnering suitable, police-checked housesitters and clients who wan to leave their animals in care in their own home – or on the farm – while they go off to enjoy what may be their first holiday in decades. Lisa, 27, identified a market niche for an agency that could provide experienced 'sitters' for farms and lifestyle blocks and, on her return from London two years ago, decided it was 'worth a go'. Her mother Helen helps with the business, taking care of advertising and client calls. As a farm owner herself, she knows how hard it can be to get away for a holiday. Potential sitters have to pass a police check and Lisa's own reference-sifting system before they're assigned to a job. Even then, says Lisa, it's sometimes the animals that decide: "l've had a situation where the sitter and clients were ideal for each other, but the sitter felt ill at ease with the dog. "The company's sitters include retired farmers, nurses, teachers, mature students and people between homes or relationships. Most are between 45 and 50 and Lisa says it is becoming a popular part time 'occupation' for retired couples. She says both client and sitter have to abide by a set of legal terms and conditions and sitters are only paid if they carry out extra farm or garden work. Clients pay a $50 to $75 registration fee plus a daily animal minding fee, which varies depending on whether it's tending to one small dog, for instance, or a herd of goats. While minding rural blocks has its own set of wayward possibilities, it seems plenty can go awry in the city. Lisa says they've had a number of incidents they can now laugh about – like the sitter who was greatly surprised when the clients toilet came away from the wall during a private moment; or the small dog that ate it's owner's false eyelashes and shredded her knickers; or the boxer pup which thought it could still fit through the cat door, demolished the lot and ran around the garden with the cat flap stuck around its middle. The same dog also ate its owner's university robes. To launch a new business you need passion, drive and lots of self-belief. Minding My Own Business asks entrepreneurs what they did right and wrong, so that others can learn from their lessons. Lisa McFarlane runs a professional homesitting, pet-minding, and personal organizer service for city and rural properties in the Canterbury area. Lived in London for 41/2 years doing investment banking graduate recruitment for Credit Suisse and Goldman Sachs. Why did you want to change? London had lost its charm and I missed home – and especially working with animals. Also, I have always wanted to be in control of my own business, because I'm not the best person to be told what to do. Having grown up on a farm, and adoring animals, I wanted to use my love for fluffy creatures with my recruitment experience, and this seemed the logical thing to do. As there was no service in existence in Christchurch, it seemed like the need for such an organization was long overdue. What made you think there was a market? Talking to family friends made me realise that many people, especially farmers and small lifestyle block owners, found it increasingly difficult to get away. Coupled with the growing incidence of robberies and property invasion, this all means people are reluctant to leave their homes unattended. After three years of organising homesits, it has also become clear how much the small things in life are appreciated – a freshly mown lawn, milk in the fridge, a happy walked dog and lasagne in the oven ready for the family's return. what could be nicer after a long journey? Deciding that if I were going to do it, I would do it properly – professionally or not at all. The sitters would be police-checked and reference-checked, and if I didn't have the right person then I would do it myself. It's so important for all parties to be happy or how can one go on holiday and enjoy? The sitters are my business, and without their constant loyalty and respect they have for each individual home and animal it just wouldn't work. What is the dumbest thing you have done? Set up a price structure based on what animal boarding establishments were charging when in fact we're offering a completely different and much more comprehensive series. What is especially hard is having nothing much in the South Island to compare this with. Not having someone else to share the load when the pressure comes on. Sometimes it's nice to be able to walk away and leave it with the boss to deal with, but now – there have been sleepless nights. What is the one piece of advice you wish somebody had given you? Make user you have the motivation inside you to do this. There are times initially when I thought I didn't have the guts and determination to run my own business and receiving phone calls at all hours of the day and night can sometimes be frustrating. But at the end of the day, the positive feedback that my clients give me about the service makes it all worth while. It's what motivates me to keep going.
{ "redpajama_set_name": "RedPajamaC4" }
447
[ 128000, 791, 8706, 4747, 369, 1455, 1274, 994, 814, 733, 3201, 389, 13560, 374, 11, 889, 374, 2133, 311, 1427, 1306, 279, 26159, 30, 9029, 617, 1027, 3967, 539, 311, 1935, 264, 13560, 369, 709, 311, 220, 508, 1667, 369, 279, 4382, 2944, 430, 814, 1440, 814, 690, 617, 912, 9096, 315, 4059, 9564, 279, 10099, 4920, 11, 1694, 49890, 555, 9987, 11434, 627, 35919, 27578, 3078, 1205, 11196, 912, 5129, 11, 369, 14298, 323, 14438, 37664, 275, 649, 1505, 1120, 279, 1314, 1274, 311, 1427, 1306, 701, 10099, 11, 3060, 304, 701, 3363, 2162, 477, 704, 389, 701, 19624, 3424, 627, 77782, 61735, 872, 10099, 11, 311, 279, 13112, 315, 3515, 9249, 65712, 369, 872, 8415, 13, 2435, 527, 1243, 779, 51512, 323, 26259, 994, 814, 1505 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 8706, 4747, 369, 1455, 1274, 994, 814, 733, 3201, 389, 13560, 374, 11, 889, 374, 2133, 311, 1427, 1306, 279, 26159, 30, 9029, 617, 1027, 3967, 539, 311, 1935, 264, 13560, 369, 709, 311, 220, 508, 1667, 369, 279, 4382, 2944, 430, 814, 1440, 814, 690, 617, 912, 9096, 315, 4059, 9564, 279, 10099, 4920, 11, 1694, 49890, 555, 9987, 11434, 627, 35919, 27578, 3078, 1205, 11196, 912, 5129, 11, 369, 14298, 323, 14438, 37664, 275, 649, 1505, 1120, 279, 1314, 1274, 311, 1427, 1306, 701, 10099, 11, 3060, 304, 701, 3363, 2162, 477, 704, 389, 701, 19624, 3424, 627, 77782, 61735, 872, 10099, 11, 311, 279, 13112, 315, 3515, 9249, 65712, 369, 872, 8415, 13, 2435, 527, 1243, 779, 51512, 323, 26259, 994, 814, 1505, -100 ]
TESTING THE COLLAR [Her Surrender, Book 3] by Terri Pray LOVE WITHOUT GUN CONTROL & Other Fantasy, Horror and Science Fiction Stories by M.Christian Long before the oh-so-kinky Victorian era, London was famed for sex and sensuality. From Kings to harlots, everyone was doing it (and often Kings were doing it with harlots). Beneath its stiff upper lip, passion sizzles in London: everyone who lives, works and plays in this infamous city has a bedtime story to tell, and this collection brings some of these stories together, exploring the sex life of this amazing city. The stories here feature everyone from city boys on a bender in a lapdancing club to a light-fingered shoplifter who meets her match in a dominant Oxford Street security guard to a transgender lesbian out to hustle a lecherous aristocrat for a fortune. In Lucy Felthouse's "Her Majesty's Back Garden" a couple are overcome by the urge to have sex in the grounds of Buckingham Palace, while Jay Lawrence's "Double Exposure" features a female flasher displaying her charms in front of the London Eye, among other places. A pair of very naughty soldiers have each other standing at attention on Royal Wedding day in Lukas Scott's "A Happy Finish," and James "Grim" Desborough's "Falling Down" uses the mundane setting of a Tube journey as the starting point for an erotic game of chase. Victoria Pond's "Day Trip" looks at London from the point of view of a student visitor to the city, while Neil James Hudson's "The Woman From Aldgate West" imagines a London lurking beneath the surface of the one we know, where sex takes place in public beneath the noses of unsuspecting passerby. Join these and other authors on a trip into the quirky, kinky heart of London ... enjoy! Click to purchase this book from these fine eBook stores: A1 Adult eBooks Elizabeth Coldwell is a multi-published author and the former editor of the UK edition of Forum magazine, where she was responsible for publishing a number of now very well-known authors for the first time, as well as honing her own writing. She has had novels published by Headline Liaisons and Xcite Books. In addition, her short stories have been published by, among others, Black Lace, Cleis Press, Ravenous Romance, Total-e-bound, Torquere, Circlet Press and Oysters and Chocolate. She lives in London, is a season ticket holder at Rotherham United and a keen cook. Her recipe for cranberry and nut brownies is available if you ask nicely… Story Rating: 4.5 out of 5 paddles Sting Factor (kink): 4 out of 5 This is a solid eleven-story anthology with good writing, engaging stories, and a nice variety of themes. I recommend it for fans of contemporary erotica and modern Anglophiles. Each of the stories has something to offer, and they are surprisingly varied. Each makes convincing and imaginative use of London's unique topography, and shows a slightly different side of the legendary city. "Double Exposure" by Jay Lawrence opens the anthology with a solid shot, a really enjoyable little voyeuristic tale that sets the stage nicely for things to come. Notable offerings include "Falling Down" by James "Grim" Desborough, where a game of chase that begins on the tube becomes some severely hot rough-and-ready sex in London's seedy alleys. Also, "The Woman From Aldgate West" by Neil James Hudson was a wonderful, odd sort of supernatural little story in the weird tale vein with an interesting premise and lovely tone. Frances Jones' "Artefacts" would have been at home in a supernatural-themed anthology, though there's nothing explicitly supernatural about it, the implications are beautifully done. "Lost Property", by Elizabeth Coldwell, answers the question of what happens to things left on the subway, and who returns them to their owners; in this case, a suitcase full of some very, very naughty things. It's really hard to spotlight the standouts, when they are almost all, to a one, superb. Yes, there are a couple of duds, but there's no need to pick on them when the anthology is so solid, with eleven stories to choose from. And, well, what didn't work for me might really work for someone else. As far as kink goes, it's not super-heavy. We have rough sex, spanking, risky sex, voyeurism, little bit of genderfuck, and even more rough sex. Largely, it's lightweight, but I just can't dock it for having kinky content that wasn't kinky enough when each story took what it had and ran with it so well. Highly professional work on every level, and thoroughly enjoyable. —Naamah at BDSM Book Reviews Categories Submission - Kink, Fetish & Taboo , Submission , Hot Flash - LGBTQ , Hot Flash - Heterotica , Hot Flash - BDSM , Hot Flash , HerSelf - Collections & Anthologies , HerSelf - Bondage, BDSM & Taboo , HerSelf , Attraction - Transgender , Attraction - Anthologies and Collections , Attraction Author Page Elizabeth Coldwell's Sizzler Editions eBooks SEX IN SAN FRANCISCO: Smoking Hot Tales Inspired by the Sexiest City on Earth (Edited by M. Christia BONDAGE BY THE BAY: Tales of BDSM in San Francisco Edited by M. Christian SEX IN SILICON VALLEY by Kiana Tower 100 HAPPY NAKED NEW YORKERS by Kiana Tower HOLLYWOOD HUSTLERS: Sex Romp by Eleanor Tremaine HOLLYWOOD HUSTLERS: Sexpadilloes of the Rich and Famous by Eleanor Tremaine Permanent link to this article: https://sizzlereditions.com/sex-in-london-tales-of-pleasure-and-perversity-in-the-english-capital-edited-by-elizabeth-coldwell/
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
6,421
[ 128000, 10238, 1753, 3247, 63608, 946, 510, 21364, 55166, 910, 11, 6017, 220, 18, 60, 555, 10335, 462, 2394, 352, 198, 1623, 4592, 6135, 480, 1899, 54279, 612, 7089, 27582, 11, 52812, 323, 10170, 43754, 30129, 555, 386, 6487, 2889, 1122, 198, 6720, 1603, 279, 14346, 34119, 12934, 39134, 44277, 11639, 11, 7295, 574, 61403, 369, 1877, 323, 6225, 10965, 13, 5659, 24980, 311, 4960, 66876, 11, 5127, 574, 3815, 433, 320, 438, 3629, 24980, 1051, 3815, 433, 449, 4960, 66876, 4390, 33, 1994, 589, 1202, 31161, 8582, 19588, 11, 11939, 274, 8934, 645, 304, 7295, 25, 5127, 889, 6439, 11, 4375, 323, 11335, 304, 420, 39633, 3363, 706, 264, 89607, 3446, 311, 3371, 11, 323, 420, 4526, 12716, 1063, 315, 1521, 7493, 3871, 11, 24919, 279, 1877 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 10238, 1753, 3247, 63608, 946, 510, 21364, 55166, 910, 11, 6017, 220, 18, 60, 555, 10335, 462, 2394, 352, 198, 1623, 4592, 6135, 480, 1899, 54279, 612, 7089, 27582, 11, 52812, 323, 10170, 43754, 30129, 555, 386, 6487, 2889, 1122, 198, 6720, 1603, 279, 14346, 34119, 12934, 39134, 44277, 11639, 11, 7295, 574, 61403, 369, 1877, 323, 6225, 10965, 13, 5659, 24980, 311, 4960, 66876, 11, 5127, 574, 3815, 433, 320, 438, 3629, 24980, 1051, 3815, 433, 449, 4960, 66876, 4390, 33, 1994, 589, 1202, 31161, 8582, 19588, 11, 11939, 274, 8934, 645, 304, 7295, 25, 5127, 889, 6439, 11, 4375, 323, 11335, 304, 420, 39633, 3363, 706, 264, 89607, 3446, 311, 3371, 11, 323, 420, 4526, 12716, 1063, 315, 1521, 7493, 3871, 11, 24919, 279, 1877, -100 ]
Home WinBuzzer News Microsoft and Stanford: Pokémon Go Players Could Live 41 Days Longer Microsoft and Stanford: Pokémon Go Players Could Live 41 Days Longer The study reveals that Pokémon Go players in the US did an extra 144 billion steps since release, resulting in an increased life expectancy of 2,825 years in total. Ryan Maskell We've heard numerous stories about Pokémon Go motivating users to exercise, but until now it's been hard to put a number to its influence. Thanks to a new Microsoft-Stanford study, we now know that the average Pokémon Go player will live 41 days longer. The study assumes that players will be able to sustain an extra 1,000 steps a day, and followed 32,000 people over a three-month period. According to Stanford scientist Tim Althoff, that's an eighteen percent increase in physical activity. The results came from Microsoft Band sensor data, and well as Bing Search logs. Incidentally, the same Band is no longer sold in the Microsoft Store. You may be wondering what this means for the US as a whole, and thankfully Stanford has done the math: "Pokémon Go actually did increase physical activity in large amounts for those that were very engaged with the game," says Althoff. "Across the 25 million U.S. users that played during the first months after release, Pokémon Go added an estimated 144 billion steps to U.S. activity." The result is an increase of 2,825 million years in life expectancy across the US. More importantly, the study found that Pokémon Go reaches users that aren't already ready active, something traditional fitness trackers have been unable to do. Study Limitations Of course, you can probably see the glaring hole in the study already. It assumes that users will continue to play the game and therefore sustain the level of activity. People are already beginning to get bored with Pokémon Go. It's already becoming little more than a dot of color in a sea of app icons. It's going to be hard for Niantic to keep the user base engaged for an extended period. In addition, only users who could afford a Microsoft Band were analyzed, thus cutting out lower-income households. This could skew the results, as people able to justify the band are more likely to be fitness oriented. The bigger question, however, is whether behavior from Pokémon Go could still have an impact after players have stopped. "Physical activity is critical to human health and Pokemon Go players might realize that they actually feel better after being more active," said Althoff. "Even if it's not at the massive scale of tens of millions of users that started out playing, these games could make a really valuable contribution to public health." SOURCEStanford University Previous articleAzure App Service: Microsoft Adds Native Linux Support for PHP Stacks and Node.js Next articleMicrosoft Releases Windows 10 Anniversary Update Build 14393.321 https://ryanmaskell.co.uk Ryan has had a passion for gaming and technology since early childhood. Fusing the skills from his Creative Writing and Publishing degree with profound technical knowledge, he enjoys covering news about Microsoft. As Microsoft Prepares Minecraft Earth Closure, Is AR Gaming Failing? Minecraft Earth to End This Year, Gets New Update Microsoft Band Returning? Upcoming Surface Band? Microsoft Patent Points to New Fitness Tracker
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
2,288
[ 128000, 7778, 12468, 33, 92547, 5513, 5210, 323, 31788, 25, 27719, 6122, 25640, 16910, 11406, 220, 3174, 21882, 94426, 198, 13068, 323, 31788, 25, 27719, 6122, 25640, 16910, 11406, 220, 3174, 21882, 94426, 198, 791, 4007, 21667, 430, 27719, 6122, 4311, 304, 279, 2326, 1550, 459, 5066, 220, 8929, 7239, 7504, 2533, 4984, 11, 13239, 304, 459, 7319, 2324, 66995, 315, 220, 17, 11, 22091, 1667, 304, 2860, 627, 49546, 20519, 616, 198, 1687, 3077, 6755, 12387, 7493, 922, 27719, 6122, 89689, 3932, 311, 10368, 11, 719, 3156, 1457, 433, 596, 1027, 2653, 311, 2231, 264, 1396, 311, 1202, 10383, 13, 11361, 311, 264, 502, 5210, 40720, 95203, 4007, 11, 584, 1457, 1440, 430, 279, 5578, 27719, 6122, 2851, 690, 3974, 220, 3174, 2919, 5129, 627, 791, 4007 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7778, 12468, 33, 92547, 5513, 5210, 323, 31788, 25, 27719, 6122, 25640, 16910, 11406, 220, 3174, 21882, 94426, 198, 13068, 323, 31788, 25, 27719, 6122, 25640, 16910, 11406, 220, 3174, 21882, 94426, 198, 791, 4007, 21667, 430, 27719, 6122, 4311, 304, 279, 2326, 1550, 459, 5066, 220, 8929, 7239, 7504, 2533, 4984, 11, 13239, 304, 459, 7319, 2324, 66995, 315, 220, 17, 11, 22091, 1667, 304, 2860, 627, 49546, 20519, 616, 198, 1687, 3077, 6755, 12387, 7493, 922, 27719, 6122, 89689, 3932, 311, 10368, 11, 719, 3156, 1457, 433, 596, 1027, 2653, 311, 2231, 264, 1396, 311, 1202, 10383, 13, 11361, 311, 264, 502, 5210, 40720, 95203, 4007, 11, 584, 1457, 1440, 430, 279, 5578, 27719, 6122, 2851, 690, 3974, 220, 3174, 2919, 5129, 627, 791, 4007, -100 ]
The Row launches online store 6 June 2019By Katie Imms Luxury fashion house The Row, from US actresses-turned-designers Mary-Kate and Ashley Olsen, launched its ecommerce business today. The website forms part of The Row's new partnership with Yoox Net-a-Porter Group's online flagship stores division. It will allow customers to browse and directly purchase its full range of womenswear and menswear, which can be shipped to 69 countries worldwide including the UK, France and the US. The brand's autumn women's 19 collection is available as of today, and will be followed by a menswear launch in July. Customers can shop in six different languages and currencies, in keeping with The Row's global customer base, it said. President David Schulte said: "(The Row's) partnership with Yoox Net-a-Porter Group will allow us to have a direct dialogue with our customers on a global scale." The news comes as The Row prepares to open its first European store in London this summer. The Olsen twins to bring The Row to London 10 April 2019Katie Imms Luxury fashion brand The Row, the brainchild of US actresses-turned-designers Mary-Kate and Ashley Olsen, is to open its first European store in London this summer. Sports Direct delays results 15 July 2019Harriet Brown Mike Ashley's retail empire Sports Direct has delayed announcing its financial results, following speculation about a fall in earnings, in a year in which the group pursued several large-scale takeover bids. Global Fashion Group lists on Frankfurt Stock Exchange 3 July 2019Isabella Fish International etailer Global Fashion Group (GFG) has floated on the Frankfurt Stock Exchange (FSE), after cutting the price of its planned initial public offering (IPO). Boohoo acquires MissPap 25 March 2019Kirsty McGregor Boohoo Group has bought the brand and intellectual property assets of women's fast fashion etailer MissPap for an undisclosed sum.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
7,981
[ 128000, 791, 11035, 38175, 2930, 3637, 198, 21, 5651, 220, 679, 24, 1383, 45563, 2417, 1026, 198, 78379, 3431, 11401, 3838, 578, 11035, 11, 505, 2326, 91128, 91546, 47117, 388, 10455, 16222, 349, 323, 38218, 82881, 11, 11887, 1202, 85243, 2626, 3432, 627, 791, 3997, 7739, 961, 315, 578, 11035, 596, 502, 15664, 449, 816, 2689, 87, 9558, 7561, 12, 7229, 261, 5856, 596, 2930, 43772, 10756, 13096, 627, 2181, 690, 2187, 6444, 311, 27100, 323, 6089, 7782, 1202, 2539, 2134, 315, 88461, 23581, 323, 16434, 23581, 11, 902, 649, 387, 28358, 311, 220, 3076, 5961, 15603, 2737, 279, 6560, 11, 9822, 323, 279, 2326, 627, 791, 6883, 596, 42774, 3278, 596, 220, 777, 4526, 374, 2561, 439, 315, 3432, 11, 323, 690, 387, 8272, 555, 264, 16434 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 11035, 38175, 2930, 3637, 198, 21, 5651, 220, 679, 24, 1383, 45563, 2417, 1026, 198, 78379, 3431, 11401, 3838, 578, 11035, 11, 505, 2326, 91128, 91546, 47117, 388, 10455, 16222, 349, 323, 38218, 82881, 11, 11887, 1202, 85243, 2626, 3432, 627, 791, 3997, 7739, 961, 315, 578, 11035, 596, 502, 15664, 449, 816, 2689, 87, 9558, 7561, 12, 7229, 261, 5856, 596, 2930, 43772, 10756, 13096, 627, 2181, 690, 2187, 6444, 311, 27100, 323, 6089, 7782, 1202, 2539, 2134, 315, 88461, 23581, 323, 16434, 23581, 11, 902, 649, 387, 28358, 311, 220, 3076, 5961, 15603, 2737, 279, 6560, 11, 9822, 323, 279, 2326, 627, 791, 6883, 596, 42774, 3278, 596, 220, 777, 4526, 374, 2561, 439, 315, 3432, 11, 323, 690, 387, 8272, 555, 264, 16434, -100 ]
\section{Introduction} Spectroscopy of the carbon monoxide molecule remains of interest, in large part, because of its role as the prime tracer of astrophysical molecular gas in interstellar clouds~\cite{Kong2015}, circumstellar material~\cite{Flaherty2015}, entire galaxies~\cite{Bolatto2013}, at very high redshifts~\cite{Levshakov2012} and in gamma-ray bursts~\cite{Prochaska2009}. Astronomical CO has also been observed in the ultraviolet, through absorption or emission of the fourth positive system (A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$) \cite{Federman2003,Mcjunkin2013}. In addition, the CO molecule is of interest from a molecular physics perspective, since its spectrum exhibits a wealth of perturbations arising from spin-orbit and centrifugal effects, as well as Rydberg-valence mixing \cite{krupenie1966,Tilford1972,eidelsberg2004a}. Perturbations affecting the A$^1\Pi${} state were extensively investigated by Simmons and Tilford~\cite{Simmons1966} and analyzed in the benchmark study of Field \emph{et al.}~\cite{Field-thesis,Field1972a} and studied many times thereafter in its dominant isotopologue $^{12}$C$^{16}$O and minor variants (e.g., \cite{Haridass1994,Eikema1994,Jolly1997,Kepa2011}). Recently the spectrum of A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ in $^{12}$C$^{16}$O was reinvestigated by Doppler-free laser methods~\cite{Niu2015} and vacuum-ultraviolet Fourier-transform (VUV-FT) spectroscopy~\cite{Niu2013,Niu2016}, both at high resolution. The A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+${} system of the $^{13}$C$^{16}$O isotopologue was investigated in detail by Haridass and Huber~\cite{Haridass1994}, after the observation of unresolved band heads by Tilford and Simmons \cite{Tilford1972}. Recently, a high-resolution study of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ ($v'$,0) bands for $v'=0-9$ was reported, based on measurements with the VUV-FT instrument at the SOLEIL synchrotron~\cite{Gavilan2013}. Further observations of A$^1\Pi$$(v)$ levels for this isotopologue were made in visible emission via the B$^1\Sigma^+-$A$^1\Pi$\ \AA ngstr\"{o}m bands by the Rzesz\'{o}w group~\cite{Kepa2003,Kepa2011,Hakalla2012}, while the B$^1\Sigma^+-$X$^1\Sigma^+$\ system was investigated by two groups with improved accuracy~\cite{Tilford1968,Eidelsberg1987}. Higher lying states for the $^{13}$C$^{16}$O isotopologue have also been investigated~\cite{Eidelsberg1992,Cacciani1995}, while the level structure of the X$^1\Sigma^+$\ ground state is known to great precision~\cite{George1994}. The present study aims to re-investigate the spectroscopic structure of the $v=0$\ vibrational level of the A$^1\Pi${} state for the $^{13}$C$^{16}$O isotopologue with the highest-possible accuracy. For this purpose, high resolution Doppler-free laser measurements of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band are combined with VUV-FT measurements under various temperature conditions that permit access to higher rotational levels, as well as with high-resolution visible Fourier-transform (VIS-FT) emission spectra obtained from a discharge. These data are combined in a comprehensive deperturbation analysis with the purpose of quantitatively describing the A$^1\Pi$\,(0) level and various vibronic states with which it interacts. \section{Experiments} Independent high-resolution studies of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band of $^{13}$C$^{16}$O were performed by laser and VUV-FT spectroscopy, while the B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ emission band was investigated with VIS-FT spectroscopy from a discharge. The methods used and the results obtained in the three different experiments are described below. \subsection{Laser experiments} \label{sec:laser experiments} Figure~\ref{fig:PDAspec} shows a typical spectrum of the S(0) transition of A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band of $^{13}$C$^{16}$O obtained in the laser experiment. Here, a narrow-band pulsed dye amplifier (PDA) laser system is used~\cite{Ubachs1997}, seeded by the output of a cw ring dye laser which is optimized for operation at 618 nm, and pumped by a Nd:YAG laser with a repetition rate of 10 Hz. The pulsed output of the PDA is frequency doubled and then employed in a two photon experiment with counter-propagating laser beams aligned in the geometry of a Sagnac interferometer~\cite{Hannemann2007} to avoid a residual Doppler shift. The laser beams crossed the 99\% $^{13}$C-enriched CO molecular beam, perpendicularly. A second pulsed laser at 207 nm, based on a frequency-tripled dye laser, delayed by around 10 ns from the probe laser to minimize the AC-Stark effects, is employed for ionizing the A$^1\Pi$\ excited state population. This method of $2+1'$ resonant-enhanced multiphoton ionization (REMPI) yielded better results, than one-color $2+2$ REMPI measurements, in terms of signal-to-noise ratio and suppression of the AC-Stark effect. In order to reduce the AC-Stark effect induced by the probe laser, the resonant CO lines were measured for different laser intensities and their transition frequencies extrapolated to a zero-intensity AC-Stark-free frequency. An example of such an extrapolation, for the S(0) line, is included in Fig.~\ref{fig:stark}. Using part of the cw-seed radiation, an etalon spectrum and a saturated iodine spectrum are recorded simultaneously with the $^{13}$C$^{16}$O two-photon spectrum to interpolate and linearize the scan and to calibrate the absolute frequency of the resonances, respectively. The frequency chirp between the PDA output and cw seed laser is measured on-line, yielding an average chirp offset that is included in the frequency calibration. For further details on the two-photon Doppler-free laser experiments on CO we refer to previous publications~\cite{Niu2013,Niu2015}. \begin{figure} \begin{center} \includegraphics[width=\linewidth]{PDAspectrum3.eps} \caption{ The S(0) transition in the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band of $^{13}$C$^{16}$O, as measured via two-photon Doppler-free laser spectroscopy, plotted as a black line. The red and blue lines show the saturated iodine spectrum and etalon markers used for calibration and interpolation. The asterisk (*) indicates the hyperfine component of the iodine line used for the absolute wave number calibration, in this case with overlapping contributions from the $a_5$ and $a_6$ components of the B$-$X$(8,2)$ $R(81)$ line at $16\,190.06605$ and $16\,190.06616$ cm$^{-1}$~\cite{Bodermann2002,Xu2000}. The upper scale represents the fundamental wave number of the cw-seed laser, and the lower scale the two-photon excitation energy.} \label{fig:PDAspec} \end{center} \end{figure} \begin{figure} \begin{center} \includegraphics[width=\linewidth]{starkplot.eps} \caption{Wave number of the S(0) transition of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band of $^{13}$C$^{16}$O extrapolated to zero probe-laser power, yielding an AC-Stark shift corrected value.} \label{fig:stark} \end{center} \end{figure} The sources of transition-frequency uncertainty in the laser experiment were investigated. The statistical uncertainty was estimated from multiple measurements of the observed lines to be 30~MHz. The frequency chirp of the fundamental radiation was measured to be $-11\pm 2$\,MHz, leading to a $-44$\,MHz correction to the measured A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+${} frequencies with a residual uncertainty of 8\,MHz. The uncertainty of the AC-Stark-shift extrapolation is 30~MHz. Other sources of uncertainty, such as line-fitting, I$_2$ calibration, etalon calibration, DC-Stark shift and residual Doppler shift, make much smaller contributions and can be ignored. The overall uncertainty ($1\sigma$) of the two-photon resonant frequencies of $^{13}$C$^{16}$O is then conservatively estimated to be 0.002~cm$^{-1}$. The transition frequencies of six $^{13}$C$^{16}$O\ lines were measured, calibrated, and corrected for chirp and AC-Stark effects, with final values listed in Table~\ref{AXlasertransition}. \begin{table} \begin{center} \caption{Results from the two-photon Doppler-free laser experiment on the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ $(0,0)$ band of $^{13}$C$^{16}$O. Transition frequencies (in vacuum cm$^{-1}$). The $1\sigma$ uncertainty of all frequencies is better than 0.002\,cm$^{-1}$.} \label{AXlasertransition} \begin{tabular} {l@{\hspace{50pt}}r} \hline \hline\\[-2ex] Line & Frequency \\ \hline\\[-2ex] S(0) & 64760.185 \\ S(1) & 64765.528 \\ R(1) & 64756.560 \\ Q(1) & 64750.481 \\ Q(2) & 64749.157 \\ P(2) & 64743.144 \\ \hline \hline \end{tabular} \end{center} \end{table} \subsection{VUV-FT synchrotron experiments} The A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ $(0,0)$ single-photon absorption band of $^{13}$C$^{16}$O was measured using the VUV Fourier-transform spectrometer at the SOLEIL synchrotron. The operation of this device and its use for molecular spectroscopy have been well described~\cite{Deoliveira2011,Niu2016}. All measurements were performed under steady-state gas conditions, whereby gas is continuously introduced to the interaction region and flows out of a windowless cell. Recordings were made with the cell cooled to nearly liquid-nitrogen temperature (yielding an effective gas temperature of 90\,K), at room temperature (295\,K), and in a specially-designed high-temperature cell (900\,K)~\cite{Niu2015a}. The VUV-FT measurements were performed using 99\% enriched samples of $^{13}$C$^{16}$O gas. The sampling rate and maximum path difference of the FT spectrometer was set to provide resolutions of 0.075, 0.075, and 0.27\,cm$^{-1}$\ FWHM for the 90, 295, and 900\,K measurements, respectively. The respective Doppler broadening of these measurements are 0.08, 0.14, and 0.25\,cm$^{-1}$\,FWHM. Further experimental and analytical details of the VUV-FT spectra are provided in Refs.~\cite{Niu2013,Niu2015,Niu2016}. \begin{figure} \begin{center} \includegraphics[width=\linewidth]{FTspectraAX5.eps} \caption{Spectra of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band of $^{13}$C$^{16}$O recorded with the VUV-FT at the SOLEIL synchrotron under three different temperature regimes: (a) cooling of the cell with liquid nitrogen; (b) at room temperature; (c) cell heated to $\sim 900$ K. The A$^1\Pi-$X$^1\Sigma^+(1,1)$ absorption band is also evident at 64100\,cm$^{-1}${} in the latter case.} \label{fig:FTAXspec} \end{center} \end{figure} \begin{figure*}[htbp] \begin{center} \includegraphics[width=\linewidth]{FTspectraAXdetail1.eps} \caption{Detail spectra of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ bandhead region and transitions to the perturbing e$^3\Sigma^--$X$^1\Sigma^+$$(4,0)$ state. Measured with the VUV-FT spectrometer under three temperature regimes: (a) cell cooled with liquid nitrogen to 90\,K; (b) cell at room temperature; (c) cell heated to $\sim 900$ K. Unassigned lines are due to $^{13}$C$^{18}$O contamination.} \label{fig:FTAXspecdetail} \end{center} \end{figure*} Overview spectra of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band, recorded at the three different temperatures, are displayed in Fig.~\ref{fig:FTAXspec}, covering $64\,000-64\,800$ cm$^{-1}$. These spectra enable good line-position determinations for transitions from different ranges of ground state $J''$. The lowest $J''$ states are populated at 90\,K and lead to transitions with the narrowest Doppler widths, resulting in the least-congested spectra (i.e., in Fig.~\ref{fig:FTAXspec}(a)), thus facilitating straightforward line assignment. Analysing the 90\,K spectrum first aided the assignment of higher temperature spectra in Fig.~\ref{fig:FTAXspec}(b) and (c). Intermediate $J''$ levels have higher populations at 295\,K and also provide a cross-check for low $J''$ lines. The 900\,K spectrum presented in Fig.~\ref{fig:FTAXspec}(c) was measured at about 60 times higher column density than the room temperature spectrum, with the goal of obtaining as much information as possible on the highest rotational quantum states, in which case transitions from the low $J''$ were saturated. Ultimately, the rotational progression of A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ could be followed to $64\,000$ cm$^{-1}$\ and for transition with $J'$ as high as 46, whereupon a severe overlap with the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(1,1)$ band sets in. Figure \ref{fig:FTAXspecdetail} shows details of VUV-FT spectra in the bandhead region and demonstrates the complementarity of spectra recorded under different temperature and saturation conditions. Also appearing are forbidden transitions to the e$^3\Sigma^-$$(4)$ level due to intensity borrowing from the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ band. The mutual perturbation of e$^3\Sigma^-$$(4)$ and A$^1\Pi$$(0)$ also leads to rotational line structure discontinuities as, for instance, the perturbation of $R(6)$ and $R(7)$ lines in Fig.~\ref{fig:FTAXspecdetail}. Further lines appear from the forbidden d$^3\!\Delta-$X$^1\Sigma^+$$(4,0)$ band in our spectra. The frequency calibration of Fourier-transform spectra is inherently linear and requires only a single absolute standard. Here, the absolute calibration was made by reference to the results presented in Table~\ref{FTandlasertransition} while accounting for the different A$^1\Pi${} $\Lambda$-doubling components accessed by one- and two-photon transitions, leading to an absolute calibration uncertainty of VUV-FT of 0.01\,cm$^{-1}$. The frequencies of strongly absorbed, unsaturated, and unblended A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+${} transitions were determined with a $1\sigma$ random uncertainty of 0.01~cm$^{-1}$\,and with somewhat greater uncertainties for weak and blended lines and those measured at 900\,K temperature, leading to total frequency uncertainties that vary between 0.01 and 0.03~cm$^{-1}$. Transition vacuum wave numbers resulting from the combined analysis of all three A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ spectra are presented in Table~\ref{FTandlasertransition} and vacuum wave numbers of the perturber lines are listed in Table~\ref{FT-pert}. \begin{table*} \begin{center} \caption{Transition frequencies (in vacuum cm$^{-1}$) of the $^{13}$C$^{16}$O A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ $(0,0)$ band obtained in the VUV-FT experiment and B$^1\Sigma^+-$A$^1\Pi$\ $(0,0)$ band obtained in the VIS-FT experiment. $J''$ is the rotational quantum number of the lower state and subscripts $e$ and $f$ indicate the A$^1\Pi$\ state parity. The superscripts \textit{b} and \textit{w} indicate blended and weak transitions, respectively. Frequencies are given to three decimal places when known to better than 0.01\,cm$^{-1}${} and to two places when less accurate. } \label{FTandlasertransition} \renewcommand\arraystretch{1.1} \small \begin{tabular} {c@{\hspace{15pt}}l@{\hspace{7pt}}l@{\hspace{7pt}}l@{\hspace{15pt}}l@{\hspace{7pt}}l@{\hspace{7pt}}l} \hline \hline\\[-2ex] &\multicolumn{3}{c}{A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$} & \multicolumn{3}{c}{B$^1\Sigma^+-$A$^1\Pi$$(0,0)$}\\ \cline{2-7}\\[-2ex] $J'' $ & R$_e(J'') $ & Q$_f(J'') $ & P $_e(J'') $ & R $_e(J'') $ & Q $_f(J'') $ & P$_e(J'')$ \\ \hline\\[-2ex] 0 & 64754.15$^{ }$ & & & & & \\ 1 & 64756.51$^{ }$ & 64750.49$^{ }$ & & 22173.83$^{ wb }$ & 22166.35$^{ wb }$ & 22162.65$^{ wb }$\\ 2 & 64758.16$^{ b }$ & 64749.21$^{ }$ & 64743.12$^{ }$ & 22178.97$^{ w }$ & 22167.744$^{ }$ & 22160.34$^{ wb }$\\ 3 & 64759.15$^{ b }$ & 64747.26$^{ }$ & 64738.13$^{ }$ & 22184.84$^{ b }$ & 22169.833$^{ }$ & 22158.779$^{ }$ \\ 4 & 64759.15$^{ b }$ & 64744.66$^{ }$ & 64732.48$^{ b }$ & 22191.52$^{ b }$ & 22172.634$^{ }$ & 22158.00$^{ b }$ \\ 5 & 64758.17$^{ b }$ & 64741.36$^{ }$ & 64726.02$^{ }$ & 22199.07$^{ b }$ & 22176.17$^{ b }$ & 22158.105$^{ }$ \\ 6 & 64755.22$^{ }$ & 64737.34$^{ }$ & 64718.76$^{ }$ & 22207.806$^{ }$ & 22180.496$^{ }$ & 22159.396$^{ }$ \\ 7 & 64763.06$^{ }$ & 64732.52$^{ b }$ & 64710.37$^{ }$ & 22218.46$^{ b }$ & 22185.67$^{ b }$ & 22162.61$^{ b }$ \\ 8 & 64759.65$^{ }$ & 64726.71$^{ }$ & 64700.15$^{ b }$ & 22218.42$^{ b }$ & 22191.857$^{ }$ & 22155.115$^{ }$ \\ 9 & 64756.31$^{ }$ & 64719.65$^{ }$ & 64700.60$^{ }$ & 22229.650$^{ }$ & 22199.358$^{ }$ & 22158.920$^{ }$ \\ 10 & 64752.59$^{ }$ & 64727.84$^{ }$ & 64689.84$^{ }$ & 22240.855$^{ }$ & 22191.658$^{ }$ & 22162.69$^{ b }$ \\ 11 & 64748.19$^{ }$ & 64718.28$^{ }$ & 64679.17$^{ }$ & 22252.500$^{ }$ & 22201.749$^{ }$ & 22166.90$^{ b }$ \\ 12 & 64742.78$^{ }$ & 64709.17$^{ }$ & 64668.11$^{ }$ & 22264.87$^{ b }$ & 22211.44$^{ b }$ & 22171.839$^{ }$ \\ 13 & 64735.65$^{ }$ & 64700.15$^{ b }$ & 64656.38$^{ }$ & 22278.276$^{ }$ & 22221.119$^{ }$ & 22177.82$^{ b }$ \\ 14 & 64738.93$^{ }$ & 64690.94$^{ }$ & 64643.64$^{ }$ & 22293.476$^{ }$ & 22230.99$^{ b }$ & 22185.60$^{ b }$ \\ 15 & 64731.21$^{ }$ & 64681.32$^{ }$ & 64629.19$^{ }$ & 22298.291$^{ }$ & 22241.339$^{ }$ & 22182.990$^{ }$ \\ 16 & 64723.66$^{ }$ & 64671.21$^{ }$ & 64625.13$^{ b }$ & 22314.14$^{ b }$ & 22252.222$^{ }$ & 22191.44$^{ b }$ \\ 17 & 64715.83$^{ }$ & 64660.56$^{ }$ & 64610.10$^{ }$ & 22329.876$^{ }$ & 22263.690$^{ }$ & 22199.76$^{ b }$ \\ 18 & 64707.52$^{ }$ & 64649.35$^{ }$ & 64595.24$^{ }$ & 22345.94$^{ b }$ & 22275.778$^{ }$ & 22208.424$^{ }$ \\ 19 & 64698.68$^{ }$ & 64637.52$^{ }$ & 64580.12$^{ }$ & 22362.514$^{ }$ & 22288.511$^{ }$ & 22217.605$^{ }$ \\ 20 & 64689.16$^{ }$ & 64625.13$^{ b }$ & 64564.48$^{ }$ & 22379.691$^{ }$ & 22301.90$^{ b }$ & 22227.389$^{ }$ \\ 21 & 64678.96$^{ }$ & 64612.00$^{ }$ & 64548.32$^{ }$ & 22397.515$^{ }$ & 22315.988$^{ }$ & 22237.828$^{ }$ \\ 22 & 64667.27$^{ }$ & 64598.22$^{ }$ & 64531.55$^{ }$ & 22416.068$^{ }$ & 22330.844$^{ }$ & 22249.033$^{ }$ \\ 23 & 64657.68$^{ }$ & 64582.92$^{ }$ & 64514.02$^{ b }$ & 22436.211$^{ }$ & 22347.208$^{ }$ & 22261.788$^{ }$ \\ 24 & 64645.09$^{ }$ & 64569.68$^{ }$ & 64495.08$^{ }$ & 22454.294$^{ }$ & 22361.614$^{ }$ & 22272.455$^{ }$ \\ 25 & 64631.27$^{ }$ & 64553.48$^{ }$ & 64478.24$^{ }$ & 22475.39$^{ wb }$ & 22379.034$^{ }$ & 22286.216$^{ }$ \\ 26 & 64628.02$^{ }$ & 64536.04$^{ }$ & 64458.36$^{ }$ & 22497.74$^{ wb }$ & 22397.713$^{ }$ & 22301.24$^{ wb }$\\ 27 & 64609.48$^{ }$ & 64529.18$^{ }$ & 64437.28$^{ }$ & 22509.57$^{ w }$ & 22405.86$^{ w }$ & 22305.70$^{ wb }$\\ 28 & 64593.44$^{ }$ & 64507.00$^{ }$ & 64426.77$^{ }$ & 22536.73$^{ w }$ & 22429.36$^{ wb }$ & 22325.54$^{ w }$ \\ 29 & 64576.38$^{ }$ & 64487.34$^{ }$ & 64400.98$^{ }$ & & 22450.38$^{ wb }$ & 22342.90$^{ wb }$\\ 30 & 64572.75$^{ }$ & 64466.67$^{ }$ & 64377.71$^{ }$ & & 22472.45$^{ wb }$ & 22361.34$^{ w }$ \\ 31 & 64551.80$^{ }$ & 64459.40$^{ }$ & 64353.41$^{ }$ & & 22481.16$^{ wb }$ & \\ 32 & 64533.62$^{ }$ & 64434.84$^{ }$ & 64342.57$^{ }$ & & & \\ 33 & 64515.65$^{ }$ & 64413.03$^{ }$ & 64314.39$^{ }$ & & & \\ 34 & 64497.32$^{ }$ & 64391.62$^{ }$ & 64289.02$^{ }$ & & & \\ 35 & 64478.38$^{ }$ & 64369.64$^{ }$ & 64263.85$^{ }$ & & & \\ 36 & 64459.40$^{ b }$ & 64347.23$^{ }$ & 64238.34$^{ }$ & & & \\ 37 & 64439.34$^{ }$ & 64324.20$^{ b }$ & 64212.20$^{ }$ & & & \\ 38 & 64418.75$^{ }$ & 64300.72$^{ }$ & 64185.99$^{ }$ & & & \\ 39 & 64397.55$^{ }$ & 64276.49$^{ }$ & 64158.82$^{ }$ & & & \\ 40 & 64375.72$^{ b }$ & 64251.90$^{ }$ & 64131.12$^{ }$ & & & \\ 41 & 64353.41$^{ b }$ & 64226.49$^{ }$ & & & & \\ 42 & 64330.26$^{ }$ & 64200.50$^{ }$ & & & & \\ 43 & 64306.48$^{ w }$ & 64173.82$^{ }$ & & & & \\ 44 & 64282.31$^{ w }$ & 64146.45$^{ }$ & & & & \\ 45 & 64257.29$^{ w }$ & 64118.75$^{ }$ & & & & \\ \hline \hline \end{tabular} \end{center} \end{table*} \vspace{2cm} \begin{table*} \begin{center} \caption{Lines due to states perturbing A$^1\Pi$$(0)$ identified in the VUV-FT spectra and VIS-FT spectra in $^{13}$C$^{16}$O. Transition frequencies (in vacuum cm$^{-1}$). $J''$ is the rotational quantum number of the lower state and subscripts $e$ and $f$ indicate the perturber states parity. The superscripts \textit{b} and \textit{w} indicate blended and weak transitions, respectively. The left-superscript $o$, $p$, $q$, $r$ and $s$ denote the total angular momentum excluding spin of the perturber states, according to the notation in Ref.~\cite{Morton1994}.} \label{FT-pert} \footnotesize \begin{tabular} {c@{\hspace{3pt}}l@{\hspace{2pt}}l@{\hspace{2pt}}l@{\hspace{3pt}}l@{\hspace{2pt}}l@{\hspace{2pt}}l@{\hspace{3pt}}l@{\hspace{2pt}}l@{\hspace{2pt}}l} \hline \hline\\[-2ex] $J''$ & \multicolumn{1}{c}{${}^q\!R_e$} & \multicolumn{1}{c}{${}^p\!Q_f$} & \multicolumn{1}{c}{${}^o\!P_e$} & \multicolumn{1}{c}{${}^r\!R_e$} & \multicolumn{1}{c}{${}^q\!Q_f$} & \multicolumn{1}{c}{${}^p\!P_e$} & \multicolumn{1}{c}{${}^s\!R_e$} & \multicolumn{1}{c}{${}^r\!Q_f$} & \multicolumn{1}{c}{${}^q\!P_e$}\\ \hline \\[-2ex] &\multicolumn{9}{c}{e$^3\Sigma^--$X$^1\Sigma^+$\ (1,0)} \\ \cline{2-10}\\[-1.5ex] 0 & 64789.81$^{w}$ & & & & & & 64796.51 & & \\ 1 & 64788.60 & & & & 64789.81$^{b}$ & & 64800.11 & & 64786.83$^{w}$ \\ 2 & 64786.23 & & 64778.84$^{wb}$ & & 64787.33 & & 64802.39 & & 64785.50$^{w}$ \\ 3 & 64782.70 & & 64770.23$^{wb}$ & & 64783.62 & & 64803.41 & & 64781.70$^{w}$ \\ 4 & 64778.11 & & 64760.49 & & 64778.70 & & 64803.16 & & 64776.70$^{w}$ \\ 5 & 64772.76 & & 64749.67$^{wb}$ & & 64772.59 & & 64801.61 & & 64770.30$^{w}$ \\ 6 & 64767.39 & & 64737.73 & & 64765.30 & & 64798.88 & & 64762.75$^{w}$ \\ 7 & 64749.29$^{b}$ & & 64724.99 & & 64756.96 & & 64794.85 & & 64753.85 \\ 8 & 64740.65 & & 64712.28 & & 64747.67$^{b}$ & & 64789.60 & & \\ 9 & 64729.91 & & 64686.88 & & 64737.81 & & 64783.14 & & \\ 10 & & & 64670.86 & & 64710.79 & & 64775.49 & & \\ 11 & 64703.82$^{w}$ & & 64652.75 & & 64699.64 & & 64766.80 & & 64705.96 \\ 12 & & & & & 64686.15 & & 64757.25 & & \\ 13 & & & & & 64670.70 & & 64747.67$^{b}$ & & 64674.96 \\ 14 & & & & & 64653.53 & & 64725.69 & & 64658.12 \\ 15 & & & & & 64634.85 & & 64712.88 & & 64641.16 \\ 16 & & & & & 64614.79 & & 64698.03 & & 64611.96$^{b}$ \\ 17 & & & & & & & & & 64591.78 \\ \vspace{1ex} &\multicolumn{9}{c}{d$^3\!\Delta-$X$^1\Sigma^+$\ (4,0)} \\ \cline{2-10}\\[-1.5ex] 22 & 64674.24 & & & & & & & & \\ 23 & & 64589.95 & & & & & & & \\ 24 & & & 64502.05 & & & & & & \\ 25 & & & & 64654.61 & 64592.36 & & & & \\ 26 & & & & 64612.78 & 64559.42 & & & & \\ 27 & & & & 64584.16$^{w}$ & 64514.02$^{b}$ & 64460.57$^{w}$ & & & \\ 28 & & & & & 64481.73 & 64411.54 & & & \\ 29 & & & & & & & 64601.35$^{w}$ & 64527.31$^{w}$ & \\ 30 & & & & & & & 64554.18 & 64491.67$^{w}$ & \\ 31 & & & & & & & 64522.49 & 64440.87 & 64378.36 \\ 32 & & & & & & & & 64405.60 & 64324.06$^{b}$ \\ 33 & & & & & & & & & 64285.07 \\ \vspace{1ex} &\multicolumn{9}{c}{B$^1\Sigma^+-$e$^3\Sigma^-$\ (0,1)} \\ \cline{2-10}\\[-1.5ex] 4 & & & & & 22138.60$^{w}$ & & & & \\ 5 & & & & & 22144.97$^{wb}$ & & 22180.14$^{wb}$ & & 22139.18$^{w}$\\ 6 & & & & & 22152.53$^{w}$ & & 22193.17$^{b}$ & & 22144.76$^{b}$\\ 7 & & & & & 22161.22$^{b}$ & & 22206.286$^{}$ & & 22150.438$^{}$ \\ 8 & & & & & 22170.864$^{}$ & & 22232.13$^{wb}$ & & 22168.83$^{b}$\\ 9 & & & & & 22181.188$^{}$ & & & & 22177.90$^{b}$\\ 10 & & & & & 22208.695$^{}$ & & & & \\ 11 & & & & & 22220.392$^{}$ & & & & \\ 12 & & & 22153.25$^{w}$ & & 22234.46$^{b}$ & & & & \\ 13 & & & 22163.36$^{b}$ & & 22250.62$^{wb}$ & & & & \\ 14 & 22281.503$^{}$ & & 22173.63$^{b}$ & & 22268.41$^{wb}$ & & & & \\ 15 & 22311.53$^{b}$ & & 22196.217$^{}$ & & & & & & \\ \vspace{1ex} &\multicolumn{9}{c}{B$^1\Sigma^+-$d$^3\!\Delta$\ (0,4)} \\ \cline{2-10}\\[-1.5ex] 23 & & & & & & & 22429.30$^{b}$ & 22340.26$^{b}$ & \\ 24 & & & & & & & & 22376.78$^{wb}$ & \\ 25 & & & & & 22340.17$^{wb}$ & & & & \\ 26 & & & & & & & & & \\ 27 & & & & 22524.82$^{wb}$ & 22421.08$^{wb}$ & 22320.96$^{wb}$ & & & \\ \hline \hline \end{tabular} \end{center} \end{table*} \subsection{VIS-FT spectroscopy} The B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ band was measured in the emission from a water-cooled hollow-cathode discharge lamp with two anodes that has been used and described in recent years for a number of investigations of the visible spectra of the \AA ngstr\"{o}m~\cite{Hakalla2016} and Herzberg bands~\cite{Hakalla2014} for CO isotopologues. The discharge lamp undergoes a preparation phase depositing either $^{12}$C or $^{13}$C atomic isotopes onto the electrodes after which the oxygen containing isotope of choice is then introduced and a DC-plasma formed by applying a potential (650\,V) onto the anodes. In the discharge, specific isotopologues of CO are formed and maintained at a certain density and temperature (600$-$700\,K) for several hours, emitting visible radiation to be investigated by spectroscopic means. The spectroscopic system, previously composed of an Ebert plane-grating spectrograph combined with a laterally scanned photo-multiplier tube, was upgraded for the present investigation with a Bruker-IFS 125 HR Fourier-transform spectrometer recording inteferograms in the double-sided acquisition mode. The CO discharge light source was focused on the entrance aperture of the FTS by a plano-convex quartz lens. The photomultiplier tube operated in integration pulse mode was used as an internal detector covering the 11\,000--25\,000 cm$^{-1}$\ spectral region. The instrumental resolution limit was set at 0.018 cm$^{-1}$. Higher resolution was not necessary, as the Doppler-dominated linewidth (FWHM) of the CO lines was about 0.06 cm$^{-1}$. A total of 126 scans were co-added and the spectrum has a good signal-to noise ratio of 120:1. The FTS was operated under vacuum conditions. The new VIS-FT setup allowed for a two-times improvement in the width of measured lines (0.08 cm$^{-1}$\,FWHM) as well as a better signal-to-noise ratio relative to the old grating spectrograph. Previously our CO spectra were contaminated with a dense and intense coverage of Th frequency-calibration lines. This is no longer necessary given the intrinsically linear frequency scale of the Fourier-transform spectrometer and much cleaner spectra can be obtained. A detailed description of the improved setup will be the subject of a future publication. In Fig.~\ref{fig:FTBXspec} a spectrum of the B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ band of $^{13}$C$^{16}$O is presented. Also present are lines from the forbidden B$^1\Sigma^+-$e$^3\Sigma^-$$(1,0)$ and B$^1\Sigma^+-$d$^3\!\Delta$$(0,4)$ bands, which borrow intensity from B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ transition. Line positions were measured by fitting Voigt lineshape functions to the experimental lines in a Levenberg-Marquardt procedure~\cite{Levenberg1944, Marquardt1963} included in the OPUS$^\textrm{TM}$ software package~\cite{OPUS}. An absolute calibration of the wavenumber scale accurate to within 0.003\,cm$^{-1}$ was made with reference to the first harmonic of a frequency-stabilized He-Ne laser. This laser monitors the FTS optical path difference and is stable over 1\,h of operation within a fractional variation of $\pm2\times10^{-9}$. The frequencies of strong and unblended transitions were determined with a $1\sigma$ random uncertainty of 0.002\,cm$^{-1}${}, and weak and blended lines with somewhat greater uncertainty. The absolute accuracy of the frequency measurements then varies between 0.003 and 0.03\,cm$^{-1}${} for the strongest and weakest/blended lines, respectively. \begin{figure} \begin{center} \includegraphics[width=\textwidth]{13C16O_BA00.eps} \caption{High resolution emission spectra of the $^{13}$C$^{16}$O\ B$^1\Sigma^+-$A$^1\Pi$\ $(0,0)$, B$^1\Sigma^+-$e$^3\Sigma^-$\ $(0,1)$, and B$^1\Sigma^+-$d$^3\!\Delta$\ $(0,4)$ systems recorded with the VIS-FTS setup with an instrumental resolution of 0.018~cm$^{-1}$. The estimated accuracy of the frequency scale calibration is 0.003~cm$^{-1}$. Absolute accuracies of the frequency measurements vary between 0.003~cm$^{-1}$\ for the strongest lines and 0.03~cm$^{-1}$\ for the weakest or most blended. The composition ratio of the gas used in the experiment was $^{13}$C$^{16}$O : $^{13}$C$^{17}$O = 0.43 : 1.} \label{fig:FTBXspec} \end{center} \end{figure} Transition frequencies for the B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ band of $^{13}$C$^{16}$O are listed in Table~\ref{FTandlasertransition}, and frequencies of the perturber lines are listed in Table~\ref{FT-pert}. \begin{table*} \begin{center} \caption{Term values of A$^1\Pi$\,(0) and perturbing states. A {\large$\ast$} indicates level energies calculated from lines observed in the laser experiment.} \label{Levels} \renewcommand\arraystretch{1.1} \footnotesize \begin{tabular} {c@{\hspace{25pt}}l@{\hspace{4pt}}l@{\hspace{25pt}}l@{\hspace{4pt}}l@{\hspace{8pt}}l@{\hspace{4pt}}l@{\hspace{8pt}}l@{\hspace{4pt}}l} \hline \hline\\[-2ex] & \multicolumn{2}{c}{A$^1\Pi$\,$(0)$} & \multicolumn{6}{c}{e$^3\Sigma^-$\ $(v=1)$} \\ {$J$}& \multicolumn{1}{c}{$e$} & \multicolumn{1}{c}{$f$} & \multicolumn{1}{c}{$F_1e$} & \multicolumn{1}{c}{$F_1f$} & \multicolumn{1}{c}{$F_2e$} & \multicolumn{1}{c}{$F_2f$} & \multicolumn{1}{c}{$F_3e$} & \multicolumn{1}{c}{$F_3f$} \\ \hline\\[-2ex] 0 & & & & & & & 64790.51& \\ 1 & 64754.157\,*& 64754.170\,*& 64789.84& & & 64793.48& 64796.52& \\ 2 & 64760.184\,*& 64760.235\,*& 64792.28& & & 64798.36& 64803.77& \\ 3 & 64769.202\,*& 64769.32 & 64797.25& & & 64805.67& 64813.43& \\ 4 & 64781.16 & 64781.42 & 64804.77& & & 64815.45& 64825.45& \\ 5 & 64795.94 & 64796.50 & 64814.89& & & 64827.72& 64839.92& \\ 6 & 64813.28 & 64814.52 & 64827.90& & & 64842.49& 64856.75& \\ 7 & 64832.42 & 64835.42 & 64844.58& & & 64859.87& 64876.06& \\ 8 & 64865.97 & 64859.01 & 64852.24& & & 64879.98& 64897.76& \\ 9 & 64891.95 & 64885.02 & 64872.96& & & 64903.19& 64921.90& \\ 10 & 64921.69 & 64929.95 & 64895.27& & & 64912.90& 64948.49& \\ 11 & 64954.70 & 64960.80 & & & & 64942.15& 64977.60& \\ 12 & 64990.71 & 64995.76 & 64946.33& & & 64972.74& 65009.30& \\ 13 & 65029.37 & 65034.48 & & & & 65005.02& 65043.85& \\ 14 & 65069.98 & 65076.66 & & & & 65039.26& 65081.97& \\ 15 & 65124.66 & 65122.11 & & & & 65075.64& 65111.43& \\ 16 & 65172.00 & 65170.73 & & & & 65114.31& 65153.68& \\ 17 & 65223.18 & 65222.46 & & & & & 65197.54& \\ 18 & 65277.73 & 65277.28 & & & & & & \\ 19 & 65335.45 & 65335.15 & & & & & & \\ 20 & 65396.28 & 65396.08 & & & & & & \\ 21 & 65460.13 & 65459.96 & & & & & & \\ 22 & 65526.92 & 65526.80 & \multicolumn{6}{c}{d$^3\!\Delta$\ $(v=4)$} \\ 23 & 65595.86 & 65595.78 & \multicolumn{1}{c}{$F_1e$} & \multicolumn{1}{c}{$F_1f$} & \multicolumn{1}{c}{$F_2e$} & \multicolumn{1}{c}{$F_2f$} & \multicolumn{1}{c}{$F_3e$} & \multicolumn{1}{c}{$F_3f$} \\ \cline{4-9}\\[-2.5ex] 24 & 65670.54 & 65670.46 & 65602.82& 65602.81& & & & \\ 25 & 65745.86 & 65745.80 & & & & & & \\ 26 & 65823.59 & 65823.54 & & & & 65784.68& & \\ 27 & 65915.52 & 65915.49 & & & 65846.91& 65846.93& & \\ 28 & 65995.79 & 65995.75 & & & 65900.29& 65900.33& & \\ 29 & 66082.19 & 66082.14 & & & 65970.47& 65970.48& & \\ 30 & 66171.18 & 66171.15 & & & & & & 66122.11 \\ 31 & 66277.23 & 66277.17 & & & & & 66196.13& 66196.15 \\ 32 & 66369.56 & 66369.51 & & & & & 66258.68& 66258.64 \\ 33 & 66468.29 & 66468.20 & & & & & 66340.25& 66340.27 \\ 34 & 66570.82 & 66570.90 & & & & & & \\ 35 & 66676.60 & 66676.62 & & & & & & \\ 36 & 66785.35 & 66785.50 & & & & & & \\ 37 & 66897.62 & 66897.35 & & & & & & \\ 38 & 67012.47 & 67012.32 & & & & & & \\ 39 & 67130.36 & 67130.14 & & & & & & \\ 40 & 67251.20 & 67251.16 & & & & & & \\ 41 & 67374.97 & 67374.92 & & & & & & \\ 42 & 67501.84 & 67501.66 & & & & & & \\ 43 & 67631.43 & 67631.28 & & & & & & \\ 44 & 67763.93 & 67763.75 & & & & & & \\ 45 & 67899.61 & 67899.43 & & & & & & \\ 46 & 68037.98 & & & & & & & \\ \hline \hline \end{tabular} \end{center} \end{table*} \section{Level energies} The laser and VUV-FT transition frequencies were converted to A$^1\Pi$\,(0), e$^3\Sigma^-$\,(1) and d$^3\!\Delta$\,(4) level energies using accurate level energies for the ground state~\cite{George1994}. The combination of A$^1\Pi$\,(0) level energies and B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ emission line frequencies also permitted the determination of B$^1\Sigma^+$\,(0) level energies. As a verification of our various frequency calibrations we compared the deduced B$^1\Sigma^+$\,$(0)$ energy levels to those calculated from an unpublished B$^1\Sigma^+-$X$^1\Sigma^+$$(0,0)$ photoabsorption spectrum also recorded at SOLEIL \cite{BX_unpublished}. Comparing level energies determined from B$\rightarrow$A and A$\leftarrow$X spectra against this direct B$\leftarrow$X measurement we find agreement within 0.01\,cm$^{-1}${}, which is the estimated uncertainty of our wavenumber calibration. All A$^1\Pi$\,(0), e$^3\Sigma^-$\,(1) and d$^3\!\Delta$\,(4) level energies are listed in Table~\ref{Levels} and represent weighted averages of the different experiments. The low-$J$ values are taken from the more accurate laser data. The parallel ladders of $e$- and $f$-parity $J$-levels of A$^1\Pi$$(0)$ are nondegenerate because of the influence of perturbing $\Sigma$ states. The laser-measured $S$ and $Q$-branch lines provide information on $e$-parity A$^1\Pi$\,$(0)$ levels, while the $P$ and $R$ branches provide information on the $f$-parity components. Whereas, under the selection rules of one-photon absorption and emission, $R$ and $P$-branch lines probe $e$-parity levels, and the Q-branch lines probes $f$-parity components. The e$^3\Sigma^-$\,(1) and d$^3\!\Delta$\,(4) levels are split into $F_1$, $F_2$, and $F_3$; and $e$- and $f$-parity levels, not all of which were accessed in our experiments. \begin{table} \caption{Compilation of molecular constants for the A$^1\Pi$\,$(v=0)$ state of $^{13}$C$^{16}$O\ and all perturber states from the deperturbation analysis. All values in vacuum cm$^{-1}$. Uncertainties ($1\sigma$) given in parentheses are in units of the least significant digit.} \label{Molecons} \begin{center} \begin{tabular}{l@{\hspace{10pt}}r@{\hspace{10pt}}r@{\hspace{10pt}}r} \hline \hline\\[-1.5ex] Constant & A$^1\Pi (v=0)$ & B$^1\Sigma^+ (v=0)$ & D$^1\!\Delta (v=0)$ \\ \hline \\[-2ex] $T_v$ &$ 64753.3690(8) $ &$ 86916.808(2){}^{\rm a} $ &$ 65434.7557{}^{\rm b}$\\ $B$ &$ 1.533674(5) $ &$ 1.862475(5){}^{\rm a} $ &$ 1.19331{}^{\rm b} $\\ $q$ $\times 10^{5}$ &$ 5.9(3) $ &$ $ &$ $\\ $D$ $\times 10^{6}$ &$ 6.743(3) $ &$ 6.114(2){}^{\rm a} $ &$ 6.43{}^{\rm b} $\\ $H$ $\times 10^{12}$ &$ -12{}^{\rm b} $ &$ -9(3){}^{\rm a} $ &$ -0.26{}^{\rm b} $\\ $\xi$ &$ $ &$ $ &$ -0.0256(9) $\\ \\[-1.5ex] Constant & e$^3\Sigma^- (v=0)$ & d$^3\!\Delta (v=3)$ & a$'^3\Sigma^+ (v=8)$ \\ \hline \\[-2ex] $T_v$ &$ 63716.208{}^{\rm b} $ &$ 63955.0056{}^{\rm b} $ &$ 64269.6767{}^{\rm b}$\\ $B$ &$ 1.21916{}^{\rm b} $ &$ 1.19670{}^{\rm b} $ &$ 1.14804{}^{\rm b} $\\ $A$ &$ $ &$ -16.05{}^{\rm b} $ &$ $\\ $\lambda$ &$ 0.485{}^{\rm b} $ &$ 0.69{}^{\rm b} $ &$ -1.136{}^{\rm b} $\\ $\gamma$ &$ $ &$ -0.008{}^{\rm b} $ &$ -0.006{}^{\rm b} $\\ $D$ $\times 10^{6}$ &$ 6.3{}^{\rm b} $ &$ 5.94{}^{\rm b} $ &$ 5.74{}^{\rm b} $\\ $H$ $\times 10^{12}$ &$ -1.75{}^{\rm b} $ &$ -0.70{}^{\rm b} $ &$ -0.35{}^{\rm b} $\\ $A_D$ $\times 10^{4}$ &$ $ &$ -0.5{}^{\rm b} $ &$ $\\ $\eta$ &$ -9.410{}^{\rm c} $ &$ 24.802{}^{\rm c} $ &$ 3.60{}^{\rm c} $\\ \\[-1.5ex] Constant & e$^3\Sigma^- (v=1)$ & d$^3\!\Delta (v=4)$ & a$'^3\Sigma^+ (v=9)$ \\ \hline \\[-2ex] $T_v$ &$ 64788.758(1) $ &$ 65017.4897(9) $ &$ 65297.0683{}^{\rm b}$\\ $B$ &$ 1.20223(4) $ &$ 1.18059(4) $ &$ 1.13274{}^{\rm b} $\\ $A$ &$ $ &$ -16.43(1) $ &$ $\\ $\lambda$ &$ 0.525(4) $ &$ 1.44(3) $ &$ -1.129{}^{\rm b} $\\ $\gamma$ &$ $ &$ -0.009{}^{\rm b} $ &$ -0.006{}^{\rm b} $\\ $D$ $\times 10^{6}$ &$ 6.2(2) $ &$ 5.75(5) $ &$ 5.73{}^{\rm b} $\\ $H$ $\times 10^{12}$ &$ -1.75{}^{\rm b} $ &$ -0.70{}^{\rm b} $ &$ -0.35{}^{\rm b} $\\ $A_D$ $\times 10^{4}$ &$ $ &$ -0.5{}^{\rm b} $ &$ $\\ $\eta$ &$ 14.783(3) $ &$ -21.902(7) $ &$ -2.54(4) $\\ \\[-1.5ex] Constant & e$^3\Sigma^- (v=2)$ & & \\ \hline \\[-2ex] $T_v$ &$ 65841.794{}^{\rm b} $ &$ $ &$ $\\ $B$ &$ 1.18559{}^{\rm b} $ &$ $ &$ $\\ $A$ &$ $ &$ $ &$ $\\ $\lambda$ &$ 0.519{}^{\rm b} $ &$ $ &$ $\\ $\gamma$ &$ $ &$ $ &$ $\\ $D$ $\times 10^{6}$ &$ 6.2{}^{\rm b} $ &$ $ &$ $\\ $H$ $\times 10^{12}$ &$ -1.75{}^{\rm b} $&$ $ &$ $\\ $A_D$ $\times 10^{4}$&$ $&$ $ &$ $\\ $\eta$ &$ -17.376{}^{\rm c} $&$ $ &$ $\\ \hline \hline \end{tabular} \end{center} \tabnote{${}^{\rm a}$ Incorporates data from Ref.~\cite{BX_unpublished}.} \tabnote{${}^{\rm b}$ Constants for e$^3\Sigma^-$, d$^3\!\Delta$, and a$'^3\Sigma^+${} were obtained by isotopic scaling \cite{Lefloch-thesis,Hakalla2016} values taken from Ref.~\cite{Field-thesis}, apart from $H$ which is rescaled from Ref.~\cite{Lefloch1987}. All D$^1\!\Delta${} constants were rescaled from Ref.~\cite{kittrell1989}, apart from $H$ from Ref.~\cite{Lefloch1987}. Equilibrium energies for the d$^3\!\Delta${} and e$^3\Sigma^-${} states were taken from Refs.~\cite{Herzberg1970} and \cite{Tilford1972}, respectively.} \tabnote{${}^{\rm c}$ Estimated on the basis of the isotopologue-independent purely electronic perturbation parameters of Refs.~\cite{Field1972a, Field1972,Lefloch1987}.} \end{table} \section{Perturbation analysis} The early analyses of Field \emph{et al.} \cite{Field1972} showed that the A$^1\Pi$\ state of CO is perturbed by a multitude of vibrational levels pertaining to different electronic states, including d$^3\!\Delta$, e$^3\Sigma^-$, a$'^3\Sigma^+$, D$^1\!\Delta$, and I$^1\Sigma^-$. Higher resolution and signal-to-noise spectra provide the opportunity to improve upon the original perturbation analyses, as was shown in recent studies for the main $^{12}$C$^{16}$O isotopologue~\cite{Niu2013,Niu2016} and for the $^{12}$C$^{17}$O isotopologue~\cite{Hakalla2016}. Specifically, for the A$^1\Pi$\,$(0)$ level of $^{13}$C$^{16}$O, a perturbation analysis was previously performed from observations of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ system by Haridass and Huber \cite{Haridass1994} and by Gavilan \emph{et al.} \cite{Gavilan2013}, while K{\c e}pa \emph{et al.} \cite{Kepa2003} investigated the perturbation in A$^1\Pi$\,$(0)$ by analyzing the B$^1\Sigma^+-$A$^1\Pi$\ emission system. In these studies, the following perturber states for A$^1\Pi$\,(0) state were identified: e$^3\Sigma^-$\,(1), d$^3\!\Delta$\,(4), and a$'^3\Sigma^+$\,(9). The d$^3\!\Delta$\,(4) state of $^{13}$C$^{16}$O\ was also detected in a separate experiment performed at higher column density \cite{Herzberg1970}. \begin{figure} \begin{center} \includegraphics[width=\linewidth]{level.eps} \caption{Level energies as a function of $J(J+1)$ for A$^1\Pi$\,(0) and its perturbers. The curves are indicated by an electronic state label and vibrational quantum number.} \label{fig:Pert-diagram} \end{center} \end{figure} Figure~\ref{fig:Pert-diagram} shows the progression of rotational level energies as a function of $J(J+1)$ for A$^1\Pi$\,(0) and its possible perturber states in $^{13}$C$^{16}$O, with data collected from our results and the previous works referenced above. This figure shows crossing points of A$^1\Pi$\,(0) with e$^3\Sigma^-$\,(1), d$^3\!\Delta$\,(4), ${\rm a}'\,{}^3\Sigma^+(9)$, and D$^1\!\Delta$\,(0) where localised perturbations are expected to occur. The perturber states e$^3\Sigma^-$\,$(v=0,2)$, d$^3\!\Delta$\,$(3)$, a$'^3\Sigma^+$\,$(8)$ and I$^1\Sigma^-$\,$(0)$ which do not cross the A$^1\Pi$\,(0) state may still have some effects, which will be discussed below. A similar methodology as in previous works \cite{Niu2013, Niu2016} is used in the present analysis of the perturbations affecting the A$^1\Pi$\,$(0)$ state of $^{13}$C$^{16}$O. Using the Pgopher software~\cite{pgopher}, we simulate all measured transition frequencies with the same effective Hamiltonian model previously adopted in Ref.~\cite{Niu2013}. The molecular constants in this model were initialised by isotope-scaling the values deduced by Le~Floch \cite{Lefloch-thesis} for $^{12}$C$^{16}$O, and then optimised to best fit the experimental data. A final fit was obtained after observing the correlated effect of pairs of molecular constants, and relied on a total of 17 independent molecular constants fitted to 397 transition frequencies. The transition frequencies obtained from VUV-FT spectra for levels up to $J'=46$ of the A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ $(0,0)$ band and perturber states are used in this analysis, as well as the frequencies from VIS-FT spectra of the B$^1\Sigma^+-$A$^1\Pi$\ $(0,0)$ band. The greatest-accuracy transition frequencies from the laser experiment for low$-J$ of A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$\ $(0,0)$ transitions are preferentially used where possible. To perform a comprehensive perturbation analysis, we also use d$^3\!\Delta-$X$^1\Sigma^+$\ $(4,0)$ frequencies from previous work \cite{Herzberg1970}. In addition, to integrate the various data into our analysis, we weighted their experiment-model residual difference according to the inverse of their respective uncertainties. The unweighted root-mean-square of residuals from the final fit is 0.06 cm$^{-1}$, and is dominated by uncertainties of the lines taken from the least-accurate source, Ref~\cite{Herzberg1970}. The root-mean-square of weighted residuals was 1.2 and sufficiently close to 1 to indicate a satisfactory fit of the model and experiment as a whole. The final set of deperturbed molecular constants obtained from the fit are listed in Table~\ref{Molecons}, where their definitions are the same as in Ref.~\cite{Niu2013}. The spin-orbit interaction parameters between A$^1\Pi$\,(0) and triplet perturber levels are denoted by $\eta$, and the L-uncoupling interaction between A$^1\Pi$\,(0) state and singlet perturbers by $\xi$. Constants with listed uncertainties were fitted parameters while all others were taken from sources indicated in the table footnotes (usually equilibrium constants found by studying other CO isotopologues) and fixed during the fitting procedure. We included e$^3\Sigma^-$\,$(v=0,2)$, d$^3\!\Delta$\,(3) and a$'^3\Sigma^+$\,(8) among our deperturbed levels, even though they have no crossings with A$^1\Pi$\,$(0)$ within our observed $J$-range. Their perturbative effects are expected to be significant but could not be independently estimated because of strong correlations with the A$^1\Pi$\,$(0)$ band origin parameter, $T_v$. Their interaction energies were then deduced from isotope-independent perturbation parameters originally based on experimental work in other isotopologues \cite{Lefloch1987,Hakalla2016} and adapted to interacting levels in our $^{13}$C$^{16}$O model by calculating the relevant isotope-dependent vibrational-overlap factors, as described in Hakalla \emph{et al.} \cite{Hakalla2016}. Perturbation with the I$^1\Sigma^-$$(0)$ state was also investigated in the analysis. However, no effect on the model-experiment residuals could be determined for any reasonable L-uncoupling interaction between I$^1\Sigma^-$\ $(0)$ and A$^1\Pi$\,$(0)$, despite its strong $J$-dependence. Because our spectra only provide data up to $J=46$, the effect of the A$^1\Pi$\,$(0)$ sextic centrifugal distortion parameter, $H$, is at or below our measurement sensitivity and was fixed to the isotopically recalculated value from Le~Floch \cite{Lefloch1987} in our final fit. \section{Conclusion} New spectroscopic data on the A$^1\Pi$\,$(0)$ level in $^{13}$C$^{16}$O was obtained by three different experimental techniques: A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$(0,0) 2+1 UV photon laser REMPI, A$^1\Pi$ $\leftarrow$ X$^1\Sigma^+$$(0,0)$ synchrotron absorption and VUV Fourier-transform spectroscopy, and B$^1\Sigma^+-$A$^1\Pi$$(0,0)$ photoemission in a discharge with visible Fourier-transform spectroscopy. The uncertainty of measured transition frequencies was 0.002\,cm$^{-1}${} for the laser data, 0.01--0.03\,cm$^{-1}${} for the VUV-FTS experiment, and 0.003--0.03 for the VIS-FTS experiment. From this combined data, the level energies of A$^1\Pi$\,(0) were determined up to $J=46$, as well as for the perturbing levels e$^3\Sigma^-$\,$(v)$ and d$^3\!\Delta$\,$(v)$, with accuracies between 0.002 to 0.03\,cm$^{-1}$. Combining the new information with literature data on $^{13}$C$^{16}$O and other CO isotopologues allowed for a deperturbation of this complex of interacting levels and the fitting of model energy levels to all experimental data within their uncertainties. This required fitting 17 independent adjustable parameters. These newly-deduced parameters comprise the molecular constants governing the A$^1\Pi$\,(0), e$^3\Sigma^-$(1), and d$^3\!\Delta$\,(4) levels, as well as the spin-orbit and L-uncoupling parameters connecting e$^3\Sigma^-$(1), d$^3\!\Delta$\,(4), D$^1\!\Delta$\,(0) and ${\rm a}'\,{}^3\Sigma^+(9)$ with A$^1\Pi$\,(0). This data is part of an ongoing study of A$^1\Pi${} levels and their perturbations in multiple CO isotopologues. It is our goal to establish isotope-independent (electronic) perturbation parameters to describe the A$^1\Pi${} of CO for all isotopologues, based on values derived in the present study for $^{13}$C$^{16}$O and previous works on $^{12}$C$^{16}$O ~\cite{Niu2013,Niu2016} and $^{12}$C$^{17}$O \cite{Hakalla2016}. \section*{Acknowledgements} R. Hakalla thanks Laserlab-Europe for support of this research (grants no. 654148 within the European Union's Horizon 2020 Research and Innovation Programme as well as no. 284464 within the EC's Seventh Framework Programme). We are grateful to the general and technical staff of SOLEIL for providing beam time under project no. 20120653 and 20110191. We thank J.-L. Lemaire, M. Eidelsberg, S. Federman, G. Stark, J.R. Lyons for sharing data on CO B$-$X$(0,0)$ photoabsorption ahead of its publication \cite{BX_unpublished}.
{ "redpajama_set_name": "RedPajamaArXiv" }
1,741
[ 128000, 59, 2879, 90, 38255, 633, 50, 1002, 299, 51856, 315, 279, 12782, 1647, 55189, 43030, 8625, 315, 2802, 11, 304, 3544, 961, 11, 1606, 315, 1202, 3560, 439, 279, 10461, 65406, 315, 12025, 22761, 19506, 31206, 6962, 304, 958, 78393, 30614, 93, 59, 68175, 90, 42, 647, 679, 20, 2186, 10408, 78393, 3769, 93, 59, 68175, 90, 3968, 1494, 1368, 679, 20, 2186, 4553, 66017, 93, 59, 68175, 90, 33, 337, 17173, 679, 18, 2186, 520, 1633, 1579, 2579, 13724, 82, 93, 59, 68175, 90, 2356, 85, 939, 89730, 679, 17, 92, 323, 304, 22350, 30630, 66801, 93, 59, 68175, 90, 1360, 331, 17309, 1049, 24, 28374, 32, 496, 14609, 950, 7432, 706, 1101, 1027, 13468, 304, 279, 37232, 85311, 11, 1555, 44225, 477, 41353, 315, 279 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 59, 2879, 90, 38255, 633, 50, 1002, 299, 51856, 315, 279, 12782, 1647, 55189, 43030, 8625, 315, 2802, 11, 304, 3544, 961, 11, 1606, 315, 1202, 3560, 439, 279, 10461, 65406, 315, 12025, 22761, 19506, 31206, 6962, 304, 958, 78393, 30614, 93, 59, 68175, 90, 42, 647, 679, 20, 2186, 10408, 78393, 3769, 93, 59, 68175, 90, 3968, 1494, 1368, 679, 20, 2186, 4553, 66017, 93, 59, 68175, 90, 33, 337, 17173, 679, 18, 2186, 520, 1633, 1579, 2579, 13724, 82, 93, 59, 68175, 90, 2356, 85, 939, 89730, 679, 17, 92, 323, 304, 22350, 30630, 66801, 93, 59, 68175, 90, 1360, 331, 17309, 1049, 24, 28374, 32, 496, 14609, 950, 7432, 706, 1101, 1027, 13468, 304, 279, 37232, 85311, 11, 1555, 44225, 477, 41353, 315, 279, -100 ]
E-Commerce optional add-on + $350. Includes up to 20 items set up in shop. Style: I'll start designing your homepage and get down your look and a game plan to organize the site! Design: Once you've approved my ideas and we've chatted through specifics - it's time to design the rest of the site! Launch: Once every last page has been looked over - it's launch time! I'll walk you through hosting, connect your domain and BAM - you're live! What platform do you use to design? I design all my websites in Squarespace. I have designed in a lot of different platforms, but truly believe Squarespace is the most user friendly and easiest for YOU to maintain and update as a small business owner. Once your design is set - updating photos, text, blogs and products is easy as pie. Plus, I will always be here to help you with any questions you may have! You can check out Squarespace's pricing here. BUT - great news - because we're working together you get an extra 20% off that price for the first year! I already own my domain, can you connect it to my new site? Abso-positively-lutely! I'll just need your login information for your domain provider and will connect it for you when we're ready to go live! No problem! The great thing about Squarespace is, if you pay upfront for a year of hosting you get a FREE domain name! If you want to pay month to month, Squarespace can still hook you up with a domain name and then your website hosting and domain are all in one place. Easy peasy. You will need to provide all of your website copy and photos. I am not a copy writer or photographer, so all your content for your website will need to be provided! Although, I will equip you with a handy dandy outline to check off and make sure you have everythang you need! 50% of the payment is due to secure your spot and the rest will be paid at the end of the process. If you need a payment plan different than that, reach out! I'm all ears on how I can help you the most! I'm ready! When's your next available start date? Reach out and let's chat! I usually am booked between 1-2 months out - but sometimes there are a few dates that fall through or come open! If you need soemthing fast we can make it work. Is this process fun? Because girl, I'm terrified! If there's one thing I can guarantee you - this will not be a painful process! I know it's SO overwhelming to think about creating that perfect site - but I promise that's what I'm here for! I can't wait to make your dream site come to LIFE!
{ "redpajama_set_name": "RedPajamaC4" }
4,248
[ 128000, 36, 12, 34508, 10309, 923, 10539, 489, 400, 8652, 627, 56934, 709, 311, 220, 508, 3673, 743, 709, 304, 8221, 627, 2377, 25, 358, 3358, 1212, 30829, 701, 35689, 323, 636, 1523, 701, 1427, 323, 264, 1847, 3197, 311, 31335, 279, 2816, 4999, 21103, 25, 9843, 499, 3077, 12054, 856, 6848, 323, 584, 3077, 523, 12400, 1555, 49449, 482, 433, 596, 892, 311, 2955, 279, 2800, 315, 279, 2816, 4999, 33167, 25, 9843, 1475, 1566, 2199, 706, 1027, 7111, 927, 482, 433, 596, 7195, 892, 0, 358, 3358, 4321, 499, 1555, 20256, 11, 4667, 701, 8106, 323, 93227, 482, 499, 2351, 3974, 4999, 3923, 5452, 656, 499, 1005, 311, 2955, 5380, 40, 2955, 682, 856, 13335, 304, 20685, 5518, 1330, 13, 358, 617, 6319, 304, 264, 2763 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 36, 12, 34508, 10309, 923, 10539, 489, 400, 8652, 627, 56934, 709, 311, 220, 508, 3673, 743, 709, 304, 8221, 627, 2377, 25, 358, 3358, 1212, 30829, 701, 35689, 323, 636, 1523, 701, 1427, 323, 264, 1847, 3197, 311, 31335, 279, 2816, 4999, 21103, 25, 9843, 499, 3077, 12054, 856, 6848, 323, 584, 3077, 523, 12400, 1555, 49449, 482, 433, 596, 892, 311, 2955, 279, 2800, 315, 279, 2816, 4999, 33167, 25, 9843, 1475, 1566, 2199, 706, 1027, 7111, 927, 482, 433, 596, 7195, 892, 0, 358, 3358, 4321, 499, 1555, 20256, 11, 4667, 701, 8106, 323, 93227, 482, 499, 2351, 3974, 4999, 3923, 5452, 656, 499, 1005, 311, 2955, 5380, 40, 2955, 682, 856, 13335, 304, 20685, 5518, 1330, 13, 358, 617, 6319, 304, 264, 2763, -100 ]
Clifford George Hayes (March 10, 1893 – October 22, 1941) was an African-American multi-instrumentalist and bandleader who recorded jug band music and jazz in the 1920s and 1930s, notably as the leader of the Dixieland Jug Blowers, Clifford's Louisville Jug Band, and Hayes's Louisville Stompers. His main instrument was the violin. Hayes was born in Green County, Kentucky. He moved with his parents to Jeffersonville, Indiana, before 1910 and then relocated to Louisville. He played the fiddle, piano and saxophone and joined the Original Louisville Jug Band in 1913. In 1919, he left to form his own group, the Dixieland Jug Blowers. He made his first recordings in 1924, accompanying the singer Sara Martin as part of the Old Southern Jug Band, with jug virtuoso Earl McDonald. The following year, he recorded for Okeh Records as the leader of Clifford's Louisville Jug Band, and over the next few years recorded in Chicago with the clarinetist Johnny Dodds in the Dixieland Jug Blowers He also led Hayes's Louisville Stompers, who recorded between 1927 and 1929, with the pianist Earl Hines on some tracks. His last recordings were in 1931, when he recorded for Victor Records with Jimmie Rodgers, among others. Most or all of his recordings are prized by collectors all over the world. Hayes died in Chicago in 1941. References African-American musicians 1893 births 1941 deaths American jazz violinists Jug band musicians People from Green County, Kentucky Musicians from Louisville, Kentucky Jazz musicians from Kentucky 20th-century violinists 20th-century African-American people
{ "redpajama_set_name": "RedPajamaWikipedia" }
5,860
[ 128000, 5176, 3168, 541, 10058, 53522, 320, 28623, 220, 605, 11, 220, 9378, 18, 1389, 6664, 220, 1313, 11, 220, 6393, 16, 8, 574, 459, 11904, 24145, 7447, 3502, 20039, 54172, 323, 293, 3397, 1013, 889, 12715, 23200, 7200, 4731, 323, 34997, 304, 279, 220, 5926, 15, 82, 323, 220, 7285, 15, 82, 11, 35146, 439, 279, 7808, 315, 279, 76243, 13327, 438, 56419, 2563, 16345, 11, 86783, 596, 46134, 56419, 17366, 11, 323, 53522, 596, 46134, 800, 14773, 388, 13, 5414, 1925, 14473, 574, 279, 63137, 382, 57564, 288, 574, 9405, 304, 7997, 6406, 11, 26036, 13, 1283, 7882, 449, 813, 6699, 311, 34644, 8078, 11, 22319, 11, 1603, 220, 7529, 15, 323, 1243, 70209, 311, 46134, 13, 1283, 6476, 279, 282, 3390, 11, 27374, 323, 64108 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 5176, 3168, 541, 10058, 53522, 320, 28623, 220, 605, 11, 220, 9378, 18, 1389, 6664, 220, 1313, 11, 220, 6393, 16, 8, 574, 459, 11904, 24145, 7447, 3502, 20039, 54172, 323, 293, 3397, 1013, 889, 12715, 23200, 7200, 4731, 323, 34997, 304, 279, 220, 5926, 15, 82, 323, 220, 7285, 15, 82, 11, 35146, 439, 279, 7808, 315, 279, 76243, 13327, 438, 56419, 2563, 16345, 11, 86783, 596, 46134, 56419, 17366, 11, 323, 53522, 596, 46134, 800, 14773, 388, 13, 5414, 1925, 14473, 574, 279, 63137, 382, 57564, 288, 574, 9405, 304, 7997, 6406, 11, 26036, 13, 1283, 7882, 449, 813, 6699, 311, 34644, 8078, 11, 22319, 11, 1603, 220, 7529, 15, 323, 1243, 70209, 311, 46134, 13, 1283, 6476, 279, 282, 3390, 11, 27374, 323, 64108, -100 ]
pub trait EventLoop { fn foo(&self) {} } pub struct UvEventLoop { uvio: int } impl EventLoop for UvEventLoop { } pub fn main() { let loop_: Box<EventLoop> = box UvEventLoop { uvio: 0 } as Box<EventLoop>; let _loop2_ = loop_; }
{ "redpajama_set_name": "RedPajamaGithub" }
5,384
[ 128000, 9780, 18027, 3749, 14962, 314, 5279, 15586, 2146, 726, 8, 4792, 557, 9780, 2080, 549, 85, 1585, 14962, 341, 262, 30763, 822, 25, 528, 198, 633, 6517, 3749, 14962, 369, 549, 85, 1585, 14962, 314, 557, 9780, 5279, 1925, 368, 341, 262, 1095, 6471, 24089, 8425, 52457, 14962, 29, 284, 3830, 549, 85, 1585, 14962, 314, 30763, 822, 25, 220, 15, 335, 439, 8425, 52457, 14962, 10342, 262, 1095, 721, 10719, 17, 62, 284, 6471, 8756, 534, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 9780, 18027, 3749, 14962, 314, 5279, 15586, 2146, 726, 8, 4792, 557, 9780, 2080, 549, 85, 1585, 14962, 341, 262, 30763, 822, 25, 528, 198, 633, 6517, 3749, 14962, 369, 549, 85, 1585, 14962, 314, 557, 9780, 5279, 1925, 368, 341, 262, 1095, 6471, 24089, 8425, 52457, 14962, 29, 284, 3830, 549, 85, 1585, 14962, 314, 30763, 822, 25, 220, 15, 335, 439, 8425, 52457, 14962, 10342, 262, 1095, 721, 10719, 17, 62, 284, 6471, 8756, 534, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Find store hours, coupons and discounts, phone number and directions for Rental center in SC. 1563 WHISKEY RD #13, AIKEN, SC 29803. 2807 S MAIN ST, ANDERSON, SC 29624. 208 WEST COLUMBIA AVE, BATESBURG, SC 29006. 330 ROBERT SMALLS PKWY, #23, BEAUFORT, SC 29906. 2303 BOUNDARY ST STE 7, BEAUFORT, SC 29906. 207 15-401 BYP W # 3,4 AND 5, BENNETTSVILLE, SC 29512. 2449 CHARLESTON HWY, CAYCE, SC 29033. 1720 SAM RITTENBERG BLVD, CHARLESTON, SC 29407. 1660 SAM RITTENBERG BLVD, CHARLESTON, SC 29407. 932 CHESTERFIELD HWY, CHERAW, SC 29520. 510 BC MOORES DR, CHESTER, SC 29706. 5124 FAIRFIELD RD, COLUMBIA, SC 29203. 2734 DECKER BLVD, COLUMBIA, SC 29206. 7509 GARNERS FERRY RD, STE C, COLUMBIA, SC 29209. 3315-40 BROAD RIVER RD, COLUMBIA, SC 29210. 6432-A TWO NOTCH RD, COLUMBIA, SC 29223. 1610-P CHURCH ST, CONWAY, SC 29526. 2709 CHURCH ST, STE F, CONWAY, SC 29526. 514 LAMAR HWY, DARLINGTON, SC 29532. 1414 HIGHWAY 301 SOUTH, DILLON, SC 29536. 949 S IRBY ST, FLORENCE, SC 29501. 1313 W FLOYD BAKER BLVD, GAFFNEY, SC 29341. 1043 N FRAZIER, GEORGETOWN, SC 29440. 1420 REDBANK RD, GOOSE CREEK, SC 29445. 490-A S PLEASANTBURG DR, GREENVILLE, SC 29607. 2107 LAURENS RD, STE A, GREENVILLE, SC 29607. 2710 ANDERSON ROAD, GREENVILLE, SC 29611. 3219 W BLUE RIDGE DR, GREENVILLE, SC 29611.
{ "redpajama_set_name": "RedPajamaC4" }
2,935
[ 128000, 10086, 3637, 4207, 11, 36398, 323, 32162, 11, 4641, 1396, 323, 18445, 369, 40298, 4219, 304, 7683, 627, 10132, 18, 8662, 1669, 4889, 39092, 674, 1032, 11, 15592, 62929, 11, 7683, 220, 17690, 2839, 627, 11209, 22, 328, 35439, 4015, 11, 3651, 643, 2770, 11, 7683, 220, 17408, 1187, 627, 12171, 66190, 356, 13108, 33, 5987, 362, 4592, 11, 426, 31404, 86194, 38, 11, 7683, 220, 13754, 2705, 627, 10568, 12076, 62537, 50297, 50, 25864, 54, 56, 11, 674, 1419, 11, 7354, 32, 21180, 2938, 11, 7683, 220, 15531, 2705, 627, 9870, 18, 426, 13891, 8812, 4015, 27597, 220, 22, 11, 7354, 32, 21180, 2938, 11, 7683, 220, 15531, 2705, 627, 12060, 220, 868, 12, 10841, 7866, 47, 468, 674, 220, 18, 11, 19, 3651, 220, 20 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 10086, 3637, 4207, 11, 36398, 323, 32162, 11, 4641, 1396, 323, 18445, 369, 40298, 4219, 304, 7683, 627, 10132, 18, 8662, 1669, 4889, 39092, 674, 1032, 11, 15592, 62929, 11, 7683, 220, 17690, 2839, 627, 11209, 22, 328, 35439, 4015, 11, 3651, 643, 2770, 11, 7683, 220, 17408, 1187, 627, 12171, 66190, 356, 13108, 33, 5987, 362, 4592, 11, 426, 31404, 86194, 38, 11, 7683, 220, 13754, 2705, 627, 10568, 12076, 62537, 50297, 50, 25864, 54, 56, 11, 674, 1419, 11, 7354, 32, 21180, 2938, 11, 7683, 220, 15531, 2705, 627, 9870, 18, 426, 13891, 8812, 4015, 27597, 220, 22, 11, 7354, 32, 21180, 2938, 11, 7683, 220, 15531, 2705, 627, 12060, 220, 868, 12, 10841, 7866, 47, 468, 674, 220, 18, 11, 19, 3651, 220, 20, -100 ]
A gift from the artist to Clara Klinghoffer in 1939. J.W.F. Stoppelham; Christie's, London, 13 November 1964, lot 100. Anonymous sale; Christie's, London, 14 July 1967, lot 109. Anonymous sale; Christie's, London, 12 June 1970, lot 85. Purchased by the present owner at the 1977 exhibition. Sketchbook 63, Pissarro Family Archive, Ashmolean Museum, Oxford, inscribed 'From Curtle Way Hill'. Letter from Lucien to Esther Pissarro, Pissarro Family Archive, Ashmolean Museum, Oxford, 29 January 1918. A. Thorold, A Catalogue of the Oil Paintings of Lucien Pissarro, London, 1983, pp. 134-5, no. 273, illustrated. London, New English Art Club, Summer Exhibition, 1918, no. 47. London, Hampstead Art Gallery, Paintings and Drawings by Lucien Pissarro, October - November 1920, no. 36. London, Anthony d'Offay, Lucien Pissarro, November - December 1977, no. 34. London, Browse & Darby, British Paintings 1880-1960, March - April 1982, no. 26, as 'Landscape near Hastings'.
{ "redpajama_set_name": "RedPajamaC4" }
683
[ 128000, 32, 8352, 505, 279, 10255, 311, 51657, 80127, 71, 26133, 304, 220, 7285, 24, 627, 41, 1196, 1006, 13, 800, 67622, 5721, 26, 44406, 596, 11, 7295, 11, 220, 1032, 6841, 220, 5162, 19, 11, 2763, 220, 1041, 627, 33784, 6412, 26, 44406, 596, 11, 7295, 11, 220, 975, 5887, 220, 5162, 22, 11, 2763, 220, 7743, 627, 33784, 6412, 26, 44406, 596, 11, 7295, 11, 220, 717, 5651, 220, 4468, 15, 11, 2763, 220, 5313, 627, 47, 73350, 555, 279, 3118, 6506, 520, 279, 220, 4468, 22, 28099, 627, 76388, 2239, 220, 5495, 11, 393, 1056, 82301, 12517, 30802, 11, 14937, 76, 1775, 16730, 11, 26275, 11, 1672, 17890, 364, 3915, 356, 22492, 12424, 8270, 24482, 35364, 505, 14103, 3675, 311, 84738, 393, 1056, 82301, 11 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 32, 8352, 505, 279, 10255, 311, 51657, 80127, 71, 26133, 304, 220, 7285, 24, 627, 41, 1196, 1006, 13, 800, 67622, 5721, 26, 44406, 596, 11, 7295, 11, 220, 1032, 6841, 220, 5162, 19, 11, 2763, 220, 1041, 627, 33784, 6412, 26, 44406, 596, 11, 7295, 11, 220, 975, 5887, 220, 5162, 22, 11, 2763, 220, 7743, 627, 33784, 6412, 26, 44406, 596, 11, 7295, 11, 220, 717, 5651, 220, 4468, 15, 11, 2763, 220, 5313, 627, 47, 73350, 555, 279, 3118, 6506, 520, 279, 220, 4468, 22, 28099, 627, 76388, 2239, 220, 5495, 11, 393, 1056, 82301, 12517, 30802, 11, 14937, 76, 1775, 16730, 11, 26275, 11, 1672, 17890, 364, 3915, 356, 22492, 12424, 8270, 24482, 35364, 505, 14103, 3675, 311, 84738, 393, 1056, 82301, 11, -100 ]
Currently Watching Page Updates and work in progress The lost balafon of Samorogouan Lacole Traoré tells the story of how a balafon typical of Guinea arrived in his village of Samorogouan, in Western Burkina Faso, and entered the history of his family. The story is one of circulation of musical knowledge and defies most accepted wisdom on griots and musical traditions in West Africa. This music is now… Munumunu [walkabout] Munumunu [walkabout] is a 45 minute-long sequence shot created in collaboration with donso musician Adama 'Kanké' Sanou. Kanké lives in Bolomakoté, Bobo Dioulasso, and makes a living as a musician playing at festivals for the local hunters associations. He asked me to record a 'music video' and I accepted – little did I know that… Harvest Competition in Terranova di Pollino One of the missing pieces from the mosaic I am trying to put together on wheat festivals in Basilicata has to do with production, since in order to make the offerings I photographed at rituals and processions during the past years one needs wheat spikes that are harvested by hand. While wheat is farmed in… San Rocco in San Giorgio Lucano The presence of wheat offerings at the San Rocco procession in San Giorgio Lucano (MT) sends my memory back to the black and white photographs by Franco Pinna, portraying the harvest ritual that Italian ethnologist Ernesto De Martino had asked to re-enact for his research in this same village in 1959. Pinna's images and De… San Rocco in San Paolo Albanese I visited the festival for San Rocco in San Paolo Albanese (PZ) for the first time in 2004. I witnessed for the first time the dances with the wheat sheaves and sickles the following year, shooting with my first digital camera. I meet some of the protagonists of that day 12 years later, as one… Madonna di Costantinopoli in Noepoli The village of Noepoli has an ancient and fascinating history as a cultural centre for Greek Basilian monks in the early middle ages and later as the capital of a local fief. Unlike many of the neighbouring villages where the Virgin protecting the inhabitants is in the shape of a statue, in Noepoli the procession… Madonna del Piano in Episcopia The festival for the Madonna del Piano in Episcopia (PZ) is part of a constellation of rituals that involve parading offerings made of wheat spikes, along the valleys of the Southern Italian rivers Sinni and Sarmento. In Episcopia on August the 5th a wooden statue of the Virgin Mary is carried from a countryside monastery… agriculture amulets animals Basilicata blacksmiths Bobo Dioulasso Burkina Faso bush clothings death donsoya festivals fishing gear harvest homes hunting Islam Italy masks migrants music Orford Ness perception power objects Radio rituals stories tests theatre tools UK village visual anthropology weather wheat women work writing
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
7,976
[ 128000, 34814, 69676, 5874, 198, 38191, 323, 990, 304, 5208, 198, 791, 5675, 9839, 2642, 263, 315, 8388, 269, 540, 283, 276, 198, 43, 582, 1286, 17747, 269, 978, 10975, 279, 3446, 315, 1268, 264, 9839, 2642, 263, 14595, 315, 48903, 11721, 304, 813, 14458, 315, 8388, 269, 540, 283, 276, 11, 304, 11104, 71740, 2259, 435, 40055, 11, 323, 10862, 279, 3925, 315, 813, 3070, 13, 578, 3446, 374, 832, 315, 35855, 315, 18273, 6677, 323, 711, 552, 1455, 11928, 24278, 389, 23854, 2469, 323, 18273, 32006, 304, 4410, 10384, 13, 1115, 4731, 374, 1457, 90578, 44, 359, 372, 63353, 510, 19599, 9274, 933, 44, 359, 372, 63353, 510, 19599, 9274, 60, 374, 264, 220, 1774, 9568, 24725, 8668, 6689, 3549, 304, 20632, 449, 1541, 708, 39844 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 34814, 69676, 5874, 198, 38191, 323, 990, 304, 5208, 198, 791, 5675, 9839, 2642, 263, 315, 8388, 269, 540, 283, 276, 198, 43, 582, 1286, 17747, 269, 978, 10975, 279, 3446, 315, 1268, 264, 9839, 2642, 263, 14595, 315, 48903, 11721, 304, 813, 14458, 315, 8388, 269, 540, 283, 276, 11, 304, 11104, 71740, 2259, 435, 40055, 11, 323, 10862, 279, 3925, 315, 813, 3070, 13, 578, 3446, 374, 832, 315, 35855, 315, 18273, 6677, 323, 711, 552, 1455, 11928, 24278, 389, 23854, 2469, 323, 18273, 32006, 304, 4410, 10384, 13, 1115, 4731, 374, 1457, 90578, 44, 359, 372, 63353, 510, 19599, 9274, 933, 44, 359, 372, 63353, 510, 19599, 9274, 60, 374, 264, 220, 1774, 9568, 24725, 8668, 6689, 3549, 304, 20632, 449, 1541, 708, 39844, -100 ]
Today headphones have become a common thing. It has contributed a lot to an individual's privacy and listening to things without disturbing others. We are now using earphones with some great facilities like noise cancelation, Bluetooth and so on. When it comes to headphones, it took more than a century to reach where we are now. Today almost everyone just takes the wire plug it in our mobile and forget what is happening around us. But the development in headphones was not that easy and quick. It was a very slow and gradual process. Any discussion about headphones will be like which studio headphones are good to mix music and which the most expensive headphone and so on. Here we will discuss the evolution of headphones. It was at the beginning of the 1980s that headphones came into existence. Back in the days, it was a huge speaker that was held near the ears. These headphones were very much dedicated for communication purpose. A few years later it was transformed into electrophone. It was connected to a switchboard. People all over London were able to hear some live performances. This was the first subscription method in the entertainment industry. The cost was five pounds a year. It is hard to believe that for nearly two decades nothing much happened. But many say a lot of people were involved in research to make some modifications in the headphones. In the year 1937 Beyerdynamic which was manufacturing microphones and speakers came up with first headphones. These headphones were totally dedicated to personal listening. It was Beyerdynamic that created a wider reach of headphones among the common people. Until then the headphones were very much confined to the upper class of the society. The DT 48 was an on-ear headphone with a metal band and cables. In 1939 AKG came up with K120 Headphones. It is one of the highest selling headphones of all time. It had great sound quality and also looked good. The world-renowned jazz musician John Koss is one the main reason for the survival of headphones. Koss came up with his own design and invented Koss SP 3. It was the first of its kind with stereo over-ear headphones. It came with a soft cloth wrapped around it. During the 1960s and the '70s, Koss had absolute dominance in the headphone sector. It had eighty percent share in the US market and more than sixty percent share in the world market. One of the biggest names that were associated with Koss was the Beatles. In 1979 Sony came up with a masterpiece called the Sony Walkman, which was a portable audio cassette player. The device came with the headphones packed with it. This laid the strong basement in for Sony to be a strong contender in the audio manufacturing industry. Soon after that many brands such as Phillips and Onkyo entered the headphone market. Their headphones were of good quality at an affordable price. Since there was a heavy competition in the industry, people not just wanted headphones with the good quality they also demanded something that would look good on them. Sony was the first brand to introduce the behind the neckband in headphones. Sennheiser came up with open back head transducer headphones. There were certain brands like Bose and Beyerdynamic that were dedicated to meet the needs of professionals. Bose came up with this amazing technology of noise cancelation. These brands became very common among the professionals because of the quality that they offered. There were a lot of brands emerging in the market in the late 1990s and at the beginning of 2000 that offered good quality and looked cool. Brands like Skull Candy, Boat and Beats were targeted more on the young generation. They gained instant popularity because of the connection that they were able to make among the people.
{ "redpajama_set_name": "RedPajamaC4" }
4,453
[ 128000, 15724, 44101, 617, 3719, 264, 4279, 3245, 13, 1102, 706, 20162, 264, 2763, 311, 459, 3927, 596, 12625, 323, 14624, 311, 2574, 2085, 34973, 3885, 13, 1226, 527, 1457, 1701, 2487, 17144, 449, 1063, 2294, 13077, 1093, 12248, 9299, 367, 11, 24783, 323, 779, 389, 13, 3277, 433, 4131, 311, 44101, 11, 433, 3952, 810, 1109, 264, 9478, 311, 5662, 1405, 584, 527, 1457, 13, 11450, 4661, 5127, 1120, 5097, 279, 9244, 20206, 433, 304, 1057, 6505, 323, 10894, 1148, 374, 12765, 2212, 603, 13, 2030, 279, 4500, 304, 44101, 574, 539, 430, 4228, 323, 4062, 13, 1102, 574, 264, 1633, 6435, 323, 53722, 1920, 627, 8780, 10430, 922, 44101, 690, 387, 1093, 902, 14356, 44101, 527, 1695, 311, 6651, 4731, 323, 902, 279, 1455, 11646, 77501 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 15724, 44101, 617, 3719, 264, 4279, 3245, 13, 1102, 706, 20162, 264, 2763, 311, 459, 3927, 596, 12625, 323, 14624, 311, 2574, 2085, 34973, 3885, 13, 1226, 527, 1457, 1701, 2487, 17144, 449, 1063, 2294, 13077, 1093, 12248, 9299, 367, 11, 24783, 323, 779, 389, 13, 3277, 433, 4131, 311, 44101, 11, 433, 3952, 810, 1109, 264, 9478, 311, 5662, 1405, 584, 527, 1457, 13, 11450, 4661, 5127, 1120, 5097, 279, 9244, 20206, 433, 304, 1057, 6505, 323, 10894, 1148, 374, 12765, 2212, 603, 13, 2030, 279, 4500, 304, 44101, 574, 539, 430, 4228, 323, 4062, 13, 1102, 574, 264, 1633, 6435, 323, 53722, 1920, 627, 8780, 10430, 922, 44101, 690, 387, 1093, 902, 14356, 44101, 527, 1695, 311, 6651, 4731, 323, 902, 279, 1455, 11646, 77501, -100 ]
Show the Planet Some Love This Valentine's Day Hockessin, DE (February 10, 2020) - Love is the universal language but there are many ways to speak it. Join Delaware Nature Society (DelNature) in celebrating… Press Releases, Press Releases and Publications carbon footprint, climate change, climate friendly, Eco-friendly, organic, sustainable, valentines day Nominate Outstanding Environmental Educators – Environmental Awareness in the Classroom Hockessin, DE (February 5, 2020) - Join Delaware Nature Society (DelNature) in recognizing an Outstanding Environmental Educator in 2020. Presented every year since 1982, the Outstanding… Press Releases, Press Releases and Publications awards, Outstanding Environmental Educator Award, teacher award, teachers Daycares and Preschools:  Bring Nature to You Winter weather outside does not have to stop nature fun and education. Now our littlest naturalists can discover local wildlife… Press Releases, Press Releases and Publications classroom, day care, daycare, in-classroom programs, live animal programs, nature programs, outreach, preschool Celebrating the Legacy of Dr. King: Annual Wilmington Community Clean-Up, Peace March, and Celebration Wilmington, DE (January 17, 2020) - To honor the legacy of the Rev. Dr. Martin Luther King the Wilmington community will come together for a 2nd… Press Releases, Press Releases and Publications Community Cleanup, Day of Service, Dr Martin Luther King Jr, L.O.V.E., Martin Lutner King Day, MLK, Peace March, Volunteer, Volunteering, Wilmington Environmental Protection Begins in Your Backyard: Dr. Doug Tallamy Launches New Book at Ashland Nature Center Hockessin, DE (January 16, 2020) - Our natural environment is at greater risk than ever before and there are troubling daily news stories. But there are… Press Releases, Press Releases and Publications Ashland Nature Center, backyard habitat, Certified Wildlife Habitat, Douglas Tallamy, Dr Doug Tallamy, environmental protection, events, Wildlife habitat Delaware Nature Society Receives 4-star Rating from Charity Navigator Wilmington, DE (December 19, 2019) - Delaware Nature Society (DelNature) again earned the coveted 4-star rating for the fourth consecutive year from Charity Navigator for demonstrating… Press Releases, Press Releases and Publications 4-star Rating, accountability, Charity Navigator, financial health, four-star rating, transparency An Environmentally Friendly Holiday Season: A Gift that Lasts a Lifetime Did conversations around the Thanksgiving dinner table spark a desire to do more for the environment throughout the rest of… Press Releases, Press Releases and Publications buy local, christmas, Eco-friendly, gifts, hannukkah, holiday, locally-made Delmarva Power and Delaware Nature Society Partner on New Grant Program to Fund Open Space, Environmental, and Resiliency Projects Newark, DE (November 21, 2019) - Grant period now open for projects across Delaware and Maryland service area A new program funded by Delaware Power and… Press Releases, Press Releases and Publications Delmarva Power, environmental projects, grants, open space, solar installation grant, sustainable communities A Green Halloween for the Bats and Beasties Hockessin, DE (October 28, 2019) - Tips from Delaware Nature Society Halloween can be a celebration that is not-so-green. Make it a Halloween that's not so… Press Releases, Press Releases and Publications bat, candy, Eco-friendly, environmentally friendly, green, Halloween RENEW – Reaching and Engaging through Nature to Empower Wilmington Delaware Nature Society believes that healthy ecosystems are a right of all people, and that conserving the environment contributes to… Articles by Delaware Nature Society, Press Releases and Publications climate change, DEEC, green jobs, nature education, public school programs, RENEW program, Wilmington Nature of Delaware Blog Annual & Biennial Reports Native Plant Gardening Articles
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
461
[ 128000, 7968, 279, 29935, 4427, 10919, 1115, 39869, 596, 6187, 198, 39, 1197, 434, 258, 11, 3467, 320, 33877, 220, 605, 11, 220, 2366, 15, 8, 18722, 29351, 374, 279, 20789, 4221, 719, 1070, 527, 1690, 5627, 311, 6604, 433, 13, 16877, 40838, 22037, 13581, 320, 16939, 79519, 8, 304, 32689, 90578, 6010, 62115, 11, 8612, 62115, 323, 62770, 12782, 43972, 11, 10182, 2349, 11, 10182, 11919, 11, 51951, 22658, 11, 17808, 11, 22556, 11, 1062, 306, 1572, 1938, 198, 37412, 3357, 76441, 25027, 10355, 3046, 1389, 25027, 63135, 304, 279, 77129, 198, 39, 1197, 434, 258, 11, 3467, 320, 33877, 220, 20, 11, 220, 2366, 15, 8, 18722, 12572, 40838, 22037, 13581, 320, 16939, 79519, 8, 304, 49183, 459, 76441, 25027, 10355, 859, 304, 220, 2366, 15 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7968, 279, 29935, 4427, 10919, 1115, 39869, 596, 6187, 198, 39, 1197, 434, 258, 11, 3467, 320, 33877, 220, 605, 11, 220, 2366, 15, 8, 18722, 29351, 374, 279, 20789, 4221, 719, 1070, 527, 1690, 5627, 311, 6604, 433, 13, 16877, 40838, 22037, 13581, 320, 16939, 79519, 8, 304, 32689, 90578, 6010, 62115, 11, 8612, 62115, 323, 62770, 12782, 43972, 11, 10182, 2349, 11, 10182, 11919, 11, 51951, 22658, 11, 17808, 11, 22556, 11, 1062, 306, 1572, 1938, 198, 37412, 3357, 76441, 25027, 10355, 3046, 1389, 25027, 63135, 304, 279, 77129, 198, 39, 1197, 434, 258, 11, 3467, 320, 33877, 220, 20, 11, 220, 2366, 15, 8, 18722, 12572, 40838, 22037, 13581, 320, 16939, 79519, 8, 304, 49183, 459, 76441, 25027, 10355, 859, 304, 220, 2366, 15, -100 ]
Q: Spring Flux doOnNext not executed I'm using Reactive Spring for file upload and I can't quite understand how this works. // Code 1 @PostMapping(value = "/upload", consumes = { MediaType.MULTIPART_FORM_DATA_VALUE }) public Mono<Void> upload(@RequestPart("key") Flux<Part> partFlux) { return partFlux .log(null, Level.INFO) .doOnNext(part -> { logger.info("[Return] " + part.name(), part.headers()); }) .then(); } This receives a multipart request and logs its parts successfully. However, the next version doesn't work: // Code 2 @PostMapping(value = "/upload", consumes = { MediaType.MULTIPART_FORM_DATA_VALUE }) public void upload(@RequestPart("key") Flux<Part> partFlux) { partFlux .log(null, Level.INFO) .doOnNext(part -> { logger.info("[Subscribe] " + part.name(), part.headers()); }) .subscribe(); } The difference is this does not returns but subscribes to the input Flux, which I expect to work as same as Code 1. However in the execution log, even though subscribe itself was successfully called, logging was not performed. So I assumed that somehow Spring ignores/skips the inner subscription, but this was also not true. @PostMapping(value = "/upload", consumes = { MediaType.MULTIPART_FORM_DATA_VALUE }) public void upload(@RequestPart("key") Flux<Part> partFlux) { Flux.just(1, 2, 3, 4) .log(null, Level.INFO) .doOnNext(v -> { logger.info("[Inner] " + v.toString()); }) .subscribe(); } This successfully runs the inner subscription and creates log. I'm confused why Code 1 and 2 works differently, mainly how doOnNext in Code 2 gets ignored. Appendix * *Execution logs of Code 1 2021-10-18 14:28:41.932 TRACE 39084 --- [ctor-http-nio-2] o.s.w.s.adapter.HttpWebHandlerAdapter : [c5c6915b-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:56565] HTTP POST "/upload", headers={masked} 2021-10-18 14:28:41.944 DEBUG 39084 --- [ctor-http-nio-2] s.w.r.r.m.a.RequestMappingHandlerMapping : [c5c6915b-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:56565] Mapped to com.healthhub.rxstudy.rest.FluxUploadController#upload(Flux) 2021-10-18 14:28:41.962 INFO 39084 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | onSubscribe([Fuseable] FluxFlattenIterable.FlattenIterableSubscriber) 2021-10-18 14:28:41.964 INFO 39084 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | request(unbounded) 2021-10-18 14:28:41.981 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : First boundary found @39 in PooledSlicedByteBuf(ridx: 0, widx: 228, cap: 228/228, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.982 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: PREAMBLE -> HEADERS 2021-10-18 14:28:41.982 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : End of headers found @47 in PooledSlicedByteBuf(ridx: 0, widx: 188, cap: 188/188, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.983 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Emitting headers: [Content-Disposition:"form-data; name="key""] 2021-10-18 14:28:41.986 TRACE 39084 --- [ctor-http-nio-2] o.s.http.codec.multipart.PartGenerator : Changed state: INITIAL -> FORM-FIELD 2021-10-18 14:28:41.986 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: HEADERS -> BODY 2021-10-18 14:28:41.987 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Boundary found @43 in PooledSlicedByteBuf(ridx: 0, widx: 140, cap: 140/140, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.987 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Emitting body: PooledSlicedByteBuf(ridx: 0, widx: 2, cap: 2/2, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.987 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: BODY -> HEADERS 2021-10-18 14:28:41.988 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : End of headers found @47 in PooledSlicedByteBuf(ridx: 0, widx: 96, cap: 96/96, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.988 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Emitting headers: [Content-Disposition:"form-data; name="key""] 2021-10-18 14:28:41.989 TRACE 39084 --- [ctor-http-nio-2] o.s.http.codec.multipart.PartGenerator : Emitting: DefaultFormFieldPart{key} 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.http.codec.multipart.PartGenerator : Changed state: FORM-FIELD -> FORM-FIELD 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: HEADERS -> BODY 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Boundary found @43 in PooledSlicedByteBuf(ridx: 0, widx: 48, cap: 48/48, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Emitting body: PooledSlicedByteBuf(ridx: 0, widx: 2, cap: 2/2, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: BODY -> HEADERS 2021-10-18 14:28:41.990 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Last boundary found in PooledSlicedByteBuf(ridx: 0, widx: 4, cap: 4/4, unwrapped: PooledUnsafeDirectByteBuf(ridx: 1471, widx: 1471, cap: 2048)) 2021-10-18 14:28:41.991 TRACE 39084 --- [ctor-http-nio-2] o.s.h.codec.multipart.MultipartParser : Changed state: HEADERS -> DISPOSED 2021-10-18 14:28:41.991 TRACE 39084 --- [ctor-http-nio-2] o.s.http.codec.multipart.PartGenerator : Emitting: DefaultFormFieldPart{key} 2021-10-18 14:28:41.991 TRACE 39084 --- [ctor-http-nio-2] o.s.h.c.m.MultipartHttpMessageReader : [c5c6915b-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:56565] Parsed parts [key] (content masked) 2021-10-18 14:28:41.992 INFO 39084 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | onNext(DefaultFormFieldPart{key}) 2021-10-18 14:28:41.992 INFO 39084 --- [ctor-http-nio-2] c.h.rxstudy.rest.FluxUploadController : [Return] key 2021-10-18 14:28:41.992 INFO 39084 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | onNext(DefaultFormFieldPart{key}) 2021-10-18 14:28:41.992 INFO 39084 --- [ctor-http-nio-2] c.h.rxstudy.rest.FluxUploadController : [Return] key 2021-10-18 14:28:41.992 INFO 39084 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | onComplete() 2021-10-18 14:28:41.993 TRACE 39084 --- [ctor-http-nio-2] o.s.w.s.adapter.HttpWebHandlerAdapter : [c5c6915b-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:56565] Completed 200 OK, headers={masked} 2021-10-18 14:28:41.994 TRACE 39084 --- [ctor-http-nio-2] o.s.h.s.r.ReactorHttpHandlerAdapter : [c5c6915b-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:56565] Handling completed * *Execution logs of Code 2 2021-10-18 14:24:59.157 TRACE 37416 --- [ctor-http-nio-2] o.s.w.s.adapter.HttpWebHandlerAdapter : [ff1c78e0-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:61525] HTTP POST "/upload", headers={masked} 2021-10-18 14:24:59.173 DEBUG 37416 --- [ctor-http-nio-2] s.w.r.r.m.a.RequestMappingHandlerMapping : [ff1c78e0-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:61525] Mapped to com.healthhub.rxstudy.rest.FluxUploadController#upload(Flux) 2021-10-18 14:24:59.190 INFO 37416 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | onSubscribe([Fuseable] FluxFlattenIterable.FlattenIterableSubscriber) 2021-10-18 14:24:59.191 INFO 37416 --- [ctor-http-nio-2] reactor.Flux.MonoFlattenIterable.1 : | request(unbounded) 2021-10-18 14:24:59.207 TRACE 37416 --- [ctor-http-nio-2] o.s.w.s.adapter.HttpWebHandlerAdapter : [ff1c78e0-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:61525] Completed 200 OK, headers={masked} 2021-10-18 14:24:59.209 TRACE 37416 --- [ctor-http-nio-2] o.s.h.s.r.ReactorHttpHandlerAdapter : [ff1c78e0-1, L:/0:0:0:0:0:0:0:1:8080 - R:/0:0:0:0:0:0:0:1:61525] Handling completed
{ "redpajama_set_name": "RedPajamaStackExchange" }
5,884
[ 128000, 48, 25, 12531, 70378, 656, 1966, 5971, 539, 16070, 358, 2846, 1701, 40922, 12531, 369, 1052, 8298, 323, 358, 649, 956, 5115, 3619, 1268, 420, 4375, 627, 322, 6247, 220, 16, 198, 97459, 3764, 284, 3605, 6248, 498, 60606, 284, 314, 51523, 93664, 3378, 3065, 12995, 8055, 7628, 2820, 898, 12980, 44367, 29, 8298, 6084, 1939, 5920, 446, 798, 909, 70378, 27, 5920, 29, 961, 3968, 2249, 8, 341, 262, 471, 961, 3968, 2249, 198, 310, 662, 848, 5074, 11, 9580, 39417, 340, 310, 662, 3055, 1966, 5971, 30213, 1492, 341, 394, 6050, 5506, 11177, 5715, 60, 330, 489, 961, 2710, 1535, 961, 18510, 1449, 310, 2820, 310, 662, 3473, 545, 633, 2028, 21879, 264, 69158, 1715, 323, 18929, 1202, 5596, 7946, 627, 11458, 11, 279, 1828 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 48, 25, 12531, 70378, 656, 1966, 5971, 539, 16070, 358, 2846, 1701, 40922, 12531, 369, 1052, 8298, 323, 358, 649, 956, 5115, 3619, 1268, 420, 4375, 627, 322, 6247, 220, 16, 198, 97459, 3764, 284, 3605, 6248, 498, 60606, 284, 314, 51523, 93664, 3378, 3065, 12995, 8055, 7628, 2820, 898, 12980, 44367, 29, 8298, 6084, 1939, 5920, 446, 798, 909, 70378, 27, 5920, 29, 961, 3968, 2249, 8, 341, 262, 471, 961, 3968, 2249, 198, 310, 662, 848, 5074, 11, 9580, 39417, 340, 310, 662, 3055, 1966, 5971, 30213, 1492, 341, 394, 6050, 5506, 11177, 5715, 60, 330, 489, 961, 2710, 1535, 961, 18510, 1449, 310, 2820, 310, 662, 3473, 545, 633, 2028, 21879, 264, 69158, 1715, 323, 18929, 1202, 5596, 7946, 627, 11458, 11, 279, 1828, -100 ]
Rating is available when the video has been rented. Star Wars - John Williams - Duel Of The Fates - I The Phantom Menace. "Duel of the Fates" is a musical theme recurring in the Star Wars prequel trilogy and the Expanded Universe. It was composed by John Williams and recorded Feb 25, 2017: Beginning with Firefox 52, the Windows Media Player plugin will no longer work. See Why do Java, Silverlight, Adobe Acrobat and other plugins no longer. The Queen, often referred to as the Evil Queen or the Wicked Queen, is a fictional character and the main antagonist in "Snow White", a German fairy tale recorded.
{ "redpajama_set_name": "RedPajamaC4" }
1,488
[ 128000, 22940, 374, 2561, 994, 279, 2835, 706, 1027, 49959, 13, 7834, 15317, 482, 3842, 13926, 482, 58294, 5046, 578, 435, 988, 482, 358, 578, 47297, 11258, 580, 13, 330, 35, 4088, 315, 279, 435, 988, 1, 374, 264, 18273, 7057, 46350, 304, 279, 7834, 15317, 864, 43014, 57886, 323, 279, 40337, 29849, 13, 1102, 574, 24306, 555, 3842, 13926, 323, 12715, 13806, 220, 914, 11, 220, 679, 22, 25, 52950, 449, 27018, 220, 4103, 11, 279, 5632, 7972, 7460, 9183, 690, 912, 5129, 990, 13, 3580, 8595, 656, 8102, 11, 15347, 4238, 11, 29966, 98647, 323, 1023, 17658, 912, 5129, 627, 791, 16657, 11, 3629, 14183, 311, 439, 279, 34819, 16657, 477, 279, 468, 19011, 16657, 11, 374, 264, 44682, 3752, 323, 279, 1925, 82159, 304, 330 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 22940, 374, 2561, 994, 279, 2835, 706, 1027, 49959, 13, 7834, 15317, 482, 3842, 13926, 482, 58294, 5046, 578, 435, 988, 482, 358, 578, 47297, 11258, 580, 13, 330, 35, 4088, 315, 279, 435, 988, 1, 374, 264, 18273, 7057, 46350, 304, 279, 7834, 15317, 864, 43014, 57886, 323, 279, 40337, 29849, 13, 1102, 574, 24306, 555, 3842, 13926, 323, 12715, 13806, 220, 914, 11, 220, 679, 22, 25, 52950, 449, 27018, 220, 4103, 11, 279, 5632, 7972, 7460, 9183, 690, 912, 5129, 990, 13, 3580, 8595, 656, 8102, 11, 15347, 4238, 11, 29966, 98647, 323, 1023, 17658, 912, 5129, 627, 791, 16657, 11, 3629, 14183, 311, 439, 279, 34819, 16657, 477, 279, 468, 19011, 16657, 11, 374, 264, 44682, 3752, 323, 279, 1925, 82159, 304, 330, -100 ]
A-Rod Corp is one of the first to invest in NRG eSports, a millennial-focused content network providing exclusive, multi-platform programming for gamers. eSports is a growing industry, currently reaching an estimated audience of 385 million viewers globally, estimated to grow to $1.5 billion by 2020. Founded by Andy Miller and Mark Mastrov, NRG fields teams across eight major titles with a team of players representing the cornerstone of eSports.
{ "redpajama_set_name": "RedPajamaC4" }
7,263
[ 128000, 32, 11151, 347, 22621, 374, 832, 315, 279, 1176, 311, 2793, 304, 452, 33460, 89796, 11, 264, 2606, 32331, 52373, 2262, 4009, 8405, 14079, 11, 7447, 55125, 15840, 369, 35843, 13, 89796, 374, 264, 7982, 5064, 11, 5131, 19261, 459, 13240, 10877, 315, 220, 18695, 3610, 22511, 31550, 11, 13240, 311, 3139, 311, 400, 16, 13, 20, 7239, 555, 220, 2366, 15, 13, 78811, 555, 25871, 17472, 323, 4488, 386, 23834, 85, 11, 452, 33460, 5151, 7411, 4028, 8223, 3682, 15671, 449, 264, 2128, 315, 4311, 14393, 279, 82575, 315, 89796, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 32, 11151, 347, 22621, 374, 832, 315, 279, 1176, 311, 2793, 304, 452, 33460, 89796, 11, 264, 2606, 32331, 52373, 2262, 4009, 8405, 14079, 11, 7447, 55125, 15840, 369, 35843, 13, 89796, 374, 264, 7982, 5064, 11, 5131, 19261, 459, 13240, 10877, 315, 220, 18695, 3610, 22511, 31550, 11, 13240, 311, 3139, 311, 400, 16, 13, 20, 7239, 555, 220, 2366, 15, 13, 78811, 555, 25871, 17472, 323, 4488, 386, 23834, 85, 11, 452, 33460, 5151, 7411, 4028, 8223, 3682, 15671, 449, 264, 2128, 315, 4311, 14393, 279, 82575, 315, 89796, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Discover free woodworking plans and projects for menards lattice fence panels. Start your next project for menards lattice fence panels with one of our many . # Menards Storage Sheds For Sale - 8x6 Wood Fence Panels . Lattice Panels Menards. February 26, . You found the ※menards fence panels§ at Shopping Cheap Fence Panels Chain Link Fence Vinyl Fence Wood Fence Yard . Fence Panels At Menards. . He also provided a sample of the outside fence wood. provided photos to show that the raked panels would not be visible. . Search results for menards wood fence from Search. Do you have questions about menards wood fence? 6*H x 8*W Stockade Natural Wood Fence Panel at Menards 每 6*H x 8*W; Natural Wood Fence Panel; Pre-assembled; 3 backrails for better picket stability . 689 deals for privacy fence menards on Sale + Filters and Sorting. On Sale. . New England 5.5-ft. Vinyl Privacy Panel - VA42025. 599.99 . $584.98. Free Shipping. 6x8 wood fence panels at menards further cedar lattice fence panel 6x8' outdoor beauty pinterest together with menards cedar fence panels in addition posite fence . Shadowbox wood fence panels at menards together with cedar lattice top fence as well as shadow box fence 4 fences and gates pinterest shadow box fence further wood . 705 deals for menards vinyl privacy fencing on Sale + Filters and Sorting. . Wood Fencing; Swimming Pool and . Grosfillex US963117 3 Panel Resin Patio Fence . Menards wood fence panels. Advertisement. PRO-RIB FENCE PANELS - e2x3s6i4.ssl.hwcdn.net. December 25th,2016 . Tags: menards. PRO-RIB FENCE PANELS. TOOLS NEEDED . Menards wood privacy fence panels. Advertisement. Wood Fence Kits Installation Instructions - The Seventrust. January 26th,2017 . Tags: menards privacy. Wood Fence .
{ "redpajama_set_name": "RedPajamaC4" }
2,882
[ 128000, 51102, 1949, 97053, 6787, 323, 7224, 369, 3026, 2402, 55372, 25675, 21988, 13, 5256, 701, 1828, 2447, 369, 3026, 2402, 55372, 25675, 21988, 449, 832, 315, 1057, 1690, 16853, 2, 11258, 2402, 15035, 1443, 6910, 1789, 13618, 482, 220, 23, 87, 21, 12404, 81063, 81592, 16853, 43, 32891, 81592, 11258, 2402, 13, 7552, 220, 1627, 11, 662, 1472, 1766, 279, 84499, 5794, 2402, 25675, 21988, 18332, 520, 30064, 37034, 81063, 81592, 29625, 6074, 81063, 54634, 81063, 12404, 81063, 39337, 16853, 37, 768, 81592, 2468, 11258, 2402, 13, 662, 1283, 1101, 3984, 264, 6205, 315, 279, 4994, 25675, 7732, 13, 3984, 7397, 311, 1501, 430, 279, 436, 7897, 21988, 1053, 539, 387, 9621, 13, 16853, 6014, 3135, 369, 3026, 2402, 7732, 25675, 505, 7694, 13, 3234, 499, 617 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 51102, 1949, 97053, 6787, 323, 7224, 369, 3026, 2402, 55372, 25675, 21988, 13, 5256, 701, 1828, 2447, 369, 3026, 2402, 55372, 25675, 21988, 449, 832, 315, 1057, 1690, 16853, 2, 11258, 2402, 15035, 1443, 6910, 1789, 13618, 482, 220, 23, 87, 21, 12404, 81063, 81592, 16853, 43, 32891, 81592, 11258, 2402, 13, 7552, 220, 1627, 11, 662, 1472, 1766, 279, 84499, 5794, 2402, 25675, 21988, 18332, 520, 30064, 37034, 81063, 81592, 29625, 6074, 81063, 54634, 81063, 12404, 81063, 39337, 16853, 37, 768, 81592, 2468, 11258, 2402, 13, 662, 1283, 1101, 3984, 264, 6205, 315, 279, 4994, 25675, 7732, 13, 3984, 7397, 311, 1501, 430, 279, 436, 7897, 21988, 1053, 539, 387, 9621, 13, 16853, 6014, 3135, 369, 3026, 2402, 7732, 25675, 505, 7694, 13, 3234, 499, 617, -100 ]
Ismael Maelo Rivera (2) Rafael Cortijo (2) César Concepción (2) Willie Colón (2) James Reese Europe (1) Eddie Palmieri (1) Pedro Flores (1) Héctor Lavoe (1) Arsenio Rodríguez (1) Rubén Blades (1) Bobby Valentín (1) Nemours Jean-Baptiste (1) Juan Morel Campos (1) Rafael Hernández (1) Encyclopedia Articles (9) Guaracha (2) Nueva trova (2) Música tropical (2) Plena (2) Son cubana (2) Rock en español (roc en español) (2) Reggae en español (2) Konpa (compas) (2) Cha-cha (chachachá) (2) Beguine (Biguine) (1) Nueva cancion (1) Neuva Canción (1) Military Band Music (1) Méringue (1) Punta (1) Salsatón (1) Soca (1) Habanera (1) Rock nacional (1) Rumba (Cuba) (1) Timba (1) Latin Rap (1) Décima (1) Danzón (1) Aguinaldo (1) Canción ranchera/ranchera (1) Chamamé (1) Contredanse (contradanza) (1) Puerto Rico (US) (6) Guadeloupe (France) (1) Martinique (France) (1) African Diaspora (3) DJs (Disc Jockeys) (3) Music Ensembles (1) Digital Media and Internet (1) Colonialism and Post-Colonialism (1) Social Phenomena (1) Sort By: Relevance Title Ascending Title Descending Date Ascending Date Descending 1-9 of 9 (1 page) Salsatón Julie A. Sellers Bloomsbury Encyclopedia of Popular Music of the World Volume IX : Genres: Caribbean and Latin America ...Salsatón (or salsaton) is a hybrid, transnational music that integrates elements and artists of two popular musical genres with strong Puerto Rican connections, salsa and reggaeton (reggaetón). These two genres are among a number across... Kim Kattari ...Reggaeton (also spelled reggaetón or reguetón) is a commercially successful genre of music that developed in Puerto Rico during the 1990s and became increasingly popular on an international level throughout the late twentieth and early... Bailanta Pablo Vila Malvina Silba ...Bailanta is used to refer to two highly related but different things: a musical genre that encompasses what in Argentina is considered música tropical, and the physical place where people go to dance those styles of music... Reggae en Español ...A remarkably global style, reggae is sung in as many tongues as places it reaches, and Spanish is no exception. But although Spanish-language reggae artists enjoy popularity in Spain and across Latin America, not to mention wider... Hip-hop in Puerto Rico Melisa Riviere ...As the second largest Hispanic group in the United States, comprising 9 percent of the country's Hispanic population and residing primarily in New York and New Jersey (Albert et al. 2011), Puerto Ricans were essential contributors... T.M. Scruggs Bloomsbury Encyclopedia of Popular Music of the World Volume III : Locations: Caribbean and Latin America ...Population: 2,800,000 (2000) Panama is the southernmost of the Central American republics, a former province of Colombia that now abuts Panama's eastern border; Costa Rica borders the west. The territory forms... Carlos Agurcia ...Population: 6,669,789 (2003) Honduras is located in the heart of Central America. It has borders with Guatemala and El Salvador to the west and Nicaragua to the southeast. There is a short Pacific... Marisol Berríos-Miranda ...Population: 3,885,877 (2003) Puerto Rico is the easternmost island of the Greater Antilles, situated between the Atlantic Ocean to the north and the Caribbean Sea to the south, and bordered on the west by the Mona... The Caribbean Islands Peter Manuel ...Population: ca. 39,700,000 (2001) The Caribbean Islands comprise an archipelago of 14 distinct countries and several more US and European protectorates. In some respects, the islands are best regarded culturally...
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
318
[ 128000, 3957, 1764, 301, 386, 6015, 78, 64210, 320, 17, 340, 49, 2642, 6015, 36775, 48000, 320, 17, 340, 34, 5512, 277, 79718, 44428, 320, 17, 340, 10149, 648, 4349, 3244, 320, 17, 340, 29184, 82639, 4606, 320, 16, 340, 36, 29554, 33578, 55039, 320, 16, 340, 36294, 299, 74052, 320, 16, 340, 39, 978, 5009, 43950, 4748, 320, 16, 340, 84073, 268, 822, 57825, 71437, 28700, 320, 16, 340, 66814, 10610, 90060, 320, 16, 340, 33, 10530, 78040, 25196, 320, 16, 340, 45, 336, 2530, 20263, 7826, 2756, 17194, 320, 16, 340, 93077, 4497, 75, 89565, 320, 16, 340, 49, 2642, 6015, 41556, 78146, 320, 16, 340, 7560, 46226, 29461, 320, 24, 340, 17198, 277, 52676, 320, 17, 340, 45, 51758, 8348, 6723, 320, 17, 340, 44 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 3957, 1764, 301, 386, 6015, 78, 64210, 320, 17, 340, 49, 2642, 6015, 36775, 48000, 320, 17, 340, 34, 5512, 277, 79718, 44428, 320, 17, 340, 10149, 648, 4349, 3244, 320, 17, 340, 29184, 82639, 4606, 320, 16, 340, 36, 29554, 33578, 55039, 320, 16, 340, 36294, 299, 74052, 320, 16, 340, 39, 978, 5009, 43950, 4748, 320, 16, 340, 84073, 268, 822, 57825, 71437, 28700, 320, 16, 340, 66814, 10610, 90060, 320, 16, 340, 33, 10530, 78040, 25196, 320, 16, 340, 45, 336, 2530, 20263, 7826, 2756, 17194, 320, 16, 340, 93077, 4497, 75, 89565, 320, 16, 340, 49, 2642, 6015, 41556, 78146, 320, 16, 340, 7560, 46226, 29461, 320, 24, 340, 17198, 277, 52676, 320, 17, 340, 45, 51758, 8348, 6723, 320, 17, 340, 44, -100 ]
Women's basketball battles Bloomsburg and Kutztown By Jack Ansley Shippensburg University's women's basketball team battled two PSAC East opponents this week — Bloomsburg and Kutztown universities. On Wednesday, the Raiders traveled to Bloomsburg. Senior forward Ariel Jones had her third 30-point game of the season. The Raiders were not able to hold off the Huskies and lost 76-73. Wednesday night's matchup was incredibly tight. The game had 17 lead changes and 19 ties in the game. In the first quarter, both teams went back and forth with the lead and neither was able to have more than a two-point game until two minutes remained in the 1st quarter. The Raiders trailed at the end of the first quarter 24-20. The second quarter was a similar story to the first. Neither team was able to obtain more than a one possession lead. The Raiders gained a three-point lead midway through the second quarter and Jones made a three point, which broke the 28-28 tie and gave the Raiders a three-point lead. In the final five minutes of the first half, the teams continued to go back and forth and traded baskets. The Raiders trailed 36-34 at the half. In the third quarter, the teams continued to go back and forth, trading the lead. The Raiders held an eight-point led with over five minutes to go in the quarter. The Huskies quickly tied the game at 49. The game remained tied at the end of the third quarter. In the fourth quarter, both teams continued to go back and forth. The Huskies got the final basket with six seconds left in regulation and Megan Fisher hit a three to give the Huskies the lead. The Raiders were not able to tie the game up and lost to the Huskies 76-73. The loss snapped the Raiders' five-game win streak. On Saturday, the Raiders looked to bounce back after Wednesday's loss. This game was just as tight as Wednesday's contest. In the first quarter both teams went back and forth. The Golden Bears grabbed a four-point advantage at the end of the first quarter. In the second quarter, the Raiders filled the deficit and tied the game at 31 with twelve seconds to go in the first half. The Raiders went into half tied at 31. In the third quarter, the Golden Bears were able to get some separation from the Raiders. The Golden Bears led the Raiders 49-43 at the end of the third quarter. In the beginning of the fourth quarter, the Golden Bears extended their lead up to nine points in the game. The Raiders fought back and quickly erased the deficit and tied the game at 58 at the end of regulation. In overtime, the Raiders grabbed a lead and didn't look back as they defeated the Golden Bears 68-62. This week, the Raiders will have three games. The Raiders will travel to Millersville on Monday, host Shepherd University on Wednesday and the Bald Eagles on Saturday. Men's Swimming Beats Edinboro 117-73 Men's basketball rolls over Bloomsburg and Kutztown Women's basketball opens season 2-0 By Isaiah Snead
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
8,343
[ 128000, 36190, 596, 19794, 25572, 40491, 7085, 10481, 323, 735, 90102, 785, 198, 1383, 7762, 39553, 3258, 198, 2059, 2877, 78029, 3907, 596, 3278, 596, 19794, 2128, 75440, 1403, 11659, 1741, 6460, 19949, 420, 2046, 2001, 40491, 7085, 10481, 323, 735, 90102, 785, 23978, 13, 1952, 8079, 11, 279, 43136, 31796, 311, 40491, 7085, 10481, 13, 19903, 4741, 76926, 12201, 1047, 1077, 4948, 220, 966, 16983, 1847, 315, 279, 3280, 13, 578, 43136, 1051, 539, 3025, 311, 3412, 1022, 279, 28997, 74, 552, 323, 5675, 220, 4767, 12, 5958, 627, 41619, 3814, 596, 45937, 574, 17235, 10508, 13, 578, 1847, 1047, 220, 1114, 3063, 4442, 323, 220, 777, 20405, 304, 279, 1847, 13, 763, 279, 1176, 8502, 11, 2225, 7411, 4024, 1203, 323, 13544, 449, 279, 3063, 323 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 36190, 596, 19794, 25572, 40491, 7085, 10481, 323, 735, 90102, 785, 198, 1383, 7762, 39553, 3258, 198, 2059, 2877, 78029, 3907, 596, 3278, 596, 19794, 2128, 75440, 1403, 11659, 1741, 6460, 19949, 420, 2046, 2001, 40491, 7085, 10481, 323, 735, 90102, 785, 23978, 13, 1952, 8079, 11, 279, 43136, 31796, 311, 40491, 7085, 10481, 13, 19903, 4741, 76926, 12201, 1047, 1077, 4948, 220, 966, 16983, 1847, 315, 279, 3280, 13, 578, 43136, 1051, 539, 3025, 311, 3412, 1022, 279, 28997, 74, 552, 323, 5675, 220, 4767, 12, 5958, 627, 41619, 3814, 596, 45937, 574, 17235, 10508, 13, 578, 1847, 1047, 220, 1114, 3063, 4442, 323, 220, 777, 20405, 304, 279, 1847, 13, 763, 279, 1176, 8502, 11, 2225, 7411, 4024, 1203, 323, 13544, 449, 279, 3063, 323, -100 ]
Let us have a look at your first statement. Now, the issue of the visit to Mosquito is dealt with on page 1730. Those are the last four digits and I welcome you and encourage you to look through the rest of the statement, but if you can point out to me on 1730 where you state that Mosquito was on a satellite telephone I would be grateful.
{ "redpajama_set_name": "RedPajamaC4" }
4,949
[ 128000, 10267, 603, 617, 264, 1427, 520, 701, 1176, 5224, 13, 4800, 11, 279, 4360, 315, 279, 4034, 311, 12847, 42196, 374, 27023, 449, 389, 2199, 220, 11908, 15, 13, 13266, 527, 279, 1566, 3116, 19016, 323, 358, 10788, 499, 323, 15253, 499, 311, 1427, 1555, 279, 2800, 315, 279, 5224, 11, 719, 422, 499, 649, 1486, 704, 311, 757, 389, 220, 11908, 15, 1405, 499, 1614, 430, 12847, 42196, 574, 389, 264, 24088, 21186, 358, 1053, 387, 26259, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 10267, 603, 617, 264, 1427, 520, 701, 1176, 5224, 13, 4800, 11, 279, 4360, 315, 279, 4034, 311, 12847, 42196, 374, 27023, 449, 389, 2199, 220, 11908, 15, 13, 13266, 527, 279, 1566, 3116, 19016, 323, 358, 10788, 499, 323, 15253, 499, 311, 1427, 1555, 279, 2800, 315, 279, 5224, 11, 719, 422, 499, 649, 1486, 704, 311, 757, 389, 220, 11908, 15, 1405, 499, 1614, 430, 12847, 42196, 574, 389, 264, 24088, 21186, 358, 1053, 387, 26259, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
We buy all over England including Marchamley & from United States including Tustin. Fundamental - 180gram Vinyl + Sealed Oh Mercy - 180gm 45RPM - Sealed US 2-LP vinyl set Can't Get You Out Of My Head UK video Ryuichi Sakamoto Music For Film - Splatter Vinyl Power Up - Yellow Vinyl - Sealed Ouvrez Le Chien [Live Dallas 95] - Sealed UK CD album Enola Gay - Oxblood Coloured Vinyl - Sealed UK 12" vinyl Holy Mountain - Sealed John Wesley Harding - Monaural - Sealed Kind Of Blue - 180gm 45RPM - Sealed US vinyl box set Scottish Artists 60s Female WE BUY VINYL RECORD, CDS & MUSIC MEMORABILIA COLLECTIONS IN WHITE ROCKS HEREFORDSHIRE WHAT WE WANT.. We will travel to White Rocks in Herefordshire to buy your Rare Records, CDs and Pop Memorabilia and we are buying in all of the following local White Rocks areas below. Including all of the Herefordshire boroughs and district areas Herefordshire. To see a list of all the other towns in Herefordshire we buy from click here. Here are just a few examples of what we buy : Records – vinyl LPs, 7-inch & 12-inch singles, EPs, 33 RPM, 45 RPM, Picture Discs, Coloured Vinyls, Test Pressings, Acetates, Demos and Promo/Promotional Items Compact Discs – CD Singles, CD/DVD singles, Limited Editions, 3" CD singles, Boxed Sets, 33 1/3 RPM, 78 RPM Pop Memorabilia – Autographs, Guitars, Picks, Display Items, Photographs, Sheet Music, Vintage Clothing, handwritten lyrics, set lists, tour itinerary, stage props & costumes, paper goods, paintings, sketches, art, concert programmes, concert posters, tickets & stubbs, press kits, photographs, scrap books, Genesis Publications, Osiris, Hapshash & the Coloured Coat, Michael English, Ringo Or Robin, ROR, Apple Boutique items and anything interesting, unusual or downright weird. Gold, Silver & Platinum Record Awards – Certified BPI, RIAA, IFPI or SNEP, authentic in-house variants, Grammy, Ivor Novello, ASCAP, publishing, plaques, shields, trophies, certificates & citations Original 60s & 70s vinyl record pressings by The Beatles, John Lennon, Paul McCartney, George Harrison, Ringo Starr, Marc Bolan / T-Rex, David Bowie, Eric Clapton / Cream, Bob Dylan, Elvis Presley, Fleetwood Mac, Genesis, Jimi Hendrix, Led Zeppelin, Pink Floyd, Queen, Rolling Stones, Bruce Springsteen, Velvet Underground, The Who, Neil Young, Frank Zappa and thousands more always required. Jazz vinyl LPs by Miles Davis, John Coltrane, Dave Brubeck, Paul Gonsalves, Herbie Hancock, Art Pepper, Tina Brooks, Thelonious Monk, Jackie McLean, Shelly Manne, Sonny Clark, Cannonball Adderley, Sonny Stitt, Zoot Simms, Kenny Drew, Duke Pearson, Dexter Gordon, Charlie Parker, Dizzy Gillespie, Don Ellis, Lennie Niehaus, Kenny Clarke, Francy Boland, Donald Byrd, Hank Mobley, Horace Silver British Jazz vinyl LPs by Neil Ardley, Gordon Beck, Bill le Sage, Ronnie Ross, Ian Carr, Jeff Clyne, Tony Coe, Mike Cotton, Michael Garrick, Michael Gibbs, Joe Harriott, John Mayer, Tubby Hayes, Allan Holdsworth, John McLaughlin, Harold McNair, Dudley Moore, Dick Morrissey, Mike Osborne, Stan Tracey, Tony Oxley, Don Rendell, Ronnie Scott, Victor Feldman, John Surman, Keith Tippett, Julie Tippett, Mike Westbrook Pop record collections by Abba, Kate Bush, Mariah Carey, Duran Duran, Kylie Minogue, Madonna, Pet Shop Boys, Spice Girls, U2 Punk, New Wave & Alternative collections by Blur, The Clash, The Cure, The Damned, Depeche Mode, The Jam / Paul Weller, Japan, David Sylvian, Joy Division, New Order, Nirvana, Oasis, Ramones, Sex Pistols, Siouxsie & The Banshees, The Smiths, Morrissey, U2, Bono, The Edge, XTC Rock & Metal collections by AC/DC, Black Sabbath, Ozzy Osbourne, Bon Jovi, Deep Purple, Hawkwind, Iron Maiden, Metallica, Motorhead, Rush, ZZ Top Genres - 60s, 70s, 80s, 90s, Pop, Beat, Rock, Progressive, Psychedelic, Freakbeat, Krautrock, Heavy Metal, Indie, Jazz (modern, be-bop, avant garde, Britjazz), Funk, Fusion, Blues, Soul, R&B, Punk, New Wave, Mod, 2-Tone, Ska, Reggae, Folk, Italo Disco, Library, Motown. Labels - 4AD, A&M, ABC, Ace, Apple, Argo, Arista, Atco, Atlantic, Audio Lab, BBC, Bell, Bethlehem, Blue Horizon, Blue Note, Bronze, Brunswick, Buddah, Cadet, Capitol, Carnaby, Casablanca, CBS, Charisma, Chess, Chrysalis, Columbia, Contemporary, Coral, Cotillon, Dandelion, Dark Horse, Dawn, Decca, Deram, Disneyland, Dot, Dunhill, Elektra, Emarcy, Ember, EMI, Epic, Factory, Fantasy, Fontana, Geffen, Gordy, Harmony, Harvest, HMV, Immediate, Impulse!, Island, Kama Sutra, KPM, Liberty, London, Mainstream, Marmelade, MCA, Mercury, MGM, Monument, Motown, Neon, Odeon, Page One, Paramount, Parlophone, Philips, Planet, Polydor, Portrait, Prestige, Pye, Rare Earth, RCA, Regal Zonophone, Reprise, Ring O', Riverside, Rolling Stone, Roulette, Savoy, Sire, Spark, Stax, Straight, Sue, Sun, Swan, Tamla, Threshold, Transatlantic, Tollie, Tower, Track, United Artists, Universal, Vanguard, Vee Jay, Vertigo swirl, Vertigo spaceship, Verve, Virgin, Volt, Warner, ZTT & etc. If we missed some, we probably need those too. Swap your records for store credit. Top Prices paid for MINT condition originals ! WHY SELL TO US? Our experienced team of buyers has been sourcing records, CDs and music memorabilia collections for over 25 years - we like to keep things simple. We're keen to purchase your quality collectables or second-hand vinyl records and CD's wherever you may be. We will be pleased to quote for your mint condition items and we love to buy complete collections. Sell to us with complete confidence and safety - we even refund your postage. If you have a large or valuable collection we can arrange to visit you. No fees, no negative feedback, no excuses, no fuss. We buy outright and pay immediately. We are a better than a White Rocks high street record shop, independent record shop, record fair or any other place to sell your records in a Market, Town Centre or White Rocks Shopping Centre, Center or Mall and we will pay more than a White Rocks HMV, Our Price, Zavvi, Fopp, Virgin or Rough Trade shop. We buy unwanted Christmas / Xmas / Birthday gifts & presents from the 1960s, 1970s, 1980s, 1990s, 2000s and 2010s. We are the world leader of online sellers & record dealers so make money and cash in on a collectable or blue chip record which has gathered dust for years We also buy Records and CD collections in house clearances and from dead or deceased relatives in the North, South, East and West of Herefordshire Our UK office is located in Kent although we travel worldwide. We have international offices located in Las Vegas USA, and Hiroshima City, Japan. We travel extensively to buy rare items and large collections. Call us first on the numbers below if you have a collection to sell, or e-mail a detailed description of the items you have. Don't delay… you may be surprised at what your records are worth! INSTANT CASH WAITING TODAY Remember, we will travel to White Rocks in Herefordshire to buy your Rare Records, CDs and Pop Memorabilia and we are buying in all of the following local White Rocks areas below. E-mail - [email protected] Call FREE in the UK 0800 345 7551 | From outside the UK +44 (0)1474 815099 Contact our buyers direct on the following numbers: Syd Franklin | UK +44(0)1474 816047 Queen, 70's Rock, any other Rock and Jethro Tull a speciality. Mark Evetts | UK +44(0)1474 816064 Hendrix, Who, Queen, 70s, 80s, 90s Pop, Rock, Indie, Alternative, Metal, Punk, New Wave & Football expert. Richard Austin | UK +44 (0)1474 816052 Our resident hippy - Art Pepper to Frank Zappa, via Tori Amos & Hawkwind. Julian Thomas | UK +44 (0)1474 816069 60s & 70s, Beatles, Stones, Zep, Jazz vinyl collections - British, Modern & Avant Garde. Rich Wilson | UK +44 (0)1474 816059 Jazz, Funk, Disco - strange & unusual preferred. In Japan you can contact: Yashuhiko Yashiki Tel / Fax - 0081-82-245-8830 email - Yashiki Our postal address is: 991 Buyers The Nine Nine One Building Railway Sidings Meopham Kent DA13 0YS We will travel to all the following Countries England, Wales / Cymru, Scotland, Republic of Ireland / Éire, Northern Ireland, France / Française, Belgium / België / Belgique, United States and the Rest of the World A FEW OF THE MOST RECENT ITEMS WE WANT... GEORGIE FAME Rhythm & Blues At The Flamingo (1964 UK 10-track mono LP on the blue & black Columbia label, front laminated flipback picture sleeve with emitex inner. The sleeve shows light wear with a little discolouration to the unlaminated reverse with no splits and the flipbacks secure, whilst the vinyl has light scuffs and moderate spindle wear leaving it a nice VG. A great chance to own this classic at an advantageous price 33SX1599) Tracklisting: 1. Night Train 2. Let The Good Times Roll 3. Do The Dog 4. Eso Beso 5. Work Song 6. Parchman Farm 7. You Can't Sit Down 8. Humpty Dumpty 9. Shop Around 10. Baby Please Don't Go THE RAMONES It's Alive (1979 UK first issue yellow label 28-track double LP, the group's first live release recorded at London's Rainbow Theatre on New Year's Eve 1977, running at an electrifying pace unlike anything before it! The gatefold picture sleeve has some light general wear with the odd few light scuffs, whilst the vinyl remains in excellent condition with minor spindle marks to show play SRK26074) Tracklisting: A1. Rockaway Beach A2. Teenage Lobotomy A3. Blitzkrieg Bop A4. I Wanna Be Well A5. Glad To See You Go A6. Gimme Gimme Shock Treatment A7. You're Gonna Kill That Girl B1. I Don't Care B2. Sheena Is A Punk Rocker B3. Havana Affair B4. Commando B5. Here Today, Gone Tomorrow B6. Surfin' Bird B7. Cretin Hop C1. Listen To My Heart C2. California Sun C3. I Don't Wanna Walk Around With You C4. Pinhead C5. Do You Wanna Dance C6. Chainsaw C7. Today Your Love, Tomorrow The World D1. Now I Wanna Be A Good Boy D2. Judy Is A Punk D3. Suzy Is A Headbanger D4. Let's Dance D5. Oh Oh I Love Her So D6. Now I Wanna Sniff Some Glue D7. We're A Happy Family THE GROUNDHOGS Thank Christ For The Bomb (Classic 1970 UK 9-track stereo vinyl LP on the blue Liberty label, the fourth studio album from the heavy progressive blues trio led by Tony McPhee. The textured gatefold picture sleeve has a small pin-prick sized mark and otherwise shows only minor signs of wear, the vinyl remains in Excellent condition with just some light spindlewear and hairlines to indicate play LBS83295) Tracklisting: A1. Strange Town 4:16 A2. Darkness Is No Friend 2:43 A3. Soldier 4:51 A4. Thank Christ For The Bomb 7:15 B1. Ship On The Ocean 3:27 B2. Garden 5:10 B3. Status People 3:32 B4. Rich Man, Poor Man 3:25 B5. Eccentric Man 4:53 WHAM Fantastic (Archive Quality 1983 Japanese 8-track LP, picture sleeve with a rare twenty-page 'How To Wham' comic magazine & a sixteen-page 'Wham For Naughty Boys & Girls' comic, both packed with colour photos & info and a top obi-strip. This example remains in the open shrink, therefore the sleeve displays hardly any wear at all. Both the magazine and comic look almost new and the vinyl remains in a 'near as new' condition 25.3P-458) Tracklisting: 1. Bad Boys 2. A Ray Of Sunshine 3. Love Machine 4. Wham Rap! (Enjoy What You Do) 5. Club Tropicana 6. Nothing Looks The Same In The Light 7. Come On! 8. Young Guns (Go For It!) More information about can be found at Wikipedia here
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
1,372
[ 128000, 1687, 3780, 682, 927, 9635, 198, 16564, 5587, 309, 3258, 198, 5, 505, 3723, 4273, 2737, 350, 45335, 627, 59440, 44186, 482, 220, 5245, 1549, 54634, 489, 1369, 5962, 198, 12174, 64794, 482, 220, 5245, 27278, 220, 1774, 49, 8971, 482, 1369, 5962, 198, 2078, 220, 17, 8288, 47, 34549, 743, 198, 6854, 956, 2175, 1472, 4470, 5046, 3092, 11452, 198, 25554, 2835, 198, 49, 41101, 41652, 39867, 57960, 198, 25099, 1789, 17042, 482, 52298, 1683, 54634, 198, 15335, 3216, 482, 26541, 54634, 482, 1369, 5962, 198, 46, 12328, 23577, 2009, 921, 3675, 510, 20944, 19051, 220, 2721, 60, 482, 1369, 5962, 198, 25554, 11325, 8176, 198, 1737, 8083, 21334, 482, 507, 8088, 4659, 4349, 21020, 54634, 482, 1369, 5962, 198, 25554, 220, 717, 1, 34549, 198 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1687, 3780, 682, 927, 9635, 198, 16564, 5587, 309, 3258, 198, 5, 505, 3723, 4273, 2737, 350, 45335, 627, 59440, 44186, 482, 220, 5245, 1549, 54634, 489, 1369, 5962, 198, 12174, 64794, 482, 220, 5245, 27278, 220, 1774, 49, 8971, 482, 1369, 5962, 198, 2078, 220, 17, 8288, 47, 34549, 743, 198, 6854, 956, 2175, 1472, 4470, 5046, 3092, 11452, 198, 25554, 2835, 198, 49, 41101, 41652, 39867, 57960, 198, 25099, 1789, 17042, 482, 52298, 1683, 54634, 198, 15335, 3216, 482, 26541, 54634, 482, 1369, 5962, 198, 46, 12328, 23577, 2009, 921, 3675, 510, 20944, 19051, 220, 2721, 60, 482, 1369, 5962, 198, 25554, 11325, 8176, 198, 1737, 8083, 21334, 482, 507, 8088, 4659, 4349, 21020, 54634, 482, 1369, 5962, 198, 25554, 220, 717, 1, 34549, 198, -100 ]
Disneyland will reopen in California on April 30 Updated: 12:28 PM EDT Mar 17, 2021 Orange County appreciates the Disneyland resort for stepping up and providing not just the use off their facility, but also assisting us in staffing, providing supplies and logistical support in our first large scale vaccination program in the county. Normally on operation of this size requires months or planning, but the county, together with our partners at all CF A and Disney, together with the city of Anaheim, stood up this vaccine program in just days. Soon we will be able to vaccinate over 7000 people each day just at this location. And as we get more vaccine doses from the state, the county will stand up other parts, other super parts to dispense tens of thousands off vaccine doses every day. We will continue to do this seven days a week over the next several months. Video above: Disneyland hosted COVID-19 mass vaccination siteDisney will reopen its theme parks in California at the end of April after remaining closed for more than a year due to the coronavirus pandemic. Disneyland announced Wednesday that Disneyland and Disney California Adventure will reopen on April 30 with limited capacity. Under current state guidelines, only California residents can attend the parks."The day all of us have long been waiting for is almost here," Ken Potrock, president of the Disneyland Resort, said in a statement. "We're excited to have more than 10,000 cast members returning to work as we get ready to welcome our guests back to this happy place."All visitors ages 3 and up will require a reservation. Events that draw large group gatherings, such as parades, will not resume immediately.The parks in Southern California closed on March 14, 2020, due to the pandemic. ANAHEIM, Calif. — Video above: Disneyland hosted COVID-19 mass vaccination site Disney will reopen its theme parks in California at the end of April after remaining closed for more than a year due to the coronavirus pandemic. Disneyland announced Wednesday that Disneyland and Disney California Adventure will reopen on April 30 with limited capacity. Under current state guidelines, only California residents can attend the parks. "The day all of us have long been waiting for is almost here," Ken Potrock, president of the Disneyland Resort, said in a statement. "We're excited to have more than 10,000 cast members returning to work as we get ready to welcome our guests back to this happy place." All visitors ages 3 and up will require a reservation. Events that draw large group gatherings, such as parades, will not resume immediately. The parks in Southern California closed on March 14, 2020, due to the pandemic. Carnival, Disney cancel cruises through May
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
8,773
[ 128000, 72765, 1974, 690, 37859, 304, 7188, 389, 5936, 220, 966, 198, 16593, 25, 220, 717, 25, 1591, 5975, 49023, 2947, 220, 1114, 11, 220, 2366, 16, 198, 43069, 6406, 9989, 43398, 279, 75174, 22541, 369, 36567, 709, 323, 8405, 539, 1120, 279, 1005, 1022, 872, 12764, 11, 719, 1101, 46927, 603, 304, 65151, 11, 8405, 17135, 323, 96968, 1862, 304, 1057, 1176, 3544, 5569, 47165, 2068, 304, 279, 14189, 13, 52783, 389, 5784, 315, 420, 1404, 7612, 4038, 477, 9293, 11, 719, 279, 14189, 11, 3871, 449, 1057, 8717, 520, 682, 21459, 362, 323, 16795, 11, 3871, 449, 279, 3363, 315, 72264, 11, 14980, 709, 420, 25474, 2068, 304, 1120, 2919, 13, 32862, 584, 690, 387, 3025, 311, 14027, 3357, 927, 220, 7007, 15, 1274, 1855, 1938 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 72765, 1974, 690, 37859, 304, 7188, 389, 5936, 220, 966, 198, 16593, 25, 220, 717, 25, 1591, 5975, 49023, 2947, 220, 1114, 11, 220, 2366, 16, 198, 43069, 6406, 9989, 43398, 279, 75174, 22541, 369, 36567, 709, 323, 8405, 539, 1120, 279, 1005, 1022, 872, 12764, 11, 719, 1101, 46927, 603, 304, 65151, 11, 8405, 17135, 323, 96968, 1862, 304, 1057, 1176, 3544, 5569, 47165, 2068, 304, 279, 14189, 13, 52783, 389, 5784, 315, 420, 1404, 7612, 4038, 477, 9293, 11, 719, 279, 14189, 11, 3871, 449, 1057, 8717, 520, 682, 21459, 362, 323, 16795, 11, 3871, 449, 279, 3363, 315, 72264, 11, 14980, 709, 420, 25474, 2068, 304, 1120, 2919, 13, 32862, 584, 690, 387, 3025, 311, 14027, 3357, 927, 220, 7007, 15, 1274, 1855, 1938, -100 ]
Home The Sims 3 The Sims 3 Store Sims 3 April Store Sets! Sims 3 April Store Sets! Make sure to check out the Store Content section on the site, I will update the "Hair" Sections accordingly with in game screenshots of the newest hairstyles! Next articleIn Game Screens of the new Sims 3 April Hairs!
{ "redpajama_set_name": "RedPajamaC4" }
1,479
[ 128000, 7778, 578, 52723, 220, 18, 578, 52723, 220, 18, 9307, 52723, 220, 18, 5936, 9307, 12808, 4999, 50, 5861, 220, 18, 5936, 9307, 12808, 4999, 8238, 2771, 311, 1817, 704, 279, 9307, 9059, 3857, 389, 279, 2816, 11, 358, 690, 2713, 279, 330, 70793, 1, 60137, 28178, 449, 304, 1847, 49820, 315, 279, 24519, 89872, 4999, 5971, 4652, 644, 4140, 69781, 315, 279, 502, 52723, 220, 18, 5936, 473, 4825, 0, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 7778, 578, 52723, 220, 18, 578, 52723, 220, 18, 9307, 52723, 220, 18, 5936, 9307, 12808, 4999, 50, 5861, 220, 18, 5936, 9307, 12808, 4999, 8238, 2771, 311, 1817, 704, 279, 9307, 9059, 3857, 389, 279, 2816, 11, 358, 690, 2713, 279, 330, 70793, 1, 60137, 28178, 449, 304, 1847, 49820, 315, 279, 24519, 89872, 4999, 5971, 4652, 644, 4140, 69781, 315, 279, 502, 52723, 220, 18, 5936, 473, 4825, 0, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Project The Rotterdam. After 3 years of mounting, climbing and dismantling again of 5 Wolff luffercranes this project was finished in June 2013. Equipement 3 Wolff 224b at an average height of 175m and 2 Wolff 355b at a height of 180m.
{ "redpajama_set_name": "RedPajamaC4" }
6,055
[ 128000, 8006, 578, 98877, 13, 4740, 220, 18, 1667, 315, 34739, 11, 30608, 323, 49212, 2785, 1578, 315, 220, 20, 96245, 326, 2084, 5192, 14997, 420, 2447, 574, 8220, 304, 5651, 220, 679, 18, 13, 70814, 1133, 220, 18, 96245, 220, 10697, 65, 520, 459, 5578, 2673, 315, 220, 10005, 76, 323, 220, 17, 96245, 220, 17306, 65, 520, 264, 2673, 315, 220, 5245, 76, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 8006, 578, 98877, 13, 4740, 220, 18, 1667, 315, 34739, 11, 30608, 323, 49212, 2785, 1578, 315, 220, 20, 96245, 326, 2084, 5192, 14997, 420, 2447, 574, 8220, 304, 5651, 220, 679, 18, 13, 70814, 1133, 220, 18, 96245, 220, 10697, 65, 520, 459, 5578, 2673, 315, 220, 10005, 76, 323, 220, 17, 96245, 220, 17306, 65, 520, 264, 2673, 315, 220, 5245, 76, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Diabetics at risk for second stroke After suffering a first stroke or transient ischemic attack (TIA), people with diabetes are at greater risk of having another stroke or a heart attack, a new study confirms. But, aggressively lowering cholesterol can help reduce that risk, the researchers report. "Patients who had a stroke or TIA and who have diabetes are at higher risk of having another stroke as compared to patients who have no diabetes or those who have metabolic syndrome," said study researcher Dr Larry B. Goldstein, director of the Duke Stroke Center at Duke University Medical Center in Durham, N.C. "Moreover, statin treatment was similarly effective in reducing risk in patients with and without type 2 diabetes or metabolic syndrome," he said. The report was published in the Archives of Neurology. How the study was done For the study, the research team analysed data from the Stroke Prevention by Aggressive Reduction of Cholesterol Levels (SPARCL) Trial. This trial was designed to look at whether taking high doses of cholesterol-lowering drugs called statins (in this case, Lipitor) would reduce the risk of having a second stroke or TIA. The trial did find that lowering cholesterol reduced the likelihood of another cardiovascular event in patients with recent stroke or TIA. In their analysis, the researchers also looked at the risk of having another stroke, TIA or a heart attack among diabetics and people with metabolic syndrome and whether statin treatment could reduce that risk. Of the 4,731 people in the trial who had had a stroke or TIA, the researchers identified 794 diabetics and 642 with metabolic syndrome. Metabolic syndrome is a group of conditions, including high blood pressure, high blood sugar and high cholesterol, that increase the odds of developing diabetes and heart disease. Compared with non-diabetics, people with diabetes were more likely than others to have another stroke, TIA or other cardiovascular event. They were also more likely to need an angioplasty to open blocked arteries. However, people with metabolic syndrome were not at greater risk of another stroke or TIA or cardiovascular event than those without the syndrome. But they also were at higher risk of needing an angioplasty, the researchers found. Diabetes and stroke risk "The main point of the paper is that intensive lipid-lowering in patients with prior stroke or TIA and without known heart disease provides global benefit of risk reduction," said lead researcher Dr Alfred Callahan, from Vanderbilt University Medical Center in Nashville, Tenn. Dr Ralph Sacco, president of the American Heart Association/American Stroke Association, said the study is largely confirmatory. But it did show that "even among diabetics, statins are still making a difference in terms of reducing risk," he said. Controlling diabetes is important after a serious cardiovascular event, added Sacco, who is also chairman of the department of neurology at Miller School of Medicine of the University of Miami. "We want people to control their diabetes and also treat their blood pressure and treat their cholesterol," he said. (Copyright © 2010 HealthDay. All rights reserved.) WATCH | Egg consumption linked to type 2 diabetes
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
376
[ 128000, 22427, 10448, 1233, 520, 5326, 369, 2132, 12943, 198, 6153, 16066, 264, 1176, 12943, 477, 41658, 98108, 292, 3440, 320, 51, 5987, 705, 1274, 449, 20335, 527, 520, 7191, 5326, 315, 3515, 2500, 12943, 477, 264, 4851, 3440, 11, 264, 502, 4007, 43496, 627, 4071, 11, 49139, 46301, 39086, 649, 1520, 8108, 430, 5326, 11, 279, 12074, 1934, 627, 1, 86245, 889, 1047, 264, 12943, 477, 350, 5987, 323, 889, 617, 20335, 527, 520, 5190, 5326, 315, 3515, 2500, 12943, 439, 7863, 311, 6978, 889, 617, 912, 20335, 477, 1884, 889, 617, 41861, 28439, 1359, 1071, 4007, 32185, 2999, 30390, 426, 13, 7573, 12711, 11, 7690, 315, 279, 27453, 70034, 5955, 520, 27453, 3907, 13235, 5955, 304, 58814, 11, 452, 732, 627, 1, 58276, 11, 2863, 258 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 22427, 10448, 1233, 520, 5326, 369, 2132, 12943, 198, 6153, 16066, 264, 1176, 12943, 477, 41658, 98108, 292, 3440, 320, 51, 5987, 705, 1274, 449, 20335, 527, 520, 7191, 5326, 315, 3515, 2500, 12943, 477, 264, 4851, 3440, 11, 264, 502, 4007, 43496, 627, 4071, 11, 49139, 46301, 39086, 649, 1520, 8108, 430, 5326, 11, 279, 12074, 1934, 627, 1, 86245, 889, 1047, 264, 12943, 477, 350, 5987, 323, 889, 617, 20335, 527, 520, 5190, 5326, 315, 3515, 2500, 12943, 439, 7863, 311, 6978, 889, 617, 912, 20335, 477, 1884, 889, 617, 41861, 28439, 1359, 1071, 4007, 32185, 2999, 30390, 426, 13, 7573, 12711, 11, 7690, 315, 279, 27453, 70034, 5955, 520, 27453, 3907, 13235, 5955, 304, 58814, 11, 452, 732, 627, 1, 58276, 11, 2863, 258, -100 ]
TWO SPARROW swimwear: pieces made from plastic bottles and fishing nets found in the ocean Two Sparrow Australia is a sustainable swimwear brand with a focus on creating comfortable, luxurious swimwear for the socially conscious woman. All Two Sparrow swimwear fabrics are made of recycled plastic bottles and fishing nets found in the ocean, aiming to reduce the impact fast fashion has on the earth. It takes over 200 years for regular swimwear made of nylon to degrade in landfill when thrown out (Generic classification based on chemical composition as defined by the Textile Fiber Products Identification aCT (Manufactured Category)) Two Sparrow is aiming to close the loop by ensuring the brand's swimwear does not end up in landfill by participating in the 'Recycle your Kini' program. When a Two Sparrow swimsuit's life comes to an end, the owner can send a message via the 'Recycle your Kini' enquiry form for a return postbag (Recycled Poly Mailer) which will be mailed out free of charge. From there the swimwear will be sent back to its original source to be further recycled, ensuring it does not go to landfill like regular swimwear which can take up to 200 years to degrade if it was not further recycled. Two Sparrow Australia is the creation of Jade Sewell-Robertson who says, "Sustainability is not just a hot topic – it's the actions we can all take to ensure we do not continue to deplete our natural resources; reducing the ecological imbalance fast fashion creates." There's a two-part mission to Two Sparrow – Sewell-Robertson wants to be a part of the change in making all fashion sustainable including materials, manufacturing and packaging as well as creating beautiful, flattering styles that encourage happiness in women. Sewell-Robertson of Two Sparrow is fully focused on reducing the impact fast fashion has on the earth through ensuring the right fit and style using AI technology to encourage confidence, wherever in the world you may be. Sewell-Robertson's background is in both business and technology says using AI technology helps to get the right fit encouraging sustainability further through less returns and less waste through appropriate sizing – "through our digital fitter, our products are able to find the perfect size, first time round ensuring maximum confidence when wearing bathers because they actually fit", says Sewell-Robertson. "When purchasing swimwear for summer, invest in swimwear that is ethically and sustainably made", says Sewell Robertson. "Buy less, buy better quality and better fitting swimwear to reduce waste from fast swimwear". Not only is Two Sparrow ticking the boxes from an ethical and sustainability point of view, Sewell-Robertson made sure the swimwear brand contained something for everyone. "I wanted to create something I wanted to wear to the beach or that my girlfriends would feel comfortable wearing, says Sewell- Robertson. The launch collection contains underwire tops, soft cups, off the shoulder, high waist, V-bottoms, Midi-bottoms, low back one-pieces and rashie-styles. Source: Two Sparrow by FireHawk Digital POP SENSATION KESHA JOINS MARDI GRAS PARTY LINE-UP The party don't start till she walks in! Glitter goddess and self-proclaimed dance commander Kesha, has officially been announced as a performer at the official Mardi Gras Party on Saturday 29 February, 2020. Kesha has established herself as a defining voice of the decade, having topped the charts with her iconic debut "Tik Tok" and the anthemic "We R Who We R", as well crafting a smorgasbord of 2010's top-ten hits which include "Blah Blah Blah", "Your Love Is my Drug", "Take It Off", "Blow", "Die Young" and her ground-breaking 2017 comeback "Praying". Since her debut in 2009 Kesha has gone on to become one of the most successful recording artists of the 21st century and has sold over 134 million records worldwide. She has amassed a stellar assortment of accolades including: the 5th best-selling single in digital history with "Tik Tok"; 24 award wins comprising the Billboard Women in Music Trailblazer Award and the Gretchen Wyler Genesis Award; and 89 award nominations including seven Billboard Music Awards, two Grammy Awards and three American Music Awards. Kesha last week dropped both the song and video for "My Own Dance", the irreverently witty new single from her hotly anticipated upcoming album 'High Road' (out Jan 10 on Kemosabe/RCA Records). The release continues the wave of addictively fun and perfectly crafted pop started by the acclaimed gospel-inspired rave banger "Raising Hell" (feat. Big Freedia). One of the music industry's most prominent LGBTQI rights activists, Kesha received the 2016 Human Rights Campaign's Visibility Award for her outstanding efforts in promoting equality, and was nominated for outstanding musical artist at the 2018 GLAAD Awards. In 2010 Kesha lent her voice to Dan Savage's "It Gets Better" campaign and wrote her chart topping smash 'We R Who We R' as a direct response to news that bullying had led to multiple suicides of gay youth. Joining the previously announced pop sensation headliner Dua Lipa, is Kesha who along with stacked line-up of eccentric and extraordinary performers and DJs from home and abroad who will fill the atmosphere with pulsing techno, tantalizing house and euphoric gay anthems till the early hours. The Mardi Gras Party is Australia's most treasured LGBTQI Party! 2020 will see Mardi Gras transform The Hordern Pavilion and surrounding areas into a brand-new adult play land, bursting with music, light and performance across new fantasy worlds for you to immerse yourself. Continue riding the joyous vibes post-Parade as our communities come together in this multi-sensory feast. Get in quick, fourth release tickets are on sale now and selling fast! To book, go to www.mardigras.org.au. Source: Mardi Gras Inside the the NGV Gala 2019 The third annual NGV Gala has celebrated the opening of the unprecedented, world premiere exhibition, Keith Haring & Jean-Michel Basquiat: Crossing Lines which intertwines the work of two of the world's most celebrated conceptual artists. In an Australian exclusive appearance, international hip-hop/rap group Salt-N-Pepa performed their hit songs "Push It", "Let's Talk About Sex", "Shoop" and "Whatta Man". International lenders to the blockbuster exhibition were In attendance at the NGV Gala including original stylist to Madonna and famed polaroid photographer Maripol, Warhol Muse and art collector 'Baby' Jane Holzer and International superstar artist KAWS. The night also included three highlight fashion moments on the red carpet with Australian model AKIIMA styled in a spectacular avant-garde Victor & Rolf couture creation, actress Tasia Zalar wearing an elegant dress and jewellery by Indigenous designers Lyn-Al Young and Maree Clarke (both featured In Vogue's 60th anniversary Issue), Australian model Andreja Pejic dressed in custom Romance Was Born and Gina Riley's daughter up and coming actress Maggie McKenna In custom Jason Grech. KEY GUESTS WHO ATTENDED: Georgia May Jagger & Lizzy Jagger: models and daughters of Jerry Hall & Mick Jagger Salt-N-Pepa: Hip Hop/rap duo Andreja Pejic: Supermodel Akiima: Australian Model Tasia Zalar: Actress Rachel Griffiths: Actress Megan Gale and Shaun Hampson: Australian Model/ Retired footballer Phoebe Tonkin: Australian Actress Gemma Ward: Australian Model Isabel Lucas: Australian Actress and Model Samantha Harris: Australian Model Courtney Barnett: Musician Isabella Manfredi: Australian Musician Bella Heathcote: Australian Actress Magda Szubanski: Australian Actress Isabella Giovinazzo: Australian Actress Kate Ceberano: Musician Jacob Luppino & Anthony Pittorino; J'Aton Designers Rebecca Judd: TV Presenter/ Wife of Chris Judd Cameron Robbie: Social Influencer/ Brother of Margot Robbie Natasha Oakley: Social Influencer Elliot Garnaut: Stylist Source: NGV Jan Logan X Tilda Cobham-Hervey collection JAN LOGAN has unveiled the 30th anniversary Merindah Collection for 2020 – a celebration of Jan Logan's personal journey from the sweeping plains of northwest New South Wales to a celebrated and iconically Australian jewellery company. Merindah is a name, meaning beautiful. It comes from the indigenous Gadigal people off the east coast of Australia. Individual pieces in the collection are also a testament to this country's unique landscape, from Brindabella to the Whitsundays. In essence, the collection represents JAN LOGAN's heritage with jewellery for the woman who appreciates ancestral design. Both unique and contemporary, each piece is feminine, fluid and wearable in every way. From the splendid Tilda aquamarine and diamond earrings, to the strength of the Kimberley ring, the clean lines of the Merindah rings to the organic inspiration of the Brindabella pieces, the collection features a range of unique fine jewellery designed to celebrate life's many moments, both large and small. For this major milestone, JAN LOGAN is delighted to introduce Australian actor, Tilda Cobham-Hervey as the stunning face of the Merindah Collection. Tilda has been nominated for an AACTA Award in 2019 for Best Supporting Actor for her compelling role in Hotel Mumbai and is set to star in the highly anticipated Helen Reddy biopic, I am Woman in 2020. "I was so thrilled when I was approached by the JAN LOGAN family to appear in one of their beautiful campaigns. With so many of my wonderful friends in the industry being chosen as faces of JAN LOGAN in the past and to be able to wear such feminine and luxurious but accessible pieces, how could I possibly say no. Having met Jan and hearing her story, she is clearly a visionary – someone similar to the roles I look for in my career. It is an honour and delight to work with such a special family and to be the face of the Merindah Collection in such a milestone moment for the brand celebrating 30 years of business recognition and success". JAN LOGAN has no doubt the Australian-born, LA-based talent's impressive career is set to soar and will be watching her progression with anticipation and pride. JAN LOGAN dedicates this collection in honour of both our journey and our country. Source: JAN LOGAN Offical launch of Flickerfest 2020 at Bondi Icebergs The 29th Flickerfest short film festival has launched at a star-studded event at Bondi Icebergs Dining Room and Bar. A record 3,500 entries from over 100 countries have been received for Flickerfest 2020; a testimony to the fact that Flickerfest is one of the world's leading and most respected platforms for short film. From this large entry field only around 200 of the very best most creative and inspiring shorts will be screened at the Festival, across 16 competitive programmes and four showcase programmes all guaranteed to make you laugh, cry and gasp with delight. Key highlights from the Australian program, which will feature 55 films in total with some brilliant entries for 2020. Many of these films selected will have their World or Australian Premiere at Flickerfest or have been recognized at A- list international festivals including Venice, Tribeca, Sundance and BFI London. Some of which include the world premiere of Chicken by Papua New Guinean-Australian director and writer, Alana Hicks and The Sand That At The Sea by Matthew Thorne. The Hitchhiker by Bondi local and emerging talent, Adele Vuko the woman behind the viral hits Activewear and I Got That Flow. The Australian Premiere of Diver a film by Michael Leonard and Jamie Helmer, which had its world premiere at Venice Film Festival and the NSW Premiere of Backpedal by Dani Pearce who won the Cannes Young Director Award at the Cannes New Creators Showcase earlier this year. The International program will feature the Australian premiere of White Echo, the third short film project which American actress Chloë Sevigny, has written and directed. Also featuring fresh from its Venice premier is The Tear's Thing by acclaimed French actress Clemence Poesy (Harry Potter) and the captivating thriller Talk starring William Baldwin. All films officially selected at Flickerfest are competing for a number of awards across various areas of the filmmaking craft, including the Flickerfest Award for Best International Film, the Yoram Gross Award For Best Animation and the Flickerfest Award For Best Australian Film- all Academy Qualifying. Flickerfest is Australia's only Academy®TM accredited and BAFTA recognised short film festival and, in its 29th year, is one of Sydney's most enduring and adored summer events. Flickerfest kicks off the summer cinema season each year under the stars at Bondi with panoramic outdoor cinemas screening the very best short films on offer from Australia and around the world. After wrapping up the 10-day festival in Bondi, the very best flicks from the festival will then hit the road to 50+ destinations across the country for its annual tour between January and May 2018. Flickerfest screens a vast array of film styles and genres and proud to be bringing back beloved showcase categories such as FlickerKids – a full day of delightful family programming, Rainbow Shorts, featuring the highest quality LGBTIQ+ shorts, Short Laughs – a program of pure joy and side-splitting laughs, Love Bites – juicy stories about relationships and will also feature the very special FlickerUp National Youth Competitions for talented Australian filmmakers under 18 plus an all new ASEAN Region Competition for 2020 in partnership with DFAT and Australian Now 2019. Source: Flickerfest
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
410
[ 128000, 51, 23513, 9440, 946, 15445, 16587, 23581, 25, 9863, 1903, 505, 12466, 27474, 323, 20543, 53557, 1766, 304, 279, 18435, 198, 11874, 70906, 654, 8494, 374, 264, 22556, 16587, 23581, 6883, 449, 264, 5357, 389, 6968, 10882, 11, 43828, 16587, 23581, 369, 279, 40418, 17371, 5333, 627, 2460, 9220, 70906, 654, 16587, 23581, 53054, 527, 1903, 315, 47658, 12466, 27474, 323, 20543, 53557, 1766, 304, 279, 18435, 11, 38178, 311, 8108, 279, 5536, 5043, 11401, 706, 389, 279, 9578, 627, 2181, 5097, 927, 220, 1049, 1667, 369, 5912, 16587, 23581, 1903, 315, 52155, 311, 96630, 304, 85634, 994, 15338, 704, 320, 20560, 24790, 3196, 389, 11742, 18528, 439, 4613, 555, 279, 2991, 458, 54727, 15899, 59776, 264, 1182, 320, 80068, 3149, 10260, 1192, 11874, 70906, 654, 374 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 51, 23513, 9440, 946, 15445, 16587, 23581, 25, 9863, 1903, 505, 12466, 27474, 323, 20543, 53557, 1766, 304, 279, 18435, 198, 11874, 70906, 654, 8494, 374, 264, 22556, 16587, 23581, 6883, 449, 264, 5357, 389, 6968, 10882, 11, 43828, 16587, 23581, 369, 279, 40418, 17371, 5333, 627, 2460, 9220, 70906, 654, 16587, 23581, 53054, 527, 1903, 315, 47658, 12466, 27474, 323, 20543, 53557, 1766, 304, 279, 18435, 11, 38178, 311, 8108, 279, 5536, 5043, 11401, 706, 389, 279, 9578, 627, 2181, 5097, 927, 220, 1049, 1667, 369, 5912, 16587, 23581, 1903, 315, 52155, 311, 96630, 304, 85634, 994, 15338, 704, 320, 20560, 24790, 3196, 389, 11742, 18528, 439, 4613, 555, 279, 2991, 458, 54727, 15899, 59776, 264, 1182, 320, 80068, 3149, 10260, 1192, 11874, 70906, 654, 374, -100 ]
Bollywood on-screen character Disha Patani is considered as one of the most smoking VIPs of Bollywood. Only two movies old, Disha has effectively set the web ablaze with her beguiling and sizzling pictures. Other than her executioner looks, she is additionally among the fittest on-screen characters of B-Town presently. The performer had posted a photo of her on August 19, 2018, on Instagram and in the photo, she can be seen remaining on a shoreline, wearing a dark monokini, combined with shades, with her hair waving alongside the breeze. while. She looks totally dazzling in this clothing and her most recent picture has turned into a web sensation and is breaking the web. Disha has already likewise posted photos of her in monokinis via web-based networking media. The performing artist is likewise a standout amongst the most took after Bollywood famous people on Instagram. On the work front, Disha is preparing for her much-anticipated film 'Bharat' close by Salman Khan and Katrina Kaif. In the motion picture, Disha will assume the part of a trapeze craftsman while Salman Khan will assume the part of a carnival craftsman. Apparently, the film is set in the setting of the Russian carnival of the 1970s. Apparently, Disha Patani will play Salman Khan's sister in the film, yet an official affirmation with respect to her character has not been made yet. To splendidly fit in her character in the film, Disha is experiencing an extreme physical preparing. The on-screen character as of late harmed her knee on the arrangements of the film and supposedly experienced a physiotherapy. On July 28, 2018, the performing artist took to internet based life and posted a photo of her from the arrangements of 'Bharat' and she obviously uncovered the name of her character from the film as 'Radha'. Disha, once said in a meeting to an entry, that she was pleased to be a piece of the film. On the individual front, Disha is supposed to be involved with her 'Baaghi 2' co-star Tiger Shroff. The two have been connected together for many years now, however they have never admitted to it openly.
{ "redpajama_set_name": "RedPajamaC4" }
8,789
[ 128000, 33, 14447, 389, 30360, 3752, 423, 36040, 7281, 5676, 374, 6646, 439, 832, 315, 279, 1455, 20149, 36169, 82, 315, 65286, 13, 8442, 1403, 9698, 2362, 11, 423, 36040, 706, 13750, 743, 279, 3566, 98492, 10033, 449, 1077, 2197, 84, 8138, 323, 274, 90219, 9364, 13, 7089, 1109, 1077, 11572, 261, 5992, 11, 1364, 374, 37938, 4315, 279, 282, 14602, 389, 30360, 5885, 315, 426, 9469, 785, 50801, 627, 791, 49254, 1047, 8621, 264, 6685, 315, 1077, 389, 6287, 220, 777, 11, 220, 679, 23, 11, 389, 14318, 323, 304, 279, 6685, 11, 1364, 649, 387, 3970, 9861, 389, 264, 99164, 11, 12512, 264, 6453, 1647, 564, 6729, 11, 11093, 449, 37199, 11, 449, 1077, 7013, 64211, 16662, 279, 46385, 13, 1418, 13, 3005, 5992, 12756, 78088 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 33, 14447, 389, 30360, 3752, 423, 36040, 7281, 5676, 374, 6646, 439, 832, 315, 279, 1455, 20149, 36169, 82, 315, 65286, 13, 8442, 1403, 9698, 2362, 11, 423, 36040, 706, 13750, 743, 279, 3566, 98492, 10033, 449, 1077, 2197, 84, 8138, 323, 274, 90219, 9364, 13, 7089, 1109, 1077, 11572, 261, 5992, 11, 1364, 374, 37938, 4315, 279, 282, 14602, 389, 30360, 5885, 315, 426, 9469, 785, 50801, 627, 791, 49254, 1047, 8621, 264, 6685, 315, 1077, 389, 6287, 220, 777, 11, 220, 679, 23, 11, 389, 14318, 323, 304, 279, 6685, 11, 1364, 649, 387, 3970, 9861, 389, 264, 99164, 11, 12512, 264, 6453, 1647, 564, 6729, 11, 11093, 449, 37199, 11, 449, 1077, 7013, 64211, 16662, 279, 46385, 13, 1418, 13, 3005, 5992, 12756, 78088, -100 ]
Alexandria Township Minutes and Agendas May 3, 2021 minutes Alexandria, Minnesota 56308 Minutes of the meeting of May 3, 2021 A regular meeting of the Board of Supervisors of Alexandria Township and Board of Adjustment public hearing was held on the 3rd day of May, 2021 at the Alexandria Township Conference Room, 324 Broadway and via teleconference. ROLL CALL: Supervisors present were Jeff Oberg, Joel Dahlheimer, Rod Eldevik, Dennis Butz and Jerry Wright. Also present were Gregg Raisanen, Clerk with Mona Billmark, Treasurer, via teleconference. As said members formed a quorum and the meeting was called to order by Chairman Eldevik at 6:00 p.m. Chairman Eldevik closed the regular meeting to open the first public hearing on the variance request for Tom Wosepka, applicant. William and Judith Kluver, owners. The property is located at 3410 W. Lake Jessie Drive SE. Chairman Eldevik recused himself from hearing this application. Zoning Administrator Oleson reported the variance request is to allow a 2-lot subdivision with less road frontage than required by ordinance. He said that normally lots are required to be at least 150 feet wide. If the lot was split in two, these lots would be 75' and 81' wide, totaling 156' combined. He mentioned that ALASD has frontage of 50' along this parcel. Supervisor Oberg questioned the first staff recommendation concerning the allowance of only an accessory building and not a dwelling. Oleson stated while the township does allow for flag lots, which has a narrower road width, a flag lot would not necessarily apply in this instance. Eldevik spoke on behalf of the owners, William and Judy Kluver. He said their home already exists on one lot, and while there may be room on the other lot for a dwelling south of the proposed accessory building, it would be difficult to place a dwelling on it due to the irregular composition of the tract. Supervisor Wright expressed concern at the creation of two non-conforming lots. Supervisor Dahlheimer agreed. Brad Nyberg, Nyberg Surveying, asked Oleson to provide a definition of a flag lot as it relates to our township ordinance. Dahlheimer expressed concern regarding future subdivision of the property. Oberg suggested verbage to indicate no public road be allowed through the lot. Eldevik agreed that the verbage would curtail future development. Dahlheimer asked if a hardship exists, thus necessitating a variance. He mentioned that perhaps in the future land could be sold to abutting properties. Oleson stated that if the abutting properties wished to extend their propert(ies) to the rear, that process could be treated as a lot line adjustment. He also asked if a sewer stub would need to be placed. Dahlheimer stated that if water is brought in, the sewer stub will need to be established also. Clerk Raisanen explained this would be addressed as part of the building process. Chairman Eldevik opened the second public hearing on the variance request for Tischer Homes, Inc., applicant. Willis Dropik Sr. Living Trust, owner. The property is located at 7617 Co Rd 82 SE. He stipulated that the variance is for a cul de sac road with a length greater than 1200 feet. Oberg clarified that this hearing was only for the cul de sac and not addressing the other recommendations from the planning commission. Eldevik affirmed it was for the length of the cul de sac. Oberg asked Oleson how many other cul de sacs in the township exceed the maximum length of 1200 feet. Oleson stated there are a number of them throughout the township. Oberg asked if there was something different about those cul de sacs in that they were allowed. Dahlheimer explained that some were established before the township ordinance was effective. Oberg asked what prompted the need for the ordinance. Dahlheimer stated the primary reason was to provide easy access for emergency vehicles. Oberg contended that since these were large lots, only a few on the back end would potentially be affected negatively from an emergency standpoint. Dahlheimer felt the risk outweighed the benefit. Oberg was more in favor of the cul de sac extension than the loop, as the loop would necessitate crossing a wetland. Supervisor Wright asked if there was a shared access to the east. Brad Nyberg affirmed. Wright also asked what the actual proposed length of the cul de sac would be. Oleson replied around 1600 feet. Eldevik clarified that the cul de sac would comprise the road stemming from Co Rd 82 extending north and east – not to the west. Dahlheimer stated he was uncomfortable with deviating from our ordinance. He also asked about looping the road to eliminate the need for the variance, i.e. having the loop run down the east side of the development. Matt Hagstrom, Hagstrom Engineering, remarked that a historic drainage path exists. Their intent is to re-route the storm sewer. He also stated getting access across a wetland includes permits along with a major study to determine impacts. He reiterated that the development is limited to the number of accesses coming off 82 by the county. Mr. Radil, a landowner whose property abuts the northern boundary of the proposed subdivision, stated there is a drainage ditch coming from the west that flows through the properties and drains into the wetlands. Eldevik clarified there are two drainage tiles. He also confirmed with Mr. Hagstrom that the applicant would be addressing those drainage needs. Oberg once again mentioned he felt variances to the cul de sac lengths for developments should be reviewed on a case-by-case basis rather than just a hard and fast rule. Clerk Raisanen stated that the reason for the cul de sac length parameters was due to the creation of E. Lake Geneva Road in the Geneva Estates development. It has only one entrance with many homes on the back end by the lake. He stated that the development being proposed does not have the density, and thus some of the safety concerns, of the Geneva Estates development. Oberg also mentioned the possibility of extending the T-road to the north and the potential implications for the variance. Brad Nyberg provided a list of longer cul de sacs currently in the township. Hearing no further public comments, Chairman Eldevik closed the public hearing and resumed the regular township meeting. Oberg, seconded by Wright, made a motion to adopt the agenda with the addition of the Wosepka Variance under Planning and Zoning. Motion carried unanimously. Butz, seconded by Dahlheimer, made a motion to approve the minutes of the 04/19/2021 regular board meeting as written. Motion carried unanimously. Dahlheimer, seconded by Butz, made a motion to authorize payment of claims 21084 – 21093 in the amount of $18,151.41, net payroll $4,792.44, totaling $22,943.85 with no transfer of funds from savings. Motion carried unanimously. CITIZEN'S CONCERNS: none PLANNING AND ZONING: Chairman Eldevik asked for discussion on the Wosepka variance. Hearing none, he called for a motion. Oberg, seconded by Butz, made a motion to approve the variance request with the condition that no public road be allowed to pass through the property. Roll: Wright – yes, Oberg – yes, Dahlheimer – no, Butz – yes, Motion carried. Chairman Eldevik asked for discussion on the application requests submitted by Tischer Homes, Inc. A question was raised regarding "spot zoning." Oleson stated that the application is for the entire development to be zoned Commercial – Rural. When questioned about the need for the CUP, Oleson stated that the conditional use request is necessitated by the PUD aspect, which in turn provides the town some flexibility with regard to the commercial uses allowed. Mr. Tischer reported that Lot 22, the easternmost lot abutting Co Rd 82, would house storage buildings for sale. Discussion ensued regarding the amount of impervious coverage allowed per lot. By ordinance, up to 75% can be considered impervious for commercial lots and 25% for residential lots. Mr. Tischer is asking for the impervious limit to be set at 35% due to the residential/commercial aspect of a shouse building. Oberg suggested as a condition of approval that all structures be limited to 10%/lot. Mr. Hagstrom indicated he will discuss drainage easements with Engineer Kuhn. Seeing no further discussion, Chairman Eldevik called for a motion on the variance request. Oberg, seconded by Butz, made a motion to approve the variance permitting a road length greater than the maximum allowed by ordinance. Roll: Wright – no, Oberg – yes, Dahlheimer – no, Butz – yes, Eldevik – yes. Motion carried. Chairman Eldevik called for a motion on the zoning map amendment request. Dahlheimer, seconded by Butz, made a motion to approve rezoning from Rural Conservation Residential (RCR) to Commercial – Rural (C – R). Roll: Wright – yes, Oberg – yes, Dahlheimer – no, Butz – yes, Eldevik – yes. Motion carried. Chairman Eldevik called for a motion on the conditional use request. Oberg, seconded by Dahlheimer, made a motion to approve the conditional use request with the conditions set forth in the staff report and summary, revisions as follows: 1) changing condition no. 2 to read the hours of operation to be from 7 am – 7 pm; 2) changing condition no. 5 to reflect all structures be limited to 10% of total lots size and reduce the amount of impervious coverage per lot from 35% to 25%. Chairman Eldevik opened the meeting for discussion. Mr. Tischer stated he preferred to keep the impervious limits at the 35% level as he will have protective covenants in place. He stressed that each home would have one vote, thus further safeguarding what is placed on each lot. Seeing no further discussion, Chairman Eldevik called for a roll call vote: Wright – yes, Oberg – yes, Dahlheimer – yes, Butz – yes, Eldevik – yes. Motion carried unanimously. Chairman Eldevik called for a motion on the preliminary plat of Eastwood Estates. Eldevik, seconded by Oberg, made a motion to approve the preliminary plat of Eastwood Estates with conditions 3, 4 and 6 as outlined in the staff report by the planning commission and adding the condition that an adequate drainage solution be reached benefitting both the development and Mr. Radil's property. Roll: Wright – yes, Oberg – yes, Dahlheimer – yes, Butz – yes, Eldevik – yes. Motion carried unanimously. Oleson reported that violation letters had been sent to Alden Just and Doug Norris. He said he had not yet made a site visit to the Chris Just property. Consensus to discuss the Dropik property clean-up process after the auction date. ENGINEER'S REPORT: Clerk Raisanen reported the township received three quotes for gravel specifying a 3000 ton limit: Alden Just Road Maintenance quoted $15/ton; Central Specialties $15.80/ton and Mark Lee Excavating $17/ton. Consensus to potentially add another 1000 ton if needed after the initial 3000 ton is applied. Dahlheimer, seconded by Butz, made a motion to accept Alden Just Road Maintenance's quote of $15/ton. Motion carried unanimously. Clerk Raisanen reported the township received one quote for calcium chloride, from Alden Just Road Maintenance, in the amount of $1.30/gallon. He stated this equated to the county engineer's estimate. It was noted that the quote from Mr. Just is one cent/gallon less than last year. Dahlheimer remarked that the value in utilizing Mr. Just's services is that he can make multiple applications versus the county applying a one-time chloride spread for the season. Dahlheimer, seconded by Butz, made a motion to accept Alden Just Road Maintenance's quote of $1.30/gallon for calcium chloride applications. Motion carried unanimously. OLD BUSINESS: none NEW BUSINESS: none Being no further business, Oberg, seconded by Butz, made a motion to adjourn the meeting. Meeting adjourned at 8 p.m. Respectfully submitted…. Gregg Raisanen, Clerk Approved this ____ day of ________, 2021 Rod Eldevik, Chairman ← May 3, 2021 agenda May 17, 2021 agenda → Copyright © 2016 Alexandria Township · Site Happily Grown by CYBERsprout · Provide Feedback
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
3,125
[ 128000, 28487, 438, 4298, 53767, 198, 28820, 323, 4701, 42607, 198, 11356, 220, 18, 11, 220, 2366, 16, 4520, 198, 28487, 438, 4298, 11, 19461, 220, 21789, 2318, 198, 28820, 315, 279, 6574, 315, 3297, 220, 18, 11, 220, 2366, 16, 198, 32, 5912, 6574, 315, 279, 8925, 315, 62924, 42314, 315, 57233, 53767, 323, 8925, 315, 93049, 586, 11011, 574, 5762, 389, 279, 220, 18, 6634, 1938, 315, 3297, 11, 220, 2366, 16, 520, 279, 57233, 53767, 15217, 10637, 11, 220, 16723, 37776, 323, 4669, 8122, 79590, 627, 23081, 26836, 25, 62924, 42314, 3118, 1051, 12149, 507, 7881, 11, 39447, 87967, 35180, 11, 13611, 4072, 3667, 1609, 11, 35727, 2030, 89, 323, 29808, 27839, 13, 7429, 3118, 1051, 81796, 432, 2852, 276, 268, 11, 63240, 449, 99883 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 28487, 438, 4298, 53767, 198, 28820, 323, 4701, 42607, 198, 11356, 220, 18, 11, 220, 2366, 16, 4520, 198, 28487, 438, 4298, 11, 19461, 220, 21789, 2318, 198, 28820, 315, 279, 6574, 315, 3297, 220, 18, 11, 220, 2366, 16, 198, 32, 5912, 6574, 315, 279, 8925, 315, 62924, 42314, 315, 57233, 53767, 323, 8925, 315, 93049, 586, 11011, 574, 5762, 389, 279, 220, 18, 6634, 1938, 315, 3297, 11, 220, 2366, 16, 520, 279, 57233, 53767, 15217, 10637, 11, 220, 16723, 37776, 323, 4669, 8122, 79590, 627, 23081, 26836, 25, 62924, 42314, 3118, 1051, 12149, 507, 7881, 11, 39447, 87967, 35180, 11, 13611, 4072, 3667, 1609, 11, 35727, 2030, 89, 323, 29808, 27839, 13, 7429, 3118, 1051, 81796, 432, 2852, 276, 268, 11, 63240, 449, 99883, -100 ]
Salish Sea Biological Opinion Provides Path for Nearshore Projects while Safeguarding Species Pending shoreline projects in the Salish Sea can now proceed under a new regulatory tool, a programmatic consultation. The tool provides for efficient Endangered Species Act reviews in nearshore habitat of the Salish Sea while also protecting some of the most important but imperiled habitat for threatened salmon and steelhead. The U.S. Army Corps of Engineers and NOAA Fisheries collaborated to develop the programmatic action to help stop the net loss of nearshore habitat. That's where young salmon have their last chance to grow before migrating to the ocean. Their growth in the shoreline marsh and wetlands improves their odds of returning from the ocean as adults. Adult salmon support tribal, sport, and commercial fisheries and provide food for endangered Southern Resident killer whales. The same shorelines attract homes, harbors, seawalls, and other development efforts that have altered or eliminated more than 70 percent of nearshore habitat in Puget Sound and the Salish Sea. These habitat losses have depressed the survival of young salmon in that crucial stage. They have outpaced restoration of salmon habitat, often negating state and federal efforts to help recover fish populations. "To save the species we have to provide the habitat they need, but we have been losing it faster than we can restore it," said Kim Kratz, Assistant Regional Administrator for NOAA Fisheries' West Coast Region. "Finally we are turning a corner." The new tool streamlines ESA consultations by identifying measures that proponents can incorporate into their construction and maintenance projects up front that minimize impacts to species and avoid costly changes later. "This makes the process clear and predictable, so everyone knows what's needed," Kratz said. Biological Opinions Identify Measures to Reduce Impacts NOAA Fisheries develops biological opinions for projects such as wharves and piers permitted by the U.S. Army Corps of Engineers when those permitted activities may adversely affect threatened and endangered species. The biological opinions identify measures to reduce impacts on the species. More than 100 projects with pending consultations across Puget Sound mounted as NOAA Fisheries and the Corps sought a way forward that would avoid more harm to the species, while allowing development in a predictable and efficient manner. Use of the programmatic consultation requires project proponents to reduce or offset the long-term impacts with habitat of equal value to ESA-listed species. The consultation should streamline the review process, because it covers many types of projects, avoiding individual evaluations of each one, and can cover both pending and new projects proposed in the coming years. Proponents have different options to meet the habitat standards. They can redesign their projects to reduce effects, or take additional steps to improve habitat, such as by removing toxic creosote pilings. They also could choose to obtain conservation credits through conservation banks that help fund larger restoration projects. Calculator Quantifies Habitat Losses To help project proponents weigh their options, NOAA Fisheries developed a "Conservation Calculator" to assess the value of lost habitat. Based on decades of salmon habitat science, the calculator translates the attributes of habitat to be developed into a number of habitat debits. Proponents can then seek options that provide the credits they need to offset the debits. "There is flexibility there, but the calculator also provides predictability," Kratz said. "It ensures nobody is responsible for any more or less than necessary to address the impacts of their projects. The point is to make it easy, so every project does not have to have its own analysis, which is expensive for everyone." NOAA Fisheries and the Corps will work together to address pending projects under the new programmatic consultation as quickly as possible. The work builds on a memorandum signed by the NOAA Administrator and the Assistant Secretary of the Army for Civil Works in January. It articulates a mutual understanding of how the agencies evaluate the impacts of maintaining existing structures.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
6,053
[ 128000, 17691, 819, 15379, 63711, 60767, 37717, 8092, 369, 31494, 29526, 32323, 1418, 12867, 82971, 287, 51567, 198, 33127, 99164, 7224, 304, 279, 8375, 819, 15379, 649, 1457, 10570, 1234, 264, 502, 23331, 5507, 11, 264, 2068, 38344, 29173, 13, 578, 5507, 5825, 369, 11297, 4060, 97409, 51567, 3298, 8544, 304, 3221, 29526, 39646, 315, 279, 8375, 819, 15379, 1418, 1101, 22973, 1063, 315, 279, 1455, 3062, 719, 17190, 2230, 39646, 369, 21699, 41420, 323, 9699, 2025, 627, 791, 549, 815, 13, 13309, 31242, 315, 49796, 323, 86748, 94505, 78174, 311, 2274, 279, 2068, 38344, 1957, 311, 1520, 3009, 279, 4272, 4814, 315, 3221, 29526, 39646, 13, 3011, 596, 1405, 3995, 41420, 617, 872, 1566, 6140, 311, 3139, 1603, 85626, 311, 279, 18435, 13, 11205, 6650, 304, 279 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 17691, 819, 15379, 63711, 60767, 37717, 8092, 369, 31494, 29526, 32323, 1418, 12867, 82971, 287, 51567, 198, 33127, 99164, 7224, 304, 279, 8375, 819, 15379, 649, 1457, 10570, 1234, 264, 502, 23331, 5507, 11, 264, 2068, 38344, 29173, 13, 578, 5507, 5825, 369, 11297, 4060, 97409, 51567, 3298, 8544, 304, 3221, 29526, 39646, 315, 279, 8375, 819, 15379, 1418, 1101, 22973, 1063, 315, 279, 1455, 3062, 719, 17190, 2230, 39646, 369, 21699, 41420, 323, 9699, 2025, 627, 791, 549, 815, 13, 13309, 31242, 315, 49796, 323, 86748, 94505, 78174, 311, 2274, 279, 2068, 38344, 1957, 311, 1520, 3009, 279, 4272, 4814, 315, 3221, 29526, 39646, 13, 3011, 596, 1405, 3995, 41420, 617, 872, 1566, 6140, 311, 3139, 1603, 85626, 311, 279, 18435, 13, 11205, 6650, 304, 279, -100 ]
Envisioning the Infrastructure to Support Drone Deliveries Grant Guillot Host, Drones in America Grant Guillot advises companies that provide drone/unmanned aircraft system (UAS) services, as well as companies operating in industries that are increasingly using drones, such as construction, energy/oil and gas, forestry and agriculture, public safety, telecommunications, and transportation and logistics. He regularly represents clients in contractual matters between UAS companies and businesses seeking to retain UAS operators. Grant assists commercial drone users with the concurrent navigation of federal, state, and local UAS regulations. He works with companies seeking type certification, Part 135 certification, waivers, exemptions, and other authorizations from the Federal Aviation Administration. He also advocates on behalf of businesses and trade associations before legislative and executive decision-makers at the state and local levels to promote a favorable and effective regulatory environment for UAS operations. In addition, Grant assists businesses with crafting and implementing strategies to achieve maximum cost efficiency and risk reduction through the use of UAS. Considered a thought leader by drone service providers and end-user entities, Grant has been featured on Fox Business and Fox News to discuss the opportunities and challenges arising from the exponential adaptation of drones worldwide. His articles have been published in numerous legal and trade publications, and he regularly serves as a speaker or moderator at industry events. Grant is also the host of "Drones in America", a weekly video podcast produced by MarketScale that includes industry leaders, influencers, and experts who explore the rapidly growing commercial drone industry in the U.S. and examine the complex web of technology, policy, and other topics, such as expanding the involvement of women and minorities in the industry. With an audience of up to 2,000 viewers per episode, featured guests have included top-ranking officials from the Federal Aviation Administration and Congress as well as chief executives from leading companies in the industry. Sid Venkat Global Account Manager & MD, EVA Tobias Hoffmann Head of Research & Development, EVA June 30, 2021 09:00AM CST
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
1,315
[ 128000, 1737, 13311, 287, 279, 45587, 311, 9365, 74581, 65752, 552, 198, 69071, 74738, 354, 198, 9480, 11, 423, 32921, 304, 5270, 198, 69071, 74738, 354, 70074, 5220, 430, 3493, 27811, 36317, 76, 7443, 14467, 1887, 320, 52, 1950, 8, 3600, 11, 439, 1664, 439, 5220, 10565, 304, 19647, 430, 527, 15098, 1701, 38332, 11, 1778, 439, 8246, 11, 4907, 20886, 321, 323, 6962, 11, 88134, 323, 30029, 11, 586, 7296, 11, 62866, 11, 323, 18386, 323, 43257, 13, 1283, 15870, 11105, 8403, 304, 76543, 13146, 1990, 549, 1950, 5220, 323, 9873, 11125, 311, 14389, 549, 1950, 20197, 13, 24668, 29944, 8518, 27811, 3932, 449, 279, 35135, 10873, 315, 6918, 11, 1614, 11, 323, 2254, 549, 1950, 14640, 13, 1283, 4375, 449, 5220, 11125, 955, 28706, 11, 3744 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1737, 13311, 287, 279, 45587, 311, 9365, 74581, 65752, 552, 198, 69071, 74738, 354, 198, 9480, 11, 423, 32921, 304, 5270, 198, 69071, 74738, 354, 70074, 5220, 430, 3493, 27811, 36317, 76, 7443, 14467, 1887, 320, 52, 1950, 8, 3600, 11, 439, 1664, 439, 5220, 10565, 304, 19647, 430, 527, 15098, 1701, 38332, 11, 1778, 439, 8246, 11, 4907, 20886, 321, 323, 6962, 11, 88134, 323, 30029, 11, 586, 7296, 11, 62866, 11, 323, 18386, 323, 43257, 13, 1283, 15870, 11105, 8403, 304, 76543, 13146, 1990, 549, 1950, 5220, 323, 9873, 11125, 311, 14389, 549, 1950, 20197, 13, 24668, 29944, 8518, 27811, 3932, 449, 279, 35135, 10873, 315, 6918, 11, 1614, 11, 323, 2254, 549, 1950, 14640, 13, 1283, 4375, 449, 5220, 11125, 955, 28706, 11, 3744, -100 ]
The OpenNaaS development team is proud to announce the release 0.30 of OpenNaaS! This release includes the lasts blocks of functionalities required by the OFERTIE FP7 project, as well as the firsts requirements of the DOLFIN FP7 project. New implemented features provide the ability of reading, but also reporting, network statistics by circuit, flow and device port to SLA Managers and SDN applications. Please find all the details about this release in OpenNaaS news page. This entry was posted in Software and tagged DOLFIN, OFERTIE, OpenNaaS, Software Defined Networks. Bookmark the permalink.
{ "redpajama_set_name": "RedPajamaC4" }
2,344
[ 128000, 791, 5377, 45, 65710, 4500, 2128, 374, 12691, 311, 22203, 279, 4984, 220, 15, 13, 966, 315, 5377, 45, 65710, 4999, 2028, 4984, 5764, 279, 40758, 10215, 315, 93180, 2631, 555, 279, 3083, 3481, 5484, 34651, 22, 2447, 11, 439, 1664, 439, 279, 1176, 82, 8670, 315, 279, 423, 1971, 17167, 34651, 22, 2447, 13, 1561, 11798, 4519, 3493, 279, 5845, 315, 5403, 11, 719, 1101, 13122, 11, 4009, 13443, 555, 16622, 11, 6530, 323, 3756, 2700, 311, 17216, 32, 62534, 323, 8189, 45, 8522, 627, 5618, 1505, 682, 279, 3649, 922, 420, 4984, 304, 5377, 45, 65710, 3754, 2199, 627, 2028, 4441, 574, 8621, 304, 4476, 323, 38213, 423, 1971, 17167, 11, 3083, 3481, 5484, 11, 5377, 45, 65710, 11, 4476, 69946, 39810, 13, 56518, 279 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 5377, 45, 65710, 4500, 2128, 374, 12691, 311, 22203, 279, 4984, 220, 15, 13, 966, 315, 5377, 45, 65710, 4999, 2028, 4984, 5764, 279, 40758, 10215, 315, 93180, 2631, 555, 279, 3083, 3481, 5484, 34651, 22, 2447, 11, 439, 1664, 439, 279, 1176, 82, 8670, 315, 279, 423, 1971, 17167, 34651, 22, 2447, 13, 1561, 11798, 4519, 3493, 279, 5845, 315, 5403, 11, 719, 1101, 13122, 11, 4009, 13443, 555, 16622, 11, 6530, 323, 3756, 2700, 311, 17216, 32, 62534, 323, 8189, 45, 8522, 627, 5618, 1505, 682, 279, 3649, 922, 420, 4984, 304, 5377, 45, 65710, 3754, 2199, 627, 2028, 4441, 574, 8621, 304, 4476, 323, 38213, 423, 1971, 17167, 11, 3083, 3481, 5484, 11, 5377, 45, 65710, 11, 4476, 69946, 39810, 13, 56518, 279, -100 ]
Years of Service means the years of continuous employment as a Licensed Educator at the WCSD Southwest Adult High School. A qualified employee will only receive Years of Service credit for completion of full, complete, years of service at Southwest Adult High School. Purpose: The purpose of this Administrative Letter is to establish reasonable hourly pay rates for Licensed Educators working at Southwest High School based on Years of Service, qualifications, and acceptable performance. The Individual's primary assignment must be working in a Licensed Educator position totaling at least 20 hours per week for Southwest Adult High School. Subject to acceptable performance, after the initial implementation of this program on January 1, 2017, pay adjustments will occur at the beginning of the contract year after the Licensed Educator meets the Years of Service qualification requirements identified below. Employees will be paid on an hourly pay schedule based on mechanical or electronic time recording. Employees must comply with District Policy 1200, Time and Attendance requirements and procedures.
{ "redpajama_set_name": "RedPajamaC4" }
4,793
[ 128000, 55519, 315, 5475, 3445, 279, 1667, 315, 19815, 14740, 439, 264, 10311, 10355, 859, 520, 279, 37746, 5608, 46785, 22919, 5234, 6150, 13, 362, 15337, 9548, 690, 1193, 5371, 23116, 315, 5475, 6807, 369, 9954, 315, 2539, 11, 4686, 11, 1667, 315, 2532, 520, 46785, 22919, 5234, 6150, 627, 75133, 25, 578, 7580, 315, 420, 52941, 27757, 374, 311, 5813, 13579, 47729, 2343, 7969, 369, 10311, 10355, 3046, 3318, 520, 46785, 5234, 6150, 3196, 389, 23116, 315, 5475, 11, 43784, 11, 323, 22281, 5178, 627, 791, 30440, 596, 6156, 16720, 2011, 387, 3318, 304, 264, 10311, 10355, 859, 2361, 82223, 520, 3325, 220, 508, 4207, 824, 2046, 369, 46785, 22919, 5234, 6150, 627, 13317, 311, 22281, 5178, 11, 1306, 279, 2926, 8292, 315, 420, 2068, 389, 6186 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 55519, 315, 5475, 3445, 279, 1667, 315, 19815, 14740, 439, 264, 10311, 10355, 859, 520, 279, 37746, 5608, 46785, 22919, 5234, 6150, 13, 362, 15337, 9548, 690, 1193, 5371, 23116, 315, 5475, 6807, 369, 9954, 315, 2539, 11, 4686, 11, 1667, 315, 2532, 520, 46785, 22919, 5234, 6150, 627, 75133, 25, 578, 7580, 315, 420, 52941, 27757, 374, 311, 5813, 13579, 47729, 2343, 7969, 369, 10311, 10355, 3046, 3318, 520, 46785, 5234, 6150, 3196, 389, 23116, 315, 5475, 11, 43784, 11, 323, 22281, 5178, 627, 791, 30440, 596, 6156, 16720, 2011, 387, 3318, 304, 264, 10311, 10355, 859, 2361, 82223, 520, 3325, 220, 508, 4207, 824, 2046, 369, 46785, 22919, 5234, 6150, 627, 13317, 311, 22281, 5178, 11, 1306, 279, 2926, 8292, 315, 420, 2068, 389, 6186, -100 ]
Q: Component Inheritance Can anyone give/point me to 'official references' about component inheritance support in Nhibernate 3.10 ? Already google it, but never find any reference about that. Thanks A: NHibernate (and Hibernate for that matter) does not support component inheritance out of the box. You have two relatively unpleasant options: * *Map hierarchy as entities. *Write custom hydration/dehydration code using IUserType. This workaround is described in this article (java, but should work for C#). In the mean time you can vote for this feature to be implemented in Hibernate and maybe some day ported to NHibernate. NHibernate version of this feature request. A: Here there's some doc but I'm not sure if this can help you: https://ayende.com/blog/3941/nhibernate-mapping-inheritance Updated I think it's not possible! look here: https://stackoverflow.com/q/3739806/735864
{ "redpajama_set_name": "RedPajamaStackExchange" }
7,443
[ 128000, 48, 25, 5695, 763, 63543, 3053, 5606, 3041, 14, 2837, 757, 311, 364, 33912, 15407, 6, 922, 3777, 42922, 1862, 304, 452, 5923, 944, 349, 220, 18, 13, 605, 18072, 39470, 11819, 433, 11, 719, 2646, 1505, 904, 5905, 922, 430, 627, 12947, 271, 32, 25, 35931, 19348, 320, 438, 64548, 369, 430, 5030, 8, 1587, 539, 1862, 3777, 42922, 704, 315, 279, 3830, 13, 1472, 617, 1403, 12309, 47989, 2671, 25393, 22242, 9, 2276, 30022, 439, 15086, 13, 4815, 9, 8144, 2587, 88000, 23365, 81824, 2082, 1701, 51994, 941, 13, 1115, 60130, 374, 7633, 304, 420, 4652, 198, 262, 320, 10248, 11, 719, 1288, 990, 369, 356, 2, 50655, 644, 279, 3152, 892, 499, 649, 7055, 369, 420, 4668, 311, 387, 11798, 304, 64548, 323, 7344 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 48, 25, 5695, 763, 63543, 3053, 5606, 3041, 14, 2837, 757, 311, 364, 33912, 15407, 6, 922, 3777, 42922, 1862, 304, 452, 5923, 944, 349, 220, 18, 13, 605, 18072, 39470, 11819, 433, 11, 719, 2646, 1505, 904, 5905, 922, 430, 627, 12947, 271, 32, 25, 35931, 19348, 320, 438, 64548, 369, 430, 5030, 8, 1587, 539, 1862, 3777, 42922, 704, 315, 279, 3830, 13, 1472, 617, 1403, 12309, 47989, 2671, 25393, 22242, 9, 2276, 30022, 439, 15086, 13, 4815, 9, 8144, 2587, 88000, 23365, 81824, 2082, 1701, 51994, 941, 13, 1115, 60130, 374, 7633, 304, 420, 4652, 198, 262, 320, 10248, 11, 719, 1288, 990, 369, 356, 2, 50655, 644, 279, 3152, 892, 499, 649, 7055, 369, 420, 4668, 311, 387, 11798, 304, 64548, 323, 7344, -100 ]
The Gujarat Industries Power Company Limited (GIPCL) is looking for engineering procurement construction (EPC) contractors to develop 150 MW of grid-connected solar photovoltaic (PV) projects. The bid submission deadline is May 6, 2019. A 50 MW, solar PV project, will be developed at Dholera Solar Park, and a 100 MW, solar PV project, will be developed at Raghanesda Ultra Mega Solar Park. If a single bidder bids to construct project only in Dholera, then out of the 50 MW project at Dholera, there must be at least one solar PV project block of 40 MW capacity. Similarly, if a single bidder bids for constructing project only at Raghanesada, then out of the 100 MW project at Raghanesada, there must be at least one solar PV power project block of 75 MW. The bidders should have experience of designing, supplying, installing, commissioning and operating solar projects of 150 MW or above in India on or after April 1, 2014. Of the 150 MW, there must be at least one solar PV power project of 80 MW capacity or two projects of cumulative capacity of 80 MW or three separate projects of cumulative capacity of 100 MW. This EPC tender's scope of work includes design, engineering, supply, procurement, construction, and commissioning of the grid-connected solar projects. A single bidder can bid for the entire capacity. To ensure timely completion of projects, GIPCL can award the contract to two bidders. The successful bidders will have to provide operation and maintenance (O&M) services for ten years. The bidders must also provide a bank guarantee against the warranty of their PV modules. The project completion time frame is 485 days from the date the Letter of Intent (LoI) is issued. The contractor will furnish a security deposit and performance bank guarantee equivalent to 10% of the EPC cost within two weeks after the issuance of LOI. In December 2017, GIPCL had tendered 150 MW of grid-connected solar PV projects to be developed in Gujarat Solar Park, Charanka Village. According to Mercom's India Solar Project Tracker, GIPCL had won the bid to develop 75 MW of grid-connected solar PV projects in GUVNL's 500 MW auction by quoting a tariff of ₹2.67 (~$0.04)/kWh. The EPC contract to construct these projects was won by BHEL.
{ "redpajama_set_name": "RedPajamaC4" }
8,983
[ 128000, 791, 62953, 37528, 7572, 8351, 19439, 320, 38, 3378, 3218, 8, 374, 3411, 369, 15009, 53678, 8246, 320, 36, 4977, 8, 33840, 311, 2274, 220, 3965, 45582, 315, 5950, 73288, 13238, 4604, 93591, 292, 320, 49569, 8, 7224, 13, 578, 14435, 21142, 22143, 374, 3297, 220, 21, 11, 220, 679, 24, 627, 32, 220, 1135, 45582, 11, 13238, 38964, 2447, 11, 690, 387, 8040, 520, 423, 8619, 2473, 25450, 5657, 11, 323, 264, 220, 1041, 45582, 11, 13238, 38964, 2447, 11, 690, 387, 8040, 520, 51359, 10118, 69726, 29313, 35356, 25450, 5657, 627, 2746, 264, 3254, 78631, 44599, 311, 9429, 2447, 1193, 304, 423, 8619, 2473, 11, 1243, 704, 315, 279, 220, 1135, 45582, 2447, 520, 423, 8619, 2473, 11, 1070, 2011, 387, 520, 3325, 832, 13238 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 62953, 37528, 7572, 8351, 19439, 320, 38, 3378, 3218, 8, 374, 3411, 369, 15009, 53678, 8246, 320, 36, 4977, 8, 33840, 311, 2274, 220, 3965, 45582, 315, 5950, 73288, 13238, 4604, 93591, 292, 320, 49569, 8, 7224, 13, 578, 14435, 21142, 22143, 374, 3297, 220, 21, 11, 220, 679, 24, 627, 32, 220, 1135, 45582, 11, 13238, 38964, 2447, 11, 690, 387, 8040, 520, 423, 8619, 2473, 25450, 5657, 11, 323, 264, 220, 1041, 45582, 11, 13238, 38964, 2447, 11, 690, 387, 8040, 520, 51359, 10118, 69726, 29313, 35356, 25450, 5657, 627, 2746, 264, 3254, 78631, 44599, 311, 9429, 2447, 1193, 304, 423, 8619, 2473, 11, 1243, 704, 315, 279, 220, 1135, 45582, 2447, 520, 423, 8619, 2473, 11, 1070, 2011, 387, 520, 3325, 832, 13238, -100 ]
- IS.GD/89WDRR Hack Latest Version (With New Version). - IS.GD/89WDRR Cheat Tool Undetectable, Safe and Effective (100% Safe). Today 6845 User has Generated GEMSCOINS.NET/CASTLECLASH Gems and Gold. From 6845 User Today, we Record 49 User Failed Generated GEMSCOINS.NET/CASTLECLASH Gems and Gold.
{ "redpajama_set_name": "RedPajamaC4" }
2,227
[ 128000, 12, 3507, 1246, 35, 14, 4578, 54, 7842, 49, 36082, 29257, 6207, 320, 2409, 1561, 6207, 4390, 12, 3507, 1246, 35, 14, 4578, 54, 7842, 49, 99123, 13782, 17314, 13478, 481, 11, 23088, 323, 48023, 320, 1041, 4, 23088, 4390, 15724, 220, 24313, 20, 2724, 706, 31588, 480, 2783, 77465, 9751, 37615, 14, 35263, 877, 3218, 9729, 82172, 323, 7573, 627, 3915, 220, 24313, 20, 2724, 11450, 11, 584, 13896, 220, 2491, 2724, 22092, 31588, 480, 2783, 77465, 9751, 37615, 14, 35263, 877, 3218, 9729, 82172, 323, 7573, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 12, 3507, 1246, 35, 14, 4578, 54, 7842, 49, 36082, 29257, 6207, 320, 2409, 1561, 6207, 4390, 12, 3507, 1246, 35, 14, 4578, 54, 7842, 49, 99123, 13782, 17314, 13478, 481, 11, 23088, 323, 48023, 320, 1041, 4, 23088, 4390, 15724, 220, 24313, 20, 2724, 706, 31588, 480, 2783, 77465, 9751, 37615, 14, 35263, 877, 3218, 9729, 82172, 323, 7573, 627, 3915, 220, 24313, 20, 2724, 11450, 11, 584, 13896, 220, 2491, 2724, 22092, 31588, 480, 2783, 77465, 9751, 37615, 14, 35263, 877, 3218, 9729, 82172, 323, 7573, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
1-800-222-TIPS (8477) Donate Now Submit a tip Break and Enter MVA/ Hit and Run Friends of CS Media & Posters Contraband Tobacco Segment on CTV Morning Live Contraband Tobacco Segment on ROGERS tv Daytime Ottawa National Capital Area Crime Stoppers Partners with echec au crime of Quebec National Capital Area Crime Stoppers Receives $1000 from Allstate National Capital Area Crime Stoppers Elect New Executives Hydro Ottawa, Crime Stoppers pay it forward Councillor Hubley Stands up to Bus Shelter Vandalism Hydro Ottawa, Crime Stoppers Join Forces CRIME STOPPERS IPHONE APP Jan 30 2011 2018 Police Week Rockland Santa Parade Barrhaven Parade Orleans Parade of Lights 2017 Help Santa Blackburn Fair Échec Au Crime OTTAWA, May 7, 2013 /CNW/ – Hydro Ottawa is proud to fund Crime Stoppers rewards for tips that have helped shut down marijuana grow operations and stop the theft of power. National Capital Area Crime Stoppers provides cash rewards for those who anonymously provide information in order to help Ottawa police detect and solve crime. "In all, Crime Stoppers has helped recover over $90 million worth of stolen property and illicit drugs since the program began locally in 1985," said Wayne Bissett, President of the National Capital Area Crime Stoppers. In 2012, the tips program helped Ottawa Police seize 1264 marijuana plants, valued at more than $1.3 million. Eight charges were laid for possession for the purpose of trafficking and theft of electricity. Hydro Ottawa has reimbursed Crime Stoppers for the rewards paid relating to these cases. "It is vital to protect citizens and our employees from the dangers of grow houses and their dangerous electrical wiring," said Bryce Conrad, Hydro Ottawa's President and Chief Executive Officer. "We are proud to continue working with Crime Stoppers, an organization dedicated to improving our community." To report a tip anonymously and earn a reward of up to $2,000, call Crime Stoppers toll-free at 1-800-222-8477(TIPS). National Capital Area Crime Stoppers is also active online at https://crimestoppers.ca, Facebook, and on Twitter @CrimeStoppersOttawa or text to CRIMES with the keyword 'tip252.' Hydro Ottawa's sponsorship of Crime Stoppers' reward program is one of many ways in which the company gives back to the community. It takes pride in promoting conservation and demand management, educating children and youth about electricity safety and helping to mitigate the impact of energy costs for those in need. About Hydro Ottawa Hydro Ottawa Holding Inc. (Hydro Ottawa) owns and operates two subsidiary companies, Hydro Ottawa Limited and Energy Ottawa Inc. Hydro Ottawa Limited is the third largest municipally owned electrical utility in Ontario serving more than 310,000 customers in the City of Ottawa and the Village of Casselman. Energy Ottawa Inc., Ottawa's largest producer of green power, generates renewable energy and provides commercial energy management services. "In all, Crime Stoppers has helped recover over $90 million worth of stolen property and illicit drugs since the program began locally in 1985," said Wayne Bissett, Chairman of National Capital Area Crime Stoppers. "In 2011, tips led to the arrest of 89 individuals, over 500 charges being laid and the recovery of 15 firearms." Crime Stoppers was introduced in the National Capital area in 1985 and the program is now active in 28 countries world-wide. A group of citizen volunteers serves on the Board of Directors who meet regularly to manage the program, raise funds and allocate rewards for successful TIPS. Ottawa Police Service provides a coordinator to handle day-to-day tips and promote the program as well as a van and staff person. Crime Stoppers relies on donations of funds and services from individuals and corporations to pay for awards, promotion of the program in the community and schools and other operational needs. SOURCE: Canada Newswire Claudia Lemieux Manager, Public Affairs Hydro Ottawa [email protected] [email protected] National Capital Area Crime Stoppers 2515 rue Bank Street P.O. Box/C.P. 40033 Ottawa, ON K1V 0W8 Canadian Hosting Media Releases & Posters Crimes against seniors Identity Fraud Prevention Electronics and Personal Safety Crime Stoppers Phone Scam Join our Board of Directors Copyright © 2020 By Crimestoppers, National Capital Area Crime Stoppers. All Rights Reserved. Website by Marketing Blendz $10 $25 $50 $100 $150 $200 Online Payment Information
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
5,748
[ 128000, 16, 12, 4728, 12, 9716, 9469, 27034, 320, 25125, 22, 340, 97919, 4800, 30270, 264, 11813, 198, 23340, 323, 11502, 198, 44, 13114, 14, 16261, 323, 6588, 198, 45443, 315, 10211, 198, 12950, 612, 3962, 388, 198, 42537, 370, 438, 66210, 38203, 389, 356, 16027, 29084, 11406, 198, 42537, 370, 438, 66210, 38203, 389, 12076, 38, 4419, 11333, 6187, 1712, 33266, 198, 31912, 18880, 12299, 24845, 800, 32542, 23663, 449, 31972, 762, 8065, 9977, 315, 35195, 198, 31912, 18880, 12299, 24845, 800, 32542, 61396, 1924, 400, 1041, 15, 505, 2052, 2513, 198, 31912, 18880, 12299, 24845, 800, 32542, 10085, 1561, 10502, 332, 1924, 198, 31916, 11513, 33266, 11, 24845, 800, 32542, 2343, 433, 4741, 198, 34, 46503, 269, 27636, 3258, 800, 2914, 709, 311, 19111, 75921, 650 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 16, 12, 4728, 12, 9716, 9469, 27034, 320, 25125, 22, 340, 97919, 4800, 30270, 264, 11813, 198, 23340, 323, 11502, 198, 44, 13114, 14, 16261, 323, 6588, 198, 45443, 315, 10211, 198, 12950, 612, 3962, 388, 198, 42537, 370, 438, 66210, 38203, 389, 356, 16027, 29084, 11406, 198, 42537, 370, 438, 66210, 38203, 389, 12076, 38, 4419, 11333, 6187, 1712, 33266, 198, 31912, 18880, 12299, 24845, 800, 32542, 23663, 449, 31972, 762, 8065, 9977, 315, 35195, 198, 31912, 18880, 12299, 24845, 800, 32542, 61396, 1924, 400, 1041, 15, 505, 2052, 2513, 198, 31912, 18880, 12299, 24845, 800, 32542, 10085, 1561, 10502, 332, 1924, 198, 31916, 11513, 33266, 11, 24845, 800, 32542, 2343, 433, 4741, 198, 34, 46503, 269, 27636, 3258, 800, 2914, 709, 311, 19111, 75921, 650, -100 ]
Holland Stoutmeister Commercial Maple Saddle Dish Seat Bar Stool, Different Finishes Available, 24" Designed to fit table and bar heights of anywhere from 40" to 43", bar stools offer plenty of style options to accommodate every taste and setting. Look for bar stools with a 29" to 30" seat height to allow the proper amount of space for your legs. Opt for a swivel bar stool, a stationary stool, a stool with or without arms, a backless stool, a bar stool with a back, or a stool with a wood or upholstered seat. Available in metal or wood, the bar stools are available in a wide range of designs to suit any decorative theme. We feature bar stools from top manufacturers like Holland Bar Stools, Regal, Richardson Seating, Home Styles, Winsome Wood, Furniture Imports, Powell, Fire Seating, Grace Collection, International Concepts, and more. KitchenSource.com has a large selection of quality bar stools for commercial or residential use so you're sure to find exactly what you need. Options are plentiful with these high quality wood and metal bar stools. Create a custom barstool in your choice of sizes, finishes, and seat styles. A large selection of bar seating with stylish frames. Finishes range from high quality Texhyde vinyl to beautiful Italian wood. A large selection of seating with stylish frames. Finishes range from high quality Texhyde vinyl to beautiful Italian wood.
{ "redpajama_set_name": "RedPajamaC4" }
9,596
[ 128000, 39, 43432, 92130, 2727, 1601, 28943, 44570, 328, 20741, 49268, 40323, 4821, 800, 1786, 11, 34496, 5767, 21168, 16528, 11, 220, 1187, 702, 78233, 311, 5052, 2007, 323, 3703, 36394, 315, 12660, 505, 220, 1272, 1, 311, 220, 3391, 498, 3703, 90872, 3085, 11510, 315, 1742, 2671, 311, 29376, 1475, 12945, 323, 6376, 13, 9372, 369, 3703, 90872, 449, 264, 220, 1682, 1, 311, 220, 966, 1, 10954, 2673, 311, 2187, 279, 6300, 3392, 315, 3634, 369, 701, 14535, 13, 16963, 369, 264, 2064, 21169, 3703, 64172, 11, 264, 53735, 64172, 11, 264, 64172, 449, 477, 2085, 11977, 11, 264, 1203, 1752, 64172, 11, 264, 3703, 64172, 449, 264, 1203, 11, 477, 264, 64172, 449, 264, 7732, 477, 70304, 83980, 10954, 13, 16528, 304, 9501, 477, 7732 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 39, 43432, 92130, 2727, 1601, 28943, 44570, 328, 20741, 49268, 40323, 4821, 800, 1786, 11, 34496, 5767, 21168, 16528, 11, 220, 1187, 702, 78233, 311, 5052, 2007, 323, 3703, 36394, 315, 12660, 505, 220, 1272, 1, 311, 220, 3391, 498, 3703, 90872, 3085, 11510, 315, 1742, 2671, 311, 29376, 1475, 12945, 323, 6376, 13, 9372, 369, 3703, 90872, 449, 264, 220, 1682, 1, 311, 220, 966, 1, 10954, 2673, 311, 2187, 279, 6300, 3392, 315, 3634, 369, 701, 14535, 13, 16963, 369, 264, 2064, 21169, 3703, 64172, 11, 264, 53735, 64172, 11, 264, 64172, 449, 477, 2085, 11977, 11, 264, 1203, 1752, 64172, 11, 264, 3703, 64172, 449, 264, 1203, 11, 477, 264, 64172, 449, 264, 7732, 477, 70304, 83980, 10954, 13, 16528, 304, 9501, 477, 7732, -100 ]
…as a kid at breakfast you arranged your Alpha-Bits into acronyms. …you got hold of a Highlights magazine, and you flipped to "Find the Differences." If the pictures had 14 differences, you found 15. …your favorite Sesame Street song was "One of These Things Is Not Like the Other." And right now, you're thinking, one of these things just doesn't belong. …your notes to Santa included steps. And substeps. …you touched the pictures in Reader's Digest and expected something to happen. …the neighborhood kids put on a play, and you wrote the scripts. You still have them. Brilliant use of white space. …the neighborhood kids played Kick the Can, and you wondered how to hyphenate olly-olly-in-come-free. You argued with the new kid who said it was olly-olly-oxen-free. …you once marked up a Bach two-part invention, labeling all the diatonic functions: I, i, ii, IV, V, vi, and vii. After that, no one else could play it. Hey, it was in pencil. …all through school, you were the kid everyone asked, "What did that mean?" Even the teacher. …you've caught yourself thinking, I can't believe I get paid to do this. …you went through a phase of saying wizzywig in every sentence. …the first time you heard the term information architecture, you felt pangs. …you keep rearranging the cans in your pantry: red labels together, vegetables together, big cans together, big cans of vegetables with red labels together. …you tell the SMEs what the acronyms mean. …you think of SME as a word. …you know the difference between acronyms, abbreviations, and initialisms. …somebody shows you the latest tech toy—software, hardware, vaporware, any ware—and you go [pant, pant, pant]. …you wish that you had thought to smoosh together emotion and icon to make emoticon, or web and log to make blog. …you want to come up with the next word to make it into the OED. …you'd rather be called a wordie than a foodie. …you suggest the new edition of The Chicago Manual of Style to your book group. …your Tweet runs one character too long, and you revise to keep all the punctuation. …you came this close to creating a group called Mommas Against Drunk Commas. But, well, M-A-D-C. …someone once described you as so organized, you probably filed your garbage. Nobody recycled back then. Just sayin. …your child once said, "You like putting things in things." And you put the container down. …your friend's Facebook post grabs your interest not because of what's going on in her life but because she filtered it to men and women in your area. How did she do that? You have to know. …your friend's tweet grabs your interest because the 1, 2, and 3 in the steps are images. How did he do that? You have to know. …you willed Google into existence. …you wonder whether to say that something "appears" on the screen or that it "is displayed" on the screen. You care about the answer. You care even more about the reasons for the answer. …the celebrity you most want to meet is a tie between Will Shortz and Stephen Hawking. …everyone in your workgroup met through Skype. …you think of walking to the bathroom as exercise. …you think that this list is too long and that it needs more subheadings. And metatags. …you counted the number of items in this list to see if they total fifty. …you believe that information is power. …you think that you have the best job in the world. What else? Add a suggestion or two in a comment. Ron Kurtus cites this list here: Skills Required To Be a Technical Writer. … on reading this article you immediately go to a dictionary to see if "yelmp" is a real word:-). … you have multiple editions of CMOS and The Elements of Style in your bookcase. … you're the only person at Intel who knows there's more than one definition for the acronym CMOS. … you read over every message of any kind (email, twitter, IM, facebook, …) for typos and still worry when you type send. Love it. Thanks, Richard. Leave it to you to reply first. Or you have the illustrated version of The Elements of Style (illustrations by Maira Kalman). And you would have paid any amount for it. And you bought the anniversary edition because you had to have that one too. …someone throws a complicated piece of equipment your way, stating how impossible it is to use, and you not only figure it out, you point out the flaws in the instructions that impede others. …you ask an SME what an acronym stands for and what it means, and they look at you for a bit, then confess they don't know — even though they've been using it for years. So you do some research, and then educate the SME on your findings. "Oh, right", they say, knowingly. Well now, Tom, let's negotiate over whether you can use "terminology" that way. Yessssss … except for the texting while driving part, of course. Thank you for the silo-busting response! How about a workshop in Nozish at the next conference? Glad that you resonate with my thoughts! If you plan a workshop as Marcia had proposed below, I would love to be there! … you complete your sentences by referring to your Cloud.. I know what you mean, Anthony, she said as she sent her reply wafting off to the Cloud. …It takes you a long time to order a meal at a restaurant because you're too busy proofreading the menu. … your personal emails almost always include bullet points, and quite often headings and tables. … even when you collaborate on projects, you never really manage to give up control of structuring the content. … you love working with other technical writers! Check, check, check. And we love to make lists (and check things off them). and add things to the list that you've already done, just so you can check them off. Though, maybe that's more over-achiever …. Cat, you've been watching me. You were taunted as a child for reading the dictionary. You groan when the engineer insists on including a 60-page dissertation on the Theory of Light in the service manual. … mixed in with the steps! Yes! By all means, let's shove in all the theory and disregard usability. That's what we have the red capes for. …you make up drinking games involving variations on technical-communication-related job titles (like 'technical writer',' information developer', 'technical information development engineer', and so on). …you're confused when your friends roll their eyes after you describe a new writing/editing/grammar book you're reading as "fun" and "cool". Cat, I want to go pubbing with you. …Curmudgeonly, you ask why technical communicators use CMOS (the style guide for publishing academic content at the University of Chicago)? …you get the pleasure of hearing your grown children talk back to the radio or TV (correcting the grammar). … you checked Marcia's formatting before writing your own reply. … you made sure you wrote your reply using parallel construction. … you were alarmed at the thought of other technical writers reading your reply to Marcia's post. … you think, as you try to follow terrible instructions, about the cumulative lost time and its impact on productivity and happiness. …you rewrote those terrible instructions in the margins. When you not only read all the manuals that come with a product you purchase, but you examine them for style and content, then bring them in to share at the office like a shiny new toy. …and your kids think you're weird. Oh wait, that's every parent. …so you illustrate it for them. … the developer explains how the software works, and you promptly point out flaws in the design. … when someone confidently asserts that two spaces after a period is the "proper" way, you must take several deep breaths before you respond. … you proofread your tweets (and comments on blog posts) for typos. … when reading bedtime stories to your children, you correct the grammar on the fly so they know what it should sound like. … you keep a secret list of the worst sentences ever written. … you can't watch a movie without pointing out technical inaccuracies. …your favorite jokes are about misuse of the language. Kent, I want to see that secret list. I feel a new blog post coming on. Or maybe a List.ly. I agree with every bit of that. And, the trouble is, nobody understands your jokes. …before you buy anything, you check the documentation for accessibility, navigation, findability, clarity, conciseness, and completeness. …you troubleshoot all of your family's technical difficulties and then document them on your blog. …you wonder about the user assistance available for Google Glasses. …you secretly consider yourself a superhero for bringing clear, efficiently assembled, targeted content to the world. …you taught your three-year old about homonyms. …you think that being a technical writer for Leonardo da Vinci would have been really awesome. …you edited this list for clarity and quality. …when at the age of five or six, while watching a sitcom, you hear what you think is the funniest joke you've ever heard, which turns out to be about a bad page break in a manual. Here's the setup: The show was called "Pete and Gladys," starring Henry Morgan (the colonel on M.A.S.H) and someone I can't recall as Gladys. They are up on their roof trying to figure out why a vent has stopped working. Gladys is reading the owner's manual out loud while Pete performs the steps. She reads a step about how one can look down into the vent and see, about an arm length's down, that there is some particular part. She pauses while Pete peers down the vent, and then he inserts his arm and feels way down into the vent until he feels said part. She then turns the page and reads something like "WARNING! Do not insert arm into the vent as it can become stuck!" Of course, Pete's arm is now stuck. I don't recall what happened next, but I do recall thinking that the joke was hilarious. But it was *decades* later, well into my career as a technical communicator, that I realized why that joke was so funny: It was a bad page break separating the warning from the instruction. And that has made the joke all the richer for me all these years later. …you talk to your family using Technical English – and they don't understand what you are saying. For once could you ask me to pass the butter like a normal dad? In that post, to get "<ingredientlist>" to display with angle brackets, I had to type "& l t ;" (without the spaces) in the HTML view to get the "<" symbol, then "& g t ;" (without the spaces) to get the ">" symbol. And when you say source, you automatically want to say single. Any other kind of source is a one-off. Everyone you know loves/hates sharing written content with you. If they need it edited, they love you. If they just want to chat, they hate you because they know you will edit it and talk about how to improve it, make it more readable, etc. You can always turn change tracking off. So you figure it out. … when you think the prequel to the movie "The Matrix" should have been called "The Vector" and the sequel "The Tensor". Ed, you're a technical communicator's technical communicator. So what was their translation of this menu option? I'm going next door for the soup of the day. Someone sends you a document for content review, and you're so distracted by the poor structuring and placement of page elements that you forget to read the content. Upon receiving any Word document, you instinctively go to Styles to see if a reasonable style has been applied to every word while resisting the urge to remove all hard returns and re-format. I agree with your first point, Garret. You have a folder of instructions for your household appliances that you have rewritten from the versions that came with the products. Or at least notes on all the shipped instructions. I'm with you, Kay. Someday, someone might benefit from those revisions. … your instructions to the baby sitter include cross references. … you look at things to cut out of your kid's book report, just to cut down on translation costs. And your kid's book report is worth translating. Your answer to 'What do you for a living?' changes depending on your audience. Resume = Yeah, I do that. Yes, and we feel the need to be prepared to answer this question! Every conversation includes a step, a step result, and a return on investment applicable to the real world. Oh, oh… and a picture and an interactive video (since while I think I'm making perfect sense, all I get back is a blank stare). You curse the author of the document you're editing with fiery epithets from a dozen languages—only to realize that you are that author. A long time ago, they were remediated by ineffective online grammar checkers. You not only know what an interrobang is; you're also aching to use it. Correctly. Simply, this is a good one! – You replace a word in a text message if you think you might be spelling it incorrectly. – Use of the oxford comma has strained friendships. – Where to place "only" induces/increases medication consumption. – The non-parallel structure of this bullet list bugs you. In fact, you think twice about using any word anywhere. … when you move, you print labels for the boxes instead of using a sharpie like everyone else (courtesy of John Hedtke, who is doing exactly that today). P.S. Nice job taking this thread viral, Marcia. Or when you print labels for everything. Your African violets, your spoons, your label makers. And the labels are color-coded. With metatags. It's been a hoot crowdsourcing with y'all. How long can we keep the wave going? As for those manuals people complain about, someone else wrote those. … you have ever contemplated flying to Sweden to "exchange wordless instructions with" the technical illustrators of Ikea. When the other kids were on the playground, you and a nerdy friend were inside cracking each other up, one reading aloud a word in the dictionary, the other reciting the definition of a different word. How did I miss out on that game? – You read the help information first after installing a new software. – You are the SME for the Tech team when it comes formatting Word documents, creating a Word template, updating TOC etc. – You curse the person who creates test/junk data in the application. – You wonder why some features or workflow in the application is made unnecessarily complex. I know you're kidding about the cursing, though. … You have a lot of friends who hate when you make corrections in their sentences. … You analyze a lot of advertisements when you watch TV (and your spouse is either shocked or just disgusted over your brainy, analytical attitude). … You wonder how people tolerate imperfection that easily. But, in the next moment, you admire the balance brought by the nature. … You're mother knows that you will look at the ingredients before you buy stuff. … You have at least one friend who thinks you are "cool", and different, but hates you when you pick on them. … You read every sentence in the terms and conditions section when you buy stuff. You started today at 5 a.m. (as I did) revisiting the TOC for the extended family cookbook and deciding on the best way to chunk the 100 recipes, the best heading for each category, the best sequence within a category, and the snappiest title for the book. This labor of love will be distributed at our family's annual summer gathering. A technical communicator cringes when her work is not perfect. My comment above should have read, "I started today…" Alas, our work is never done. All of the above. Except the Kadov tags. You get the geek crown for that one. You're right, Marcia. Reading the comment within the original context makes all the difference. You and the other technical communicator on a project are the only 2 people who can follow directions and win a game of Simon Says. Hey, didn't you write those directions? … you have two kinds of colored pens for editing and proofreading depending on your audience, either red or purple. … you insist that all Word documents contain styles. … you Google everything before training someone how to do a specific task in Microsoft Office, thus making you look confident. … you start editing manuals on ifixit.com during your free time. I must get you some more colors, Roger. Thanks for these additions. Spot on. Roger, I love the combination of "you insist on styles" and "you Google everything before training." So true! In an effort to save your family from the stress of organising xmas, you suggest getting everyone to collaborate via Google docs. Knowing you are the only one in the family who will read Help documentation, you write your own user manual for the family – disguised as a group email. Oh, the sting of truth. If you could just get that structure of the documentation correct, everything would flow. You just know it would. You think about the users and what they need to know about your product. And then you think about what the least amount of information they need to know is. You Skype coworkers for editing opinions. And you have extended conversations about editing points. This does not seem like an odd waste of time. You get excited making the nomenclature in the documentation match the nomenclature in the UI. You get a secret high out of making things consistent. You enjoy making complex geeky ideas simple. The simpler the better. You surreptitiously Google for answers rather than search companies' documentation. And then you feel like a traitor to fellow technical communicators. You comment out your name at the end of emails. You find yourself waffling between different shades of the company's branded colors in the diagrams in your documentation. When you go out to dinner, you quickly notice all of the typos in the restaurant's menu. You have strong preferences: serif or sans-serif. On occasion, you many even argue about the type of serif or sans-serif font that should be used. You try to narrow down in as few words as possible in terms that a layperson would understand the answer to: what do you do for a living? When others create step-by-step guides, you stumble across the necessary bits that they omitted which impacts the user. You have a strong preference for capitalizing or not capitalizing the second word in a hyphenated term that uses the title case. Amy, I want to see what it looks like when you comment out your name at the end of emails. She draws and she does math. That's a born technical communicator right there. …you plan and execute your wedding using a pretty comprehensive content strategy. Hey, the wife LOVED it, so it was a win-win. I can see it now. Instead of nametags you gave guests metatags. You should have seen the table organizing. It was basically a card sort. You can date a resume by the font used (2002: Copperplate; 2005: Verdana). …you're driven mildly batty by all the things, everywhere, that don't work as well as they could. You know you're a technical communicator when all your dreams end in a period. You can decode any engineer's complete sentences filled with abbreviations and acronyms. … while leaping a tall building in a single bound. Cheryl, in my last job, I told people that my role was to translate engineer into English! You sort those chocolate candy wrappers with sayings on them into categories by clarity, accuracy, and relevance. Why else would you buy chocolate? You stand in Powell's City of Books, look over the monthly newsletter of events, and think to yourself – "I could do a better job of this." And then you take the copy home and create your own version, complete with calendar, color, pictures, and white space. Makeovers are the best. Even better: getting paid to do them. … you reflexively correct your 4-year-old on the correct use of "lay" vs. "lie" and he takes it in stride. … you have to reassure your friends that they don't have to feel embarrassed sending things to you because you don't read friends' emails as an editor. … you make a conscious effort to understand the trends in how people post on Facebook and Twitter and can recount the history of the status update, from "Emily is … at work" to "Emily is … [your input here]" to an open field in which people still wrote things in third person to an open field where people just write their thoughts. Oh, and: … you use run-ons in social media groups on purpose to sound like a normal person. … you know how to use i.e. and e.g. correctly and know you are on a very small island of people who do, yet you still care. Nooooo, Emily, say it ain't so on the run-ons! (Funny, though.) As for i.e. and e.g., oh yeah. Lucky kid. As for the friends, I know what you mean. As for Facebook, I lost track of that last part of the evolution. Good eye. -you laugh with glee after receiving (and while reading!) "The Book of Unnecessary Quotation marks" for Christmas. I need that book, Winsome. How did I not know about this book—or blog?! Thanks, Winsome and Emily. I've just added this title to my list of Resources for Writers. You agonize over how to respond to statements such as this. You haven't driven past a billboard in 15 years without analyzing the sentence structure, scoffing at the grammar, and mentally fixing everything. You have had this conversation with yourself: "Got milk?" It really ought to be "Have you got milk?" Otherwise, it's not a complete sentence. Still, that's a grammar error, not to mention really clunky, so "Do you have milk?" would be the way to go. And if we're really trying to be concise, I would go with "Have you milk?" But talk about awkward! What is this, 1940 London? Let's back up and stick with "Do you have milk?" I can't believe some ad exec got paid a gazillion dollars to come up with "Got milk?" Geez. …so you shorten it to "Milk?" Then you delete the whole thing. Vernacular language is essential for advertising. Imagine if every ad was changed to use only Standard American English! What clunky media we'd have. You convey a user instruction with as few of words as possible and, better yet, the user actually understands and can accurately follow the instruction. Years ago, I was tasked with writing a manufacturing floor instruction manual for illiterate users. After many, many iterations and a lot of editing, I developed an illustration only, no words, instruction manual. My most rewarding writing project to date. Paulette, What a project that must have been. I feel the same way about some wordless instructions I once created with a graphic artist and illustrator. Took longer than writing out the steps in words, but saved the company a pile of money that they would have otherwise spent on translation. I enjoyed your talks (and tweets) at STC Spectrum, Roger. … including properly formatted footnotes … in emails and text messages. … being known company-wide as someone who puts footnotes … in emails and text messages. … spotting the single word on a page that is in 8pt Helvetica instead of the 9pt Gill Sans that every other word is in. Spotting that in fractions of a second while not noticing the truck about to hit you because you are proofing while walking across the street. … refusing to acknowledge "lists" with only one item. … reciting the difference between i.e. and e.g. is easier than remembering your children's names. ***Thanks for all these terrific additions to the list. After leaving you complete the guest feedback form, politely informing them of the missing information that would've been handy in the guest book… and you also offer to rewrite it for them since you now know where *everything* is and how everything works. Will you come to our Airbnb place and do this for our future guests? You may have invented a whole new career concept. Brilliant. As a kid, your favorite Saturday morning T.V. show was "School House Rock" so you could sing the Conjunction, Junction song. As an adult, you still know all the words, and you even bought the DVD Anniversary Edition. …when you take a picture of a misspelt signboard and you are delighted to share it with fellow writers. …when you spot an incorrect numbering on a numbered list. …You know when to use setup vs set up. …you use consistent words in your documents. …you google for synonyms to convey the right meaning. …when you do not end sentences with prepositions. Thanks, Vijji. Love the additions.
{ "redpajama_set_name": "RedPajamaC4" }
7,452
[ 128000, 1981, 300, 264, 10585, 520, 17954, 499, 28902, 701, 25737, 7826, 1220, 1139, 1645, 2298, 76125, 627, 1981, 9514, 2751, 3412, 315, 264, 53300, 14756, 11, 323, 499, 47180, 311, 330, 10086, 279, 86897, 1210, 1442, 279, 9364, 1047, 220, 975, 12062, 11, 499, 1766, 220, 868, 627, 1981, 22479, 7075, 64027, 373, 6825, 5609, 574, 330, 4054, 315, 4314, 20695, 2209, 2876, 9086, 279, 7089, 1210, 1628, 1314, 1457, 11, 499, 2351, 7422, 11, 832, 315, 1521, 2574, 1120, 3250, 956, 9352, 627, 1981, 22479, 8554, 311, 16376, 5343, 7504, 13, 1628, 1207, 25047, 627, 1981, 9514, 24891, 279, 9364, 304, 26226, 596, 54389, 323, 3685, 2555, 311, 3621, 627, 94518, 12818, 6980, 2231, 389, 264, 1514, 11, 323, 499, 6267, 279, 20070, 13, 1472, 2103 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1981, 300, 264, 10585, 520, 17954, 499, 28902, 701, 25737, 7826, 1220, 1139, 1645, 2298, 76125, 627, 1981, 9514, 2751, 3412, 315, 264, 53300, 14756, 11, 323, 499, 47180, 311, 330, 10086, 279, 86897, 1210, 1442, 279, 9364, 1047, 220, 975, 12062, 11, 499, 1766, 220, 868, 627, 1981, 22479, 7075, 64027, 373, 6825, 5609, 574, 330, 4054, 315, 4314, 20695, 2209, 2876, 9086, 279, 7089, 1210, 1628, 1314, 1457, 11, 499, 2351, 7422, 11, 832, 315, 1521, 2574, 1120, 3250, 956, 9352, 627, 1981, 22479, 8554, 311, 16376, 5343, 7504, 13, 1628, 1207, 25047, 627, 1981, 9514, 24891, 279, 9364, 304, 26226, 596, 54389, 323, 3685, 2555, 311, 3621, 627, 94518, 12818, 6980, 2231, 389, 264, 1514, 11, 323, 499, 6267, 279, 20070, 13, 1472, 2103, -100 ]
code: true type: page title: zlexcount description: MemoryStorage:zlexcount --- # zlexcount Counts elements in a sorted set where all members have equal score, using lexicographical ordering. The `min` and `max` values are inclusive by default. To change this behavior, please check the syntax detailed in the [Redis documentation](https://redis.io/commands/zrangebylex). [[_Redis documentation_]](https://redis.io/commands/zlexcount) --- ## zlexcount(key, min, max, [options], callback) | Arguments | Type | Description | | ---------- | ----------- | ------------------------------------------- | | `key` | string | Key identifier | | `min` | string | Minimum member value (inclusive by default) | | `max` | string | Maximum member value (inclusive by default) | | `options` | JSON Object | Optional parameters | | `callback` | function | Callback | --- ## Options | Option | Type | Description | Default | | ---------- | ------- | --------------------------------- | ------- | | `queuable` | boolean | Make this request queuable or not | `true` | --- ## Callback Response Returns an integer containing the number of elements in the provided lexicographical value range. ## Usage <<< ./snippets/zlexcount-1.java > Callback response: ```json 2 ```
{ "redpajama_set_name": "RedPajamaGithub" }
5,215
[ 128000, 1889, 25, 837, 198, 1337, 25, 2199, 198, 2150, 25, 1167, 2635, 1868, 198, 4789, 25, 14171, 5913, 25, 89, 2635, 1868, 198, 45464, 2, 1167, 2635, 1868, 271, 64831, 5540, 304, 264, 10839, 743, 1405, 682, 3697, 617, 6273, 5573, 11, 1701, 514, 14668, 32277, 22106, 13, 578, 1595, 1083, 63, 323, 1595, 2880, 63, 2819, 527, 29408, 555, 1670, 13, 2057, 2349, 420, 7865, 11, 4587, 1817, 279, 20047, 11944, 304, 279, 510, 49237, 9904, 9725, 2485, 1129, 22496, 4340, 14, 25256, 32182, 9866, 65, 982, 87, 3677, 58, 13804, 49237, 9904, 62, 5163, 7, 2485, 1129, 22496, 4340, 14, 25256, 32182, 2635, 1868, 696, 45464, 567, 1167, 2635, 1868, 4962, 11, 1332, 11, 1973, 11, 510, 2945, 1145, 4927, 696, 91, 28802, 220, 765 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1889, 25, 837, 198, 1337, 25, 2199, 198, 2150, 25, 1167, 2635, 1868, 198, 4789, 25, 14171, 5913, 25, 89, 2635, 1868, 198, 45464, 2, 1167, 2635, 1868, 271, 64831, 5540, 304, 264, 10839, 743, 1405, 682, 3697, 617, 6273, 5573, 11, 1701, 514, 14668, 32277, 22106, 13, 578, 1595, 1083, 63, 323, 1595, 2880, 63, 2819, 527, 29408, 555, 1670, 13, 2057, 2349, 420, 7865, 11, 4587, 1817, 279, 20047, 11944, 304, 279, 510, 49237, 9904, 9725, 2485, 1129, 22496, 4340, 14, 25256, 32182, 9866, 65, 982, 87, 3677, 58, 13804, 49237, 9904, 62, 5163, 7, 2485, 1129, 22496, 4340, 14, 25256, 32182, 2635, 1868, 696, 45464, 567, 1167, 2635, 1868, 4962, 11, 1332, 11, 1973, 11, 510, 2945, 1145, 4927, 696, 91, 28802, 220, 765, -100 ]
Q: How to find a usb drive letter trhough the Run box in windows and use it to run a script I am trying to run a script from the run box in windows. The problem is that this is on a usb and I want to be able to do this on different computers. The usb is called "bashbunny", but the drive letter will change depending on the computer. How do i find the drive letter and launch the script that is on the usb through the Run box? Sorry if im not able to explain better :) What I have done so far: powershell ".((gwmi win32_volume -f 'label=''BashBunny''').Name+'payloads\switch1\r.cmd')" A: After tinkering a bit I found the solution: powershell -executionpolicy Bypass ".((gwmi win32_volume -f 'label=''BashBunny''').Name+'payloads\switch1\r.ps1')" A: Here is a pure cmd solution (as you also tagged your question accordingly): (for /F "skip=1" %I in ('wmic Volume where ^(DriveType^=2 AND Label LIKE "BashBunny"^) get DriveLetter') do @for /F %J in ("%I") do @set "DRIVE=%J") && call "^%DRIVE^%\payloads\switch1\r.cmd" Or, with an alternative wmic command line: (for /F "skip=1" %I in ('wmic LogicalDisk where ^(DriveType^=2 AND VolumeName^="BashBunny"^) get DeviceID') do @for /F %J in ("%I") do @set "DRIVE=%J") && call "^%DRIVE^%\payloads\switch1\r.cmd"
{ "redpajama_set_name": "RedPajamaStackExchange" }
3,689
[ 128000, 48, 25, 2650, 311, 1505, 264, 28081, 6678, 6661, 126836, 1409, 279, 6588, 3830, 304, 11276, 323, 1005, 433, 311, 1629, 264, 5429, 358, 1097, 4560, 311, 1629, 264, 5429, 505, 279, 1629, 3830, 304, 11276, 13, 578, 3575, 374, 430, 420, 374, 389, 264, 28081, 323, 358, 1390, 311, 387, 3025, 311, 656, 420, 389, 2204, 19002, 13, 578, 28081, 374, 2663, 330, 47316, 65, 28397, 498, 719, 279, 6678, 6661, 690, 2349, 11911, 389, 279, 6500, 13, 2650, 656, 602, 1505, 279, 6678, 6661, 323, 7195, 279, 5429, 430, 374, 389, 279, 28081, 1555, 279, 6588, 3830, 5380, 19701, 422, 737, 539, 3025, 311, 10552, 2731, 90163, 3923, 358, 617, 2884, 779, 3117, 25, 720, 78404, 57195, 6058, 1209, 55233, 8318, 3243, 843, 28039, 482 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 48, 25, 2650, 311, 1505, 264, 28081, 6678, 6661, 126836, 1409, 279, 6588, 3830, 304, 11276, 323, 1005, 433, 311, 1629, 264, 5429, 358, 1097, 4560, 311, 1629, 264, 5429, 505, 279, 1629, 3830, 304, 11276, 13, 578, 3575, 374, 430, 420, 374, 389, 264, 28081, 323, 358, 1390, 311, 387, 3025, 311, 656, 420, 389, 2204, 19002, 13, 578, 28081, 374, 2663, 330, 47316, 65, 28397, 498, 719, 279, 6678, 6661, 690, 2349, 11911, 389, 279, 6500, 13, 2650, 656, 602, 1505, 279, 6678, 6661, 323, 7195, 279, 5429, 430, 374, 389, 279, 28081, 1555, 279, 6588, 3830, 5380, 19701, 422, 737, 539, 3025, 311, 10552, 2731, 90163, 3923, 358, 617, 2884, 779, 3117, 25, 720, 78404, 57195, 6058, 1209, 55233, 8318, 3243, 843, 28039, 482, -100 ]
The "first-year experience" is a hot topic in higher ed. If you are focused on new student fall to fall retention, you are entering a critical time. Most obstacles and doubts have likely surfaced by now and in the spring term they will start to cement. Missing home, program of study, social integration and finances are just some factors that come into play. Reflecting on the fall term and identifying the predominant obstacles will lead to more effective student support and increased persistence. I have consistently found year after year that an entering cohort of students has its own personality. Meaning, each cohort has their own unique characteristics. This results in shifting strengths and challenges your students face. I love this aspect of student retention – it keeps you on your toes. Considering that fall cohorts are typically the largest of the year, it's valuable to hone in on the trends that are impacting student success for that cohort. As you dive into the spring term, modifying your support to meet those needs can be highly advantageous. Look for trends in obstacles students are facing. Discuss as a group what you are observing with your students while also pulling any quantitative data available. Identify common themes. Document 3 to 5 barriers keeping the themes student-focused (meaning, don't blame the football team's poor season). Shift resources to meet student challenges. Ensure that the size of the team or department is commensurate with the number of students who need support. Collaborate and gain alignment on strategies to support students. Utilize the collective wisdom of your team to document how to approach and navigate through your common themes. Share tools and approaches that have worked to help students overcome obstacles. If an approach doesn't work, don't give up. It often takes a couple of times before you get it down. Celebrate wins and publicize effective strategies. Identify the students who are facing these obstacles quickly. The best time to build skills and hone a student's attitude is when they are face to face with their challenge. If you're lucky, a student will sit down with an instructor, advisor, coach or support staff and clearly articulate the concerns on their mind. But don't count on this to happen. Engage, listen and poke around to flush out potential barriers to year two. You're the expert who can provide coaching and make the difference between a student achieving their academic goals or not. Believe that you have the ability to make that difference and you will!! Aviso provides software and analytics to increase student success and retention. Click here to learn more.
{ "redpajama_set_name": "RedPajamaC4" }
8,448
[ 128000, 791, 330, 3983, 4771, 3217, 1, 374, 264, 4106, 8712, 304, 5190, 1608, 13, 1442, 499, 527, 10968, 389, 502, 5575, 4498, 311, 4498, 38231, 11, 499, 527, 16661, 264, 9200, 892, 13, 7648, 32116, 323, 40017, 617, 4461, 58646, 555, 1457, 323, 304, 279, 10683, 4751, 814, 690, 1212, 311, 24532, 13, 36364, 2162, 11, 2068, 315, 4007, 11, 3674, 18052, 323, 40382, 527, 1120, 1063, 9547, 430, 2586, 1139, 1514, 13, 35698, 287, 389, 279, 4498, 4751, 323, 25607, 279, 96531, 32116, 690, 3063, 311, 810, 7524, 5575, 1862, 323, 7319, 42056, 627, 40, 617, 21356, 1766, 1060, 1306, 1060, 430, 459, 16661, 41944, 315, 4236, 706, 1202, 1866, 17743, 13, 49203, 11, 1855, 41944, 706, 872, 1866, 5016, 17910, 13, 1115, 3135, 304, 32931 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 330, 3983, 4771, 3217, 1, 374, 264, 4106, 8712, 304, 5190, 1608, 13, 1442, 499, 527, 10968, 389, 502, 5575, 4498, 311, 4498, 38231, 11, 499, 527, 16661, 264, 9200, 892, 13, 7648, 32116, 323, 40017, 617, 4461, 58646, 555, 1457, 323, 304, 279, 10683, 4751, 814, 690, 1212, 311, 24532, 13, 36364, 2162, 11, 2068, 315, 4007, 11, 3674, 18052, 323, 40382, 527, 1120, 1063, 9547, 430, 2586, 1139, 1514, 13, 35698, 287, 389, 279, 4498, 4751, 323, 25607, 279, 96531, 32116, 690, 3063, 311, 810, 7524, 5575, 1862, 323, 7319, 42056, 627, 40, 617, 21356, 1766, 1060, 1306, 1060, 430, 459, 16661, 41944, 315, 4236, 706, 1202, 1866, 17743, 13, 49203, 11, 1855, 41944, 706, 872, 1866, 5016, 17910, 13, 1115, 3135, 304, 32931, -100 ]
"I need to find someone with convenient office hours" "They have to be in my insurance network." "I want a place with payment options" These are just a few of the many answers people give when asked what's important when they choose a dentist for themselves or their family.... Finding a dentist can be challenging. The Metro Denver Dental Society (MDDS) and the American Dental Association (ADA) can provide tips and the right questions to ask on how to choose a dentist to make finding the right dental home for you easy. There are literally hundreds of dentists in the Austin area. If you don�t know what to look for in a dentist, you may be tempted to settle with the first name that you find. how to cut in vsdc free Are you overdue for a teeth cleaning? Does the idea of going to the dentist freak you out? In the United States, between 9% and 15% of the population avoid going to the dentist due to fear and anxiety. Finding a dentist can be hard but it�s crucial! I don�t know a single person who likes visiting the dentist and the entire experience isn�t overly pleasurable. opencart how to choose color Selecting a dentist who meets your needs and expectations is a decision that�s too important to make without careful consideration. Don�t wait until a problem forces you to find a dentist � acting before you have a serious problem may save you time, money, and discomfort. It�s tough to choose a dentist. If it�s your first time looking for a dentist, you most definitely have asked yourself: How do I find, pick, and choose the best dentist? I�ll tell you a bit of a story about myself. My father was my dentist growing up and I HATED going to the dentist. How to choose a dentist? That�s a very important question when you�re set on finding the right dentist. Of course, we�d like for you to call Dr. Jergins of ClearWhite Dental. Learn how to choose your dentist, how often should you visit a dentist, what to expect during a dental visit, from the Colgate Oral Care Center. Learn how to choose your dentist, how often should you visit a dentist, what to expect during a dental visit, from the Colgate Oral Care Center. Are you overdue for a teeth cleaning? Does the idea of going to the dentist freak you out? In the United States, between 9% and 15% of the population avoid going to the dentist due to fear and anxiety.
{ "redpajama_set_name": "RedPajamaC4" }
274
[ 128000, 7189, 1205, 311, 1505, 4423, 449, 17125, 5274, 4207, 1, 330, 7009, 617, 311, 387, 304, 856, 8276, 4009, 1210, 330, 40, 1390, 264, 2035, 449, 8323, 2671, 1, 4314, 527, 1120, 264, 2478, 315, 279, 1690, 11503, 1274, 3041, 994, 4691, 1148, 596, 3062, 994, 814, 5268, 264, 50351, 369, 5694, 477, 872, 3070, 1975, 43897, 264, 50351, 649, 387, 17436, 13, 578, 21631, 22898, 48804, 13581, 320, 44, 70104, 8, 323, 279, 3778, 48804, 10229, 320, 33393, 8, 649, 3493, 10631, 323, 279, 1314, 4860, 311, 2610, 389, 1268, 311, 5268, 264, 50351, 311, 1304, 9455, 279, 1314, 29106, 2162, 369, 499, 4228, 627, 3947, 527, 16280, 11758, 315, 18653, 1705, 304, 279, 19816, 3158, 13, 1442, 499, 1541, 99921, 1440, 1148, 311, 1427, 369 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 7189, 1205, 311, 1505, 4423, 449, 17125, 5274, 4207, 1, 330, 7009, 617, 311, 387, 304, 856, 8276, 4009, 1210, 330, 40, 1390, 264, 2035, 449, 8323, 2671, 1, 4314, 527, 1120, 264, 2478, 315, 279, 1690, 11503, 1274, 3041, 994, 4691, 1148, 596, 3062, 994, 814, 5268, 264, 50351, 369, 5694, 477, 872, 3070, 1975, 43897, 264, 50351, 649, 387, 17436, 13, 578, 21631, 22898, 48804, 13581, 320, 44, 70104, 8, 323, 279, 3778, 48804, 10229, 320, 33393, 8, 649, 3493, 10631, 323, 279, 1314, 4860, 311, 2610, 389, 1268, 311, 5268, 264, 50351, 311, 1304, 9455, 279, 1314, 29106, 2162, 369, 499, 4228, 627, 3947, 527, 16280, 11758, 315, 18653, 1705, 304, 279, 19816, 3158, 13, 1442, 499, 1541, 99921, 1440, 1148, 311, 1427, 369, -100 ]
Yoani Sánchez, z domu Yoani María Sánchez Cordera, (ur. 4 września 1975) – kubańska filolog i dziennikarka. Od kwietnia 2007 prowadzi blog Generación Y, za który otrzymała nagrodę dziennikarską im. Marii Moors Cabot. Nagrody 2008 – Nagroda Ortega y Gasset 2008 – "100 Most Influential People in the World" – Time 2008 – "100 hispanoamericanos más notables" – El País 2008 – "10 personajes del 2008" – Gatopardo 2008 – "10 Most Influential Latin American Intellectuals" of the year – Foreign Policy 2009 – "25 Best Blogs of 2009" – Time 2009 – "Young Global Leader Honoree" – World Economic Forum 2009 – Nagroda Maria Moors Cabot – Columbia University Prize 2013 – Człowiek Roku "Gazety Wyborczej" Przypisy Linki zewnętrzne Polska wersja Generación Y Kubańscy dziennikarze Ludzie roku Gazety Wyborczej Urodzeni w 1975
{ "redpajama_set_name": "RedPajamaWikipedia" }
7,578
[ 128000, 65825, 5676, 328, 99634, 11, 1167, 118447, 44188, 5676, 83305, 328, 99634, 356, 1382, 64, 11, 320, 324, 13, 220, 19, 3189, 3059, 7545, 21557, 220, 4468, 20, 8, 1389, 597, 31529, 19699, 105571, 1488, 1640, 602, 52126, 2734, 1609, 847, 64, 13, 25578, 30625, 3978, 21557, 220, 1049, 22, 48658, 329, 8510, 5117, 2672, 5840, 816, 11, 15036, 42942, 297, 376, 21436, 64, 22250, 37628, 24409, 5267, 52126, 2734, 1609, 1590, 74, 5985, 737, 13, 29829, 72, 6178, 1105, 27200, 354, 382, 45, 351, 299, 10470, 720, 220, 1049, 23, 1389, 30162, 299, 3315, 2582, 93005, 379, 480, 10053, 198, 220, 1049, 23, 1389, 330, 1041, 7648, 88654, 2335, 9029, 304, 279, 4435, 1, 1389, 4212, 198, 220, 1049, 23, 1389, 330, 1041, 813, 857, 78 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 65825, 5676, 328, 99634, 11, 1167, 118447, 44188, 5676, 83305, 328, 99634, 356, 1382, 64, 11, 320, 324, 13, 220, 19, 3189, 3059, 7545, 21557, 220, 4468, 20, 8, 1389, 597, 31529, 19699, 105571, 1488, 1640, 602, 52126, 2734, 1609, 847, 64, 13, 25578, 30625, 3978, 21557, 220, 1049, 22, 48658, 329, 8510, 5117, 2672, 5840, 816, 11, 15036, 42942, 297, 376, 21436, 64, 22250, 37628, 24409, 5267, 52126, 2734, 1609, 1590, 74, 5985, 737, 13, 29829, 72, 6178, 1105, 27200, 354, 382, 45, 351, 299, 10470, 720, 220, 1049, 23, 1389, 30162, 299, 3315, 2582, 93005, 379, 480, 10053, 198, 220, 1049, 23, 1389, 330, 1041, 7648, 88654, 2335, 9029, 304, 279, 4435, 1, 1389, 4212, 198, 220, 1049, 23, 1389, 330, 1041, 813, 857, 78, -100 ]
The all over wet look had a bump in popularity for just a little while but now it's all about the mixed wet and dry style. Wet roots and dry ends is the way to go. The mix of the visual texture gives this an artsy vibe. On dry hair apply a quarter of gel to roots, comb in a slick part and comb the gel to mid lengths. Allow gel to set for a half wet, half dry 'do. The ultra modern pony sits ultra sleek high on the head. Gel is the perfect option to get results that not only stay smooth but also have great hold. Run a dime of gel through damp locks and wrap dry hair super straight. Work hair into a high ponytail and secure with an elastic. Smooth flyaways with a bit more gel to lock in the look. Braids are so popular right now but the messy braids are fading and giving way to some more structured styles. Dry hair to 75% dry. Apply a dime of gel to your hands and start your braid, the gel is going to act like a glue so it will hold nearly any style you can think up. Work quickly because the gel dries fast and will make your hands tacky as well. Feel free to use more as needed.
{ "redpajama_set_name": "RedPajamaC4" }
4,407
[ 128000, 791, 682, 927, 14739, 1427, 1047, 264, 28675, 304, 23354, 369, 1120, 264, 2697, 1418, 719, 1457, 433, 596, 682, 922, 279, 9709, 14739, 323, 9235, 1742, 13, 45956, 20282, 323, 9235, 10548, 374, 279, 1648, 311, 733, 13, 578, 6651, 315, 279, 9302, 10651, 6835, 420, 459, 19071, 88, 47811, 627, 1966, 9235, 7013, 3881, 264, 8502, 315, 18316, 311, 20282, 11, 3698, 304, 264, 50738, 961, 323, 3698, 279, 18316, 311, 5209, 29416, 13, 27628, 18316, 311, 743, 369, 264, 4376, 14739, 11, 4376, 9235, 364, 3055, 627, 791, 24955, 6617, 53736, 23874, 24955, 48494, 1579, 389, 279, 2010, 13, 45482, 374, 279, 4832, 3072, 311, 636, 3135, 430, 539, 1193, 4822, 11113, 719, 1101, 617, 2294, 3412, 627, 6869, 264, 74953, 315, 18316, 1555 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 682, 927, 14739, 1427, 1047, 264, 28675, 304, 23354, 369, 1120, 264, 2697, 1418, 719, 1457, 433, 596, 682, 922, 279, 9709, 14739, 323, 9235, 1742, 13, 45956, 20282, 323, 9235, 10548, 374, 279, 1648, 311, 733, 13, 578, 6651, 315, 279, 9302, 10651, 6835, 420, 459, 19071, 88, 47811, 627, 1966, 9235, 7013, 3881, 264, 8502, 315, 18316, 311, 20282, 11, 3698, 304, 264, 50738, 961, 323, 3698, 279, 18316, 311, 5209, 29416, 13, 27628, 18316, 311, 743, 369, 264, 4376, 14739, 11, 4376, 9235, 364, 3055, 627, 791, 24955, 6617, 53736, 23874, 24955, 48494, 1579, 389, 279, 2010, 13, 45482, 374, 279, 4832, 3072, 311, 636, 3135, 430, 539, 1193, 4822, 11113, 719, 1101, 617, 2294, 3412, 627, 6869, 264, 74953, 315, 18316, 1555, -100 ]
The results are in! We have an Ultimate Supreme Pet champion for the Portland Pet Pageant 2019, presented by DoveLewis Veterinary Emergency and Specialty Hospital! What a fine selection of pets we saw this year. We, the Portland Pet Pageant judges, were mesmerized and in awe of all these creatures. You all really brought out the top talent and we could not be more proud of you, Portland pets. After the grueling work of picking the 80 finalists to continue on in the competition, we turned to our readers to vote for the 20 title winners and Ultimate Supreme Pet. And you made your voice heard! Our 2019 Ultimate Supreme Pet is Sabah, the stray kitty from St. Louis that has a fancy for pinot noir, fresh fish and his owner, Sammy Taylor. Other title winners we had were Rocco the Rottweiler for "Heart of Gold"; Sookie the duck for "Most Rose City Spirit"; Porter the dog for "Most Golden Oldie"; and Mr. Smoosh Smoosh for "Tiniest Treasure". Here is the ballot with all the results. We want to say thank you to DoveLewis for once again sponsoring this great event, and also all of you voted. We understand this year there were some technical problems, and we are truly sorry about that. We're still working out the kinks and hope that next year it's better. And at least you got to look at some cute pets, right?
{ "redpajama_set_name": "RedPajamaC4" }
2,039
[ 128000, 791, 3135, 527, 304, 0, 1226, 617, 459, 29950, 13814, 11586, 18824, 369, 279, 23947, 11586, 5874, 519, 220, 679, 24, 11, 10666, 555, 90084, 100172, 78103, 32708, 323, 82614, 15429, 4999, 3923, 264, 7060, 6727, 315, 26159, 584, 5602, 420, 1060, 627, 1687, 11, 279, 23947, 11586, 5874, 519, 24958, 11, 1051, 84461, 1534, 323, 304, 51517, 315, 682, 1521, 20566, 13, 1472, 682, 2216, 7263, 704, 279, 1948, 11005, 323, 584, 1436, 539, 387, 810, 12691, 315, 499, 11, 23947, 26159, 627, 6153, 279, 1099, 80097, 990, 315, 21816, 279, 220, 1490, 83646, 311, 3136, 389, 304, 279, 10937, 11, 584, 6656, 311, 1057, 13016, 311, 7055, 369, 279, 220, 508, 2316, 26526, 323, 29950, 13814, 11586, 627, 3112, 499, 1903, 701, 7899, 6755, 0 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 3135, 527, 304, 0, 1226, 617, 459, 29950, 13814, 11586, 18824, 369, 279, 23947, 11586, 5874, 519, 220, 679, 24, 11, 10666, 555, 90084, 100172, 78103, 32708, 323, 82614, 15429, 4999, 3923, 264, 7060, 6727, 315, 26159, 584, 5602, 420, 1060, 627, 1687, 11, 279, 23947, 11586, 5874, 519, 24958, 11, 1051, 84461, 1534, 323, 304, 51517, 315, 682, 1521, 20566, 13, 1472, 682, 2216, 7263, 704, 279, 1948, 11005, 323, 584, 1436, 539, 387, 810, 12691, 315, 499, 11, 23947, 26159, 627, 6153, 279, 1099, 80097, 990, 315, 21816, 279, 220, 1490, 83646, 311, 3136, 389, 304, 279, 10937, 11, 584, 6656, 311, 1057, 13016, 311, 7055, 369, 279, 220, 508, 2316, 26526, 323, 29950, 13814, 11586, 627, 3112, 499, 1903, 701, 7899, 6755, 0, -100 ]
Now we're talking! This is how I prefer my bikes - built up from framesets! Since I've built a few new bikes (or should I say - Scott bikes) in recent years, you could say that I am addicted to it - so I thought this would be a perfect name for this Scott Addict project: "Addicted".
{ "redpajama_set_name": "RedPajamaC4" }
2,088
[ 128000, 7184, 584, 2351, 7556, 0, 1115, 374, 1268, 358, 10932, 856, 31553, 482, 5918, 709, 505, 14418, 1441, 0, 8876, 358, 3077, 5918, 264, 2478, 502, 31553, 320, 269, 1288, 358, 2019, 482, 10016, 31553, 8, 304, 3293, 1667, 11, 499, 1436, 2019, 430, 358, 1097, 57727, 311, 433, 482, 779, 358, 3463, 420, 1053, 387, 264, 4832, 836, 369, 420, 10016, 2758, 858, 2447, 25, 330, 2261, 13060, 3343, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 7184, 584, 2351, 7556, 0, 1115, 374, 1268, 358, 10932, 856, 31553, 482, 5918, 709, 505, 14418, 1441, 0, 8876, 358, 3077, 5918, 264, 2478, 502, 31553, 320, 269, 1288, 358, 2019, 482, 10016, 31553, 8, 304, 3293, 1667, 11, 499, 1436, 2019, 430, 358, 1097, 57727, 311, 433, 482, 779, 358, 3463, 420, 1053, 387, 264, 4832, 836, 369, 420, 10016, 2758, 858, 2447, 25, 330, 2261, 13060, 3343, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Most of us know that moderate -intensity exercise is good for us. However, research shows that most of us do not know what moderate exercise means. A new study found that many of us underestimate how hard we should exercise to achieve maximum health benefits, and overestimate how vigorously we are actually working out. It is recommended that adults complete 150 minutes of moderate or 75 minutes of vigorous aerobic exercise each week. Does the average person really know what the recommended intensities feel like in action? A new study published in PLOS One set out to see what people knew about exercising for health. During moderate exercise the guidelines state that your pulse should rise to about 64 percent to 76 percent of your maximum heart rate for moderate exercise; your pulse should be between about 77 percent and 90 percent of your maximum during vigorous exercise. During moderate exercise, you should be able to talk, but not sing, while during vigorous activity, you will be able to speak a few words before having to pause for a breath. The participants were, as it turned out, quite inept at judging intensity. Few maintained a heart rate above 65 percent of their maximum when they were supposedly exercising moderately; even fewer reached a heart rate above 75 percent of maximum during their version of vigorous exercise. The most telling, the majority of participants walked at a decidedly languorous pace when asked to estimate the lowest-intensity exercise that would qualify as moderate and provide robust health benefits. Only about 25 percent reached a pace that raised their heart rate into the moderate range. The rest gently strolled. In general, during each of the tests, the participants overestimated how hard they were exercising. If you are unsure how to gauge intensity, use a heart rate monitor to keep you working out at the appropriate intensity for you to gain the most health benefits.
{ "redpajama_set_name": "RedPajamaC4" }
8,955
[ 128000, 13622, 315, 603, 1440, 430, 24070, 482, 396, 8127, 10368, 374, 1695, 369, 603, 13, 4452, 11, 3495, 5039, 430, 1455, 315, 603, 656, 539, 1440, 1148, 24070, 10368, 3445, 13, 362, 502, 4007, 1766, 430, 1690, 315, 603, 79583, 1268, 2653, 584, 1288, 10368, 311, 11322, 7340, 2890, 7720, 11, 323, 927, 41230, 1268, 77849, 584, 527, 3604, 3318, 704, 627, 2181, 374, 11349, 430, 12884, 4686, 220, 3965, 4520, 315, 24070, 477, 220, 2075, 4520, 315, 71920, 91490, 10368, 1855, 2046, 13, 12838, 279, 5578, 1732, 2216, 1440, 1148, 279, 11349, 25228, 1385, 2733, 1093, 304, 1957, 30, 362, 502, 4007, 4756, 304, 393, 38658, 3861, 743, 704, 311, 1518, 1148, 1274, 7020, 922, 51582, 369, 2890, 627, 16397, 24070, 10368, 279, 17959, 1614, 430 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 13622, 315, 603, 1440, 430, 24070, 482, 396, 8127, 10368, 374, 1695, 369, 603, 13, 4452, 11, 3495, 5039, 430, 1455, 315, 603, 656, 539, 1440, 1148, 24070, 10368, 3445, 13, 362, 502, 4007, 1766, 430, 1690, 315, 603, 79583, 1268, 2653, 584, 1288, 10368, 311, 11322, 7340, 2890, 7720, 11, 323, 927, 41230, 1268, 77849, 584, 527, 3604, 3318, 704, 627, 2181, 374, 11349, 430, 12884, 4686, 220, 3965, 4520, 315, 24070, 477, 220, 2075, 4520, 315, 71920, 91490, 10368, 1855, 2046, 13, 12838, 279, 5578, 1732, 2216, 1440, 1148, 279, 11349, 25228, 1385, 2733, 1093, 304, 1957, 30, 362, 502, 4007, 4756, 304, 393, 38658, 3861, 743, 704, 311, 1518, 1148, 1274, 7020, 922, 51582, 369, 2890, 627, 16397, 24070, 10368, 279, 17959, 1614, 430, -100 ]
The law on liquidated damages is odd. English courts are well known for holding that contracts should be upheld - pacta sunt servanda, to use the Latin tag. However, where the parties have agreed for a specified sum or sums to be paid in the event of a breach of contract, it is possible for that provision to be struck down as a penalty. The benefit of parties agreeing what damages should be paid in the event of breach has long been accepted. Nevertheless the unique remedy of such a clause being held invalid remains. Judges have given up trying to explain why this old common-law doctrine exists. Lord Diplock in Robophone vs Blank (1966) said that he would make no attempt where so many others had failed to rationalise the rule. Lord Justice Jackson in Alfred McAlpine vs Tilebox (2005) pointed out that it was an anomalous feature of the law of contract, which was not part of any wider doctrine that required the court to rewrite contracts. During the 19th century the courts moved away from the notion that they would mend unfair bargains on an equitable basis. Nevertheless, the rule about penalty clauses survived from an earlier age. The House of Lords case of Dunlop Pneumatic Tyre vs New Garage and Motor Company (1915) contains a well known passage that is often quoted as setting out guidelines to the doctrine. The language used sounds legalistic and odd to modern ears - for example: "The essence of a penalty is a payment of money stipulated as in terrorem of the offending party", and, "it will be held to be a penalty if the sum stipulated for is extravagant and unconscionable". Fortunately in recent years the courts have moved away from such antiquated language and addressed the topic in more modern terms. They have also emphasised how a liquidated damages clause being struck down as a penalty is the exception rather than the rule. Three cases in particular stand out. He added that that question could be answered by comparing the amount that had been agreed be payable on breach with the loss that might actually be sustained if the breach occurred. In the second case, Murray vs Leisureplay (2005), all three judges in the Court of Appeal quoted Mr Justice Colman's test of "predominant function to deter" with apparent approval. However they differed to some extent in relation to the second limb of his approach. as saying that if the comparison disclosed a discrepancy, it followed that the clause was a penalty. The comparison was relevant but no more than a guide. Lord Justice Buxton said that reliance on the comparison introduced a rigid and inflexible approach into what should be a broad and general question. It was also inconsistent with warnings by past eminent judges that great caution should be used before striking down a clause as penal. As Lord Woolf said in AG Hong Kong vs Phillips, it is normally not enough simply to show that the agreed damages provision could result in the innocent party receiving more than its actual loss. The third case is Alfred McAlpine (see above). This concerned a construction contract. It contains a useful analysis of the authorities and points out how unusual it is for liquidated damages provisions to be struck down. The rule may have been established in an earlier age but it is often an uphill task today to employ it successfully. The increasingly mobile judges of the TCC are happy to do you a trial in the cheapest, most convenient part of the country. But how do you decide where that is?
{ "redpajama_set_name": "RedPajamaC4" }
1,981
[ 128000, 791, 2383, 389, 14812, 660, 26186, 374, 10535, 13, 6498, 19359, 527, 1664, 3967, 369, 10168, 430, 17517, 1288, 387, 62411, 482, 60821, 64, 40795, 4958, 10018, 11, 311, 1005, 279, 20023, 4877, 13, 4452, 11, 1405, 279, 9875, 617, 7378, 369, 264, 5300, 2694, 477, 37498, 311, 387, 7318, 304, 279, 1567, 315, 264, 31471, 315, 5226, 11, 433, 374, 3284, 369, 430, 17575, 311, 387, 17948, 1523, 439, 264, 16750, 627, 791, 8935, 315, 9875, 39427, 1148, 26186, 1288, 387, 7318, 304, 279, 1567, 315, 31471, 706, 1317, 1027, 11928, 13, 35053, 279, 5016, 40239, 315, 1778, 264, 22381, 1694, 5762, 8482, 8625, 13, 86955, 617, 2728, 709, 4560, 311, 10552, 3249, 420, 2362, 4279, 31412, 33235, 6866, 627, 52182, 56147, 1039, 304, 4997, 78303 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 2383, 389, 14812, 660, 26186, 374, 10535, 13, 6498, 19359, 527, 1664, 3967, 369, 10168, 430, 17517, 1288, 387, 62411, 482, 60821, 64, 40795, 4958, 10018, 11, 311, 1005, 279, 20023, 4877, 13, 4452, 11, 1405, 279, 9875, 617, 7378, 369, 264, 5300, 2694, 477, 37498, 311, 387, 7318, 304, 279, 1567, 315, 264, 31471, 315, 5226, 11, 433, 374, 3284, 369, 430, 17575, 311, 387, 17948, 1523, 439, 264, 16750, 627, 791, 8935, 315, 9875, 39427, 1148, 26186, 1288, 387, 7318, 304, 279, 1567, 315, 31471, 706, 1317, 1027, 11928, 13, 35053, 279, 5016, 40239, 315, 1778, 264, 22381, 1694, 5762, 8482, 8625, 13, 86955, 617, 2728, 709, 4560, 311, 10552, 3249, 420, 2362, 4279, 31412, 33235, 6866, 627, 52182, 56147, 1039, 304, 4997, 78303, -100 ]
INVESTMENT OPPORTUNITY! This home is currently a student rental located near campus on University just down the street from the BSU village. It currently houses 4 students and pays $1,100+ a month and is currently under lease. The property is 4 bedrooms, 2.5 baths and has two living areas, a garage and small back yard. The property is for sale in "AS-IS" condition and the owner will review all offers. Don't miss your chance to own your own investment property in the popular student rental market.
{ "redpajama_set_name": "RedPajamaC4" }
1,217
[ 128000, 691, 71302, 5441, 95281, 2938, 57273, 0, 1115, 2162, 374, 5131, 264, 5575, 19160, 7559, 3221, 15679, 389, 3907, 1120, 1523, 279, 8761, 505, 279, 28718, 52, 14458, 13, 1102, 5131, 15316, 220, 19, 4236, 323, 21935, 400, 16, 11, 1041, 10, 264, 2305, 323, 374, 5131, 1234, 26120, 13, 578, 3424, 374, 220, 19, 28689, 11, 220, 17, 13, 20, 59300, 323, 706, 1403, 5496, 5789, 11, 264, 19833, 323, 2678, 1203, 20085, 13, 578, 3424, 374, 369, 6412, 304, 330, 1950, 98618, 1, 3044, 323, 279, 6506, 690, 3477, 682, 6209, 13, 4418, 956, 3194, 701, 6140, 311, 1866, 701, 1866, 9341, 3424, 304, 279, 5526, 5575, 19160, 3157, 13, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256, 128256 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ]
[ 691, 71302, 5441, 95281, 2938, 57273, 0, 1115, 2162, 374, 5131, 264, 5575, 19160, 7559, 3221, 15679, 389, 3907, 1120, 1523, 279, 8761, 505, 279, 28718, 52, 14458, 13, 1102, 5131, 15316, 220, 19, 4236, 323, 21935, 400, 16, 11, 1041, 10, 264, 2305, 323, 374, 5131, 1234, 26120, 13, 578, 3424, 374, 220, 19, 28689, 11, 220, 17, 13, 20, 59300, 323, 706, 1403, 5496, 5789, 11, 264, 19833, 323, 2678, 1203, 20085, 13, 578, 3424, 374, 369, 6412, 304, 330, 1950, 98618, 1, 3044, 323, 279, 6506, 690, 3477, 682, 6209, 13, 4418, 956, 3194, 701, 6140, 311, 1866, 701, 1866, 9341, 3424, 304, 279, 5526, 5575, 19160, 3157, 13, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100, -100 ]
Q: CodeMirror doesn't scroll down completely, Cursor is hidden behind div I would like to use the very excellent texteditor CodeMirror in fullscreen mode in a browser window and I would like to add a fixed header for some kind of menu - or at least space for a few buttons with some functionality. So I've added a div with "position: fixed" to the top and added a padding-top to the div with the codemirror object. The problem comes up, when there's enough text that scrolling happens. After moving the cursor down/scrolling the content up and moving the cursor up again, the cursor goes behind the div but the content doesn't scroll fully down. Cursor is hidden, I cannot see the content. Only scrolling via scrollbar works. Do I need to change the html/css with the fixed div? Or do I need to check whether the cursor comes behind/under the div and I have to let CodeMirror scroll manually? I tried this but didn't manage to do it programmatically :-( <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <link rel=stylesheet href="http://codemirror.net/doc/docs.css"> <link rel=stylesheet href="http://codemirror.net/lib/codemirror.css"> <script src=http://codemirror.net/lib/codemirror.js></script> <script src=http://codemirror.net/mode/htmlmixed/htmlmixed.js></script> <style type=text/css> .CodeMirror {float: left; width: 100%; height: 100%; } </style> </head> <body> <div style="position: fixed; height: 28px; z-index:999; width: 100%; background: lightgray;"> <button>Some action</button> </div> <div style="padding-top: 23px"> <textarea id=content name="content"></textarea> </div> <script> var editor = CodeMirror.fromTextArea(document.getElementById('content'), { mode: 'application/x-httpd-php', lineNumbers: true }); </script> </body> </html> check out here as well: http://jsfiddle.net/fxvef3bw/1/ A: I found a solution on my own. Instead of two overlapping divs, I use two divs (non-overlapping), with style "position: absolute". They don't overlap, so scrolling is fine. <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <link rel=stylesheet href="http://codemirror.net/doc/docs.css"> <link rel=stylesheet href="http://codemirror.net/lib/codemirror.css"> <script src=http://codemirror.net/lib/codemirror.js></script> <script src=http://codemirror.net/mode/htmlmixed/htmlmixed.js></script> <style type=text/css> .CodeMirror {float: left; width: 100%; height: 100%; } </style> </head> <body> <div style="padding: 1px; position: absolute; margin: 0px; top: 0px; bottom: auto; left: 0px; right: 0px; width: auto; height: 24px; background: lightgrey;"> <button>some action</button> </div> <div style="padding: 1px; position: absolute; margin: 0px; left: 0px; right: 0px; top: 28px; bottom: 0px; width: auto; height: auto; "> <textarea id="content" name="content" style="display: none;"></textarea> </div> <script> var editor = CodeMirror.fromTextArea(document.getElementById('content'), { mode: 'application/x-httpd-php', lineNumbers: true }); </script> </body> </html> Updated jsfiddle is here: http://jsfiddle.net/fxvef3bw/2/ I hope I can get some comments about possible side effects or drawbacks of the position absolute. Otherwise it seems to be fine for me.
{ "redpajama_set_name": "RedPajamaStackExchange" }
4,031
[ 128000, 48, 25, 6247, 55316, 3250, 956, 9236, 1523, 6724, 11, 29167, 374, 8340, 4920, 3512, 358, 1053, 1093, 311, 1005, 279, 1633, 9250, 1495, 9044, 6247, 55316, 304, 58027, 3941, 304, 264, 7074, 3321, 323, 358, 1053, 1093, 311, 923, 264, 8521, 4342, 369, 1063, 3169, 315, 5130, 482, 477, 520, 3325, 3634, 369, 264, 2478, 12706, 449, 1063, 15293, 13, 720, 4516, 358, 3077, 3779, 264, 3512, 449, 330, 3571, 25, 8521, 1, 311, 279, 1948, 323, 3779, 264, 5413, 8338, 311, 279, 3512, 449, 279, 20950, 336, 29912, 1665, 13, 578, 3575, 4131, 709, 11, 994, 1070, 596, 3403, 1495, 430, 39076, 8741, 13, 4740, 7366, 279, 8291, 1523, 14, 12891, 287, 279, 2262, 709, 323, 7366, 279, 8291, 709, 1578, 11, 279, 8291, 5900 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 48, 25, 6247, 55316, 3250, 956, 9236, 1523, 6724, 11, 29167, 374, 8340, 4920, 3512, 358, 1053, 1093, 311, 1005, 279, 1633, 9250, 1495, 9044, 6247, 55316, 304, 58027, 3941, 304, 264, 7074, 3321, 323, 358, 1053, 1093, 311, 923, 264, 8521, 4342, 369, 1063, 3169, 315, 5130, 482, 477, 520, 3325, 3634, 369, 264, 2478, 12706, 449, 1063, 15293, 13, 720, 4516, 358, 3077, 3779, 264, 3512, 449, 330, 3571, 25, 8521, 1, 311, 279, 1948, 323, 3779, 264, 5413, 8338, 311, 279, 3512, 449, 279, 20950, 336, 29912, 1665, 13, 578, 3575, 4131, 709, 11, 994, 1070, 596, 3403, 1495, 430, 39076, 8741, 13, 4740, 7366, 279, 8291, 1523, 14, 12891, 287, 279, 2262, 709, 323, 7366, 279, 8291, 709, 1578, 11, 279, 8291, 5900, -100 ]
RealVNC 6.1.0 Free Download is reliable source to download and install this useful software in your PC. RealVNC Free Setup file is completely standalone. It's an offline installer and compatible with windows 32 bit and 64 bit. Real VNC 6.1.0 is a remote control software, which allows the user to spectacle and interacts with one computer using a basic program on another computer wherever on the internet. It does not visualize with that computer yet it can cooperate with it. Real VNC boosts the effectiveness of any trade, business by reducing downtime and enhances the quality. Real VNC 6.0.3 Free Download invented VNC to screen share technology too. Thousands of clients from the whole world are renovating their productivity and minimizing their expenses by using Real VNC 6.0.3 Free Download. You can also like TeamViewer 10. To use this software, one does not need to have same company computers/laptops. It can connect with any type of computer. This version also connects with the desktop to laptop, desktop to mobile phone, and even computer to computer, and this is the specialty of Real VNC 6.1.0. Because of these qualities, it beats other related Softwares, i.e. HJ split 3.0, Kies 3.2. Hence it is in the public domain and freely available. The widespread Real VNC is used by 90k+ entrepreneurs, in different trade centers, academies, and privately too. Because of these qualities, it beats other related Softwares, i.e. HJ split 3.0, Kies 3.2. Hence it is in the public domain and freely available. The widespread Real VNC is used by 90k+ entrepreneurs, in different trade centers, academies, and privately too. Listed below are some of the core features of RealVNC 6.1.0. You can also experience these by performing the RealVNC 6.1.0 Free Download. For a quick information regarding the setup file go through the listed below details before starting the RealVNC 6.1.0 Free Download. Be sure for the listed below minimum system requirements before going to start RealVNC 6.1.0 Free Download. Click on the given below link of "Download Now" and start RealVNC 6.1.0 Free Download.
{ "redpajama_set_name": "RedPajamaC4" }
6,832
[ 128000, 13058, 53, 10153, 220, 21, 13, 16, 13, 15, 3658, 8745, 374, 15062, 2592, 311, 4232, 323, 4685, 420, 5505, 3241, 304, 701, 6812, 13, 8976, 53, 10153, 3658, 19139, 1052, 374, 6724, 44488, 13, 1102, 596, 459, 27258, 44152, 323, 18641, 449, 11276, 220, 843, 2766, 323, 220, 1227, 2766, 627, 13058, 650, 10153, 220, 21, 13, 16, 13, 15, 374, 264, 8870, 2585, 3241, 11, 902, 6276, 279, 1217, 311, 57891, 323, 84261, 449, 832, 6500, 1701, 264, 6913, 2068, 389, 2500, 6500, 28578, 389, 279, 7757, 13, 1102, 1587, 539, 51187, 449, 430, 6500, 3686, 433, 649, 47903, 449, 433, 627, 13058, 650, 10153, 67232, 279, 27375, 315, 904, 6696, 11, 2626, 555, 18189, 75954, 323, 57924, 279, 4367, 13, 8976, 650, 10153, 220 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 13058, 53, 10153, 220, 21, 13, 16, 13, 15, 3658, 8745, 374, 15062, 2592, 311, 4232, 323, 4685, 420, 5505, 3241, 304, 701, 6812, 13, 8976, 53, 10153, 3658, 19139, 1052, 374, 6724, 44488, 13, 1102, 596, 459, 27258, 44152, 323, 18641, 449, 11276, 220, 843, 2766, 323, 220, 1227, 2766, 627, 13058, 650, 10153, 220, 21, 13, 16, 13, 15, 374, 264, 8870, 2585, 3241, 11, 902, 6276, 279, 1217, 311, 57891, 323, 84261, 449, 832, 6500, 1701, 264, 6913, 2068, 389, 2500, 6500, 28578, 389, 279, 7757, 13, 1102, 1587, 539, 51187, 449, 430, 6500, 3686, 433, 649, 47903, 449, 433, 627, 13058, 650, 10153, 67232, 279, 27375, 315, 904, 6696, 11, 2626, 555, 18189, 75954, 323, 57924, 279, 4367, 13, 8976, 650, 10153, 220, -100 ]
KIMIO MIZUTANI a path through haze and the monk quintet T.S.U. TORONADOS MICHELLE SHOCKED the texas campfire tapes sings bossa nova hits KALIN TWINS the kalin twins NOE PRO & SEMITONES come along my baby / yesterday's dream SHUGGIE OTIS inspiration information a black man's soul CRAIG BROTHERS work on me jesus GARY HODGE not for love or money / too old to cry the day the world turned blue in the pocket neon steeple HAROLD MABERN rakin' and scrapin' BEACON STREET UNION the eyes of the beacon street union twangsville rekopis znaleziony w saragossie NATIONAL HEALTH FLAME 'N' KING & SONS OF DARKNESS brandyfoot BOOKER T. & MG'S and now! ascension heights DICK COLLINS king richard the swing hearted ZIPPS be stoned! dig: zipps all hallow's eve and more 1964 greatest hits, vol. 2 DON BRYANT the lonely soldier / coming on strong SAM LAZAR soul merchant MARTHA & VANDELLAS MARIA BETHANIA, CLARA NUNES, JOAO BOSCO, I GRES BRIAN AUGER & OBLIVION EXPRESS fleetwood mac in chicago easy tempo, vol. 3; further cinematic easy listening experiences BARBARA RUSSELL golden blues BARBARA LYNN & BETTYE SWANN elegant soul HANDGJORT tonight's the night days of future passed show you my love / mono pebbles, vol. 2 working in the coal mine nina at the village gate ICECROSS nighthawks at the diner NAPOLEON XIV they're coming to take me away, ha-haaa! the churchill's MAD SOCIETY riot squad + 4 l'enfant assassin des monches ORIENTAL SUNSHINE dedicated to the bird we love guitar, vol. 4 / the great san bernardino birthday party and other exc CATALINAS CLARENCE 'BON TON' GARLOW getting ready... KELLY SISTERS some girls will do anything / joey to the ones she loves BLUES MAGOOS psychedelic lollipop martin denny! RAVI SHANKAR & ALI AKBAR KHAN the exotic sitar and sarod feel the funk / try my love again KING SUNNY ADE ase / same ART REYNOLDS SINGERS the soul-gospel sounds of P. VERT / CONNIE LINGUS stick ball / f*ck me forever UNIQUES / VOWS merry christmas darling / i wanna chance DUKE LUMUMBA jungle funk JOHN WAGNER COALITION 16 all-time greatest hits RAL DONNER christmas day / second miracle blind joe death the falconer's arm, vol. 1 LORNE GREENE ringo / bonanza SERGIO MENDES & BRASIL '66 EDWIN HAWKINS SINGERS let us go into the house of the lord i'm going home + 3 standup comic OSBORNE BROTHERS cuttin' grass ALVIN CASH keep on dancing KELLY BROTHERS i'll be a witness there too / i'm so glad today JAMES DIXON & PAUL ZUKOFSKY new music from the university of iowa la cuna / the old castle J.C. WHITE SINGERS someone to lean on / blessed trinity STARDUSTERS nunca as de volver / como fue (bolero) Dale Farr EARL KING: Trick Bag CARL PERKINS: Honey Don't WARREN SMITH: Ubangi Stomp DR ROSS: Boogie Disease HOWLIN WOLF: I Asked For Water OTIS RUSH: I Can't Quit You Baby MUDDY WATERS: Long Distance Call JIMMY REED: I Want To Be Loved DREAMLOVERS: If I Should Lose You SHERADES: My Love JOHNNIE RAY: Cry SOLOMON BURKE: Everybody Needs Somebody TOMMY TUCKER: High Heel Sneakers SHAWEES: No One To Love Me HIDEAWAYS: Can't Help Loving That Girl Of Mine CASTELLS: My Girl Awaits Me JOE HINTON: Funny LILLIAN LEACH & MELLOWS: My Darling The Roots of Rock and Roll..38 Years of playing my own 45s,LP's, CD's every other Friday at 3:00 PST on KBOO radio and KBOO.FM streaming Bukka White Booker T. Washington "Bukka" White (November 12, 1909 – February 26, 1977) was an African-American Delta blues guitarist and singer. "Bukka" is a phonetic spelling of White's first name, placed on the labels of his early recordings. He preferred the proper spelling of his name, "Booker," as he was named after the well-known African-American educator and civil rights activist Booker T. Washington. White was born south of Houston, Mississippi. He was a first cousin of B.B. King's mother (White's mother and King's grandmother were sisters). He is remembered as a player of National resonator guitars. He also played piano, but less adeptly. He typically played slide guitar, in an open tuning. He was one of the few, along with Skip James, to use a crossnote tuning in E minor, which he may have learned, as James did, from Henry Stuckey. White started his career playing the fiddle at square dances. He claimed to have met Charlie Patton soon after, but some have doubted this recollection. Nonetheless, Patton was a strong influence on White. He first recorded for Victor Records in 1930. His recordings for Victor, like those of many other bluesmen, included country blues and gospel music. Victor published his photograph in 1930. His gospel songs were done in the style of Blind Willie Johnson, with a female singer accentuating the last phrase of each line. Nine years later, while serving time for assault, he recorded for the folklorist John Lomax. The few songs he recorded around this time became his most well known: "Shake 'Em On Down," and "Po' Boy." His 1937 version of the oft-recorded song "Shake 'Em on Down," is considered definitive; it became a hit while White was serving time in Parchman. One of his most famous songs, "Parchman Farm Blues", about the Mississippi State Penitentiary (also known as Parchman Farm) in Sunflower County, Mississippi, was released on Harry Smith's fourth volume of the Anthology of American Folk Music, Vol. 4. Bob Dylan covered his song "Fixin' to Die Blues", which aided a "rediscovery" of White in 1963 by guitarist John Fahey and Ed Denson, which propelled him into the folk revival of the 1960s. White had recorded the song simply because his other songs had not particularly impressed the Victor record producer. It was a studio composition of which White had thought little until it re-emerged thirty years later. Fahey and Denson found White easily enough: Fahey wrote a letter to "Bukka White (Old Blues Singer), c/o General Delivery, Aberdeen, Mississippi." Fahey had assumed, given White's song "Aberdeen, Mississippi", that White still lived there or nearby. The postcard was forwarded to Memphis, Tennessee, where White worked in a tank factory. Fahey and Denson soon traveled to meet White, and White and Fahey remained friends through the remainder of White's life. He recorded a new album for Denson and Fahey's Takoma Records, whilst Denson became his manager. White was at one time also managed by experienced blues manager Arne Brogger. Later in his life, White was friends with the musician Furry Lewis. The two recorded an album (mostly in Lewis's Memphis apartment), Furry Lewis, Bukka White & Friends: Party! At Home. White died of cancer in February 1977, at the age of 67, in Memphis, Tennessee. In 1990 he was posthumously inducted into the Blues Hall of Fame (along with Blind Blake and Lonnie Johnson). On November 21, 2011, the Recording Academy announced that "Fixin' to Die Blues" was to be added to its 2012 list of Grammy Hall of Fame Award recipients. The Led Zeppelin song "Hats Off to (Roy) Harper", on the band's 1970 album Led Zeppelin III, was based in large part on White's "Shake 'Em on Down." "Custard Pie", a song on Led Zeppelin's 1975 album Physical Graffiti, also references "Shake 'Em on Down." The 1963 recordings of White's song "Shake 'Em on Down" and spoken-word piece "Remembrance of Charlie Patton" were both sampled by electronic artist Recoil (mostly a one-man effort by Alan Wilder of Depeche Mode) for the track "Electro Blues for Bukka White" on the 1992 album Bloodline. The song was reworked and re-released on the 2000 EP Jezebel. In 1995, White's "Aberdeen, Mississippi" was covered as "Aberdeen" by guitarist Kenny Wayne Shepherd on his debut album, Ledbetter Heights. It reached number 23 on the Billboard (North America) Mainstream Rock Tracks in 1996. On January 26, 2010, Eric Bibb released Booker's Guitar (TEL 31756 02) through Telarc International Corporation after becoming inspired by the hidden stories Bibb felt through holding White's famous guitar. White's song "Parchman Farm Blues" was recorded by Jeff Buckley, and was released posthumously on the bonus disc of Buckley's album Grace: Legacy Edition. Article courtesy of www.wikipedia.org
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
7,104
[ 128000, 42, 1829, 3895, 386, 2913, 1406, 77993, 198, 64, 1853, 1555, 90409, 198, 438, 279, 63772, 40757, 295, 198, 51, 815, 5368, 13, 71061, 715, 91042, 198, 56061, 51812, 877, 6570, 17092, 1507, 198, 1820, 60348, 3190, 11029, 52796, 198, 82, 826, 13697, 64, 41634, 13280, 198, 42, 984, 691, 36655, 9751, 198, 1820, 597, 36207, 44736, 198, 9173, 36, 5421, 612, 46544, 964, 61389, 198, 2063, 3235, 856, 8945, 611, 13985, 596, 8063, 198, 8758, 3014, 38, 5484, 8775, 1669, 198, 1354, 29579, 2038, 198, 64, 3776, 893, 596, 13836, 198, 34, 5726, 1953, 426, 60318, 3087, 50, 198, 1816, 389, 757, 503, 43493, 198, 38, 8812, 473, 2114, 11010, 198, 1962, 369, 3021, 477, 3300, 611, 2288, 2362, 311, 16106, 198, 1820, 1938, 279, 1917 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 42, 1829, 3895, 386, 2913, 1406, 77993, 198, 64, 1853, 1555, 90409, 198, 438, 279, 63772, 40757, 295, 198, 51, 815, 5368, 13, 71061, 715, 91042, 198, 56061, 51812, 877, 6570, 17092, 1507, 198, 1820, 60348, 3190, 11029, 52796, 198, 82, 826, 13697, 64, 41634, 13280, 198, 42, 984, 691, 36655, 9751, 198, 1820, 597, 36207, 44736, 198, 9173, 36, 5421, 612, 46544, 964, 61389, 198, 2063, 3235, 856, 8945, 611, 13985, 596, 8063, 198, 8758, 3014, 38, 5484, 8775, 1669, 198, 1354, 29579, 2038, 198, 64, 3776, 893, 596, 13836, 198, 34, 5726, 1953, 426, 60318, 3087, 50, 198, 1816, 389, 757, 503, 43493, 198, 38, 8812, 473, 2114, 11010, 198, 1962, 369, 3021, 477, 3300, 611, 2288, 2362, 311, 16106, 198, 1820, 1938, 279, 1917, -100 ]
Basic Regulations (1882) The Basic Regulation 1882, popularly known as the Constitution of Egypt 1882 promulgated during the reign of Khedive Tawfiq to replace the Constitution of 1879. This constitution is a link in the history of constitutional law in Egypt and is part of its development stages. It is a modest attempt to implement a democratic system under an Ottoman mandate represented by the family of Muhammad Ali. This constitution was issued as an attempt to confirm Egypt's non-subordination to the Ottoman Empire and in a renewed attempt by Khedive Tawfiq to obtain autonomy and to make governance in Egypt based on foundations, the most important of which is the Parliament's oversight of the government's work represented by the Council of Principals, or Ministers, which makes this constitution close to the model. Constitutional law for a legal state - relatively - even if it does not rise to the level required for a legal state. It is expected from the constitution that it adopts the function of oversight on the one hand and legislation on the other hand for the House of Representatives, and makes the government represented by the Council of Priests accountable to the House of Representatives, which is the representative of the Egyptian nation. Perhaps the most prominent indications of this constitution is its adoption in the midst of a political struggle and controversy in the midst of the crisis of foreign intervention, and the presence of the Urabi revolution in the arena. This constitution also carried Khedive Tawfiq's directions and his desire to control the reins of ruling Egypt, which inherited the outrageous debts of Khedive Ismail, and suffered from the disintegration of government control over parts of the Egyptian region. Perhaps the most important content of the Constitution of Egypt in 1882 is the creation of a House of Representatives and a statement of the relationship between it and the government (the Council of Priests), but it is a constitution that falls short of including the basic rights and freedoms of the citizen in Egypt, as it did not address them. Parliament representing the Egyptian nation The constitution created a parliament called the House of Representatives, whose seat is guarded in Egypt (i.e. Cairo) dependent on the election of deputies, and the work of the parliament lasts for five years, and this parliament is not dissolved except in the case of a persistent dispute between the Council of Supervisors and it, if the dispute persists and the cabinet (Ministry) does not exist By exemption (resignation), the Khedive shall abolish the Council and call for the election of a new House of Representatives that represents the sovereignty of the Egyptian nation. So that if a new House comes and approves the opinion of the previous Council that was in dispute between him and the Council of Principals (the government) then the opinion of the Council becomes final and is implemented.. The council plays a representative role for the Egyptian nation as a whole, and it has to hold the government (the principal) accountable and ask for clarifications. The principals (ministers) must respond to the calls of the House of Representatives to attend, so that the House of Representatives can carry out its work. Functions of Parliament The constitution has adopted the two functions of oversight on the one hand, and the function of enacting laws and enacting legislation on the other hand, according to certain mechanisms and methods that are considered according to legal considerations. INSERT INTO `wiki_article`(`id`, `article_id`, `title`, `article`, `img_url`) VALUES ('NULL()','اللائحة_الأساسية_(1882)','Basic Regulations (1882)','','')
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
9,927
[ 128000, 16323, 49357, 320, 9367, 17, 340, 791, 14967, 48338, 220, 9367, 17, 11, 5526, 398, 3967, 439, 279, 18039, 315, 15212, 220, 9367, 17, 2773, 56099, 660, 2391, 279, 31402, 315, 20774, 291, 535, 350, 675, 10188, 80, 311, 8454, 279, 18039, 315, 220, 9674, 24, 13, 1115, 16812, 374, 264, 2723, 304, 279, 3925, 315, 25543, 2383, 304, 15212, 323, 374, 961, 315, 1202, 4500, 18094, 13, 1102, 374, 264, 27946, 4879, 311, 4305, 264, 26623, 1887, 1234, 459, 70110, 35381, 15609, 555, 279, 3070, 315, 36831, 14925, 13, 1115, 16812, 574, 11136, 439, 459, 4879, 311, 7838, 15212, 596, 2536, 18451, 99344, 311, 279, 70110, 21080, 323, 304, 264, 36646, 4879, 555, 20774, 291, 535, 350, 675, 10188, 80, 311, 6994, 51360, 323, 311, 1304 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 16323, 49357, 320, 9367, 17, 340, 791, 14967, 48338, 220, 9367, 17, 11, 5526, 398, 3967, 439, 279, 18039, 315, 15212, 220, 9367, 17, 2773, 56099, 660, 2391, 279, 31402, 315, 20774, 291, 535, 350, 675, 10188, 80, 311, 8454, 279, 18039, 315, 220, 9674, 24, 13, 1115, 16812, 374, 264, 2723, 304, 279, 3925, 315, 25543, 2383, 304, 15212, 323, 374, 961, 315, 1202, 4500, 18094, 13, 1102, 374, 264, 27946, 4879, 311, 4305, 264, 26623, 1887, 1234, 459, 70110, 35381, 15609, 555, 279, 3070, 315, 36831, 14925, 13, 1115, 16812, 574, 11136, 439, 459, 4879, 311, 7838, 15212, 596, 2536, 18451, 99344, 311, 279, 70110, 21080, 323, 304, 264, 36646, 4879, 555, 20774, 291, 535, 350, 675, 10188, 80, 311, 6994, 51360, 323, 311, 1304, -100 ]
The Kailash Tribal School of Yoga is registered with Yoga Alliance and Teacher Training Centre is recognized and approved by Yoga Alliance. The Kailash Tribal School of Yoga is an International Society of Vedic & Yogic Sciences. The Kailash Tribal School of Yoga gave special emphases on practical training, behavior & character building. The Kailash Tribal School of Yoga, a Yoga Teacher Training Centre was established 2002 and is located on Bhagsu road at Mcleodganj in district Kangra. School is registered with Yoga Alliance and Teacher Training Centre is recognized and approved by Yoga Alliance. The Kailash Tribal School of Yoga is an International Society of Vedic & Yogic Sciences. Teacher Training Centre is run by Shri Sugathakumar N Nair (Yogi Sivadas) who is great practitioner of Yoga and Holistic healing. The yoga is remedy which applies to all levels of existence and awareness. At the physical level, we need to harmonize the functions of different organs, muscles and nerves so that they do not hamper or oppose each other. The Kailash Tribal School of Yoga apart of the Teacher Training course also teaches Hatha yoga, Shivananda yoga, Ashtanga yoga, Kundalini yoga, Mantra yoga to retreats participants according to the different requirements. The Mcleodganj is a great place for those who are in search of Happiness, Health, Harmony and Mental balance & Peace. The Kailash Tribal School of Yoga gave special emphases on practical training, behavior & character building. Hence an every student assessed for his / her behavior closely and same is reflected in the respective certificates. 1. Reike course & healing: Reiki involves channeling the Universal life force or the Cosmic force into the body. Its use as a healing system can be expanded to form the basis of one's way of existence in Life. 1. Teacher Training Course (200 and 300 hrs level) – Duration 4 weeks and 6 weeks. The Kailash Tribal School of Yoga also have an music school namely Kailash Tribal Music School that offers the training in Indian traditional music and instruments from professionals knowledgeable in regional India music, Vedic chants, Mantras, Devotional songs, Bhajan and Keertan etc. Phones : +91 1892 220699, +91 9816150326.
{ "redpajama_set_name": "RedPajamaC4" }
5,190
[ 128000, 791, 735, 607, 1003, 91212, 6150, 315, 38673, 374, 9879, 449, 38673, 23590, 323, 30169, 16543, 14821, 374, 15324, 323, 12054, 555, 38673, 23590, 13, 578, 735, 607, 1003, 91212, 6150, 315, 38673, 374, 459, 7327, 13581, 315, 650, 34383, 612, 95671, 292, 23199, 13, 578, 735, 607, 1003, 91212, 6150, 315, 38673, 6688, 3361, 13456, 2315, 389, 15325, 4967, 11, 7865, 612, 3752, 4857, 627, 791, 735, 607, 1003, 91212, 6150, 315, 38673, 11, 264, 38673, 30169, 16543, 14821, 574, 9749, 220, 1049, 17, 323, 374, 7559, 389, 31930, 2076, 84, 5754, 520, 4584, 273, 347, 30528, 73, 304, 9474, 55376, 969, 13, 6150, 374, 9879, 449, 38673, 23590, 323, 30169, 16543, 14821, 374, 15324, 323, 12054, 555, 38673, 23590, 13, 578, 735, 607, 1003, 91212 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 791, 735, 607, 1003, 91212, 6150, 315, 38673, 374, 9879, 449, 38673, 23590, 323, 30169, 16543, 14821, 374, 15324, 323, 12054, 555, 38673, 23590, 13, 578, 735, 607, 1003, 91212, 6150, 315, 38673, 374, 459, 7327, 13581, 315, 650, 34383, 612, 95671, 292, 23199, 13, 578, 735, 607, 1003, 91212, 6150, 315, 38673, 6688, 3361, 13456, 2315, 389, 15325, 4967, 11, 7865, 612, 3752, 4857, 627, 791, 735, 607, 1003, 91212, 6150, 315, 38673, 11, 264, 38673, 30169, 16543, 14821, 574, 9749, 220, 1049, 17, 323, 374, 7559, 389, 31930, 2076, 84, 5754, 520, 4584, 273, 347, 30528, 73, 304, 9474, 55376, 969, 13, 6150, 374, 9879, 449, 38673, 23590, 323, 30169, 16543, 14821, 374, 15324, 323, 12054, 555, 38673, 23590, 13, 578, 735, 607, 1003, 91212, -100 ]
For additional information and local contacts for the Dance for Parkinson's network in the United Kingdom, please click here. For more information and to register, please contact Mick Terry at the Banbury Parkinsons Group by phone: 01295 710822. Drop-ins allowed. Pre-booking is advisable. £3.50 for those with the condition. Free for carers. Dance styles/techniques/content covered in class: Free-style, creative, improvisation with elements of Contemporary, Ballet, Jazz, Yoga, in a dance context. For more information, please call 01202 203 630 or visit the PDSW website. Click here to download a class flyer. ​For more information, please contact Katie at [email protected] or Jackie at [email protected]. For more information, please phone 07766903914. Please contact DanceEast to register your interest or for a booking form: [email protected] / 01473 295232. Fridays (twice a month), 10:15-11:30 a.m. For more information, please contact Melanie on 07745 849 714 or by email. For people living with a range of neurological conditions, including Parkinson's, as well as their caregivers. Mondays (weekly) from 1:30-2:30 p.m. [email protected] / 0151 708 8810. The session will start seated in chairs, and there will be musical accompaniment. Please wear comfortable clothing to allow range of movement. Please email [email protected] for further details and to register or visit www.moveintowellbeing.org.uk. First class is free of charge! Please email us for further details and to register or visit www.moveintowellbeing.org.uk. Moving into Wellbeing is now a Registered Charity. ​Please email [email protected] for further details and to register or visit www.moveintowellbeing.org.uk. Dance styles: ballet, theatre, contemporary, tap, improvisation, ballroom, story-based mime. For 2015: A Retrospective – we will take a look back over our favorite AWE Inspired Dances to date, and dance some of our Old Favorites, as determined by our AWE Inspired Dancers. For information and to register, please contact Alexis via email or via telephone +44 (0)7737 661 208. [email protected] / 020 7581 1245. No previous dance experience is required and carers, friends and partners are welcome to attend. Transport: The studio is located in Kingston (zone 6). It is a short five-minute walk from the main line railway station and is near the 65 bus route. There is disabled parking available outside the building. Rambert's Dance for Parkinson's classes run termly in 8-week blocks, on Tuesday's at our home on London's Southbank. For more information and term dates please visit us online. The session will start seated in chairs, there will be musical accompaniment, and please wear comfortable clothing which allows for movement. Dance styles/techniques/content covered in class: Free-style with elements of Ballet, Tap, Yoga, Pilates, Tai chi in a dance context. Fridays, 2 p.m. to 3.30 p.m. They are funded by health and wellbeing provider Benenden. For more information contact [email protected]. For more information, please email [email protected] or phone 07968 994 116. For more information call Lucy on 07890 513734 or email David Stanfield. The full course of seven classes begins on Monday June 5 and runs until July 24. It costs £4.50 per session for people with Parkinson's and is free for their family, carers and friends. The entrance fee includes tea, coffee and biscuits. For more information call 01242 603207 oremail Ms. Hartley. Classes in development. For information, please contact Suzie Main at [email protected] or on 07545 276328. For more information, please click here or email [email protected]. For more information on joining the group, or to volunteer, please contact Caerphilly via email or call 078417 99947. To find out more about Dance for Parkinson's in Cardiff, please click here.
{ "redpajama_set_name": "RedPajamaC4" }
9,254
[ 128000, 2520, 5217, 2038, 323, 2254, 19015, 369, 279, 30704, 369, 62145, 596, 4009, 304, 279, 3723, 15422, 11, 4587, 4299, 1618, 627, 2520, 810, 2038, 323, 311, 4254, 11, 4587, 3729, 60333, 32618, 520, 279, 23565, 20176, 62145, 82, 5856, 555, 4641, 25, 220, 11531, 2721, 220, 19027, 23105, 627, 20463, 22610, 5535, 13, 5075, 12, 21978, 374, 69919, 13, 7083, 18, 13, 1135, 369, 1884, 449, 279, 3044, 13, 3658, 369, 1841, 388, 627, 35, 685, 9404, 14, 26522, 8467, 29017, 9960, 304, 538, 25, 3658, 11549, 11, 11782, 11, 80163, 367, 449, 5540, 315, 48302, 11, 87736, 11, 36967, 11, 38673, 11, 304, 264, 15612, 2317, 627, 2520, 810, 2038, 11, 4587, 1650, 220, 11531, 2437, 220, 9639, 220, 18660, 477, 4034, 279, 393, 6061 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 2520, 5217, 2038, 323, 2254, 19015, 369, 279, 30704, 369, 62145, 596, 4009, 304, 279, 3723, 15422, 11, 4587, 4299, 1618, 627, 2520, 810, 2038, 323, 311, 4254, 11, 4587, 3729, 60333, 32618, 520, 279, 23565, 20176, 62145, 82, 5856, 555, 4641, 25, 220, 11531, 2721, 220, 19027, 23105, 627, 20463, 22610, 5535, 13, 5075, 12, 21978, 374, 69919, 13, 7083, 18, 13, 1135, 369, 1884, 449, 279, 3044, 13, 3658, 369, 1841, 388, 627, 35, 685, 9404, 14, 26522, 8467, 29017, 9960, 304, 538, 25, 3658, 11549, 11, 11782, 11, 80163, 367, 449, 5540, 315, 48302, 11, 87736, 11, 36967, 11, 38673, 11, 304, 264, 15612, 2317, 627, 2520, 810, 2038, 11, 4587, 1650, 220, 11531, 2437, 220, 9639, 220, 18660, 477, 4034, 279, 393, 6061, -100 ]
Legend of the Fairy Sword of Refusing Sorrow "I think so, to be able to accompany the favorite person to make a living in Jianghu, at least it should not be as painful as it was originally." Han Lingsha nodded in agreement. Even if he can't accompany his favorite person, he has entered Miss Ouyang's heart, and I believe Miss Ouyang will never forget him. Shaking his head slightly, Liu Mengli sighed lightly. Hearing this, Han Lingsha looked puzzled and looked at Liu Mengli's back. Her lips moved slightly, and she wanted to speak and stopped. Suddenly, Liu Mengli turned around, and her pretty face seemed to be covered with a layer of clear frost, without a trace of her usual gentleness. Xi Zhong, why did you break into my room? Looking at the door, Liu Mengli whispered. Young Lord, please forgive me. I don't mean to offend my subordinates. Standing in the doorway, it was Xi Zhong, who first saluted Liu Mengli respectfully, raised his head, looked at the three people in the room, and said in a deep voice, ".." However, although this is the room of the young Lord, it is also the resting place of His Highness the Demon King. Young Lord, it is quite inappropriate for you to bring these humans in.. You don't have to worry about that, didn't I say? These are your Highness's friends, and my friends, and there will be no danger. You'd better stand down. Liu Mengli said lightly. Young Lord, please think twice, they are human beings, not demons, not our people, no one can guarantee what they think in their hearts. Did not step down according to the words,Nail Making Machine price, Xi Zhong still stood there, looking at Liu Mengli, his face was anxious, desperate way, "." Besides, the subordinates heard Lord Chan You say that when they were in Qionghua, it was they who attacked His Highness the Demon King. "Enough!" Liu Mengli interrupted Xi Zhong's words, looked at Xi Zhong, frowned, "Xi Zhong, is my mother's order to let you watch here?" "Lord Chan You is still healing,High Speed Nail Making Machine, and there are no instructions now, but." Xi Zhong hesitated. Since it's not my mother's order, please get out! Without waiting for Xi Zhong to finish, Liu Mengli said in a cold voice. Looked at Liu Mengli's cold expression, then looked at the three people in the room, Xi Zhong's face changed several times. Subordinates. Excuse me. Finally, Xi Zhong saluted and slowly retreated. Lingsha, Tianhe, Ziying.. Although the dream glass is very reluctant to part with you, but, I'm afraid you have to leave here quickly. When Xi Zhong left, Liu Mengli turned her head and said with a wry smile. It's because.. Your mother? Yun Tianhe is not sure. Nodding her head and looking at the sleeping man on the couch, Liu Mengli said sadly, "My mother doesn't like humans all the time, and with what happened in Qionghua, I'm afraid she's even more dissatisfied with you.." Now Qing'er has become like this, without his restraint, if Niang is not good for you, I don't know. Can I protect you. With these words, Liu Mengli's face showed a sad look. Good dream glass, don't be sad, Nail production machine ,Nail Making Machine manufacturers, we all understand. Seeing Liu Mengli so sad, Han Lingsha comforted her. Yes, dream glass, just as we are anxious to go back to find a way to save Lingsha, and advise my eldest brother not to fly up. Yun Tianhe also consoled. Thank you. While my mother is still healing, you, hurry up and follow me to the altar, from where you can be sent back to the world. Liu Mengli nodded and said eagerly. Knowing that there was no delay, the three of them took a final look at the sleeping demon king and resolutely followed Liu Mengli away. The house was restored to its original tranquility. On the bed, Meng Hui was still lying there quietly, with a peaceful face, as if he were sleeping soundly. Suddenly, a finger moved imperceptibly. Before honoring the altar, Liu Mengli cast a spell to open the magic array. Thank you. Leave me so many happy memories. We fly together with the sword, cross mountains and rivers together, and see those beautiful lanterns together in Jimo. These things, I will never, never forget.. Looking at the faces of his former partners one by one, Liu Mengli choked up in his heart. Meng Li, I won't forget you either. Departure is imminent, Han Lingsha is also very sad, red eyes. Without saying a word, Murong Ziying folded her fists and bowed to Liu Mengli. Liu Mengli bent over and returned the gift. Thank you, Ziying. Needless to say.. I know you don't like demons, but in the end, you're still willing to help my people, and I'm grateful. After a pause, Liu Mengli continued, "I." I'm not very good at talking, but Ziying, you will always be my best friend. "…… So do I Nodding his head, Murong Ziying whispered. Mr. Yun, take care of yourself. Looking at the Yuntian River, Liu Mengli whispered. I will. Yun Tianhe was depressed. Ask my eldest brother to look back at Shu Jian, persuade him not to fly up, save Lingsha, and then find Xuan'e, I will go back to Qingluan Peak, no longer pay attention to these fighting and killing things under the mountain.. "But the dream glass." Yun Tianhe raised his head and looked forward to it, "I know, nineteen years later, you will come to the world again!"! At that time, can we meet again? "Yes, by that time, Qing'er must have woken up. You must remember to go to Qingluan Peak to see the savages. Of course, it's better to take a group with you." Her eyes were still red, and Han Lingsha grinned. Take a group? Who else is there? Hearing this, Yuntianhe turned his head and asked curiously. It's a deal. I'll go with him to find you. With a slight smile, Liu Mengli took out a sachet from her bosom and handed it to Yun Tianhe. Mr. Yun, please take this vanilla sachet back to Shouyang and give it to your father and mother. Tell them, the daughter is not filial, can not accompany them around, also can not provide for them, please Pei eldest brother for me. Do a little filial piety for me, the dream glass is grateful. Later, Liu Mengli was a little sad again. …… I I'll bring it. Yun Tianhe solemnly took the sachet into his arms and nodded forcefully. No matter how reluctant to say goodbye, but eventually to separate, sadly look at each other, three people turned their heads no longer look at Liu Mengli, in turn stepped into the law array, with a flash of light, disappeared. Goodbye, Tianhe, Lingsha, Ziying and. Xuan'e, my partners,Coil Nail Making Machine, there will be a day to meet again. Standing in place for a long time, staring at the shimmering array, Liu Mengli murmured. 3shardware.com #Legend of the Fairy Sword of Refusing Sorrow Big idol Of course, เว็บสล็อตออนไลน์ UFA888 เดิมพันง่ายไม่มีขั้นต่ำรองรับการเข้าเล่นบนมือถือ
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
8,595
[ 128000, 40775, 315, 279, 56176, 36751, 315, 8718, 985, 328, 7924, 198, 7189, 1781, 779, 11, 311, 387, 3025, 311, 19780, 279, 7075, 1732, 311, 1304, 264, 5496, 304, 61922, 17156, 11, 520, 3325, 433, 1288, 539, 387, 439, 26175, 439, 433, 574, 13517, 1210, 21296, 445, 826, 4317, 36065, 304, 9306, 13, 7570, 422, 568, 649, 956, 19780, 813, 7075, 1732, 11, 568, 706, 10862, 9083, 507, 4168, 526, 596, 4851, 11, 323, 358, 4510, 9083, 507, 4168, 526, 690, 2646, 10894, 1461, 13, 1443, 1802, 813, 2010, 10284, 11, 38805, 61154, 747, 53914, 34504, 13, 66550, 420, 11, 21296, 445, 826, 4317, 7111, 87420, 323, 7111, 520, 38805, 61154, 747, 596, 1203, 13, 6385, 23726, 7882, 10284, 11, 323, 1364, 4934, 311, 6604, 323, 10717, 13 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 40775, 315, 279, 56176, 36751, 315, 8718, 985, 328, 7924, 198, 7189, 1781, 779, 11, 311, 387, 3025, 311, 19780, 279, 7075, 1732, 311, 1304, 264, 5496, 304, 61922, 17156, 11, 520, 3325, 433, 1288, 539, 387, 439, 26175, 439, 433, 574, 13517, 1210, 21296, 445, 826, 4317, 36065, 304, 9306, 13, 7570, 422, 568, 649, 956, 19780, 813, 7075, 1732, 11, 568, 706, 10862, 9083, 507, 4168, 526, 596, 4851, 11, 323, 358, 4510, 9083, 507, 4168, 526, 690, 2646, 10894, 1461, 13, 1443, 1802, 813, 2010, 10284, 11, 38805, 61154, 747, 53914, 34504, 13, 66550, 420, 11, 21296, 445, 826, 4317, 7111, 87420, 323, 7111, 520, 38805, 61154, 747, 596, 1203, 13, 6385, 23726, 7882, 10284, 11, 323, 1364, 4934, 311, 6604, 323, 10717, 13, -100 ]
When making life decisions, first ask yourself the qestion "Does this bring me joy and fulfillment?" Many times in life, we make choices based on what we "have to do," and the reality is that all choices are ones we get to make. As many young people begin college this year, they are faced with the challenging question "What do you want to major in?" For most, this is a question that they find themselves unprepared for. That is why so many young adults leave college still looking for what they want to do, thinking that getting a job is what is really important. As John Wooden stated in this famous quote – "making a living should not prevent you from making a life." The more you learn about yourself, your values and what makes you happy, the easier it is to find your place in the world and where you can make the greatest contribution. Every one of us at the end of the day wants the feeling of knowing we made a difference. Understanding your values and making choices that support these values is the key. It never works to play someone else's game – you must play your own game and work to become a master at it. In this way, you will be challenged each day and the wins will be greater and perhaps the loses will feel harder, but win, loose or draw, there will always be key lessons that you can use to make your next play. Many times in the past years, I have heard people say "You are so lucky to have the life you have." Luck really has nothing to do with it. We make choices and we face consequences, some good and some not so good. The best barometer of having a fulfilling life is to be honest with yourself and to live authentically in what truly makes you happy. Take time this week noticing what is really making you happy. Pay attention to where you are spending time and what matters most to you. Then find ways to do more of it. Stop living each day waiting to have the life you want – start living that life today. If you do, then you will become one of the "lucky ones" – a person who lives their values and shows up authentically being who they were meant to be. Here's to a happy life!!!! And if you would like to learn about opportunities for Leadership Development trainings or our Living Life workshops, contact Ginny Carter at 707-750-3318. https://sourcepointtraining.com/wp-content/uploads/spt-logo-600-300x89.png 0 0 [email protected] https://sourcepointtraining.com/wp-content/uploads/spt-logo-600-300x89.png [email protected]2016-09-01 10:17:402016-09-01 10:17:40Live A Happy Life!
{ "redpajama_set_name": "RedPajamaC4" }
7,701
[ 128000, 4599, 3339, 2324, 11429, 11, 1176, 2610, 6261, 279, 2874, 43598, 330, 22186, 420, 4546, 757, 16267, 323, 57383, 7673, 9176, 3115, 304, 2324, 11, 584, 1304, 11709, 3196, 389, 1148, 584, 330, 19553, 311, 656, 1359, 323, 279, 8903, 374, 430, 682, 11709, 527, 6305, 584, 636, 311, 1304, 627, 2170, 1690, 3995, 1274, 3240, 7926, 420, 1060, 11, 814, 527, 17011, 449, 279, 17436, 3488, 330, 3923, 656, 499, 1390, 311, 3682, 304, 7673, 1789, 1455, 11, 420, 374, 264, 3488, 430, 814, 1505, 5694, 653, 61212, 369, 13, 3011, 374, 3249, 779, 1690, 3995, 12884, 5387, 7926, 2103, 3411, 369, 1148, 814, 1390, 311, 656, 11, 7422, 430, 3794, 264, 2683, 374, 1148, 374, 2216, 3062, 627, 2170, 3842, 63592, 11224, 304, 420, 11495 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 4599, 3339, 2324, 11429, 11, 1176, 2610, 6261, 279, 2874, 43598, 330, 22186, 420, 4546, 757, 16267, 323, 57383, 7673, 9176, 3115, 304, 2324, 11, 584, 1304, 11709, 3196, 389, 1148, 584, 330, 19553, 311, 656, 1359, 323, 279, 8903, 374, 430, 682, 11709, 527, 6305, 584, 636, 311, 1304, 627, 2170, 1690, 3995, 1274, 3240, 7926, 420, 1060, 11, 814, 527, 17011, 449, 279, 17436, 3488, 330, 3923, 656, 499, 1390, 311, 3682, 304, 7673, 1789, 1455, 11, 420, 374, 264, 3488, 430, 814, 1505, 5694, 653, 61212, 369, 13, 3011, 374, 3249, 779, 1690, 3995, 12884, 5387, 7926, 2103, 3411, 369, 1148, 814, 1390, 311, 656, 11, 7422, 430, 3794, 264, 2683, 374, 1148, 374, 2216, 3062, 627, 2170, 3842, 63592, 11224, 304, 420, 11495, -100 ]
We've tried out airport hotels before, and so many times they just make sense. The night before departing on our Disney Cruise from Port Canaveral, #Florida, we stayed at the Hyatt in the Orlando Airport. What I love about the airport/hotel mixture is that you can stay in a #unique spot, watch planes take off all day long, but don't have to get a taxi, run through the airport, or feel stressed. Staying on the premises offers major pre-vacation #relaxation. For our family's most recent cruise, we decided to fly in to Orlando a day early so we could relax and get a good night's sleep before all the Disney cruise fun. We reserved a room for one night at the Hyatt Regency Orlando International Airport for our family of 4 a month before our arrival. Luckily we booked ahead of time, because the week before our cruise, the only rooms available were ones with one king bed. The Hyatt Regency is located on the 3rd floor (atrium level) of the airport where elevators take guests up to the 4th floor for check-in. After a quick flight from Toronto to Orlando, we picked up our luggage and headed to the registration desk at 1PM. Check-in is normally at 4PM but we lucked out and were able to get into our room within 15 minutes of landing at MCO. That's a world record for us! Gift shops, a fish tank and a food court located on the atrium level of the airport allows kids to be entertained without Mom and Dad having to spend a ton of money. Rooms are available to use for the day for pre and post cruisers that need a place to nap, shower or recharge before their cruise or before their late night flight home. There are 445 rooms at the Hyatt Regency Orlando International Airports and guests can choose between facing the airport's atrium or the exterior (runways, parking garage etc). We didn't request a specific location and were given one facing one of the parking lots. Our 2 queen bed room was spacious enough for our family of 4 and had a large bathroom, closet area, desk and chair and a small patio. The bed rails which we had requested online were not set up in the room and the staff brought them up immediately after a quick phone call to the front desk. The room was a bit dated with its brown, green and gold colour scheme, but still very clean. Even though we didn't have a view of the runway from our room, it was only a short walk to the elevators where our kids could see the planes taxiing and preparing for take off. They thought that was really cool. We had no noise problems, beds were very comfortable and we were all able to get good sleep before heading to Port Canaveral the next morning. There are two onsite restaurants at the Hyatt Regency Orlando International Airport – Hemisphere Steak & Seafood Restaurant, McCoy's Bar and Grill – as well as a bar in the lobby. We decided to skip the hotel restaurants and had all our meals at the food court. There's tons of options there and everything is reasonably priced. Staying at the Hyatt Regency was a great decision for our family. Even though it cost a bit more than other airport hotels in the area, we loved being able to walk across the arrivals concourse and check into our room within minutes. We used the pool twice – once at night and once before checkout – the kids couldn't get enough of being able to swim and watch planes take off at the same time. Noise from airport can be heard from your room if you are facing the inside of the atrium – paging system, noise of crowds (6AM to 10PM). If you are a light sleeper, request a room facing outside. That being said, the Hyatt Regency Orlando International Airport is a great hotel option for cruisers – rooms are clean and comfortable. The location is hard to beat if you're heading to Port Canaveral the next day.
{ "redpajama_set_name": "RedPajamaC4" }
8,222
[ 128000, 1687, 3077, 6818, 704, 17149, 25325, 1603, 11, 323, 779, 1690, 3115, 814, 1120, 1304, 5647, 13, 578, 3814, 1603, 81573, 389, 1057, 16795, 47477, 505, 5896, 3053, 402, 3333, 11, 674, 58127, 11, 584, 20186, 520, 279, 10320, 1617, 304, 279, 28944, 21348, 13, 3639, 358, 3021, 922, 279, 17149, 7682, 41885, 21655, 374, 430, 499, 649, 4822, 304, 264, 674, 9782, 7858, 11, 3821, 25761, 1935, 1022, 682, 1938, 1317, 11, 719, 1541, 956, 617, 311, 636, 264, 33605, 11, 1629, 1555, 279, 17149, 11, 477, 2733, 32647, 13, 800, 17718, 389, 279, 35022, 6209, 3682, 864, 8437, 582, 367, 674, 3833, 710, 367, 627, 2520, 1057, 3070, 596, 1455, 3293, 31551, 11, 584, 6773, 311, 11722, 304, 311, 28944, 264, 1938, 4216, 779, 584 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 1687, 3077, 6818, 704, 17149, 25325, 1603, 11, 323, 779, 1690, 3115, 814, 1120, 1304, 5647, 13, 578, 3814, 1603, 81573, 389, 1057, 16795, 47477, 505, 5896, 3053, 402, 3333, 11, 674, 58127, 11, 584, 20186, 520, 279, 10320, 1617, 304, 279, 28944, 21348, 13, 3639, 358, 3021, 922, 279, 17149, 7682, 41885, 21655, 374, 430, 499, 649, 4822, 304, 264, 674, 9782, 7858, 11, 3821, 25761, 1935, 1022, 682, 1938, 1317, 11, 719, 1541, 956, 617, 311, 636, 264, 33605, 11, 1629, 1555, 279, 17149, 11, 477, 2733, 32647, 13, 800, 17718, 389, 279, 35022, 6209, 3682, 864, 8437, 582, 367, 674, 3833, 710, 367, 627, 2520, 1057, 3070, 596, 1455, 3293, 31551, 11, 584, 6773, 311, 11722, 304, 311, 28944, 264, 1938, 4216, 779, 584, -100 ]
For the population in Macedonia (Macedonians, Turks, Greeks, Vlachs, Roma, Bulgarians, Albanians, etc.), the First World War was a continuation of previous wars and of the destruction they caused. For years, they were confronted with the dangers of the conflicts of various armed troops, and then of the first and second Balkan wars. The presence of military units and of violence were not unknown in their lives. However, during the First World War, due to increases in stationed armies, logistical requirements and military action, the effects on the local population increased. One of the first measures taken, affecting farmers in Macedonia, was the requisition of their food, equipment and livestock. Of course, the military commands on both sides of the front had a central food collection and redistribution system, but it was unable to meet all needs. As a result, soldiers often bought food from the local population (usually quite expensive), but the number of requisition cases or simply food theft was high. In such extraordinary conditions, the peasants did not have sufficient means to feed their families. Hence the emergence of famine in some villages near the Front area. In addition, villagers were often forced to abandon their homes to foreign soldiers and (especially) officers. The family members had to take care of the uninvited guests: prepare food, clean and do the practical work. But relationships weren't always negative. Some journals and officer's memoirs contain descriptions of interesting new acquaintances. The picture is quite different during military actions. The local population was in the whirlwind of war, often caught between the two warring parties. The bombardments of cities in the region have caused extensive destruction and loss of life. After the long bombardment of Bitola, the city became one of the symbols of the destruction caused by the First World War. In Dojran, the bombardment of the city caused a major fire that caused extensive damage, including wind and flammable building materials. There are also cases of collateral damage, such as the village of Mrzenci, partially damaged by bombs hitting the opponent's ball. Villagers have also suffered from the atrocities perpetrated by various paramilitary groups. In order to obtain more precise information on the opposite side, the two military commands have sometimes sent paramilitary groups of local origin. However, it has been shown that these groups are much more interested in looting and killing civilians than in military actions. Because of these difficult living conditions, there have been cases where villagers have simply fled with their families, leaving their belongings. However, civilian life is not always so black and white. In many cases, farmers took initiatives and became active, albeit temporarily, in the war. They have been involved in sabotage, intelligence for either army, sometimes stealing military units or earning a living by selling products at much higher prices. Each individual has coped with these complicated events as best she could. Finally, to conclude, the period of the First World War was one of the most difficult for the life of the local population in Macedonia.
{ "redpajama_set_name": "RedPajamaC4" }
8,231
[ 128000, 2520, 279, 7187, 304, 77509, 320, 44, 4535, 263, 5493, 11, 72857, 11, 61780, 11, 650, 75, 87973, 11, 46601, 11, 42350, 30627, 11, 57991, 5493, 11, 5099, 25390, 279, 5629, 4435, 5111, 574, 264, 42271, 315, 3766, 25981, 323, 315, 279, 19814, 814, 9057, 13, 1789, 1667, 11, 814, 1051, 41782, 449, 279, 37064, 315, 279, 26885, 315, 5370, 17903, 17312, 11, 323, 1243, 315, 279, 1176, 323, 2132, 60969, 276, 25981, 13, 578, 9546, 315, 6411, 8316, 323, 315, 9349, 1051, 539, 9987, 304, 872, 6439, 13, 4452, 11, 2391, 279, 5629, 4435, 5111, 11, 4245, 311, 12992, 304, 63620, 47983, 11, 96968, 8670, 323, 6411, 1957, 11, 279, 6372, 389, 279, 2254, 7187, 7319, 627, 4054, 315, 279, 1176, 11193, 4529, 11, 28987, 20957 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 2520, 279, 7187, 304, 77509, 320, 44, 4535, 263, 5493, 11, 72857, 11, 61780, 11, 650, 75, 87973, 11, 46601, 11, 42350, 30627, 11, 57991, 5493, 11, 5099, 25390, 279, 5629, 4435, 5111, 574, 264, 42271, 315, 3766, 25981, 323, 315, 279, 19814, 814, 9057, 13, 1789, 1667, 11, 814, 1051, 41782, 449, 279, 37064, 315, 279, 26885, 315, 5370, 17903, 17312, 11, 323, 1243, 315, 279, 1176, 323, 2132, 60969, 276, 25981, 13, 578, 9546, 315, 6411, 8316, 323, 315, 9349, 1051, 539, 9987, 304, 872, 6439, 13, 4452, 11, 2391, 279, 5629, 4435, 5111, 11, 4245, 311, 12992, 304, 63620, 47983, 11, 96968, 8670, 323, 6411, 1957, 11, 279, 6372, 389, 279, 2254, 7187, 7319, 627, 4054, 315, 279, 1176, 11193, 4529, 11, 28987, 20957, -100 ]
Permanent Observer Lessons to be learned of the 21st Century Refugee Crisis Oct 14, 2018 | blogposts | 0 comments The first theme is Freedom. The Universal Declaration of Human Rights' preamble alludes to Franklin Delano Roosevelt's Four Freedom Speech, which declared a world in which human beings shall enjoy the freedom of speech and expression, freedom of worship, freedom from want, and freedom from fear as the highest aspiration of the common people. All of our recommendations were made with this highest aspiration in mind because the problems of refugees and internally displaced peoples result from the lack of people's freedoms being protected. Freedom from fear is closely tied with the plight of refugees. This is recognized not only in the definitions and criteria used to determine their status but also in their efforts to escape persecution, which is often met with resistance and sometimes even death. Freedom from want connects to the plight of internally displaced people. It is often the lack of opportunity to fulfill necessitated wants that force people to become internally displaced. This is reflected in our solutions which seek to increase assistance and aid or provide education and training in such areas. Finally, freedom of speech and expression is addressed, as we critically examine the power of the media. We must not forget freedom of speech was one of the catalysts which sparked the Syrian Civil War in the first place, and that people's negative beliefs on refugees only further worsened this global crisis. The freedoms of speech and belief can only be exercised and protected when the media is actively used as an instrument of expression and truth, not as an instrument of suppression and falsity. The protection of these freedoms is a moral obligation, not just because they are addressed in the Universal Declaration of Human Rights, but because fear, want, and a desire to express oneself are feelings that are common to all of humankind. Inaction is intolerable in these situations. Humanity has witnessed too many instances of drowned refugees from capsized ships, starving children from famine, and countless lives lost and cities destroyed from armed conflict. We can no longer accept policies that treat inaction as viable because these impacts are felt across the globe. But we also live in a very special point in human history. The internet has allowed us to have virtually all of the human knowledge accessible at our fingertips. As evidenced by our policy recommendation project, there are many approaches and solutions for tackling the refugee crisis that may not have been explored yet. We must realize that we can generate solutions and that the tools for solutions are completely within our reach. We must also be aware that while we can make these solutions they will not be perfect. However, I am comforted by Theodore Roosevelt's Man in the Arena speech. Theodore Roosevelt acknowledged that there are many critics, but gave the credit to those who act. A supporting quote by our 26th President and Nobel Peace Prize winner acknowledges that "the only man who makes no mistakes is the man who never does anything." Doing nothing is not an option when the costs are human lives. With such an existing moral imperative we must become the Man in the Arena, so that we can taste the fruits of victory, even in the face of defeat. The refugees that make these sacrifices for the sake of their survival are truly in the Arena, but as a martial artist, I also know that no one goes into the arena without a corner as well. We policymakers enter the arena as both the fighter, and the cornerman, as a fighter, and supporter, as both roles are a part of the nature of victory. If we truly want to live in a prosperous world, we must aim high so that we can achieve great things. Achievement is the true meaning of victory, and we have the capability to execute and accomplish such in the 21st century. Michael Hamilton, a graduate student of Seton Hall School of Diplomacy and International Relations, was responsible for collecting data and research for this blog. The time frame was between March and April 2017, resulting in a policy memo written by Hamilton in April of 2017. This blog was updated by Maliheh Bitaraf, who is a second-year graduate student at Seton Hall's School of Diplomacy and International Relations. Maliheh got her first master's degree in Mass Communication at Middle Tennessee State University (MTSU). Maliheh is an Editor and Social Media Associate at the Journal of Diplomacy and a UN Digital Representative at the Center for UN and Global Governance Studies. Maliheh specializes in International Organizations and Foreign Policy Analysis. Photo credit: World Bank The Blog for the Center for UN and Global Governance Studies #humanrights #refugee #refugeecrisis #RefugeeSeries #SHU_UN_Studies #undigitalrep #UNshu 2014 2015 @ProfHughDugan @shuDiplomacy @UNDPINGO admin alumni briefing career advice civil society climate change DPINGO ECOSOC events guest column IMF post-2015 post2015 professional development public opinion research SDGs Security Council SHU Diplomacy social good summit students Sustainable Development sustainable development goals talks@diplo UN UNA-USA UN careers UNGA what to watch for women youth youth forum Youth Rep UN News Centre – Top Stories 'Swift action' needed in Tigray to save thousands at risk, UNHCR warns January 19, 2021 Independent panel finds critical early failings in COVID-19 response January 19, 2021 Israel: 'Halt and reverse' new settlement construction – UN chief January 19, 2021 UN Social Media Team Blog UN DPA Politically Speaking Online Magazine GenUN Youth Observer Blog UN Foundation Global Connections Blog Security Council Report - What's in Blue PassBlue CFR Global Governance Monitor Future UN Development System Project Blog One Earth Future Foundation Peace Talks Blog Council on Foreign Relations: The Internationalist Points of Order Treaty Effectiveness Initiative Brookings Order From Chaos Blog Supranational Democracy Rising BRICSAM G20 Studies Centre Global Observatory Exploring Digital Diplomacy Opinio Juris Asian Security Blog Policy Innovations Running Numbers
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
1,123
[ 128000, 79893, 35141, 198, 28551, 2439, 311, 387, 9687, 315, 279, 220, 1691, 267, 28200, 98172, 46250, 198, 18544, 220, 975, 11, 220, 679, 23, 765, 5117, 12953, 765, 220, 15, 6170, 198, 791, 1176, 7057, 374, 25320, 13, 578, 26581, 42021, 315, 11344, 10734, 6, 90554, 682, 29246, 311, 19372, 7462, 5770, 47042, 596, 13625, 25320, 39841, 11, 902, 14610, 264, 1917, 304, 902, 3823, 23837, 4985, 4774, 279, 11542, 315, 8982, 323, 7645, 11, 11542, 315, 24863, 11, 11542, 505, 1390, 11, 323, 11542, 505, 8850, 439, 279, 8592, 98741, 315, 279, 4279, 1274, 13, 2052, 315, 1057, 19075, 1051, 1903, 449, 420, 8592, 98741, 304, 4059, 1606, 279, 5435, 315, 22475, 323, 34167, 49246, 32538, 1121, 505, 279, 6996, 315, 1274, 596, 61077, 1694, 2682 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 79893, 35141, 198, 28551, 2439, 311, 387, 9687, 315, 279, 220, 1691, 267, 28200, 98172, 46250, 198, 18544, 220, 975, 11, 220, 679, 23, 765, 5117, 12953, 765, 220, 15, 6170, 198, 791, 1176, 7057, 374, 25320, 13, 578, 26581, 42021, 315, 11344, 10734, 6, 90554, 682, 29246, 311, 19372, 7462, 5770, 47042, 596, 13625, 25320, 39841, 11, 902, 14610, 264, 1917, 304, 902, 3823, 23837, 4985, 4774, 279, 11542, 315, 8982, 323, 7645, 11, 11542, 315, 24863, 11, 11542, 505, 1390, 11, 323, 11542, 505, 8850, 439, 279, 8592, 98741, 315, 279, 4279, 1274, 13, 2052, 315, 1057, 19075, 1051, 1903, 449, 420, 8592, 98741, 304, 4059, 1606, 279, 5435, 315, 22475, 323, 34167, 49246, 32538, 1121, 505, 279, 6996, 315, 1274, 596, 61077, 1694, 2682, -100 ]
Battle of New Market Heights In late September 1864, Ulysses S. Grant mounted his fifth offensive against Confederate forces at Petersburg, Virginia. This article appears in: Early Winter 2015 By David Norris Reports of a massive enemy force crossing the James River to assail the paper-thin Confederate lines defending Richmond reached Lt. Gen. Richard S. Ewell before dawn on September 29, 1864. Ewell rode immediately to Fort Harrison, the point where the Federals were hammering his lines. Galloping ahead of reinforcements, Ewell met only the fleeing remnants of the fort's defenders. Years later, R.S. Rock of the Goochland Artillery would recall that the scattered gunners and foot soldiers "were running so fast that it seemed the balls thrown at us from our own guns that had been captured and turned toward us couldn't come fast enough to catch us. He tried to rally us, and I heard him say: 'What in the hell are you running for?' A soldier as he ran by him like the wind yelled back: 'Because we can't fly.'" The general found a huge and growing gap in the Confederate shield around the capital city. Substantial reinforcements were hours away. Ewell was too late to save Fort Harrison. The next few hours would show whether or not he was too late to save Richmond itself. The Union's tightening siege of Richmond and Petersburg was the focal point of the war in Virginia in late 1864. With Ulysses S. Grant in command of the Army of the Potomac, a series of Union offensives kept unrelenting pressure on the Confederate lines. Four separate offensives launched by Grant had failed to break through to the enemy capital, but each had forced General Robert E. Lee to lengthen his defenses and dilute troop strength to man the new sections. If the protective bubble burst anywhere around Richmond or Petersburg, the Army of Northern Virginia could not hold the capital of the Confederacy. Union Maj. Gen. Benjamin Butler outside his tent near Richmond. Grant planned a fifth major push for late September 1864. The new plan envisioned two simultaneous attacks: Maj. Gen. Benjamin F. Butler's Army of the James would move directly against Richmond, while Maj. Gen. George Gordon Meade's Army of the Potomac would attack the Petersburg defenses. With Petersburg under direct threat, Confederate troops could not be spared to counter Butler's operations. This left Butler with a chance of piercing the enemy defenses and sending several thousand troops into Richmond before the rest of the Union Army could pour in. If Butler failed, there was still a chance that he would create enough of a distraction that the Army of the Potomac could break through the protective shield around Petersburg and seize the vital Southside Railroad. Closing that line would make supplying Petersburg by rail almost impossible. Without Petersburg, the defense of Richmond would crumble anyway, and Lee would be forced to abandon the capital. The Union commander tasked with seizing Richmond was one of the Civil War's most controversial and contradictory generals. Butler, a politician and lawyer by training, burst on the military scene at the start of the war, ramming through secessionist obstruction in Baltimore to bring the 8th Massachusetts to Washington to protect the nearly defenseless capital. Like many political generals, he had led his share of disasters, starting with the embarrassing Union loss at the Battle of Big Bethel, Virginia, on June 10, 1861. As military governor of New Orleans, he had outraged Confederates with his harsh treatment of secessionist dissenters, particularly women, and he was also accused of corruption and theft. Confederate Lt. Gen. Richard S. Ewell. Butler's most positive contributions to the Union were his respect for and considerate treatment of freed slaves. Early in the war, slaves who escaped from Confederate owners into the Union lines were handed back. Butler declared that such escapees from disloyal masters were "contraband of war" and would not be returned to captivity. His policy was soon adopted by all Union authorities. Butler also promoted the enlistment of black troops during his time in Louisiana. In 1863, he was transferred to Virginia and given command of the two corps comprising the Army of the James. His troops by 1864 included an African American division commanded by Brig. Gen. Charles J. Paine in XVIII Corps and a black brigade of X Corps under Brig. Gen. William Birney. Union attacks against Richmond had come from the east since the Peninsular Campaign of 1862. Confederates augmented the natural defenses of swamps and creeks in Henrico County east of the city by building an increasingly complex network of earthworks studded with batteries and forts. Eventually the works extended south to envelop the city of Petersburg and the rail connections that linked that point with Richmond and the rest of the Confederacy. Many miles of defenses protected Richmond, but there were not enough troops to man them effectively. In September 1864, with anticipation of an attack at Petersburg, the Richmond sector was drained of manpower. Quiet Crossing of the James River In preparing his portion of Grant's fifth offensive, Butler carried out his work in unusually effective secrecy. No one outside of the highest levels suspected anything was planned until his troops were surprised with orders to move out on the night of September 28. For his part, Maj. Gen. E.O.C. Ord, commander of XVIII Corps, issued no written orders, and his verbal orders went out only after nightfall. Such tight security was deemed necessary to prevent the spies from deserting and warning the Confederates. In the camp of one of Ord's regiments, the 118th New York, Major John L. Cunningham heard tattoo sounded to end a routine day. The regiment's brief rest ended when staff officers appeared with unexpected new orders to move out. As the camp was within sight of Rebel sentinels across the James, the tents were left standing while the soldiers were herded to the corps headquarters. There, they handed over their Enfield muskets in exchange for seven-shot Spencer repeating rifles. Union Brig. Gen. William Birney. With the rest of their corps, the 118th New York marched to the James River. At Aiken's Landing, they found engineers laying a pontoon bridge of some 60 boats so quietly that the men could scarcely hear them at work. About 3 am, the bridge was ready and the troops filed across. Muffled with dirt, the bridge planks made little noise as the soldiers plodded across, and for the time being the Confederates seemed unaware of the movement. Half a mile downstream, Birney's X Corps crossed the James by pontoon bridge at Deep Bottom. Born in Alabama in 1825, Birney was a son of James Gillespie Birney, an abolitionist politician and journalist from Kentucky. Birney's corps included the all-African American division of Brig. Gen. Charles Jackson Paine. A lawyer by profession, Paine came from an aristocratic Boston family. His great-grandfather Robert Treat Paine signed the Declaration of Independence. Charles Paine became the colonel of the 2nd Louisiana Native Guard (later the 74th United States Colored Troops, or USCT), one of the first African American units of the Union Army, on October 23, 1862. Early in 1864 he transferred to the eastern theater and joined Butler's staff. Although the Confederates spotted them once they were across, Ord and Birney were ready to stab at Richmond at dawn on September 29. Birney's 8,000 troops would move north of the crossing and hit a line of Confederate works at New Market Heights. Brig. Gen. August Kautz's cavalry would ride around his right and push up the Darbytown Road toward the Confederate capital. To their left, Ord would take the Varina Road to attack Fort Harrison, a key strongpoint in the main ring of works around Richmond. The Confederates at New Market Heights Confederate Maj. Richard C. Taylor. Deep Bottom, the landing point of X Corps, was at the top of an oxbow bend of the James River. About three-quarters of a mile to the north was a line of Confederate earthworks at New Market Heights. Perpendicular to the main Richmond defenses, they had been constructed to fend off potential Union attacks from the James. The community of New Market was 11½ miles from central Richmond by road. Protected on the left by the lowlands of Bailey's Creek, the Confederate works ran east to west, parallel with the New Market Road for half a mile. The line continued at the same angle while the road veered diagonally away to the north. Taking advantage of high ground known as New Market Heights, the works looked down on the valley of Four Mile Creek. Several Union attacks had been repulsed around New Market Heights in previous months, and the area was all too familiar to the bluecoats. Along New Market Road, 1,800 Confederates manned one mile of works. Below the entrenchments was an abatis, a tight barrier of interlocking trees, branches, and brush. On the left, the 1st Rockbridge Artillery provided cover with their guns. Brig. Gen. Martin Gary's brigade came next, followed by the Texas brigade of Brig. Gen. John Gregg to Gary's right, and then a detachment of the Richmond Howitzers. Gregg was at Fort Harrison, leaving command on the ground to Colonel Frederick S. Bass. Brig. Gen. Alfred Terry's division held the Union right, facing Gary and the Rockbridge Artillery. Brig. Gen. Robert Sanford Foster's division waited in reserve. Paine's division held the Union left, facing Bass's Texans and the Richmond Howitzers. Early that morning they were arrayed on high ground south of Four Mile Creek, where they were instructed to lie down and wait for further orders. Colonel Samuel Duncan's brigade was sent ahead first, but they were blocked by the abatis. Colonel Alonzo Draper moved his brigade forward and to the right to support Duncan. Draper took skirmisher fire from the woods until he reached the creek's ravine. Visible at left are the pontoon bridges used by X Corps to cross the James River at Deep Bottom. By this time in the war, Union engineers were quite adept at bridging rivers. After half an hour, Draper moved his men ahead in double columns. Emerging from a stand of young pines, they burst into the open 800 yards from the enemy's works. Charging across the field, they lost many men to heavy enemy fire and found themselves mired in the wetlands of Four Mile Creek, 30 yards from the Confederate lines. Slogging through the water, they formed ranks again on the north side of the creek. There, wrote Draper, "The men generally commenced firing, which made so much confusion that it was impossible to make orders understood." Amid the chaos, Draper was unable to communicate the order to charge, and the brigade remained stranded and tangled in front of the abatis. All the while, men were falling by scores. For half an hour, under heavy enemy fire, Draper's men hacked at the abatis with axes. Draper's aide-de-camp fled from the field. But to Draper's relief, Confederate fire began dying away. The colonel ordered each regimental commander to rally his men around the colors and charge. Draper's regiments were short of officers. That morning, the 550 men of the 5th USCT went into action with only one officer per company, and managed that only because the adjutant took command of one of the companies. "Better Men Were Never Better Led" By the time they reached the New Market Road works, several companies were missing their officers. Stepping into their places to take command under fire, four sergeants in the 5th USCT and four in the 36th USCT became de facto company captains—the first African American soldiers to command troops in combat. Pouring through the abatis, the Union soldiers rushed up the slope to the Confederate breastworks. Unknown to the Federals, the Confederate fire had slackened because Bass and Gary had received orders to abandon their position and reinforce the lines closer to the city, which were coming under attack from Ord's XVIII Corps. As Paine's troops reached the ramparts, enough Rebels were still in place to keep up a lively fire. Combat artist Alfred Waud sketched the Union attack on Fort Harrison from the field for Harper's Weekly. The peripatetic Waud covered every Army of the Potomac battle from Bull Run to Petersburg. For their actions in the final dash to the entrenchments several men were commended in after-battle reports. Among them, Private James Gardiner charged ahead of his company and into the Confederate works. He shot and bayoneted an officer who was trying to rally his men. A musket ball struck Corporal Miles James and shattered his upper left arm bone. James stayed on his feet, urged his men forward, and somehow loaded and fired his musket with his one good arm. Paine's strategy of throwing in his regiments piecemeal resulted in needlessly high casualties for a position that was being abandoned anyway. Confederate soldiers remaining in line delayed the Union advance and inflicted heavy losses on the enemy before commencing an orderly evacuation. The sacrifices of Paine's men had meaning far beyond the value of the ground taken. Until that day, the worth of black soldiers was doubted by much of the Union Army in Virginia. Paine's brigade sufferedmore than 1,000 casualties, most of them in front of the New Market Heights works. "Better men were never better led," wrote Butler. "The colored soldiers by coolness, steadiness, and determined courage and dash have silenced every cavil of the doubters of their soldierly capacity." "Heave After Them—Double Quick!" While Birney's X Corps crossed at Deep Bottom, Ord's men in XVIII Corps stepped off the Aiken's Landing pontoon bridge. Brig. Gen. George J. Stannard's 1st Division marched inland on the Varina Road. Cunningham and the 118th New York, with their Spencers, were in the lead on the right of the Union skirmish line. About 6 am, as the sun rose, they stepped onto a ridge one mile from the river. Turning around, they could see a dark line of blue-coated troops still filing across the bridge. Closer at hand, they came under a sputtering fire from Confederate pickets. Cunningham heard the "lumberman voice" of his brigade commander, Brig. Gen. Hiram Burnham, booming, "Heave after them—double quick!" A well turned out Company E, 4th U.S. Colored Troops, musters in for a group photograph following its combat at Chaffin's Farm. Cunningham's men rushed forward and drove the enemy pickets from a shallow line of trenches. "The crack of our seven-shooters, the cheering of our men as they pursued the surprised 'Johnnies' through the woods; the beauty of the morning and its bracing air; the forest clad in autumnal colors—all added spirit and enthusiasm," wrote the major. Dashing through an abandoned camp, where breakfast was left cooking, Cunningham's men came within sight of Fort Harrison. In the glare of the early morning, the Rebel fort loomed up in the sunlight with heavy guns dotting its parapet. Fort Harrison vs Signal Hill Butler's moves took the Confederates unaware, but before sunup pickets alerted Ewell that the Federals were across the river. Ewell in turn notified Lee at Petersburg about the impending attack. Lee immediately sent Maj. Gen. Charles Field's division from Petersburg. Field's men traveled by rail as far as possible and then marched across a pontoon bridge spanning the James. After Field set out, Lee dispatched Maj. Gen. Robert F. Hoke with more troops to follow him. Artillery commander Brig. Gen. Edward P. Alexander was ordered to bring as many guns as he could safely remove from other points and join Ewell. Lee also telegraphed Secretary of War James Seddon, asking him to call up the militia and local troops available in Richmond. Even with these reinforcements on the way, Ewell faced several more hours of stalling a greatly superior enemy force. Affairs were serious enough as it was, but Ewell made a miscalculation that put the capital in even greater danger. If Ord decided to move up the bank of the James, he might take Signal Hill and come upon Chaffin's Bluff from the south. At the bluff, a vital pontoon bridge linked the Confederates north of the river with those stationed around Petersburg. Unaware that the Federals were aiming for Fort Harrison, Ewell shuffled a large portion of his available force down to Signal Hill, two miles from the fort. Stannard's division loomed before Fort Harrison. There was a real danger that the Federals could punch through the lightly held fort then roll up long stretches of the neighboring works by flank attacks or by circling from the rear. Richmond was in great peril. Fort Harrison was an earthwork one mile east of Chaffin's Bluff and two miles west of the works stormed by Paine's division. The Confederates had named the fort after Lieutenant William Elzey Harrison, the engineer officer who started the original works on the site in 1862. Harrison laid out a line including 15 batteries. His original Batteries 7, 8 and 9 were enlarged and combined into what became Fort Harrison. To strengthen these works, which defended Richmond from the southeast and shielded the batteries overlooking the James River at Chaffin's Bluff, a new system of strongholds went up behind Fort Harrison. To the north were the neighboring smaller works of Forts Johnson, Gregg, and Gilmer. One mile to the southeast was another, larger work called Fort Hoke. Work had just started on more entrenchments that would stretch down to Signal Hill. Brigadier General August Kautz' cavalry returns to Union lines after a raid behind Confederate defenses at Richmond. Kautz' horsemen pushed to within two miles of the Rebel capital before turning back. Assault on Fort Harrison Stannard, receiving a message from Burnham that he was in front of the Rebel works, ordered an immediate attack. Fort Harrison presented a formidable appearance, but with hundreds of its men out of the way at Signal Hill, the fort and the surrounding works were defended by only 800 troops. Major Richard C. Taylor of Maury's artillery battalion found himself in command of the beleaguered stronghold. He had nine guns inside the fort; the others were in adjoining works. A mere four guns in the fort were operable, as the others had been spiked or were out of repair. Only three dozen gunners in Lieutenant John Guerrand's Goochland Artillery were on hand to service them. Burnham's men left the Varina Road and stepped onto a plowed field. They covered 1,400 yards across the field while exposed to a plunging artillery fire that was, one soldier reported, "galling in the extreme." Burnham's men halted at the base of the slope in front of the Rebel works. Spotting Confederate reinforcements moving in from his right (possibly some of the men driven out of the New Market Heights line), Stannard ordered an immediate charge. His troops poured over the parapet and placed their flag on Fort Harrison. Captain Cecil Clay of the 58th Pennsylvania was one of the Federals charging into Fort Harrison. A Confederate knocked down Clay's first sergeant with a fuse hammer, a wooden mallet used by gunners to drive fuses into shells. The sergeant angrily jumped to his feet and exclaimed, "Damn a man who would use anything like that for a weapon!" Fort Gilmer's 27-foot-deep trench was designed to prevent industrious Union engineers from tunneling beneath the works. Inside the fort the Confederate defense disintegrated. Among the 50 men taken prisoner were Major Taylor and Lt. Col. John Minor Maury, who had arrived at the scene too late to affect the outcome of the surprise attack. Many others fled, although some held on until the last second. Private Rock of the Goochland Artillery remembered Taylor ordering them to cram a double load into one of the fort's Columbiads for a final devastating shot at the enemy. Colonel John M. Hughs of the 25th Tennessee had commanded some of the pickets who were driven in by Stannard's Spencer repeaters. As the Federals swept toward the walls, he rode his horse out over the drawbridge that crossed the exterior ditch at the north end of the fort. Hughs emptied his revolver at the approaching Yankees, rode back into the fort, and escaped. By 7 am, Fort Harrison was in Union hands. Brief and inefficient though the Confederate resistance was, Stannard's division still suffered 500 casualties before the fort fell. The few guns captured in working order were dragged around to fire on the retreating Rebels. Burnham pitched in to help aim one of the captured pieces. While at the gun he was struck down by a musket ball and died within moments. CSS Virginia II was one of several ships of the James River Squadron to support Confederate efforts to retake Fort Harrison. Confederate Naval Support Arrives About this time Ewell rode onto the scene ahead of the first reinforcements. Corporal Charles Johnston of the Salem Artillery remembered the general's desperate efforts to halt the Confederate rout. Ewell, said Johnston, "was with the skirmish line, constantly encouraging them by his presence and coolness. I remember very distinctly how he looked, mounted on an old gray horse, as mad as he could be, shouting to the men, and seeming to be everywhere at once." The ground just west of Fort Harrison was covered with woods, and Ewell scraped together a handful of men. Soldiers, stragglers, and teamsters made a noisy show of firing at the Union soldiers in the fort. Union attention shifted south to the trenches running down to the James. Ord could only assemble a small attacking party of skirmishers and officers. Leading the assault himself, Ord drove the scattered Confederate defenders out of the breastworks to Fort Hoke. The main force there was Captain Cornelius Allen's Lunenburg Heavy Artillery. Joined by stray infantrymen and reservists, they repelled the Union advance. Ord fell, badly wounded in the leg. With a tourniquet applied to stop the bleeding, he stayed in command until a surgeon demanded that he leave the front. Ord turned over command to Brig. Gen. Charles A. Heckman. Firing from behind waist-high rifle pits, Union forces defend newly captured Fort Harrison from Confederate attempts to retake the vital fort. Robert E. Lee personally directed the failed counterattacks. Ewell's first substantial help came from the Confederate Navy's James River Squadron. By 8 am, a naval battery commander notified Commander Thomas R. Rootes about the Union attacks. Rootes immediately ordered the gunboats Nansemond and Drewry to Chaffin's Bluff and sent an officer ashore for further details. The officer returned with the news that Fort Harrison had fallen and a request for help from General Ewell. Rootes took the ironclads Fredericksburg and Richmond downriver to a landing somewhat ominously called the Graveyard, two miles south of the captured fort. It was 10:10 am before the vessels were in position to open fire on the fort and the masses of Union troops around it. Rootes sent Lieutenant E.T. Eggleston of the Confederate Marine Corps ashore with a signal officer and an elevated observation stand to spot the fall of their shots against the enemy. Eggleston sent word that the shells were falling short, so Rootes had his guns aboard Fredericksburg and Richmond loaded with high charges. With the heavier charges, Eggleston saw the projectiles landing among the enemy troops around Fort Hoke. Ewell sent word to fire fast, and the ironclads kept up their fire all day, hurling more than 300 rounds from their big guns. Grateful army officers later thanked their naval comrades for their long-range assistance, which they believed helped slow the Union forces until Confederate reinforcements could arrive. African American troops photographed in camp at Fort Harrison, renamed Fort Burnham after slain Brig. Gen. Hiram Burnam. Heckman's Advance After taking over from Ord, Heckman launched a series of disjointed attacks on the Confederate positions north of Fort Harrison. The 2nd Pennsylvania Heavy Artillery was ordered to take a small work called Fort Johnston. Private Joseph M. Alexander remembered that the Pennsylvania regiment passed the ambulance carrying General Ord, who cheered on the men, telling them, "Hurry up, boys! We'll be in Richmond tonight." Alexander's regiment hurried forward, followed by the 89th New York. Out in the open, they attracted cannon fire from the Confederate works while big shells soaring down from the James River gunboats crashed among them. In the lead, a battalion of the Pennsylvanians under Major James L. Anderson drew ahead while heavy Confederate fire drove the rest of his regiment and the New Yorkers back to take cover. Anderson's head was shot off when he was 100 yards away from the fort. In his pocket was a newly signed commission as colonel of the regiment. So heavy was the fall of incoming shells that Alexander saw comrades injured by splinters flying off their shattered musket stocks. From a wounded Pennsylvanian who made it back to their lines, a surgeon removed a musket mainspring that had been driven into the soldier's chest. Anderson's battalion was trapped and cut off under the enemy lines while the supporting troops were driven back. Most of his battalion was killed or taken prisoner. Artist James Walker broke new ground in 1865 by showing dead black and white soldiers lying together on an unnamed battlefield. The sounds of battle carried clearly to Richmond. John Beauchamp Jones, a clerk at the War Department, heard a "heavy and brisk cannonading" as he walked to his office. As he worked at his desk that morning, "the vibrations were very perceptible." After lunch, news reached the city that Fort Harrison had fallen and the Yankees were moving toward town. Businesses and government offices closed. Scores of exempted workers joined their militia companies and marched toward the battle. Jones noted that squads of guards were sent into the streets everywhere with orders to arrest every able-bodied man they met, regardless of papers, to throw against the enemy. Citizens watched anxiously from hills and tall buildings, peering at the smoke rising from the battlefield. Medal of Honor recipient 1st Sgt. Powhatan Beaty. The initial fear in Richmond was due to Kautz, who had slipped very close to the city. After the New Market Road line fell to X Corps, he took his cavalry through and reached the Darbytown Road. They pushed along the lightly defended road and by 10 am were poised only two miles from the edge of Richmond. A hastily gathered force, Major James Hensley's 10th Virginia Heavy Artillery Battalion, blocked the road with six guns and 100 men. Surprised by Hensley's resistance and uncertain about what else lay ahead, Kautz withdrew. Three hours later he made another rush at Richmond farther north on the Charles City Road. Again, a scratch force faced them from behind a thin line of entrenchments and a few cannon. Again, Kautz's caution won out, and he pulled away. After a bungled night attack on another Confederate position, he rode back to rejoin the main Union force the next morning. By late morning, Heckman's advance had stalled. He had suffered heavy losses for very little gain. General Grant personally rode to the battlefield to check on the progress of the operations, although he interfered little with the planning of the day's fighting. Confederate reinforcements trickled in from Richmond and elsewhere. The Southerners anchored their new defense at Fort Gilmer. Named for Maj. Gen. Jeremy Francis Gilmer, the chief engineer of the Confederate Army, it was a smaller work than Fort Harrison, but it was fronted by a formidable, 27-foot-deep ditch. This daunting obstacle to an infantry attack was designed to prevent Union engineers from digging under the works. Set on high ground, the fort looked down on an open expanse where for some distance trees had been cut down and left with their branches attached to create more obstacles. "Death Fairly Reveled in That Ravine" Elements of X Corps marched from New Market Heights to join the attack on the main Confederate lines. After marching to the pontoon bridge the night before and taking part in the day's action, they were already worn out. Two divisions of the corps made for Fort Gilmer. Maj. Gen. Robert Foster's division moved south from the New Market Road toward the north face of the fort, hindered by having to cross the low, brush-tangled tributaries of Cornelius Creek. Pulling themselves out of the nearest ravine to the entrenchments, the Federals stepped into a cornfield. Now within easy range of Confederate guns, Foster's ranks were cut down by intense artillery fire aided by a growing number of Rebel infantrymen filing into the works. Those who survived got no closer to Fort Gilmer and took cover in the ravine. Birney's older brother, Brig Gen. William Birney, led his brigade of African American troops toward the fort. Sent in one at a time, each successive regiment was cut to pieces. By a tragic misunderstanding of orders, only four companies of the 7th USCT were hurled at the fort. One-third of the 189 men were shot down before they approached the works, but the remainder made it to the deep ditch before the ramparts. Some tried to boost other men up onto their shoulders to climb over the parapet, but musket fire hit anyone who looked over the edge. Adding to the musketry, the defenders improvised 12-pounder grenades. Cutting artillery fuses to a two-second length, they lit them and rolled the shells over the parapet into the ditch onto the attackers. Only one man of the four companies made it back to the Union lines; the rest were either killed or captured. "Death fairly reveled in that ravine," one New York soldier remembered. Counterattack on Fort Harrison Maj. Gen. Benjamin Butler's privately commissioned Butler Medal. That afternoon and on into the night the Union forces held their gains and prepared to defend them against the counterattacks that they expected would come the next day. Fort Harrison had been built with some barracks on its western side but no defensive wall. Now the new occupants tore down the barracks and threw up a new defensive face to block Confederate attacks. Cecil Clay remembered, "Everybody worked with such tools or apologies for tools as could be had and a sort of rifle-pit was constructed across the rear or open space of Fort Harrison." Lee judged the fighting at Fort Harrison even more serious than the threat to Petersburg. Coming to Chaffin's Bluff in person, he planned to take back the captured fort. He considered a night attack, using the first brigades of reinforcements, but decided that waiting for daylight and the arrival of more troops promised better success. On the morning of September 30, as Lee massed his troops to attempt the recapture of Fort Harrison, Richmond's citizens waited for news of the peril looming to the east of them. Of the city's newspapers, only the Richmond Whig managed to get out an edition, as nearly all of the city's printers were now carrying muskets at the front. Exemption papers were no more valid that they had been on the day before. Numerous male civilians were detained and sent to the fighting. Overzealously following their orders, guards temporarily arrested one-third of President Davis' cabinet: Postmaster General John H. Reagan and Attorney General George Davis. Confederate ironclads in the James reopened their fire in the morning. Elevation of the naval guns was limited to only six to seven degrees, which restricted their range. To reach the enemy, the guns required charges exceeding those spelled out in naval regulations. With the extra-large doses of powder, a 7-inch rifle gun aboard Fredericksburg exploded on its third shot of the day. Lee could not accept a Union force lodged within the Richmond defenses. He was confident that his troops could clear the enemy out. Alexander's artillery would soften up the fort. Then Field and Hoke would send in their infantry, hitting simultaneously from two directions. Hoke foresaw only a costly disaster, and he vainly tried to persuade Lee to wait behind a strong new line of fortifications and draw the Federals out in the open to attack them. Alexander asked Hoke where he would like the artillery placed before the attack. Hoke replied he would rather Alexander not fire a shot at all. The bombardment was likelier, thought Hoke, "to demoralize my men by your shells falling short and bursting among my men" than to hurt the enemy. Artillery would only help "if you will bring your guns up to my line and charge with my men." Alexander replied that such a move would get his horses killed. "Yes," answered Hoke, "and my men are going to be killed. Are your horses of more value than the lives of my soldiers?" Medal of Honor recipient 5th USCT; 1st Sgt. Alexander Kelly. Hoke's objections were for naught, and the bombardment began. Lee's plan called for Hoke, with five brigades, to attack the new western façade of Fort Harrison. Field would bring his three brigades from the east and attack the original front of the fort. His troops would wait in a ravine until Hoke was in position, then both forces would attack at the same time. The Confederate plans fell apart quickly. Brig. Gen. George "Tige" Anderson's Georgian brigade of Field's division impetuously poured out of the ravine and charged Fort Harrison. Rushing ahead of any support, the brigade was wrecked in the futile charge. Brig. Gen. John Bratton of South Carolina, whose brigade was to follow 100 yards in the rear of Anderson, felt obligated to support the Georgians and sent his own men against the fort. As Anderson's men reeled back, one of Bratton's regiments captured a small redan. While it had no major effect on the battle, the capture of the redan distracted the Federals and enabled some of the Confederates to escape. Field's third and last brigade, that of Colonel Pinckney D. Bowles of Alabama, also charged and was driven back with heavy losses. Hoke's attacks began too late, after Field's forces were broken up by the heavy Union fire. Hoke's first attack was broken up and repelled, largely from the concentrated fire of the Federals' seven-shot Spencers. Private Alexander of the 2nd Pennsylvania Heavy Artillery talked to a wounded North Carolina prisoner after the battle. Thinking of the firepower of the repeating rifles, the Rebel said, "You'uns did not seem to load your guns." With Lee's personal urging, two more attacks by Hoke followed, but they were unable to dislodge the Union troops from Fort Harrison. Most of the Confederate casualties of the battle occurred on the second day during these charges. A survivor of Clingman's brigade, then commanded by Colonel Hector McKethan, wrote that the brigade charged Fort Harrison with 857 men and lost 587 of them in 10 to 15 minutes. The 8th North Carolina went into the battle with 175 officers and men. Only about 25 were able to report for duty the next morning. The regiment's battle flag was gone. Trapped under hopelessly heavy Union fire, the color bearer tore the banner to tiny shreds so it would not be captured with him. One of Hoke's men, echoing his commander's earlier complaint, bitterly wrote, "The dead were buried under the flag of truce, but the artillery horses were saved." Fighting around Fort Harrison ended about 4 pm on September 29. Butler's army had suffered about 3,300 casualties among its 20,000 men. The Confederates, who eventually threw about 16,000 into the battles, lost 2,000 men. Aftermath of Grant's Fifth Offensive Medal of Honor recipient 6th USCT; and Sgt. Maj. Christian Fleetwood, 4th USCT. While Field and Hoke made their attacks on September 30, Meade charged the Confederate entrenchments southwest of Petersburg. They captured a section of works around a redoubt called Fort Archer. Under Lt. Gen. A.P. Hill, Confederates dug new fortifications and repelled the Union forces from further progress. Fighting continued until October 2, when each side settled into their newly established lines of entrenchment. Another 2,800 Union and 1,300 Confederate casualties were added to the cost of Grant's fifth offensive. Fourteen men from Draper's brigade and other USCT regiments in the Army of the James received Medals of Honor for their actions on September 29. Butler was so impressed with the conduct of his USCT regiments at New Market Heights that he supplemented the Medal of Honor awards with a citation of his own, known as the Army of the James Medal or the Butler Medal. Butler himself ordered and paid for the specially designed medals and ribbons. They were manufactured by Tiffany & Company and modeled on the Crimean War Medals issued by Great Britain. "I record with pride," wrote Butler, "that in that single action there were so many deserving that it called for a presentation of nearly two hundred." The Army of the James Medal was the only military honor created for a specific battle during the Civil War. The End of the Confederacy The fifth major offensive by Grant against the Richmond-Petersburg defenses was part failure and part success. The Confederate capital and its satellite stronghold, Petersburg, were still in Confederate hands. But Union gains forced the Confederates to further stretch and distort their defensive lines and spread their troops ever thinner. The Federals, in turn, strengthened the captured Fort Harrison, renaming it Fort Burnham after the Maine general who was killed there. South and north of the fort, Union engineers dug new entrenchments with abatis facing the Confederates on the west. Additional Union works were built and anchored on the James River at newly constructed Fort Brady, where heavy guns kept the Confederates' James River Squadron bottled up higher in the river. The Confederates abandoned the segments of the old line that were now covered by Fort Burnham and consolidated a new line of works that served as a sort of scar tissue to contain the sore spot of Fort Harrison. To make up for the lack of soldiers to man the new lines, they planted hundreds of "subterranean shells" supplied by the navy's Torpedo Bureau in front of their works. Red warning flags, planted three feet behind the mines to warn off their own men, would be removed in the event of a Union assault. As the dust settled from the loss of Fort Harrison and the failure of the desperate effort to recapture it, the seriousness of the South's deteriorating military situation became all too clear. Lee wrote Secretary of War James Seddon on October 4 from his headquarters at Chaffin's Farm. Unless substantial numbers of new soldiers could be found by a heavy call-up of exempted men, he warned, "It will be very difficult for us to maintain ourselves." Without reinforcing the Army of Northern Virginia, Lee said, the government faced the dreaded prospect of "the discouragement of our people that would follow the fall of Richmond." Lee's grim premonition would come to pass seven months later. Butler's attacks north of the James on September 29 and 30 were an important link in the parlous chain of events that ultimately led to the final collapse of the Petersburg lines, the evacuation of Richmond, and the end of the Confederacy. The Death of a Legend: The Battle of Yellow Tavern Robert S. Garnett: First General to Die in the Civil War John Stanton: From Secretary to First in Command Medal of Honor Recipient Daniel Butterfield Maskirovka: The Hidden Key to Soviet Victory The Battle of Cunaxa and the March of the 10,000 May 2015 Military Games Brothers in Arms: Furious 4
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
9,852
[ 128000, 43993, 315, 1561, 8152, 40503, 198, 644, 3389, 6250, 220, 9714, 19, 11, 549, 398, 784, 288, 328, 13, 24668, 22563, 813, 18172, 15538, 2403, 57457, 8603, 520, 55048, 11, 13286, 627, 2028, 4652, 8111, 304, 25, 23591, 20704, 220, 679, 20, 198, 1383, 6941, 71865, 198, 24682, 315, 264, 11191, 9354, 5457, 27736, 279, 7957, 11188, 311, 79788, 279, 5684, 7716, 258, 57457, 5238, 29269, 35348, 8813, 42970, 13, 9500, 13, 12131, 328, 13, 469, 9336, 1603, 39493, 389, 6250, 220, 1682, 11, 220, 9714, 19, 13, 469, 9336, 41761, 7214, 311, 11246, 36627, 11, 279, 1486, 1405, 279, 21780, 1147, 1051, 24354, 287, 813, 5238, 13, 10845, 385, 10194, 8469, 315, 99600, 11, 469, 9336, 2322, 1193, 279, 50387, 73440, 315, 279, 12108, 596, 41131 ]
[ 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 ]
[ 43993, 315, 1561, 8152, 40503, 198, 644, 3389, 6250, 220, 9714, 19, 11, 549, 398, 784, 288, 328, 13, 24668, 22563, 813, 18172, 15538, 2403, 57457, 8603, 520, 55048, 11, 13286, 627, 2028, 4652, 8111, 304, 25, 23591, 20704, 220, 679, 20, 198, 1383, 6941, 71865, 198, 24682, 315, 264, 11191, 9354, 5457, 27736, 279, 7957, 11188, 311, 79788, 279, 5684, 7716, 258, 57457, 5238, 29269, 35348, 8813, 42970, 13, 9500, 13, 12131, 328, 13, 469, 9336, 1603, 39493, 389, 6250, 220, 1682, 11, 220, 9714, 19, 13, 469, 9336, 41761, 7214, 311, 11246, 36627, 11, 279, 1486, 1405, 279, 21780, 1147, 1051, 24354, 287, 813, 5238, 13, 10845, 385, 10194, 8469, 315, 99600, 11, 469, 9336, 2322, 1193, 279, 50387, 73440, 315, 279, 12108, 596, 41131, -100 ]