text
stringlengths 7
4.92M
|
---|
# DM Reader
<a name="2lzA4"></a>
## 一、插件名称
名称:**dmreader**
<a name="jVb3v"></a>
## 二、支持的数据源版本
**DM7、DM8**<br />
<a name="4lw0x"></a>
## 三、参数说明
- **jdbcUrl**
- 描述:针对关系型数据库的jdbc连接字符串
<br />jdbcUrl参考文档:[达梦官方文档](http://www.dameng.com/down.aspx?TypeId=12&FId=t14:12:14)
- 必选:是
- 默认值:无
- **username**
- 描述:数据源的用户名
- 必选:是
- 默认值:无
- **password**
- 描述:数据源指定用户名的密码
- 必选:是
- 默认值:无
- **where**
- 描述:筛选条件,reader插件根据指定的column、table、where条件拼接SQL,并根据这个SQL进行数据抽取。在实际业务场景中,往往会选择当天的数据进行同步,可以将where条件指定为gmt_create > time。
- 注意:不可以将where条件指定为limit 10,limit不是SQL的合法where子句。
- 必选:否
- 默认值:无
- **splitPk**
- 描述:当speed配置中的channel大于1时指定此参数,Reader插件根据并发数和此参数指定的字段拼接sql,使每个并发读取不同的数据,提升读取速率。
- 注意:
- 推荐splitPk使用表主键,因为表主键通常情况下比较均匀,因此切分出来的分片也不容易出现数据热点。
- 目前splitPk仅支持整形数据切分,`不支持浮点、字符串、日期等其他类型`。如果用户指定其他非支持类型,FlinkX将报错!
- 如果channel大于1但是没有配置此参数,任务将置为失败。
- 必选:否
- 默认值:无
- **queryTimeOut**
- 描述:查询超时时间,单位秒。
- 注意:当数据量很大,或者从视图查询,或者自定义sql查询时,可通过此参数指定超时时间。
- 必选:否
- 默认值:3000
- **customSql**
- 描述:自定义的查询语句,如果只指定字段不能满足需求时,可通过此参数指定查询的sql,可以是任意复杂的查询语句。
- 注意:
- 只能是查询语句,否则会导致任务失败;
- 查询语句返回的字段需要和column列表里的字段对应;
- 当指定了此参数时,connection里指定的table无效;
- 当指定此参数时,column必须指定具体字段信息,不能以*号代替;
- 必选:否
- 默认值:无
- **column**
- 描述:需要读取的字段。
- 格式:支持3种格式
<br />1.读取全部字段,如果字段数量很多,可以使用下面的写法:
```bash
"column":["*"]
```
2.只指定字段名称:
```json
"column":["ID","NAME"]
```
3.指定具体信息:
```json
"column": [{
"name": "COL",
"type": "datetime",
"format": "yyyy-MM-dd hh:mm:ss",
"value": "value"
}]
```
- 属性说明:
- name:字段名称,注意应该为大写,否则可能会出错
- type:字段类型,可以和数据库里的字段类型不一样,程序会做一次类型转换
- format:如果字段是时间字符串,可以指定时间的格式,将字段类型转为日期格式返回
- value:如果数据库里不存在指定的字段,则会把value的值作为常量列返回,如果指定的字段存在,当指定字段的值为null时,会以此value值作为默认值返回
- 必选:是
- 默认值:无
- **polling**
- 描述:是否开启间隔轮询,开启后会根据`pollingInterval`轮询间隔时间周期性的从数据库拉取数据。开启间隔轮询还需配置参数`pollingInterval`,`increColumn`,可以选择配置参数`startLocation`。若不配置参数`startLocation`,任务启动时将会从数据库中查询增量字段最大值作为轮询的开始位置。
- 必选:否
- 默认值:false
- **pollingInterval**
- 描述:轮询间隔时间,从数据库中拉取数据的间隔时间,默认为5000毫秒。
- 必选:否
- 默认值:5000
- **requestAccumulatorInterval**
- 描述:发送查询累加器请求的间隔时间。
- 必选:否
- 默认值:2
<a name="1LBc2"></a>
## 四、配置示例
<a name="xhLRp"></a>
#### 1、基础配置
```json
{
"job": {
"content": [
{
"reader": {
"name": "dmreader",
"parameter": {
"column": [
{
"name": "ID",
"type": "int"
},
{
"name": "AGE",
"type": "int"
}
],
"increColumn": "",
"startLocation": "",
"username": "SYSDBA",
"password": "SYSDBA",
"connection": [
{
"jdbcUrl": [
"jdbc:dm://localhost:5236"
],
"table": [
"PERSON.STUDENT"
]
}
],
"where": ""
}
},
"writer": {
"name": "streamwriter",
"parameter": {
"print": true
}
}
}
],
"setting": {
"speed": {
"channel": 1,
"bytes": 0
},
"errorLimit": {
"record": 100
},
"restore": {
"maxRowNumForCheckpoint": 0,
"isRestore": false,
"restoreColumnName": "",
"restoreColumnIndex": 0
}
}
}
}
```
<a name="obMdk"></a>
#### 2、多通道
```json
{
"job": {
"content": [
{
"reader": {
"name": "dmreader",
"parameter": {
"column": [
{
"name": "ID",
"type": "int"
},
{
"name": "AGE",
"type": "int"
}
],
"splitPk": "ID",
"increColumn": "",
"startLocation": "",
"username": "SYSDBA",
"password": "SYSDBA",
"connection": [
{
"jdbcUrl": [
"jdbc:dm://localhost:5236"
],
"table": [
"PERSON.STUDENT"
]
}
],
"where": ""
}
},
"writer": {
"name": "streamwriter",
"parameter": {
"print": true
}
}
}
],
"setting": {
"speed": {
"channel": 3,
"bytes": 0
},
"errorLimit": {
"record": 100
},
"restore": {
"maxRowNumForCheckpoint": 0,
"isRestore": false,
"restoreColumnName": "",
"restoreColumnIndex": 0
}
}
}
}
```
<a name="zuPBB"></a>
#### 3、指定customSql
```json
{
"job": {
"content": [
{
"reader": {
"name": "dmreader",
"parameter": {
"column": [
{
"name": "ID",
"type": "int"
},
{
"name": "AGE",
"type": "int"
}
],
"increColumn": "",
"startLocation": "",
"customSql": "SELECT * FROM PERSON.STUDENT WHERE ID>30",
"username": "SYSDBA",
"password": "SYSDBA",
"connection": [
{
"jdbcUrl": [
"jdbc:dm://localhost:5236"
],
"table": [
"PERSON.STUDENT"
]
}
],
"where": ""
}
},
"writer": {
"name": "streamwriter",
"parameter": {
"print": true
}
}
}
],
"setting": {
"speed": {
"channel": 1,
"bytes": 0
},
"errorLimit": {
"record": 100
},
"restore": {
"maxRowNumForCheckpoint": 0,
"isRestore": false,
"restoreColumnName": "",
"restoreColumnIndex": 0
}
}
}
}
```
<a name="KyWmu"></a>
#### 4、增量同步startLocation
```json
{
"job": {
"content": [
{
"reader": {
"name": "dmreader",
"parameter": {
"column": [
{
"name": "ID",
"type": "int"
},
{
"name": "AGE",
"type": "int"
}
],
"increColumn": "ID",
"startLocation": "20",
"username": "SYSDBA",
"password": "SYSDBA",
"connection": [
{
"jdbcUrl": [
"jdbc:dm://localhost:5236"
],
"table": [
"PERSON.STUDENT"
]
}
],
"where": ""
}
},
"writer": {
"name": "streamwriter",
"parameter": {
"print": true
}
}
}
],
"setting": {
"speed": {
"channel": 1,
"bytes": 0
},
"errorLimit": {
"record": 100
},
"restore": {
"maxRowNumForCheckpoint": 0,
"isRestore": false,
"restoreColumnName": "",
"restoreColumnIndex": 0
}
}
}
}
```
<a name="auGyQ"></a>
#### 5、间隔轮询
```json
{
"job": {
"content": [
{
"reader": {
"name": "dmreader",
"parameter": {
"column": [
{
"name": "ID",
"type": "int"
},
{
"name": "AGE",
"type": "int"
}
],
"increColumn": "",
"startLocation": "",
"username": "SYSDBA",
"password": "SYSDBA",
"polling": true,
"pollingInterval": 3000,
"connection": [
{
"jdbcUrl": [
"jdbc:dm://localhost:5236"
],
"table": [
"PERSON.STUDENT"
]
}
],
"where": ""
}
},
"writer": {
"name": "streamwriter",
"parameter": {
"print": true
}
}
}
],
"setting": {
"speed": {
"channel": 1,
"bytes": 0
},
"errorLimit": {
"record": 100
},
"restore": {
"maxRowNumForCheckpoint": 0,
"isRestore": false,
"restoreColumnName": "",
"restoreColumnIndex": 0
}
}
}
}
```
|
/*
*************************************************************************************
* Copyright 2013 Normation SAS
*************************************************************************************
*
* This file is part of Rudder.
*
* Rudder is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* In accordance with the terms of section 7 (7. Additional Terms.) of
* the GNU General Public License version 3, the copyright holders add
* the following Additional permissions:
* Notwithstanding to the terms of section 5 (5. Conveying Modified Source
* Versions) and 6 (6. Conveying Non-Source Forms.) of the GNU General
* Public License version 3, when you create a Related Module, this
* Related Module is not considered as a part of the work and may be
* distributed under the license agreement of your choice.
* A "Related Module" means a set of sources files including their
* documentation that, without modification of the Source Code, enables
* supplementary functions or services in addition to those offered by
* the Software.
*
* Rudder is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with Rudder. If not, see <http://www.gnu.org/licenses/>.
*
*************************************************************************************
*/
package bootstrap.liftweb
package checks
import java.io.File
import com.normation.eventlog.ModificationId
import com.normation.rudder.batch.{AsyncDeploymentActor, AutomaticStartDeployment}
import com.normation.rudder.domain.eventlog.RudderEventActor
import com.normation.utils.StringUuidGenerator
/**
* Check at webapp startup if a policy update was requested when webapp was stopped
* If flag file is present then start a new policy update
* This needs to be achieved after all tasks that could modify configuration
*/
class TriggerPolicyUpdate(
asyncGeneration : AsyncDeploymentActor
, uuidGen : StringUuidGenerator
) extends BootstrapChecks {
override val description = "Trigger policy update if it was requested during shutdown"
override def checks() : Unit = {
val filePath = asyncGeneration.triggerPolicyUpdateFlagPath
// Check if the flag file is present, and start a new policy update if needed
val file = new File(filePath)
try {
if (file.exists) {
// File exists, update policies
BootstrapLogger.logEffect.info(s"Flag file '${filePath}' found, Start a new policy update now")
asyncGeneration ! AutomaticStartDeployment(ModificationId(uuidGen.newUuid), RudderEventActor)
} else {
BootstrapLogger.logEffect.debug(s"Flag file '${filePath}' does not exist, No need to start a new policy update")
}
} catch {
// Exception while checking the file existence
case e : Exception =>
BootstrapLogger.logEffect.error(s"An error occurred while accessing flag file '${filePath}', cause is: ${e.getMessage}")
}
}
}
|
Joe Conason, Coming to an Inbox Near You
Adweek: What is National Memo?
I’ve always been interested in having an Internet vehicle. My wife [Elizabeth Wagley] started a company called Progressive Book Club. That pulled together a large list of progressives, liberals, and Democrats across the country, who are very interested in political issues. We have tens and tens of thousands, and we think we’ll be up to a million in the next couple of months. I thought, what about a newsletter model for the center-left?
Why not a website?
It’s a form that goes back to Tom Paine and George Seldes and Izzy Stone. For Elizabeth and me, that’s an appealing model because we think it works politically and as a business. What we’re trying to bring to readers is a very sharp take on the day’s news, a fair amount of original news, and aggregation. Of course, it has my unique sensibility and my reporting experience behind it.
Would you make it more broad?
I’m definitely thinking about bringing on Joe Scarborough’s column and more conservative stuff. Smart, conservative commentary is definitely something we’ll do.
Do we need another media vehicle for the left?
What we’re delivering is an audience that’s engaged, interested in travel, healthcare. From what little I know about marketing, the ROI for email marketing is better than any other form of marketing. I think we can get big brand advertisers and we will, but there will be specialized advertising and cause-related advertising as well.
Who’s financing it?
I guess that’s proprietary info. Is that how you say it?
How do you size up the political media landscape?
Our audience is particularly interested in what they see as a threat to their future and living standards by the Republicans and Tea Party and what’s going on abroad. There’s a profound interest in news right now.
Rupert Murdoch fired you years ago when he took over the Voice where you were a columnist.
He tried to. He had acquired The Village Voice by accident when he bought New York magazine. I wrote a column in the Voice every week, and one of the things I covered quite often was the New York Post and Rupert’s political shenanigans. There came a point where he called [editor] David Schneiderman and told him to fire me. David, to his credit, didn’t do it. It blew over.
Did you get any satisfaction out of that shaving cream attack?
If they didn’t pay that guy, they should have, because it makes him look good and Wendi look great. I’m not surprised. This Mr. Magoo thing he did in Parliament—the “I-don’t-know-what’s-going-on” act—is not him. I remember he would have the front page of the [New York] Post faxed to him in Australia every day—he was that controlling of his newspapers.
You also had a run-in with [ex-Post gossip columnist] Richard Johnson.
He took a swing at me. My recollection is he swung and then ran out of the building. Someone bigger than both of us grabbed me and someone grabbed him and pulled us apart. We’ve kissed and made up since then.
You left the New York Observer after 18 years. How is it doing?
I think the Observer’s gone through a tough few years. I don’t agree with everything they’ve done. But I’m glad they’re still there and publishing.
Adweek: What is National Memo?
I’ve always been interested in having an Internet vehicle. My wife [Elizabeth Wagley] started a company called Progressive Book Club. That pulled together a large list of progressives, liberals, and Democrats across the country, who are very interested in political issues. We have tens and tens of thousands, and we think we’ll be up to a million in the next couple of months. I thought, what about a newsletter model for the center-left?
Why not a website?
It’s a form that goes back to Tom Paine and George Seldes and Izzy Stone. For Elizabeth and me, that’s an appealing model because we think it works politically and as a business. What we’re trying to bring to readers is a very sharp take on the day’s news, a fair amount of original news, and aggregation. Of course, it has my unique sensibility and my reporting experience behind it.
Would you make it more broad?
I’m definitely thinking about bringing on Joe Scarborough’s column and more conservative stuff. Smart, conservative commentary is definitely something we’ll do.
Do we need another media vehicle for the left?
What we’re delivering is an audience that’s engaged, interested in travel, healthcare. From what little I know about marketing, the ROI for email marketing is better than any other form of marketing. I think we can get big brand advertisers and we will, but there will be specialized advertising and cause-related advertising as well.
Who’s financing it?
I guess that’s proprietary info. Is that how you say it?
How do you size up the political media landscape?
Our audience is particularly interested in what they see as a threat to their future and living standards by the Republicans and Tea Party and what’s going on abroad. There’s a profound interest in news right now.
Rupert Murdoch fired you years ago when he took over the Voice where you were a columnist.
He tried to. He had acquired The Village Voice by accident when he bought New York magazine. I wrote a column in the Voice every week, and one of the things I covered quite often was the New York Post and Rupert’s political shenanigans. There came a point where he called [editor] David Schneiderman and told him to fire me. David, to his credit, didn’t do it. It blew over.
Did you get any satisfaction out of that shaving cream attack?
If they didn’t pay that guy, they should have, because it makes him look good and Wendi look great. I’m not surprised. This Mr. Magoo thing he did in Parliament—the “I-don’t-know-what’s-going-on” act—is not him. I remember he would have the front page of the [New York] Post faxed to him in Australia every day—he was that controlling of his newspapers.
You also had a run-in with [ex-Post gossip columnist] Richard Johnson.
He took a swing at me. My recollection is he swung and then ran out of the building. Someone bigger than both of us grabbed me and someone grabbed him and pulled us apart. We’ve kissed and made up since then.
You left the New York Observer after 18 years. How is it doing?
I think the Observer’s gone through a tough few years. I don’t agree with everything they’ve done. But I’m glad they’re still there and publishing.
|
1. Too many doors
2. Wrong gearbox
3. Sure you need the CD changer with the RNS-E? CD is so last decade.
4. Parking sensors are for girls
5. Stay away from the S3 mirrors, you'll look like a wannabe and they're a target for thieves.
6. As Dandle said, get the phone prep - best £400 I've ever spent.
1. Got a dog, do alot of travelling, buying 5 door for convience
2. I do alot of motorway miles, want the luxury of auto/paddleshift
3. CD changer is nice to have
4. My girlfriend will be driving it as well
5. The S3 mirrors look cool, I understand about "wanabe" but don't care
6. I mite get it.
7.140PS 2.0TDI (it was ordered April)
Heh on another note...
I wish I ordered the interior light pack now...
I was just very confused how my sales rep was advising me...
In the sales book it states that if you have black interior headlining you will have to order the interior light pack... however i was told you will get the light pack as standard so sis not bother... but now heh i was told by my replacement rep that i will not get that option...
it's so confusing that, if I were told by a sales rep that an option I wanted would be included as standard, I'd ask for exactly that to be stated in writing on the order. That way, when it turns up without it, you can just reject the car as it doesn't match the order or, more likely, get them to give you a heap of cash to take the car anyway
Useful Searches
About US
Our community has been around for many years and pride ourselves on offering unbiased, critical discussion among people of all different backgrounds. We are working every day to make sure our community is one of the best.
|
Advertising on GundogsOnline.com
We offer businesses a chance to advertise on the largest hunting dog audience on the internet. Advertising with us is a fraction of the cost normally associated with traditional advertising.
Kennels and Trainers
For breeders and trainers that want the most cost effective way to market to our audience our Classified Ad area offers an affordable alternative to newspaper ads.
When you advertise with us you know you are reaching a targeted audience with a desire to learn more about training / caring for hunting dogs and who have a proven track record of purchasing hunting dog related supplies. Download our Media Kit
Description:
A distinct difference with this intense pointing dog, is their ability to train easily and quickly...even for the first time dog handler. We utilize NAVHDA as our registry and testing organization. Rufnit Kennels' progeny have been honored to receive several prestigious titles through the organization, including NAVHDA Breeder Awards. Additional information regarding the puppies and started companions currently available can be found on our web site.
During the upland season, our companions are used for quail, pheasant, chukar and grouse. We utilize hunting preserves during the off season for training.
Our breeding's are producing progeny with intelligence, drive, and desire. NAVHDA tested progeny are receiving their first titles at 6 - 10 months of age. These dogs are calm in the house, have great temperaments and wash-n-wear coats, making them wonderful additions to the family as well as outstanding hunting companions.
Pups/dogs will be able to be picked up or shipped at owners expense.
Please visit our site for additional information regarding the accomplishments of our companions and progeny; current availability and upcoming litters.
|
Moms & Tots
All Moms & Tots are welcome to come and play in the parish play yard with other Moms & Tots from the parish. This group meets every other Wednesday. On rainy days they meet in the parish meeting room play area.
|
[
{
"category": "``apigateway``",
"description": "Update apigateway command to latest version",
"type": "api-change"
},
{
"category": "``ssm``",
"description": "Update ssm command to latest version",
"type": "api-change"
},
{
"category": "``apigatewayv2``",
"description": "Update apigatewayv2 command to latest version",
"type": "api-change"
},
{
"category": "``elbv2``",
"description": "Update elbv2 command to latest version",
"type": "api-change"
},
{
"category": "``application-insights``",
"description": "Update application-insights command to latest version",
"type": "api-change"
},
{
"category": "``fsx``",
"description": "Update fsx command to latest version",
"type": "api-change"
},
{
"category": "``service-quotas``",
"description": "Update service-quotas command to latest version",
"type": "api-change"
},
{
"category": "``resourcegroupstaggingapi``",
"description": "Update resourcegroupstaggingapi command to latest version",
"type": "api-change"
},
{
"category": "``securityhub``",
"description": "Update securityhub command to latest version",
"type": "api-change"
}
]
|
NVIDIA introduced SLI (Scalable Link Interface) for the first time in November 2004. This technology has already been used for ages now, since 3DFX introduced this parallel connection between two cards around 1998 with their Voodoo2. Anyway NVIDIA claimed that SLI could deliver twice the performance of one single gpu and that is exactly what we are testing today. Read the review to find out more!
|
ALLERGENS
Allergens
Due to the nature of our business, our gift baskets and assortments may contain or have come in contact with any or all of the following food allergens: milk, egg, wheat, soy, peanuts, tree nuts, shellfish, and fish. Please do not purchase our items if you know that the recipient has one or more of these allergies. The only exception is if the recipient has a nut or tree nut allergy. Kindly contact us at info@favoritegiftbaskets.com as we may be able to accommodate a nut-free request by special order.
|
/* GNU Ocrad - Optical Character Recognition program
Copyright (C) 2003-2015 Antonio Diaz Diaz.
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include <climits>
#include <cstdlib>
#include <vector>
#include "rectangle.h"
#include "segment.h"
#include "mask.h"
int Mask::left( const int row ) const
{
if( top() <= row && row <= bottom() && data[row-top()].valid() )
return data[row-top()].left;
return -1;
}
int Mask::right( const int row ) const
{
if( top() <= row && row <= bottom() && data[row-top()].valid() )
return data[row-top()].right;
return -1;
}
void Mask::top( const int t )
{
if( t == top() ) return;
if( t < top() ) data.insert( data.begin(), top() - t, Csegment() );
else data.erase( data.begin(), data.begin() + ( t - top() ) );
Rectangle::top( t );
}
void Mask::bottom( const int b )
{
if( b != bottom() ) { Rectangle::bottom( b ); data.resize( height() ); }
}
void Mask::add_mask( const Mask & m )
{
if( m.top() < top() ) top( m.top() );
if( m.bottom() > bottom() ) bottom( m.bottom() );
for( int i = m.top(); i <= m.bottom(); ++i )
{
Csegment & seg = data[i-top()];
seg.add_csegment( m.data[i-m.top()] );
if( seg.left < left() ) left( seg.left );
if( seg.right > right() ) right( seg.right );
}
}
void Mask::add_point( const int row, const int col )
{
if( row < top() ) top( row ); else if( row > bottom() ) bottom( row );
data[row-top()].add_point( col );
if( col < left() ) left( col ); else if( col > right() ) right( col );
}
void Mask::add_rectangle( const Rectangle & re )
{
if( re.top() < top() ) top( re.top() );
if( re.bottom() > bottom() ) bottom( re.bottom() );
const Csegment rseg( re.left(), re.right() );
for( int i = re.top(); i <= re.bottom(); ++i )
{
Csegment & seg = data[i-top()];
seg.add_csegment( rseg );
if( seg.left < left() ) left( seg.left );
if( seg.right > right() ) right( seg.right );
}
}
bool Mask::includes( const Rectangle & re ) const
{
if( re.top() < top() || re.bottom() > bottom() ) return false;
const Csegment seg( re.left(), re.right() );
for( int i = re.top(); i <= re.bottom(); ++i )
if( !data[i-top()].includes( seg ) ) return false;
return true;
}
bool Mask::includes( const int row, const int col ) const
{
return ( row >= top() && row <= bottom() && data[row-top()].includes( col ) );
}
int Mask::distance( const Rectangle & re ) const
{
const Csegment seg( re.left(), re.right() );
int mindist = INT_MAX;
for( int i = bottom(); i >= top(); --i )
{
const int vd = re.v_distance( i );
if( vd >= mindist ) { if( i < re.top() ) break; else continue; }
const int hd = data[i-top()].distance( seg );
if( hd >= mindist ) continue;
const int d = Rectangle::hypoti( hd, vd );
if( d < mindist ) mindist = d;
}
return mindist;
}
int Mask::distance( const int row, const int col ) const
{
int mindist = INT_MAX;
for( int i = bottom(); i >= top(); --i )
{
const int vd = std::abs( i - row );
if( vd >= mindist ) { if( i < row ) break; else continue; }
const int hd = data[i-top()].distance( col );
if( hd >= mindist ) continue;
const int d = Rectangle::hypoti( hd, vd );
if( d < mindist ) mindist = d;
}
return mindist;
}
|
On Monday during his team’s preseason media day, James expounded on his thoughts about the president, what James says is Trump’s goal to divide America through sports, and the role James can play in making this country a better place.
While James mused on the importance of sports and how it unites people “like none other,” he also said he’s not going to let one individual use sports as a “platform to divide us.” James didn’t mention Trump by name, but it wasn’t difficult to discern who he meant.
LeBron James: 'The people run this country. Not one individual. And damn sure not him.'Full story: http://on.si.com/2jXD0Fc
“I salute the NFL, the players, the coaches, the owners and the fans … it was unbelievable,” James said, via SI.com. “There was solidarity. There was no divide, no divide even from that guy that continues to try to divide us as people.”
James also assuaged his fans that even if you made a mistake and voted for Trump, it was still OK.
“I’ve done things for my kids, and I realized I shouldn’t have gave my daughter that many damn Skittles,” James said. “She won’t go to sleep now.”
But aside from that joke, James—whose home was vandalized with a racial slur last May—made sure he let everybody know where the power in this country is based.
“The people run this country, not one individual,” James said. “And damn sure not him.”
Josh Katzowitz is the Weekend Editor for the Daily Dot and covers the world of YouTube. His work has appeared in the New York Times, Wall Street Journal, Washington Post, and Los Angeles Times. He’s also a longtime sports writer, covering the NFL for CBSSports.com and boxing for Forbes. His work has been noted twice in the Best American Sports Writing book series.
|
"""
Base class with plot generating commands.
Does not define any special non-GMT methods (savefig, show, etc).
"""
import contextlib
import numpy as np
import pandas as pd
from .clib import Session
from .exceptions import GMTError, GMTInvalidInput
from .helpers import (
build_arg_string,
dummy_context,
data_kind,
fmt_docstring,
use_alias,
kwargs_to_strings,
)
class BasePlotting:
"""
Base class for Figure and Subplot.
Defines the plot generating methods and a hook for subclasses to insert
special arguments (the _preprocess method).
"""
def _preprocess(self, **kwargs): # pylint: disable=no-self-use
"""
Make any changes to kwargs or required actions before plotting.
This method is run before all plotting commands and can be used to
insert special arguments into the kwargs or make any actions that are
required before ``call_module``.
For example, the :class:`pygmt.Figure` needs this to tell the GMT
modules to plot to a specific figure.
This is a dummy method that does nothing.
Returns
-------
kwargs : dict
The same input kwargs dictionary.
Examples
--------
>>> base = BasePlotting()
>>> base._preprocess(resolution='low')
{'resolution': 'low'}
"""
return kwargs
@fmt_docstring
@use_alias(
R="region",
J="projection",
A="area_thresh",
B="frame",
D="resolution",
I="rivers",
L="map_scale",
N="borders",
W="shorelines",
G="land",
S="water",
U="timestamp",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def coast(self, **kwargs):
"""
Plot continents, shorelines, rivers, and borders on maps
Plots grayshaded, colored, or textured land-masses [or water-masses] on
maps and [optionally] draws coastlines, rivers, and political
boundaries. Alternatively, it can (1) issue clip paths that will
contain all land or all water areas, or (2) dump the data to an ASCII
table. The data files come in 5 different resolutions: (**f**)ull,
(**h**)igh, (**i**)ntermediate, (**l**)ow, and (**c**)rude. The full
resolution files amount to more than 55 Mb of data and provide great
detail; for maps of larger geographical extent it is more economical to
use one of the other resolutions. If the user selects to paint the
land-areas and does not specify fill of water-areas then the latter
will be transparent (i.e., earlier graphics drawn in those areas will
not be overwritten). Likewise, if the water-areas are painted and no
land fill is set then the land-areas will be transparent.
A map projection must be supplied.
Full option list at :gmt-docs:`coast.html`
{aliases}
Parameters
----------
{J}
{R}
area_thresh : int, float, or str
``'min_area[/min_level/max_level][+ag|i|s|S][+r|l][+ppercent]'``
Features with an area smaller than min_area in km^2 or of
hierarchical level that is lower than min_level or higher than
max_level will not be plotted.
{B}
C : str
Set the shade, color, or pattern for lakes and river-lakes.
resolution : str
Selects the resolution of the data set to use ((f)ull, (h)igh,
(i)ntermediate, (l)ow, and (c)rude).
land : str
Select filling or clipping of “dry” areas.
rivers : str
``'river[/pen]'``
Draw rivers. Specify the type of rivers and [optionally] append pen
attributes.
map_scale : str
``'[g|j|J|n|x]refpoint'``
Draws a simple map scale centered on the reference point specified.
borders : str
``'border[/pen]'``
Draw political boundaries. Specify the type of boundary and
[optionally] append pen attributes
water : str
Select filling or clipping of “wet” areas.
{U}
shorelines : str
``'[level/]pen'``
Draw shorelines [Default is no shorelines]. Append pen attributes.
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
with Session() as lib:
lib.call_module("coast", build_arg_string(kwargs))
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
C="cmap",
D="position",
F="box",
G="truncate",
W="scale",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", G="sequence", p="sequence")
def colorbar(self, **kwargs):
"""
Plot a gray or color scale-bar on maps.
Both horizontal and vertical scales are supported. For CPTs with
gradational colors (i.e., the lower and upper boundary of an interval
have different colors) we will interpolate to give a continuous scale.
Variations in intensity due to shading/illumination may be displayed by
setting the option -I. Colors may be spaced according to a linear
scale, all be equal size, or by providing a file with individual tile
widths.
Full option list at :gmt-docs:`colorbar.html`
{aliases}
Parameters
----------
position : str
``[g|j|J|n|x]refpoint[+wlength[/width]][+e[b|f][length]][+h|v]
[+jjustify][+m[a|c|l|u]][+n[txt]][+odx[/dy]]``. Defines the
reference point on the map for the color scale using one of four
coordinate systems: (1) Use *g* for map (user) coordinates, (2) use
*j* or *J* for setting refpoint via a 2-char justification code
that refers to the (invisible) map domain rectangle, (3) use *n*
for normalized (0-1) coordinates, or (4) use *x* for plot
coordinates (inches, cm, etc.). All but *x* requires both *region*
and *projection* to be specified. Append +w followed by the length
and width of the color bar. If width is not specified then it is
set to 4% of the given length. Give a negative length to reverse
the scale bar. Append +h to get a horizontal scale
[Default is vertical (+v)]. By default, the anchor point on the
scale is assumed to be the bottom left corner (BL), but this can be
changed by appending +j followed by a 2-char justification code
*justify*.
box : bool or str
``[+cclearances][+gfill][+i[[gap/]pen]][+p[pen]][+r[radius]]
[+s[[dx/dy/][shade]]]``. If set to True, draws a rectangular
border around the color scale. Alternatively, specify a different
pen with +ppen. Add +gfill to fill the scale panel [no fill].
Append +cclearance where clearance is either gap, xgap/ygap, or
lgap/rgap/bgap/tgap where these items are uniform, separate in x-
and y-direction, or individual side spacings between scale and
border. Append +i to draw a secondary, inner border as well. We use
a uniform gap between borders of 2p and the MAP_DEFAULTS_PEN unless
other values are specified. Append +r to draw rounded rectangular
borders instead, with a 6p corner radius. You can override this
radius by appending another value. Finally, append +s to draw an
offset background shaded region. Here, dx/dy indicates the shift
relative to the foreground frame [4p/-4p] and shade sets the fill
style to use for shading [gray50].
truncate : list or str
``zlo/zhi`` Truncate the incoming CPT so that the lowest and
highest z-levels are to zlo and zhi. If one of these equal NaN then
we leave that end of the CPT alone. The truncation takes place
before the plotting.
scale : float
Multiply all z-values in the CPT by the provided scale. By default
the CPT is used as is.
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
with Session() as lib:
lib.call_module("colorbar", build_arg_string(kwargs))
@fmt_docstring
@use_alias(
A="annotation",
B="frame",
C="interval",
G="label_placement",
J="projection",
L="limit",
Q="cut",
R="region",
S="resample",
U="timestamp",
W="pen",
l="label",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", L="sequence", A="sequence_plus", p="sequence")
def grdcontour(self, grid, **kwargs):
"""
Convert grids or images to contours and plot them on maps
Takes a grid file name or an xarray.DataArray object as input.
Full option list at :gmt-docs:`grdcontour.html`
{aliases}
Parameters
----------
grid : str or xarray.DataArray
The file name of the input grid or the grid loaded as a DataArray.
interval : str or int
Specify the contour lines to generate.
- The filename of a `CPT` file where the color boundaries will
be used as contour levels.
- The filename of a 2 (or 3) column file containing the contour
levels (col 1), (C)ontour or (A)nnotate (col 2), and optional
angle (col 3)
- A fixed contour interval ``cont_int`` or a single contour with
``+[cont_int]``
annotation : str, int, or list
Specify or disable annotated contour levels, modifies annotated
contours specified in ``-C``.
- Specify a fixed annotation interval ``annot_int`` or a
single annotation level ``+[annot_int]``
- Disable all annotation with ``'-'``
- Optional label modifiers can be specified as a single string
``'[annot_int]+e'`` or with a list of options
``([annot_int], 'e', 'f10p', 'gred')``.
limit : str or list of 2 ints
Do no draw contours below `low` or above `high`, specify as string
``'[low]/[high]'`` or list ``[low,high]``.
cut : str or int
Do not draw contours with less than `cut` number of points.
resample : str or int
Resample smoothing factor.
{J}
{R}
{B}
{G}
{U}
{W}
{XY}
label : str
Add a legend entry for the contour being plotted. Normally, the
annotated contour is selected for the legend. You can select the
regular contour instead, or both of them, by considering the label
to be of the format [*annotcontlabel*][/*contlabel*]. If either
label contains a slash (/) character then use ``|`` as the
separator for the two labels instead.
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
kind = data_kind(grid, None, None)
with Session() as lib:
if kind == "file":
file_context = dummy_context(grid)
elif kind == "grid":
file_context = lib.virtualfile_from_grid(grid)
else:
raise GMTInvalidInput("Unrecognized data type: {}".format(type(grid)))
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("grdcontour", arg_str)
@fmt_docstring
@use_alias(
A="img_out",
B="frame",
C="cmap",
D="img_in",
E="dpi",
G="bit_color",
I="shading",
J="projection",
M="monochrome",
N="no_clip",
Q="nan_transparent",
R="region",
U="timestamp",
V="verbose",
X="xshift",
Y="yshift",
n="interpolation",
p="perspective",
t="transparency",
x="cores",
)
@kwargs_to_strings(R="sequence", p="sequence")
def grdimage(self, grid, **kwargs):
"""
Project and plot grids or images.
Reads a 2-D grid file and produces a gray-shaded (or colored) map by
building a rectangular image and assigning pixels a gray-shade (or
color) based on the z-value and the CPT file. Optionally, illumination
may be added by providing a file with intensities in the (-1,+1) range
or instructions to derive intensities from the input data grid. Values
outside this range will be clipped. Such intensity files can be created
from the grid using `grdgradient` and, optionally, modified by
`grdmath` or `grdhisteq`. If GMT is built with GDAL support, *grid* can
be an image file (geo-referenced or not). In this case the image can
optionally be illuminated with the file provided via the *shading*
option. Here, if image has no coordinates then those of the intensity
file will be used.
When using map projections, the grid is first resampled on a new
rectangular grid with the same dimensions. Higher resolution images can
be obtained by using the *dpi* option. To obtain the resampled value
(and hence shade or color) of each map pixel, its location is inversely
projected back onto the input grid after which a value is interpolated
between the surrounding input grid values. By default bi-cubic
interpolation is used. Aliasing is avoided by also forward projecting
the input grid nodes. If two or more nodes are projected onto the same
pixel, their average will dominate in the calculation of the pixel
value. Interpolation and aliasing is controlled with the
*interpolation* option.
The *region* option can be used to select a map region larger or
smaller than that implied by the extent of the grid.
Full option list at :gmt-docs:`grdimage.html`
{aliases}
Parameters
----------
grid : str or xarray.DataArray
The file name or a DataArray containing the input 2-D gridded data
set or image to be plotted (See GRID FILE FORMATS at
:gmt-docs:`grdimage.html#grid-file-formats`).
img_out : str
``out_img[=driver]``.
Save an image in a raster format instead of PostScript. Use
extension .ppm for a Portable Pixel Map format which is the only
raster format GMT can natively write. For GMT installations
configured with GDAL support there are more choices: Append
*out_img* to select the image file name and extension. If the
extension is one of .bmp, .gif, .jpg, .png, or .tif then no driver
information is required. For other output formats you must append
the required GDAL driver. The *driver* is the driver code name used
by GDAL; see your GDAL installation's documentation for available
drivers. Append a **+c**\\ *options* string where options is a list
of one or more concatenated number of GDAL **-co** options. For
example, to write a GeoPDF with the TerraGo format use
``=PDF+cGEO_ENCODING=OGC_BP``. Notes: (1) If a tiff file (.tif) is
selected then we will write a GeoTiff image if the GMT projection
syntax translates into a PROJ syntax, otherwise a plain tiff file
is produced. (2) Any vector elements will be lost.
{B}
{CPT}
img_in : str
``[r]``
GMT will automatically detect standard image files (Geotiff, TIFF,
JPG, PNG, GIF, etc.) and will read those via GDAL. For very obscure
image formats you may need to explicitly set *img_in*, which
specifies that the grid is in fact an image file to be read via
GDAL. Append **r** to assign the region specified by *region*
to the image. For example, if you have used ``region='d'`` then the
image will be assigned a global domain. This mode allows you to
project a raw image (an image without referencing coordinates).
dpi : int
``[i|dpi]``.
Sets the resolution of the projected grid that will be created if a
map projection other than Linear or Mercator was selected [100]. By
default, the projected grid will be of the same size (rows and
columns) as the input file. Specify **i** to use the PostScript
image operator to interpolate the image at the device resolution.
bit_color : str
``color[+b|f]``.
This option only applies when a resulting 1-bit image otherwise
would consist of only two colors: black (0) and white (255). If so,
this option will instead use the image as a transparent mask and
paint the mask with the given color. Append **+b** to paint the
background pixels (1) or **+f** for the foreground pixels
[Default].
shading : str
``[intensfile|intensity|modifiers]``.
Give the name of a grid file with intensities in the (-1,+1) range,
or a constant intensity to apply everywhere (affects the ambient
light). Alternatively, derive an intensity grid from the input data
grid via a call to `grdgradient`; append **+a**\\ *azimuth*,
**+n**\\ *args*, and **+m**\\ *ambient* to specify azimuth,
intensity, and ambient arguments for that module, or just give
**+d** to select the default arguments (``+a-45+nt1+m0``). If you
want a more specific intensity scenario then run `grdgradient`
separately first. If we should derive intensities from another file
than grid, specify the file with suitable modifiers [Default is no
illumination].
{J}
monochrome : bool
Force conversion to monochrome image using the (television) YIQ
transformation. Cannot be used with *nan_transparent*.
no_clip : bool
Do not clip the image at the map boundary (only relevant for
non-rectangular maps).
nan_transparent : bool
Make grid nodes with z = NaN transparent, using the color-masking
feature in PostScript Level 3 (the PS device must support PS Level
3).
{R}
{V}
{XY}
{n}
{p}
{t}
{x}
"""
kwargs = self._preprocess(**kwargs)
kind = data_kind(grid, None, None)
with Session() as lib:
if kind == "file":
file_context = dummy_context(grid)
elif kind == "grid":
file_context = lib.virtualfile_from_grid(grid)
else:
raise GMTInvalidInput("Unrecognized data type: {}".format(type(grid)))
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("grdimage", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
Jz="zscale",
JZ="zsize",
B="frame",
C="cmap",
G="drapegrid",
N="plane",
Q="surftype",
Wc="contourpen",
Wm="meshpen",
Wf="facadepen",
I="shading",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def grdview(self, grid, **kwargs):
"""
Create 3-D perspective image or surface mesh from a grid.
Reads a 2-D grid file and produces a 3-D perspective plot by drawing a
mesh, painting a colored/gray-shaded surface made up of polygons, or by
scanline conversion of these polygons to a raster image. Options
include draping a data set on top of a surface, plotting of contours on
top of the surface, and apply artificial illumination based on
intensities provided in a separate grid file.
Full option list at :gmt-docs:`grdview.html`
{aliases}
Parameters
----------
grid : str or xarray.DataArray
The file name of the input relief grid or the grid loaded as a
DataArray.
zscale/zsize : float or str
Set z-axis scaling or z-axis size.
cmap : str
The name of the color palette table to use.
drapegrid : str or xarray.DataArray
The file name or a DataArray of the image grid to be draped on top
of the relief provided by grid. [Default determines colors from
grid]. Note that -Jz and -N always refers to the grid. The
drapegrid only provides the information pertaining to colors, which
(if drapegrid is a grid) will be looked-up via the CPT (see -C).
plane : float or str
``level[+gfill]``.
Draws a plane at this z-level. If the optional color is provided
via the +g modifier, and the projection is not oblique, the frontal
facade between the plane and the data perimeter is colored.
surftype : str
Specifies cover type of the grid.
Select one of following settings:
1. 'm' for mesh plot [Default].
2. 'mx' or 'my' for waterfall plots (row or column profiles).
3. 's' for surface plot.
4. 'i' for image plot.
5. 'c'. Same as 'i' but will make nodes with z = NaN transparent.
For any of these choices, you may force a monochrome image by
appending the modifier +m.
contourpen : str
Draw contour lines on top of surface or mesh (not image). Append
pen attributes used for the contours.
meshpen : str
Sets the pen attributes used for the mesh. You must also select -Qm
or -Qsm for meshlines to be drawn.
facadepen :str
Sets the pen attributes used for the facade. You must also select
-N for the facade outline to be drawn.
shading : str
Provide the name of a grid file with intensities in the (-1,+1)
range, or a constant intensity to apply everywhere (affects the
ambient light). Alternatively, derive an intensity grid from the
input data grid reliefgrid via a call to ``grdgradient``; append
``+aazimuth``, ``+nargs``, and ``+mambient`` to specify azimuth,
intensity, and ambient arguments for that module, or just give
``+d`` to select the default arguments (``+a-45+nt1+m0``).
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
kind = data_kind(grid, None, None)
with Session() as lib:
if kind == "file":
file_context = dummy_context(grid)
elif kind == "grid":
file_context = lib.virtualfile_from_grid(grid)
else:
raise GMTInvalidInput(f"Unrecognized data type for grid: {type(grid)}")
with contextlib.ExitStack() as stack:
fname = stack.enter_context(file_context)
if "G" in kwargs:
drapegrid = kwargs["G"]
if data_kind(drapegrid) in ("file", "grid"):
if data_kind(drapegrid) == "grid":
drape_context = lib.virtualfile_from_grid(drapegrid)
drapefile = stack.enter_context(drape_context)
kwargs["G"] = drapefile
else:
raise GMTInvalidInput(
f"Unrecognized data type for drapegrid: {type(drapegrid)}"
)
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("grdview", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
S="style",
G="color",
W="pen",
i="columns",
l="label",
C="cmap",
U="timestamp",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", i="sequence_comma", p="sequence")
def plot(self, x=None, y=None, data=None, sizes=None, direction=None, **kwargs):
"""
Plot lines, polygons, and symbols on maps.
Used to be psxy.
Takes a matrix, (x,y) pairs, or a file name as input and plots lines,
polygons, or symbols at those locations on a map.
Must provide either *data* or *x* and *y*.
If providing data through *x* and *y*, *color* (G) can be a 1d array
that will be mapped to a colormap.
If a symbol is selected and no symbol size given, then psxy will
interpret the third column of the input data as symbol size. Symbols
whose size is <= 0 are skipped. If no symbols are specified then the
symbol code (see *S* below) must be present as last column in the
input. If *S* is not used, a line connecting the data points will be
drawn instead. To explicitly close polygons, use *L*. Select a fill
with *G*. If *G* is set, *W* will control whether the polygon outline
is drawn or not. If a symbol is selected, *G* and *W* determines the
fill and outline/no outline, respectively.
Full option list at :gmt-docs:`plot.html`
{aliases}
Parameters
----------
x/y : float or 1d arrays
The x and y coordinates, or arrays of x and y coordinates of the
data points
data : str or 2d array
Either a data file name or a 2d numpy array with the tabular data.
Use option *columns* (i) to choose which columns are x, y, color,
and size, respectively.
sizes : 1d array
The sizes of the data points in units specified in *style* (S).
Only valid if using *x* and *y*.
direction : list of two 1d arrays
If plotting vectors (using ``style='V'`` or ``style='v'``), then
should be a list of two 1d arrays with the vector directions. These
can be angle and length, azimuth and length, or x and y components,
depending on the style options chosen.
{J}
{R}
A : bool or str
``'[m|p|x|y]'``
By default, geographic line segments are drawn as great circle
arcs. To draw them as straight lines, use *A*.
{B}
{CPT}
D : str
``'dx/dy'``: Offset the plot symbol or line locations by the given
amounts dx/dy.
E : bool or str
``'[x|y|X|Y][+a][+cl|f][+n][+wcap][+ppen]'``.
Draw symmetrical error bars.
{G}
style : str
Plot symbols (including vectors, pie slices, fronts, decorated or
quoted lines).
{W}
{U}
{XY}
label : str
Add a legend entry for the symbol or line being plotted.
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
kind = data_kind(data, x, y)
extra_arrays = []
if "S" in kwargs and kwargs["S"][0] in "vV" and direction is not None:
extra_arrays.extend(direction)
if "G" in kwargs and not isinstance(kwargs["G"], str):
if kind != "vectors":
raise GMTInvalidInput(
"Can't use arrays for color if data is matrix or file."
)
extra_arrays.append(kwargs["G"])
del kwargs["G"]
if sizes is not None:
if kind != "vectors":
raise GMTInvalidInput(
"Can't use arrays for sizes if data is matrix or file."
)
extra_arrays.append(sizes)
with Session() as lib:
# Choose how data will be passed in to the module
if kind == "file":
file_context = dummy_context(data)
elif kind == "matrix":
file_context = lib.virtualfile_from_matrix(data)
elif kind == "vectors":
file_context = lib.virtualfile_from_vectors(
np.atleast_1d(x), np.atleast_1d(y), *extra_arrays
)
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("plot", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
S="skip",
G="label_placement",
W="pen",
L="triangular_mesh_pen",
i="columns",
l="label",
C="levels",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", i="sequence_comma", p="sequence")
def contour(self, x=None, y=None, z=None, data=None, **kwargs):
"""
Contour table data by direct triangulation.
Takes a matrix, (x,y,z) pairs, or a file name as input and plots lines,
polygons, or symbols at those locations on a map.
Must provide either *data* or *x*, *y*, and *z*.
[TODO: Insert more documentation]
Full option list at :gmt-docs:`contour.html`
{aliases}
Parameters
----------
x/y/z : 1d arrays
Arrays of x and y coordinates and values z of the data points.
data : str or 2d array
Either a data file name or a 2d numpy array with the tabular data.
{J}
{R}
A : bool or str
``'[m|p|x|y]'``
By default, geographic line segments are drawn as great circle
arcs. To draw them as straight lines, use *A*.
{B}
levels : str
Contour file or level(s)
D : str
Dump contour coordinates
E : str
Network information
label_placement : str
Placement of labels
I : bool
Color the triangles using CPT
triangular_mesh_pen : str
Pen to draw the underlying triangulation (default none)
N : bool
Do not clip contours
Q : float or str
Do not draw contours with less than cut number of points.
``'[cut[unit]][+z]'``
skip : bool or str
Skip input points outside region ``'[p|t]'``
{W}
label : str
Add a legend entry for the contour being plotted. Normally, the
annotated contour is selected for the legend. You can select the
regular contour instead, or both of them, by considering the label
to be of the format [*annotcontlabel*][/*contlabel*]. If either
label contains a slash (/) character then use ``|`` as the
separator for the two labels instead.
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
kind = data_kind(data, x, y, z)
if kind == "vectors" and z is None:
raise GMTInvalidInput("Must provided both x, y, and z.")
with Session() as lib:
# Choose how data will be passed in to the module
if kind == "file":
file_context = dummy_context(data)
elif kind == "matrix":
file_context = lib.virtualfile_from_matrix(data)
elif kind == "vectors":
file_context = lib.virtualfile_from_vectors(x, y, z)
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("contour", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
L="map_scale",
Td="rose",
Tm="compass",
U="timestamp",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def basemap(self, **kwargs):
"""
Produce a basemap for the figure.
Several map projections are available, and the user may specify
separate tick-mark intervals for boundary annotation, ticking, and
[optionally] gridlines. A simple map scale or directional rose may also
be plotted.
At least one of the options *frame*, *map_scale*, *rose* or *compass*
must be specified.
Full option list at :gmt-docs:`basemap.html`
{aliases}
Parameters
----------
{J}
{R}
{B}
map_scale : str
``'[g|j|J|n|x]refpoint'``
Draws a simple map scale centered on the reference point specified.
rose : str
Draws a map directional rose on the map at the location defined by
the reference and anchor points.
compass : str
Draws a map magnetic rose on the map at the location defined by the
reference and anchor points
{U}
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
if not ("B" in kwargs or "L" in kwargs or "T" in kwargs):
raise GMTInvalidInput("At least one of B, L, or T must be specified.")
with Session() as lib:
lib.call_module("basemap", build_arg_string(kwargs))
@fmt_docstring
@use_alias(
R="region",
J="projection",
U="timestamp",
D="position",
F="box",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def logo(self, **kwargs):
"""
Place the GMT graphics logo on a map.
By default, the GMT logo is 2 inches wide and 1 inch high and
will be positioned relative to the current plot origin.
Use various options to change this and to place a transparent or
opaque rectangular map panel behind the GMT logo.
Full option list at :gmt-docs:`logo.html`
{aliases}
Parameters
----------
{J}
{R}
position : str
``'[g|j|J|n|x]refpoint+wwidth[+jjustify][+odx[/dy]]'``.
Sets reference point on the map for the image.
box : bool or str
Without further options, draws a rectangular border around the
GMT logo.
{U}
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
if "D" not in kwargs:
raise GMTInvalidInput("Option D must be specified.")
with Session() as lib:
lib.call_module("logo", build_arg_string(kwargs))
@fmt_docstring
@use_alias(
R="region",
J="projection",
D="position",
F="box",
M="monochrome",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def image(self, imagefile, **kwargs):
"""
Place images or EPS files on maps.
Reads an Encapsulated PostScript file or a raster image file and plots
it on a map.
Full option list at :gmt-docs:`image.html`
{aliases}
Parameters
----------
imagefile : str
This must be an Encapsulated PostScript (EPS) file or a raster
image. An EPS file must contain an appropriate BoundingBox. A
raster file can have a depth of 1, 8, 24, or 32 bits and is read
via GDAL. Note: If GDAL was not configured during GMT installation
then only EPS files are supported.
{J}
{R}
position : str
``'[g|j|J|n|x]refpoint+rdpi+w[-]width[/height][+jjustify]
[+nnx[/ny]][+odx[/dy]]'`` Sets reference point on the map for the
image.
box : bool or str
``'[+cclearances][+gfill][+i[[gap/]pen]][+p[pen]][+r[radius]]
[+s[[dx/dy/][shade]]]'`` Without further options, draws a
rectangular border around the image using **MAP_FRAME_PEN**.
monochrome : bool
Convert color image to monochrome grayshades using the (television)
YIQ-transformation.
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
with Session() as lib:
arg_str = " ".join([imagefile, build_arg_string(kwargs)])
lib.call_module("image", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
D="position",
F="box",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def legend(self, spec=None, position="JTR+jTR+o0.2c", box="+gwhite+p1p", **kwargs):
"""
Plot legends on maps.
Makes legends that can be overlaid on maps. Reads specific
legend-related information from an input file, or automatically creates
legend entries from plotted symbols that have labels. Unless otherwise
noted, annotations will be made using the primary annotation font and
size in effect (i.e., FONT_ANNOT_PRIMARY).
Full option list at :gmt-docs:`legend.html`
{aliases}
Parameters
----------
spec : None or str
Either None (default) for using the automatically generated legend
specification file, or a filename pointing to the legend
specification file.
{J}
{R}
position : str
``'[g|j|J|n|x]refpoint+wwidth[/height][+jjustify][+lspacing]
[+odx[/dy]]'`` Defines the reference point on the map for the
legend. By default, uses 'JTR+jTR+o0.2c' which places the legend at
the top-right corner inside the map frame, with a 0.2 cm offset.
box : bool or str
``'[+cclearances][+gfill][+i[[gap/]pen]][+p[pen]][+r[radius]]
[+s[[dx/dy/][shade]]]'`` Without further options, draws a
rectangular border around the legend using **MAP_FRAME_PEN**. By
default, uses '+gwhite+p1p' which draws a box around the legend
using a 1 point black pen and adds a white background.
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
if "D" not in kwargs:
kwargs["D"] = position
if "F" not in kwargs:
kwargs["F"] = box
with Session() as lib:
if spec is None:
specfile = ""
elif data_kind(spec) == "file":
specfile = spec
else:
raise GMTInvalidInput("Unrecognized data type: {}".format(type(spec)))
arg_str = " ".join([specfile, build_arg_string(kwargs)])
lib.call_module("legend", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
C="clearance",
D="offset",
G="fill",
W="pen",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(
R="sequence",
textfiles="sequence_space",
angle="sequence_comma",
font="sequence_comma",
justify="sequence_comma",
p="sequence",
)
def text(
self,
textfiles=None,
x=None,
y=None,
position=None,
text=None,
angle=None,
font=None,
justify=None,
**kwargs,
):
"""
Plot or typeset text strings of variable size, font type, and
orientation.
Must provide at least one of the following combinations as input:
- *textfiles*
- *x*, *y*, and *text*
- *position* and *text*
Full option list at :gmt-docs:`text.html`
{aliases}
Parameters
----------
textfiles : str or list
A text data file name, or a list of filenames containing 1 or more
records with (x, y[, angle, font, justify], text).
x/y : float or 1d arrays
The x and y coordinates, or an array of x and y coordinates to plot
the text
position : str
Sets reference point on the map for the text by using x,y
coordinates extracted from *region* instead of providing them
through *x* and *y*. Specify with a two letter (order independent)
code, chosen from:
* Horizontal: L(eft), C(entre), R(ight)
* Vertical: T(op), M(iddle), B(ottom)
For example, position="TL" plots the text at the Upper Left corner
of the map.
text : str or 1d array
The text string, or an array of strings to plot on the figure
angle: int, float, str or bool
Set the angle measured in degrees counter-clockwise from
horizontal. E.g. 30 sets the text at 30 degrees. If no angle is
explicitly given (i.e. angle=True) then the input textfile(s) must
have this as a column.
font : str or bool
Set the font specification with format "size,font,color" where size
is text size in points, font is the font to use, and color sets the
font color. E.g. "12p,Helvetica-Bold,red" selects a 12p red
Helvetica-Bold font. If no font info is explicitly given (i.e.
font=True), then the input textfile(s) must have this information
in one of its columns.
justify : str or bool
Set the alignment which refers to the part of the text string that
will be mapped onto the (x,y) point. Choose a 2 character
combination of L, C, R (for left, center, or right) and T, M, B for
top, middle, or bottom. E.g., BL for lower left. If no
justification is explicitly given (i.e. justify=True), then the
input textfile(s) must have this as a column.
{J}
{R}
clearance : str
``[dx/dy][+to|O|c|C]``
Adjust the clearance between the text and the surrounding box
[15%]. Only used if *pen* or *fill* are specified. Append the unit
you want ('c' for cm, 'i' for inch, or 'p' for point; if not given
we consult 'PROJ_LENGTH_UNIT') or '%' for a percentage of the
font size. Optionally, use modifier '+t' to set the shape of the
textbox when using *fill* and/or *pen*. Append lower case 'o' to
get a straight rectangle [Default]. Append upper case 'O' to get a
rounded rectangle. In paragraph mode (*paragraph*) you can also
append lower case 'c' to get a concave rectangle or append upper
case 'C' to get a convex rectangle.
fill : str
Sets the shade or color used for filling the text box [Default is
no fill].
offset : str
``[j|J]dx[/dy][+v[pen]]``
Offsets the text from the projected (x,y) point by dx,dy [0/0]. If
dy is not specified then it is set equal to dx. Use offset='j' to
offset the text away from the point instead (i.e., the text
justification will determine the direction of the shift). Using
offset='J' will shorten diagonal offsets at corners by sqrt(2).
Optionally, append '+v' which will draw a line from the original
point to the shifted point; append a pen to change the attributes
for this line.
pen : str
Sets the pen used to draw a rectangle around the text string
(see *clearance*) [Default is width = default, color = black,
style = solid].
{XY}
{p}
{t}
"""
kwargs = self._preprocess(**kwargs)
# Ensure inputs are either textfiles, x/y/text, or position/text
if position is None:
kind = data_kind(textfiles, x, y, text)
else:
if x is not None or y is not None:
raise GMTInvalidInput(
"Provide either position only, or x/y pairs, not both"
)
kind = "vectors"
if kind == "vectors" and text is None:
raise GMTInvalidInput("Must provide text with x/y pairs or position")
# Build the `-F` argument in gmt text.
if "F" not in kwargs.keys() and (
(
position is not None
or angle is not None
or font is not None
or justify is not None
)
):
kwargs.update({"F": ""})
if angle is not None and isinstance(angle, (int, float, str)):
kwargs["F"] += f"+a{str(angle)}"
if font is not None and isinstance(font, str):
kwargs["F"] += f"+f{font}"
if justify is not None and isinstance(justify, str):
kwargs["F"] += f"+j{justify}"
if position is not None and isinstance(position, str):
kwargs["F"] += f'+c{position}+t"{text}"'
with Session() as lib:
file_context = dummy_context(textfiles) if kind == "file" else ""
if kind == "vectors":
if position is not None:
file_context = dummy_context("")
else:
file_context = lib.virtualfile_from_vectors(
np.atleast_1d(x), np.atleast_1d(y), np.atleast_1d(text)
)
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("text", arg_str)
@fmt_docstring
@use_alias(
R="region",
J="projection",
B="frame",
C="offset",
X="xshift",
Y="yshift",
p="perspective",
t="transparency",
)
@kwargs_to_strings(R="sequence", p="sequence")
def meca(
self,
spec,
scale,
longitude=None,
latitude=None,
depth=None,
convention=None,
component="full",
plot_longitude=None,
plot_latitude=None,
**kwargs,
):
"""
Plot focal mechanisms.
Full option list at :gmt-docs:`supplements/seis/meca.html`
Note
----
Currently, labeling of beachballs with text strings is only
supported via providing a file to `spec` as input.
{aliases}
Parameters
----------
spec: dict, 1D array, 2D array, pd.DataFrame, or str
Either a filename containing focal mechanism parameters as columns,
a 1- or 2-D array with the same, or a dictionary. If a filename or
array, `convention` is required so we know how to interpret the
columns/entries. If a dictionary, the following combinations of
keys are supported; these determine the convention. Dictionary
may contain values for a single focal mechanism or lists of
values for many focal mechanisms. A Pandas DataFrame may
optionally contain columns latitude, longitude, depth,
plot_longitude,
and/or plot_latitude instead of passing them to the meca method.
- ``"aki"`` — *strike, dip, rake, magnitude*
- ``"gcmt"`` — *strike1, dip1, rake1, strike2, dip2, rake2,
mantissa, exponent*
- ``"mt"`` — *mrr, mtt, mff, mrt, mrf, mtf, exponent*
- ``"partial"`` — *strike1, dip1, strike2, fault_type, magnitude*
- ``"principal_axis"`` — *t_exponent, t_azimuth, t_plunge,
n_exponent, n_azimuth, n_plunge, p_exponent, p_azimuth, p_plunge,
exponent*
scale: str
Adjusts the scaling of the radius of the beachball, which is
proportional to the magnitude. Scale defines the size for
magnitude = 5 (i.e. scalar seismic moment M0 = 4.0E23 dynes-cm)
longitude: int, float, list, or 1d numpy array
Longitude(s) of event location. Ignored if `spec` is not a
dictionary. List must be the length of the number of events.
Ignored if `spec` is a DataFrame and contains a 'longitude' column.
latitude: int, float, list, or 1d numpy array
Latitude(s) of event location. Ignored if `spec` is not a
dictionary. List must be the length of the number of events.
Ignored if `spec` is a DataFrame and contains a 'latitude' column.
depth: int, float, list, or 1d numpy array
Depth(s) of event location in kilometers. Ignored if `spec` is
not a dictionary. List must be the length of the number of events.
Ignored if `spec` is a DataFrame and contains a 'depth' column.
convention: str
``"aki"`` (Aki & Richards), ``"gcmt"`` (global CMT), ``"mt"``
(seismic moment tensor), ``"partial"`` (partial focal mechanism),
or ``"principal_axis"`` (principal axis). Ignored if `spec` is a
dictionary or dataframe.
component: str
The component of the seismic moment tensor to plot. ``"full"`` (the
full seismic moment tensor), ``"dc"`` (the closest double couple
with zero trace and zero determinant), ``"deviatoric"`` (zero
trace)
plot_longitude: int, float, list, or 1d numpy array
Longitude(s) at which to place beachball, only used if `spec` is a
dictionary. List must be the length of the number of events.
Ignored if `spec` is a DataFrame and contains a 'plot_longitude'
column.
plot_latitude: int, float, list, or 1d numpy array
Latitude(s) at which to place beachball, only used if `spec` is a
dictionary. List must be the length of the number of events.
Ignored if `spec` is a DataFrame and contains a 'plot_latitude'
column.
offset: bool or str
Offsets beachballs to the longitude, latitude specified in
the last two columns of the input file or array,
or by `plot_longitude` and `plot_latitude` if provided. A small
circle is plotted at the initial location and a line connects
the beachball to the circle. Specify pen and optionally append
``+ssize`` to change the line style and/or size of the circle.
{J}
{R}
{B}
{XY}
{p}
{t}
"""
# pylint warnings that need to be fixed
# pylint: disable=too-many-locals
# pylint: disable=too-many-nested-blocks
# pylint: disable=too-many-branches
# pylint: disable=no-self-use
# pylint: disable=too-many-statements
def set_pointer(data_pointers, spec):
"""Set optional parameter pointers based on DataFrame or dict, if
those parameters are present in the DataFrame or dict."""
for param in list(data_pointers.keys()):
if param in spec:
# set pointer based on param name
data_pointers[param] = spec[param]
def update_pointers(data_pointers):
"""Updates variables based on the location of data, as the
following data can be passed as parameters or it can be
contained in `spec`."""
# update all pointers
longitude = data_pointers["longitude"]
latitude = data_pointers["latitude"]
depth = data_pointers["depth"]
plot_longitude = data_pointers["plot_longitude"]
plot_latitude = data_pointers["plot_latitude"]
return (longitude, latitude, depth, plot_longitude, plot_latitude)
# Check the spec and parse the data according to the specified
# convention
if isinstance(spec, (dict, pd.DataFrame)):
# dicts and DataFrames are handed similarly but not identically
if (
longitude is None or latitude is None or depth is None
) and not isinstance(spec, (dict, pd.DataFrame)):
raise GMTError("Location not fully specified.")
param_conventions = {
"AKI": ["strike", "dip", "rake", "magnitude"],
"GCMT": ["strike1", "dip1", "dip2", "rake2", "mantissa", "exponent"],
"MT": ["mrr", "mtt", "mff", "mrt", "mrf", "mtf", "exponent"],
"PARTIAL": ["strike1", "dip1", "strike2", "fault_type", "magnitude"],
"PRINCIPAL_AXIS": [
"t_exponent",
"t_azimuth",
"t_plunge",
"n_exponent",
"n_azimuth",
"n_plunge",
"p_exponent",
"p_azimuth",
"p_plunge",
"exponent",
],
}
# to keep track of where optional parameters exist
data_pointers = {
"longitude": longitude,
"latitude": latitude,
"depth": depth,
"plot_longitude": plot_longitude,
"plot_latitude": plot_latitude,
}
# make a DataFrame copy to check convention if it contains
# other parameters
if isinstance(spec, (dict, pd.DataFrame)):
# check if a copy is necessary
copy = False
drop_list = []
for pointer in data_pointers:
if pointer in spec:
copy = True
drop_list.append(pointer)
if copy:
spec_conv = spec.copy()
# delete optional parameters from copy for convention check
for item in drop_list:
del spec_conv[item]
else:
spec_conv = spec
# set convention and focal parameters based on spec convention
convention_assigned = False
for conv in param_conventions:
if set(spec_conv.keys()) == set(param_conventions[conv]):
convention = conv.lower()
foc_params = param_conventions[conv]
convention_assigned = True
break
if not convention_assigned:
raise GMTError(
"Parameters in spec dictionary do not match known " "conventions."
)
# create a dict type pointer for easier to read code
if isinstance(spec, dict):
dict_type_pointer = list(spec.values())[0]
elif isinstance(spec, pd.DataFrame):
# use df.values as pointer for DataFrame behavior
dict_type_pointer = spec.values
# assemble the 1D array for the case of floats and ints as values
if isinstance(dict_type_pointer, (int, float)):
# update pointers
set_pointer(data_pointers, spec)
# look for optional parameters in the right place
(
longitude,
latitude,
depth,
plot_longitude,
plot_latitude,
) = update_pointers(data_pointers)
# Construct the array (order matters)
spec = [longitude, latitude, depth] + [spec[key] for key in foc_params]
# Add in plotting options, if given, otherwise add 0s
for arg in plot_longitude, plot_latitude:
if arg is None:
spec.append(0)
else:
if "C" not in kwargs:
kwargs["C"] = True
spec.append(arg)
# or assemble the 2D array for the case of lists as values
elif isinstance(dict_type_pointer, list):
# update pointers
set_pointer(data_pointers, spec)
# look for optional parameters in the right place
(
longitude,
latitude,
depth,
plot_longitude,
plot_latitude,
) = update_pointers(data_pointers)
# before constructing the 2D array lets check that each key
# of the dict has the same quantity of values to avoid bugs
list_length = len(list(spec.values())[0])
for value in list(spec.values()):
if len(value) != list_length:
raise GMTError(
"Unequal number of focal mechanism "
"parameters supplied in 'spec'."
)
# lets also check the inputs for longitude, latitude,
# and depth if it is a list or array
if (
isinstance(longitude, (list, np.ndarray))
or isinstance(latitude, (list, np.ndarray))
or isinstance(depth, (list, np.ndarray))
):
if (len(longitude) != len(latitude)) or (
len(longitude) != len(depth)
):
raise GMTError(
"Unequal number of focal mechanism "
"locations supplied."
)
# values are ok, so build the 2D array
spec_array = []
for index in range(list_length):
# Construct the array one row at a time (note that order
# matters here, hence the list comprehension!)
row = [longitude[index], latitude[index], depth[index]] + [
spec[key][index] for key in foc_params
]
# Add in plotting options, if given, otherwise add 0s as
# required by GMT
for arg in plot_longitude, plot_latitude:
if arg is None:
row.append(0)
else:
if "C" not in kwargs:
kwargs["C"] = True
row.append(arg[index])
spec_array.append(row)
spec = spec_array
# or assemble the array for the case of pd.DataFrames
elif isinstance(dict_type_pointer, np.ndarray):
# update pointers
set_pointer(data_pointers, spec)
# look for optional parameters in the right place
(
longitude,
latitude,
depth,
plot_longitude,
plot_latitude,
) = update_pointers(data_pointers)
# lets also check the inputs for longitude, latitude, and depth
# just in case the user entered different length lists
if (
isinstance(longitude, (list, np.ndarray))
or isinstance(latitude, (list, np.ndarray))
or isinstance(depth, (list, np.ndarray))
):
if (len(longitude) != len(latitude)) or (
len(longitude) != len(depth)
):
raise GMTError(
"Unequal number of focal mechanism locations supplied."
)
# values are ok, so build the 2D array in the correct order
spec_array = []
for index in range(len(spec)):
# Construct the array one row at a time (note that order
# matters here, hence the list comprehension!)
row = [longitude[index], latitude[index], depth[index]] + [
spec[key][index] for key in foc_params
]
# Add in plotting options, if given, otherwise add 0s as
# required by GMT
for arg in plot_longitude, plot_latitude:
if arg is None:
row.append(0)
else:
if "C" not in kwargs:
kwargs["C"] = True
row.append(arg[index])
spec_array.append(row)
spec = spec_array
else:
raise GMTError(
"Parameter 'spec' contains values of an unsupported type."
)
# Add condition and scale to kwargs
if convention == "aki":
data_format = "a"
elif convention == "gcmt":
data_format = "c"
elif convention == "mt":
# Check which component of mechanism the user wants plotted
if component == "deviatoric":
data_format = "z"
elif component == "dc":
data_format = "d"
else: # component == 'full'
data_format = "m"
elif convention == "partial":
data_format = "p"
elif convention == "principal_axis":
# Check which component of mechanism the user wants plotted
if component == "deviatoric":
data_format = "t"
elif component == "dc":
data_format = "y"
else: # component == 'full'
data_format = "x"
# Support old-school GMT format options
elif convention in ["a", "c", "m", "d", "z", "p", "x", "y", "t"]:
data_format = convention
else:
raise GMTError("Convention not recognized.")
# Assemble -S flag
kwargs["S"] = data_format + scale
kind = data_kind(spec)
with Session() as lib:
if kind == "matrix":
file_context = lib.virtualfile_from_matrix(np.atleast_2d(spec))
elif kind == "file":
file_context = dummy_context(spec)
else:
raise GMTInvalidInput("Unrecognized data type: {}".format(type(spec)))
with file_context as fname:
arg_str = " ".join([fname, build_arg_string(kwargs)])
lib.call_module("meca", arg_str)
|
Some inventions are just a better way to do something that’s already being done – an improvement on a product. Other inventions are pretty new and I would say that the Aeropress Coffee Maker is quite new. …When you look at the coffee brewing process, it’s interesting that it’s really just a succession of of shorter and shorter processes. A hundred years ago, people used to throw some grounds of coffee into a pot and boil it for as long as an hour. Whereas in 1950, there was quite a leap forward in coffee making called the “automatic drip machine” and it took about 5 minutes. The Aeropress cuts that time of 5 minutes down to about one minute.
|
Hargis 11 th reunion
The Hargis family gather at the old homestead—Captain Dick the Host.—He dispenses good cheer to his relatives and friends and all enjoy a pleasant day at his country home.
People who are acquainted with Captain Dick Hargis on his train think that he is in his glory when steaming through the hills and valleys from Atlanta to Chattanooga, but to see him at his best when he is filled with joys of youth and as frolicksome as a boy of sixteen, is only to be observed when he assembles his brothers and sisters, with their children and grandchildren, at the old homestead in one of their annual reunions.
The Courant American was among the guests who had the good fortune to enjoy the hospitality of this occasion on last Saturday.
This is probably the only family in the state which keeps up with such regularity these annual reunions at the old homestead, occasions which keep up the family ties and teach the younger generations of the different branches of the family to love one another as brother and sister.
The original family consisted of seven brothers and sisters which has now multiplied until the children and grandchildren, including all, number seventy-two, quite a large and interesting family. Nearly all of these were present last Saturday, and with their invited guests, made it a most pleasant and enjoyable occasion.
The time to the hour of noon was spent in greetings and rehearsals of experiences during the past twelve months among those who had not met since the last reunion, and at noon the good ladies took charge of the baskets and spread a most sumptuous dinner on the long tables which had been erected for the occasion, under the trees in front of the house. It was an elegant spread, and contained every variety of good things which tempt the appetite and give contentment to the inner man.
After the dinner was over, Capt. R. R. Hargis, who had been romping with the boys and girls all morning, put on a serious air, and called the assemblage to order. He made a few remarks relative to the occasion, and expressed his gratitude for the pleasure of having so many of his relatives and friends around him.
He was followed by Mr. W. A. Chunn who, in his felicitous vein, placed Captain Hargis in nomination for the Georgia legislature, and he was elected on the spot. Captain Hargis would make a first rate member of that august body, and there are not a few in Bartow county who would like to have the pleasure of voting for him.
Mr. Chunn was followed by Colonel Stansell, who said in his remarks, that he had come up as a new member to make a conquest of the Hargis family, as there had been some marrying going on which brought him into the family, but he felt that the Hargis family had made the conquest, and he was hardly able to tell whether he was a Hargis or a Stansell.
Mr. Tom Hargis, O. P. Hargis and J. D. Rogers also made short and pleasant addresses, and the young people furnished some excellent music.
Captain Hargis is a most genial host, and has the happy faculty of making every one around him feel at home, nor should we neglect to mention his good wife, who was busy throughout the day looking after the pleasure of her guests, a worthy companion of a noble man.
The day was pleasant for all, and the eleventh annual reunion was a great success in every particular.
|
Pour batter in small greased muffin cups, about a quarter full. Add a tablespoon of filling in each cup. Cover the filling with another layer of batter until muffin cup is half full. Top with sliced salted red eggs and steam for 10 to 15 minutes.
|
The Greenwood Hydronic Wood Furnace represents the latest innovation in wood burning boilers. Based on a tested design developed more than 20 years ago, the Greenwood wood boiler is the most efficient, wood burning boiler you can buy for your home. It is safe to operate, burns smoke- and creosote-free, and saves you up to 70% on your home heating bills. Our wood boiler is also easy on the environment -- the fuel you burn is a renewable resource and does not contribute to global warming. Finally, the Greenwood hydronic wood furnace is easy to install and works with a variety of heating systems and applications.
Most wood burning furnaces and wood boilers on the market today are unable to sustain a temperature of 1100º F or higher. They are built with a firebox made of steel which is surrounded by a jacket of water. This water jacket serves two purposes: it transfers heat from the firebox to the home heating system, and it cools the steel firebox and keeps it from melting. The problem is, by keeping the firebox cool, the water jacket also cools the fire and prevents it from burning at temperatures needed for complete combustion. That's why these units produce irritating smoke and potentially dangerous creosote.
Greenwood's hydronic wood furnace is built in an entirely different way. Our firebox is made of super-duty ceramic refractory, cast four to six inches thick, and surrounded by outer layers of insulation designed to keep the heat in. The natural draft system pulls air into the furnace which fans the flames and creates a roaring fire with sustained temperatures of 1800º to 2000º F. Heat from the fire is captured by a water tube heat exchanger located above the firebox in the path of the escaping superheated gases. The furnace extracts heat from these escaping gases, not the fire below.
This innovative design enables the Greenwood wood boiler to burn cleanly and operate at a very high level of efficiency. By the time the escaping gases leave the furnace, they have cooled to around 300º F. The 1700º F difference in temperature between firebox and the vent represents the amount of energy captured to heat your home. The Greenwood hydronic furnace burns clean and delivers up to 85% of the wood's thermal energy to your home heating system
Economical - Greenwood boilers reduce your overall heating costs. A study by the Canadian government found that wood fuel can cut home heating costs by up to 70 percent.
Certified Safe - Greenwood biomass and wood boilers meet strict UL and CSA standards for INDOOR operation. They are as safe to operate as a home water heater.
Environmentally Sound - Greenwood furnaces release no incremental emissions into the environment. Unlike fossil fuels, biomass fuels, such as wood, are a home grown and a fully renewable source of energy.
Easy Maintenance - Since Greenwood hydronic furnaces are clean burning, they do not need to be cleaned as often as wood stoves or inefficient outdoor wood boilers.
Reliable Design - Wood furnaces built with Greenwood's proven design have been in operation for many years and continue to provide reliable, low-cost home heating for their owners.
|
Jeffrey Deitch Heads West—Again
The celebrity dealer will be bicoastal
Today, being bicoastal is a common way of life for many art worlders. In 2013, Hauser & Wirth (now sans Schimmel) opened a mega-sized branch in the City of Angeles, and fellow New York galleries such as Maccarone, Team and Franklin Parrasch have all followed suit. Now, Jeffrey Deitch, one-time director of the city’s Museum of Contemporary Art, has announced he’ll also be branching out with a new gallery space and returning West, reports the New York Times.
The star dealer—whose gallery Deitch Projects helped launch the careers of artists such as Cecily Brown, Barry McGee and Vanessa Beecroft, among others—is no stranger to the Left Coast. After briefly departing New York to serve director at MOCA LA, he returned East in 2013 with a series of blockbuster shows under his belt after facing an onslaught of criticism. Most recently, he’s reopened his Wooster Street space in Manhattan, hosting shows of work by Chinese artist Ai Weiwei, painter and critic Walter Robinson and Marjorie Cameron.
“The idea in New York is to do three large shows a year, and it will probably be the same here,” Deitch told the Times about his newest venture. “When you do shows that are museum-level, you don’t want to take them down after a month.”
The new 15,000-square-foot gallery space will be located in Hollywood on North Orange Drive, not far from other big names on the local art scene like Regen Projects and Kohn Gallery. The gallery’s first exhibition will be titled “The Extreme Present.” The show, he says, will examine how art historical movements like Dada and Pop Art have influenced today’s digital world.
Deitch also revealed that the opportunity for crossover between fine art and the city’s film, music and fashion industries are appealing. “The audience in L.A. is so open and receptive,” he said. And now that United Talent Agency, with its newly minted fine art arm helmed by Joshua Roth, has a “gallery-like space” in the Boyle Heights, L.A.’s art scene seems like fertile ground for crossover indeed.
|
Ms Word, Excel.
Good Communication Skill Speak as well as Written.
End to End Recruitment Process. Creating a motivating environment though employee engagement activities Grievance handling.
Maintaining a good relationship with Manpower services through continues responds and updates.
NOTE : Experience In any job consultancy / Placement services will added advantage..
|
.. _multigraph:
=================================================================
MultiGraph---Undirected graphs with self loops and parallel edges
=================================================================
Overview
========
.. currentmodule:: networkx
.. autoclass:: MultiGraph
Methods
=======
Adding and removing nodes and edges
-----------------------------------
.. autosummary::
:toctree: generated/
MultiGraph.__init__
MultiGraph.add_node
MultiGraph.add_nodes_from
MultiGraph.remove_node
MultiGraph.remove_nodes_from
MultiGraph.add_edge
MultiGraph.add_edges_from
MultiGraph.add_weighted_edges_from
MultiGraph.new_edge_key
MultiGraph.remove_edge
MultiGraph.remove_edges_from
MultiGraph.update
MultiGraph.clear
MultiGraph.clear_edges
Reporting nodes edges and neighbors
-----------------------------------
.. autosummary::
:toctree: generated/
MultiGraph.nodes
MultiGraph.__iter__
MultiGraph.has_node
MultiGraph.__contains__
MultiGraph.edges
MultiGraph.has_edge
MultiGraph.get_edge_data
MultiGraph.neighbors
MultiGraph.adj
MultiGraph.__getitem__
MultiGraph.adjacency
MultiGraph.nbunch_iter
Counting nodes edges and neighbors
----------------------------------
.. autosummary::
:toctree: generated/
MultiGraph.order
MultiGraph.number_of_nodes
MultiGraph.__len__
MultiGraph.degree
MultiGraph.size
MultiGraph.number_of_edges
Making copies and subgraphs
---------------------------
.. autosummary::
:toctree: generated/
MultiGraph.copy
MultiGraph.to_undirected
MultiGraph.to_directed
MultiGraph.subgraph
MultiGraph.edge_subgraph
|
Ayano YanDere By xXKawaipieXx Watch
23 Favourites 8 Comments 265 Views
Character Yandere Simulator Ayano Aishi
Another drawing of Ayano Aishi ( Yandere-chan ) from Yandere Simulator 💕💕💕. I think this is one of my best drawigs so far 😁. Sorry for the poor light...
This is mostly a fusion of the two Yandere-chans from the home page ( of Yandere Simulator's page ). She has a love letter in her right hand that covers half of her face and the bloddy knife în the other hand. If I told that this is a fusion between the two Yandere-chans than why she doesn't features blood on her uniform ? This is not a fusion between the drawings that can be found on the home page, it's a fusion between Yandere-chan's lovely side ( dere ) and her violent one ( yan ). However, I somehow copied the legs pose. I couldn't find a pose that could fit her.
I love this drawing. It's one of my favorites. But it also has it's flaws too. For exemple :
•even if this is how I make the hair, I shouldn't make it like this here. I firstly made the main colouring and it looked cool. I realised the mistake I was making after I started making the shaddows. I could make it simple instead. Conclusion : I shouldn't add shading where is not necessary
•I made her skirt too short. I wanted to make it longer, but I realised that I'll destroy the drawing if I'll try so it remain like this.
•now I've seen how wrong I placed the Saiko logo. It looks too thick.
•her left leg tho.
I modified the design of the uniform a bit. There is this tie thing that bothers me. În the original design the tie looks like it has contour ( no insults to the designer. This is my favorite uniform from the game ) Than I've seen how plain looks like when I removed the contour thing, so I added a "v" line to full it a bit. Than I was thinking adding the Saiko logo on the uniform. In some of the schools, there is a mark on the uniform that shows where the student that beats the uniform comes from what school. I was thinking about adding it on the shirt but I've seen another deviant doing the same thing and I didn't wanted to copy them. So, I added on the tie. I should put it higher.
On the background, I painted hearts. I start liking this watercolor stuff. Originally, I wanted to draw letters. Than I realised that it would be tippical to Midori Gurin.
I have metal markers. It would look cool on it. And a few cerry petals..
IMAGE DETAILS Image size 2160x3840px 1.92 MB Make ALLVIEW Model A9_Lite Shutter Speed 60000/1000000 second Aperture F/2.4 Focal Length 4 mm ISO Speed 368 Date Taken Jan 30, 2020, 7:46:41 PM Show More
|
An Oscar what-if for the ages. Photo: Warner Bros.
The Academy Awards are many things: They’re a diversion, they’re a business; they’re an occasion to be dazzled by our most photogenic citizens, they’re an open-mic night for you and your friends to roast Ansel Elgort; they’re a reflection of what’s good and bad about the film industry. But they’re also a history. An imperfect history, to be sure, but there are few better, more accessible ways of tracking Hollywood through the years than by perusing the annual Oscar nominees and winners. And what’s even better than history? That’s right, you Tarantino stans: historical fiction.
The Oscars lend themselves well to speculation and alternate-timeline fantasies, mostly because what happens one year often depends on what happened the year before it — or several years ago, in fact. Would the drumbeat behind Brad Pitt and Laura Dern’s 2020 Oscar nominations be so loud if they’d been more recently recognized by the Academy? Does Renée Zellweger’s potential second Oscar win seem that much sweeter because her first was in the Supporting category? These Oscar narratives are like carefully constructed Jenga towers: When one brick gets pulled out, will the others fall? What if “X” had won the Oscar that year instead of “Y”? What else would have gone differently as a result?
The example I like to use to explain this phenomenon goes as follows: Say Al Pacino won Best Actor in 1974 for The Godfather: Part II instead of the sentimental career nod for Art Carney in Harry and Tonto. That means that in 1992, the narrative isn’t “Pacino’s finally gonna win one” for Scent of a Woman, and so Denzel Washington is more likely to win Best Actor for Spike Lee’s Malcolm X. Which means that Washington maybe doesn’t win in 2001 for Training Day, and instead Russell Crowe wins back-to-back Best Actor trophies for Gladiator and A Beautiful Mind.
Which brings me to Sandra Bullock. We’re coming up on ten years since America’s erstwhile rom-com queen finally got the industry respect she’d long deserved … in a movie of dubious quality. John Lee Hancock’s The Blind Side is a well-meaning and deeply watchable movie that leans on the most tired of white-savior clichés. In this case, it’s the based-on-a-true-story tale of a frosty-haired, take-charge southern lady who brings a black teenager into her home, teaches him how to play football, and sets him on a path to NFL stardom and paychecks. The movie never met a cliché it didn’t like. But in addition to all its shortcomings, it was a leading-actress turn for the ages, with Bullock employing every ounce of her charisma to make the movie work. And to Oscar voters, that’s often just as good as capital-A Acting. So despite stiff competition from Gabourey Sidibe (Precious) and Meryl Streep (who won raves for embodying Julia Child in Nora Ephron’s final film, Julie & Julia), Bullock won the Oscar for Best Actress and gave the following speech (in which she unfortunately speaks rather highly of her soon-to-be-revealed-as-a-dirtbag husband while his cheating eyes filled with tears in the front row):
In the decade since her win, Bullock’s name is the one that tends to come up most often during discussions of Oscar triumphs that weren’t fully “deserved.” Whatever that means. As somebody who’s been following the awards for a long time, I say you can do far worse than recognizing an actress for a lifetime of star power, especially one who elevated middling pap into a massive hit. But we’re going to indulge the Sandy Skeptics today, because playing the What-If game with Bullock’s Oscar win takes us to some cool places.
Here’s what happens in the mirror universe where Sandra Bullock lost the Best Actress Oscar in 2009:
1. Meryl Streep wins Best Actress for Julie & Julia. Carey Mulligan was there to announce herself as an exciting new talent, and Helen Mirren barely realized she was a nominee. Gabby Sidibe could have realistically won, what with a year’s worth of momentum since Sundance and the Oprah endorsement. But Streep’s the one who won the Golden Globe and tied with Bullock at the Critics’ Choice Awards and had all the “When’s she winning her third?” momentum.
2. Viola Davis wins 2011’s Best Actress for The Help. With Streep’s third Oscar win taken care of, there’s no momentum to give it to her for her (frankly inferior) work in The Iron Lady. Instead, that honor goes, for the first time, to Viola Davis, who had won the SAG Award that year. Davis becomes the second black woman to win Best Actress, after Halle Berry, and she and Octavia Spencer become the first Best Actress–Best Supporting Actress winners from the same film since Gwyneth Paltrow and Judi Dench for Shakespeare in Love.
3. Viola Davis submits as a lead actress for Fences in 2016. With the pressure off Davis to finally win one, what with her pedigree as a leading actress already cast in gold, Davis submits as a lead for Fences, just as she was when she won the Tony Award for the same role in August Wilson’s play. Her nomination in the far more competitive Best Actress category either bumps off her old pal Meryl (for Florence Foster Jenkins) or, more likely, since Streep’s nomination came on the wings of a barn-burner speech at the Golden Globes just as Oscar ballots were being cast, the comparably lesser known Ruth Negga, for Loving.
4. Michelle Williams wins 2016’s Best Supporting Actress for Manchester by the Sea. With Davis stashed away in Best Actress, the Supporting Actress contest likely comes down to Octavia Spencer, for her inspirational performance in the surging-late-in-the-race Hidden Figures, and Michelle Williams, for what boiled down to one wrenchingly sorrowful scene in Manchester by the Sea. In our timeline, Spencer and Hidden Figures had way more momentum toward the end of Oscar season, but without Davis to contend with, my guess is that Williams’s case for the win solidifies over the course of the fall film festivals, and her “four nominations and no win yet” narrative takes over and powers her through to the Oscar stage.
5. Bullock wins 2013’s Best Actress for Gravity. After losing such a neck-and-neck contest to Streep, Bullock goes from “rom-com actress who isn’t Oscar’s flavor” to “snubbed actress who is overdue for a prize.” That prize comes after her essentially one-woman show in Alfonso Cuarón’s dazzling Gravity. With such a great narrative (and also that crumbum of an ex-husband) behind her, Bullock proves to be unbeatable, even by the likes of Cate Blanchett doing her best Blanche DuBois for Woody Allen in Blue Jasmine.
6. Cate Blanchett wins the 2015 Best Actress award for Carol. Having won her second Oscar so recently is one of the few reasons why Blanchett didn’t just storm through awards season collecting trophies for her career-best work in Todd Haynes’s Carol. Without the threat of overabundance, Blanchett does just that, leaving all competition, including breakthrough ingenue Brie Larson, in the dust.
7. Rooney Mara wins the 2015 Best Supporting Actress Oscar for Carol. The uptick in Blanchett’s Best Actress buzz is met by a corresponding uptick for Mara in the Best Supporting Actress race (we won’t say anything about the category fraud here, since no one seemed to care then anyway!). Alicia Vikander has a strong base of support, but after a neck-and-neck race, Mara comes out on top. She and Blanchett become the first Actress–Supporting Actress winners from the same film since Davis and Spencer in The Help, leading Oscar prognosticators to erroneously surmise that Oscar voters prefer their actress winners in tandem, causing any number of subsequent squabbles on Twitter.
8. Rooney Mara is cast as Carol Danvers in Captain Marvel. Okay, this is a stretch. But hear me out: Brie Larson was cast as the MCU’s first leading lady mere months after her Oscar victory for Room. Without that victory, yes, she’s still a nominee. And yes, Jennifer Lawrence was cast in both the Hunger Games and X-Men franchises after merely being Oscar nominated for Winter’s Bone and losing to Natalie Portman. But maybe the winds shift in this alternate timeline. Maybe the Oscar win for Mara reminds Kevin Feige how great she was in The Girl With the Dragon Tattoo. Suddenly, rewrites for Captain Marvel begin to accentuate Carol’s stoic, whispery, fragile-bird qualities. And before you know it, it’s Mara taking the Infinity Gauntlet handoff from Peter Parker in Endgame and leading the phalanx of MCU women into battle.
All because Meryl Streep’s Julia Child bested Sandra Bullock’s white savior.
|
<?php
// Heading
$_['heading_title'] = 'Latest Orders';
// Text
$_['text_extension'] = 'Extensions';
$_['text_success'] = 'Success: You have modified dashboard recent orders!';
$_['text_edit'] = 'Edit Dashboard Recent Orders';
// Column
$_['column_order_id'] = 'Order ID';
$_['column_customer'] = 'Customer';
$_['column_status'] = 'Status';
$_['column_total'] = 'Total';
$_['column_date_added'] = 'Date Added';
$_['column_action'] = 'Action';
// Entry
$_['entry_status'] = 'Status';
$_['entry_sort_order'] = 'Sort Order';
$_['entry_width'] = 'Width';
// Error
$_['error_permission'] = 'Warning: You do not have permission to modify dashboard recent orders!';
|
The MAKS International Aviation and Space Salon, the only place where one could see aircraft and weapons system prototypes as well as experimental systems which cannot be shown abroad due to some......
Pakistan International Airlines flight PK-661 crashed after one of its two turboprop engines failed en route to Islamabad killing everyone on board, authorities said on Thursday, even as they began......
The civil aviation ministry has decided to stick to its original proposal of auctioning international flying rights out of major Indian airports to foreign carriers, despite stiff opposition from......
IMAGE: Relatives of players of Brazil's Chapecoense soccer team cry before a ceremony mourning the victims at Arena Conda stadium in Chapeco, Brazil, on Friday. Photograph: Ricardo Moraes/Reuters......
|
Infrastructure Likely Part of Obama Jobs Push
By
Naftali Bendavid
Updated Sept. 5, 2011 9:10 p.m. ET
President Barack Obama signaled Monday he'll propose a major infrastructure program and an extension of a payroll tax break in the jobs speech he planned to deliver Thursday before a joint session of Congress.
In an animated Labor Day talk before an enthusiastic crowd of union members in Detroit, Mr. Obama, who has been battered by low poll numbers and a sense that he's been unable to recharge the economy, sought to seize the initiative at the outset of a week in which both parties will focus heavily on job-creation ideas.
"We've got roads and bridges across this country that need to be rebuilt," Mr. Obama said. "We've got private companies with the equipment and manpower to do the building. We've got more than one million unemployed construction workers ready to get dirty right now."
ENLARGE
President Barack Obama at a Labor Day event in Detroit.
European Pressphoto Agency
Mr. Obama also stressed his desire to extend a payroll tax holiday for workers, which has reduced the Social Security tax rate from 6.2% to 4.2% of earnings but expires at year's end. Mr. Obama didn't mention whether he will also push to expand the reduction to cover employers, who also pay 6.2%, an idea backed by some in the administration.
"I think putting money back in the pockets of working families is the best way to get demand rising, because that means businesses hiring and that means the economy growing," Mr. Obama said.
As important as the speech's content was its tone. It was feisty and framed in part as a challenge to Republicans to join his jobs push and, as the president put it, to prove they care as much about the middle class as they say they do.
Mr. Obama delivered the address as his approval ratings had slipped to the lowest of his presidency, with voters frustrated he and members of Congress had been unable to jump-start the economy. Adding to the frustration was a report Friday showing that the U.S. created no new jobs in August and unemployment remained at 9.1%.
Both parties are focusing on jobs this week. Republican presidential hopeful Mitt Romney is laying out his jobs plan Tuesday in Las Vegas. The GOP candidates hold a debate on Wednesday—the first to include Texas Gov.
Rick Perry
,
the newly minted front-runner—and job creation will likely to be a major topic.
More
Mr. Obama is scheduled to deliver his address to a joint session of Congress on Thursday evening, promising to offer a broad plan to add more jobs. The White House has been debating whether to put forth a limited package that both parties can agree on, or to offer a grander vision that is unlikely to pass Congress but could serve as a rallying point for Democrats heading toward the election and to underline the differences between the two parties.
Both parties are aware of polls showing the public deeply disenchanted with the bickering that surrounded the recent debate on raising the federal debt limit. Both have sought in recent days to show they're willing to reach across party lines, as Mr. Obama did Monday.
"I still believe both parties can work together to solve our problems," said the president. "Given the urgency of this moment, given the hardship families are facing, we've got to get together."
He balanced that with strong words for Republicans, addressing a concern among many rank-and-file Democrats that the president has not done enough to challenge Republicans.
"We're going to see if we've got some straight-shooters in Congress," Mr. Obama said. "You say you're the party of tax cuts. Prove you'll fight as hard for tax cuts for working families as for oil companies and most affluent Americans. Show us what you've got."
In recent days, House Majority Leader Eric Cantor (R., Va.) has said Republicans could support at least parts of Mr. Obama's infrastructure plans, particularly a proposal to give states more control over such projects.
He has also cited Mr. Obama's support of a Georgia program, popular with Republicans, that allows companies to audition workers for eight weeks while the workers receive unemployment checks.
The next few months could be critical for both parties. Congress will struggle to strike another budget deal, Republicans will try to sort out their presidential field, and Mr. Obama will work to regain his footing—and all will wait to see if the economy shows more signs of life.
After the Thursday speech, Mr. Obama plans to travel the country promoting his job-creation ideas. It starts Friday with a trip to Richmond, Va.
This copy is for your personal, non-commercial use only. Distribution and use of this material are governed by our Subscriber Agreement and by copyright law. For non-personal use or to order multiple copies, please contact Dow Jones Reprints at 1-800-843-0008 or visit www.djreprints.com.
|
CANNIBAL CORPSE
Interview with Alex Webster
Interview by Nelson
Photo by Ada
What the Hell is going on in Florida? They’ve got as many metalheads as retirees, so we talked to bassist Alex Webster to find out.
What is Cannibal Corpse?
We’re Read More
|
// ------------------------------------------------------------------------------
// Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information.
// ------------------------------------------------------------------------------
package com.microsoft.graph.models.generated;
/**
* The Enum Signin Frequency Type.
*/
public enum SigninFrequencyType
{
/**
* days
*/
DAYS,
/**
* hours
*/
HOURS,
/**
* For SigninFrequencyType values that were not expected from the service
*/
UNEXPECTED_VALUE
}
|
Area golf results - August 21
Note: The Star will publish results of Kansas City-area golfers who shoot a hole in one or double eagle at any course, in Kansas or Missouri, provided someone from the course calls 816-234-4355 and we are able to confirm the residence of the golfer.
|
Does Buttercream Frosting Need To Be Refrigerated?
If it is made with milk and butter does it need to be refrigerated?? I usually use the Wilton recipe (with just crisco and no milk) but I have discovered that when I use butter and milk it tastes sooo much better! BUT its going to be used under my fondant and I can't put the fondant covered cake in the refrigerator so is it ok to use the buttercream w/ milk under the fondant???
Sometimes the fondant sweats a bit when you first take it out, but it drys up. The only fondant I don't like to refrigerate is fondant that is painted on with food coloring (Ex: a fondant figure with the eyes painted on) because if it sweats it will make the paint bleed.
|
protocol NSLocking {
func lock()
func unlock()
}
class NSLock : NSObject, NSLocking {
func tryLock() -> Bool
func lock(before limit: NSDate) -> Bool
@available(iOS 2.0, *)
var name: String?
func lock()
func unlock()
}
class NSConditionLock : NSObject, NSLocking {
init(condition condition: Int)
var condition: Int { get }
func lock(whenCondition condition: Int)
func tryLock() -> Bool
func tryWhenCondition(_ condition: Int) -> Bool
func unlock(withCondition condition: Int)
func lock(before limit: NSDate) -> Bool
func lock(whenCondition condition: Int, before limit: NSDate) -> Bool
@available(iOS 2.0, *)
var name: String?
func lock()
func unlock()
}
class NSRecursiveLock : NSObject, NSLocking {
func tryLock() -> Bool
func lock(before limit: NSDate) -> Bool
@available(iOS 2.0, *)
var name: String?
func lock()
func unlock()
}
@available(iOS 2.0, *)
class NSCondition : NSObject, NSLocking {
func wait()
func wait(until limit: NSDate) -> Bool
func signal()
func broadcast()
@available(iOS 2.0, *)
var name: String?
@available(iOS 2.0, *)
func lock()
@available(iOS 2.0, *)
func unlock()
}
|
Help for students of statistics are always looking for help with statistics homework by which they can do their homework well and correctly. This need rattles the most brilliant students too, so it's not surprising to find that the challenges that this subject presents are now met in one website: Economicshelpdesk.com
By getting timely professional help with statistics, students can manage their time better and get ahead in their education. All right-thinking students will want to increase their knowledge of the subject when doing statistics homework, and in this connection, it is important that they use their time well.
Trusted and Experienced Tutors
For this reason, they prefer to have statistics homework help from trusted and experienced academicians who can help them complete their homework and boost their skill in tackling this subject. For all those who want help in Statistics online, we have a very alive and robust website where all kinds of tricky problems are answered and solved by our experts.
Worldwide Student Base
We are proud to state that our tutor profile comprises tutors with vast experience and education in this field. Their grasp of this subject is amazing and proof of this is the large number of satisfied students who interact with them from all parts of the globe, such as UK, USA, Australia and UAE. We have a presence in various developed and developing nations of the world and it is the resounding success of this that has spun off our statistics homework help division for students all over the world.
24x7 Worldwide
We provide tutor services round-the-clock through an online statistics tutor who is ever ready to attend to students' calls.
So, no matter where in the world you might reside, if you need statistics homework help online, you would benefit greatly from economics help desk. If you want to secure good grades, you need to take the right kind of help right now. At Economicshelpdesk.com, we're waiting to hear from you.
|
Single-face corrugated cardboard (cardboard in which one surface is flat and the other is fluted or ridged) is a good material for round or circular boxes because it readily follows curves. It's also thicker than regular cardstock, so you can simply glue the edges of the box together and do away with cutting and folding tabs.
Measure and draw the circles with a compass on the flat side of the cardboard, and cut them out. Measure and mark the strips on the flat side of the cardboard, and see to it that the lines formed by the flutes will be perpendicular to the base of the box when assembled. Cut the strips.
Now make the base. Get the wax paper ready because this can get a bit messy! Take the smaller circle and apply just enough glue all around the rim. Place the circle on the wax paper with the fluted side facing down. Carefully wrap the 2-inch wide strip around the circle while keeping the circle flat against the work surface, and make sure there are no noticeable gaps between the pieces. Apply glue to the end of the strip, and hold the pieces together until they can be left without springing apart. Remember to peel off the wax paper before the glue fully dries!
Repeat the process with the 1-inch wide strip and the larger circle to form the lid. Make sure that both the base and the lid are completely dry before you assemble the box.
You can leave the box as is for a minimalist look, or you can dress it up for more fun. The box in the photo was embellished with cutouts from a paper doily and some paper flowers. Use a fine-tipped scissors to cut out motifs from the doily, arrange them on the box lid as you please, and then glue them down. Make a posy by gluing the flowers to small motifs, and then glue the posy to the box lid.
|
Coaches
Knowledgeable and committed coaches are an invaluable resource for schools and a powerful influence on their student-athletes. The CIAC fervently believes in providing coaches with as many tools as possible to allow them to make the most of the opportunity to make an impact with their teams. This section provides a variety of services to better equip coaches to be successful.
|
Vacation rentals and resorts of all types are available in Oregon for everyone. Whether you are looking for a coastal escape, an exciting ski vacation, a relaxing lake getaway, spa vacation or a golf adventure there are many beautiful vacation rentals and resorts in Oregon to choose from. Vacation rentals in Oregon include cabins, hotels, homes, condominiums and resorts and they make the perfect home while enjoying the diversity of Oregon.
Oregon receives a lot of sunshine where you can stay in a vacation rental and enjoy the beauty of the rivers, mountains, deserts and streams with a wide range of outdoor activities including skiing, hiking, fishing, sailing, boating, rafting and golf. In the early 1900's to honor the Lewis and Clark expedition, the largest log cabin in the world was built in Oregon.
There are resorts and vacation rentals in Portland to suit all tastes and budgets. The largest ski resort in Northwest Oregon is Mount Bachelor and features over 70 runs, 11 lifts and 25 miles of trails. In the winter, guests visit Mount Hood and go skiing on the tallest mountain in the state. Mount Hood is convenient for guests and features three resorts and is just an hour outside of Portland. Mount Hood is a dormant volcano and at over 11,000 feet stands as the tallest peak in Oregon. The city of Portland has a lot of history and is an ideal location for a metropolitan vacation within a beautiful setting.
Vacation rentals in Portland allow guests to experience the city and the appeal of the region. In Portland, fabulous riverfront vacation rentals are available, where guest can watch the river activity from the privacy of their own balcony. Resorts in the Portland area, offer a variety of amenities and activities for guests to enjoy such as wine tasting, fitness centers, game rooms and full service spas. Resorts such as the Nines or the Vintage Plaza provide luxurious accommodations for guests while visiting Portland.
Portland is a city surrounded by stunning, forests, vistas and mountains. During a golf vacation escape guests can experience the beauty of woodlands of this famous mountain region, while enjoying a variety of golf courses that are both challenging and picturesque. Golf Course vacation rentals in Oregon are in mountain retreats and expansive resorts.
Guests can experience both a peaceful and challenging golfing getaway playing on mountain and tree-lined course at the same time they are enjoying the full range of recreational activities Portland offers. Just 45 miles east of Portland nestled on 170 wooded acres is the renowned Skamania Lodge, which overlooks the Columbia River. Resort guests can tee off and enjoy views the river and surrounding cliffs. This resort features rustic yet elegant accommodations. Aptly named after and Indian word meaning swift water since nearby there is more than 70 waterfalls. An interesting fact is that the Columbia River gorge is considered to be one of the best places for windsurfing in the world.
Lake Oswego is only 10 minutes from Portland and offers fantastic vacation rentals that include cabins, inns, homes, apartments, and luxury suites. Guests can enjoy the lush beauty of Lake Oswego's gardens, cedars and pines and Lake Oswego. Lakeshore Inn is a resort conveniently located right on Lake Oswego in downtown, Lake Oswego and just minutes from Portland. Vacation rentals in Lake Oswego offer year round vacation enjoyment. A vacation rental in Lake Oswego is a vacation resort and gives you the best of Oregon. With a vacation rental guests can enjoy a private lake, swimming, boating and beautiful hikes. It is all in this vacation resort.
Clackamas is a suburb of Portland with a multitude of historic sites and local attractions including a state park and a national forest. Visitors to the area can find extraordinary vacation rentals and resorts. Guests can choose from hotels, cabins, lodges, cottages, vacation homes, inns, family resorts and bed and breakfasts for vacation accommodations. Visitors to the city of Beaverton can find can stay at any of the Beaverton villas and enjoy a calm country environment, as well as the liveliness of a big city. Vacation cabins offer leisurely fun and are just a short distance from the Tualatin Park and recreation area. Beaverton has vacation cottages, as well in a variety of styles and price ranges.
Oregon's Pacific Coast offers breathtaking scenery. Popular activities for guest on the coat include sunbathing, beachcombing, whale watching, fishing and kayaking. A popular resort is Seaside, featuring miles and miles of beaches, galleries, restaurants, hotels, shops, an arcade area and entertainment center. Replenish your spirit and resilience at Overleaf Lodge, where every room overlooks the glorious Oregon coast.
With such natural beauty, the state of Oregon is sure to please visitors in all seasons. Guests of Oregon resorts and vacation rentals will find an array of attractions in Oregon. Guests can sample local wines, experience recreation areas, go rafting, or visit National parks. Whatever interests you have, you are sure to find the perfect Oregon vacation rental or resort for a memorable vacation.
|
<!doctype html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Example - example-cache-factory</title>
<link href="style.css" rel="stylesheet" type="text/css">
<script src="../../../angular.min.js"></script>
<script src="script.js"></script>
</head>
<body ng-app="cacheExampleApp">
<div ng-controller="CacheController">
<input ng-model="newCacheKey" placeholder="Key">
<input ng-model="newCacheValue" placeholder="Value">
<button ng-click="put(newCacheKey, newCacheValue)">Cache</button>
<p ng-if="keys.length">Cached Values</p>
<div ng-repeat="key in keys">
<span ng-bind="key"></span>
<span>: </span>
<b ng-bind="cache.get(key)"></b>
</div>
<p>Cache Info</p>
<div ng-repeat="(key, value) in cache.info()">
<span ng-bind="key"></span>
<span>: </span>
<b ng-bind="value"></b>
</div>
</div>
</body>
</html>
|
WWE Chairman Vince McMahon: WWE Network Could Launch in 2011
World Wrestling Entertainment chairman Vince McMahon revealed that the organization is looking into creating a WWE cable network by 2011:
“I would hope a year-and-a-half from now we would be up and running,” McMahon said. “We think there is a tremendous opportunity for us out there and quite frankly if things happen as we hope they will happen it will be a really big game changer for the WWE.”
McMahon added that current cable and broadcast TV deals for WWE programming (‘Raw’ and ‘Smackdown’) would remain in place, with the network instead being using as an additional marketing tool:
“We are unique in that what’s good for the WWE is good for all our television partners as far as promotion and things of that nature,” he said. “The new network could tie in and be adjacent to some of those shows and quite frankly our own network can enhance Raw and SmackDown. It would really be a win-win across the board for our television partners, as well as for us.”
|
EFF leader Julius Malema is to be summoned by the South African Human Rights Commission (SAHRC) to testify at its inquiry into the Alexandra protests, for encouraging his supporters to illegally occupy land.
The inquiry was formed after Alexandra residents embarked on violent protests in the township in April demanding improved services.
The decision to request Malema's attendance was made after Gauteng Human Settlements MEC Uhuru Moiloa completed his department's testimony at the commission's head offices in Braamfontein, Johannesburg on Wednesday.
"We will extend our invitation to the EFF [leader] to appear during our next sittings," said SAHRC spokesperson Buang Jones.
Abuse
Without mentioning names during his testimony, Moiloa complained about "a leader of an opposition political party, who calls for citizens to occupy land".
On May 3, outside the Bloemfontein Magistrate's Court, Malema again called for people to occupy land, EWN reported. It has been a recurring theme espoused by the EFF leader since the party's inception in July 2013.
"His call of driving people to occupy land in an urban setting is an abuse of human rights of others. What are the future consequences of controlling sanitation? It puts vulnerable people in a complete inhumane environment, instead of living in the backrooms where they can wait for proper houses from government.
"It is your call and you can invite him. You know who I am taking about. What kind of statements should be acceptable for politicians to make?" Moiloa asked.
The MEC claimed that empty pieces of land in the south of Johannesburg and Alexandra had been illegally occupied since the call to occupy land was made.
Moiloa also told the inquiry that a project to build more homes will be initiated in the province. Each project is expected to deliver 10 000 housing units in the next 10 to 15 years.
"In one mega-human settlement, we expect to have a police station, primary schools, high school, clinics and recreational facilities," he said.
1-million houses claim
He further rubbished earlier media reports that President Cyril Ramaphosa had promised to build 1 million houses in Alexandra.
"The president committed to building one million houses across the country and not (just) in Alexandra. We can't have a million houses in Alexandra. It was a misquotation. The media was wrong. The president was speaking there as the leader of the ANC and not of government. He will still go back to Alexandra as the President of the Republic," he said.
|
Auto binary options secrets earn money every 60 seconds to mars
The colonization of the Moon is a proposed establishment of permanent human communities or robotic industries [1] [2] on the Moon. Discovery of lunar water at the lunar poles by Chandrayaan-1 has renewed interest in the Moon. Polar colonies could also avoid the problem of long lunar nights — about hours, [3] a little more than two weeks — and take advantage of the Sun continuously, at least during the local summer there is no data for the winter yet.
Permanent human habitation on a planetary body other than the Earth is one of science fiction's auto binary options secrets earn money every 60 seconds to mars prevalent themes. As technology has advanced, and concerns about the future of humanity on Earth have increased, the argument that space colonization as an achievable and worthwhile goal has gained momentum.
There are also various projects planned for the near future by space tourism startup companies for tourism on the Moon. The notion of a lunar colony originated before the Space Age. Inscience-fiction writer Arthur C. Clarke proposed a lunar base of inflatable modules covered in lunar dust for insulation. Subsequent steps would include the establishment of a larger, permanent dome; an algae -based air purifier ; a nuclear reactor for the provision of power; and electromagnetic cannons to launch cargo and fuel to interplanetary vessels in space.
InJohn S. Rinehart suggested that the safest design would be a structure that could "[float] in a stationary ocean of dust", since there auto binary options secrets earn money every 60 seconds to mars, at the time this concept was outlined, theories that there could be mile-deep dust oceans on the Moon.
Project Horizon was a study regarding the United States Army 's plan to establish a fort on the Moon by It was proposed that the first landing would be carried out by two "soldier-astronauts" in and that more construction workers would soon follow. DeNike and Zahn favored nuclear reactors for energy production, because they were more efficient than solar panelsand would also overcome the problems with the long lunar nights.
For the life support system, an algae-based gas exchanger was proposed. In Jim Burke of the International Space University in France said people should plan to preserve humanity's culture in the event of a civilization-stopping asteroid impact with Earth.
A Lunar Noah's Ark was proposed. Exploration of the lunar surface by spacecraft began in with the Soviet Union 's Luna program. Kennedy in told the U. This was mankind's first direct view of the far side. Additional missions to the Moon continued this exploration phase. However, interest in further exploration of the Moon was beginning to wane among the American public. Instead, focus was turned to the Space Shuttle and manned missions in near Earth orbit.
In addition to its scientific returns, the Apollo program also provided valuable lessons about living and working in the lunar environment. The Soviet manned lunar programs failed to send a manned mission to the Moon. Besides the manned landings, an abandoned Soviet moon program included building the moonbase " Zvezda ", which was the first detailed project with developed mockups of expedition vehicles [20] and surface modules.
In the decades following, interest in exploring the Moon faded considerably, and only a few dedicated enthusiasts supported a return. However, evidence of Lunar ice at the poles gathered by NASA's Clementine and Lunar Prospector missions rekindled some discussion, [22] [23] as did the potential growth of a Chinese space program that contemplated its own mission to the Moon. Bush called for a plan to return manned missions to the Moon by since cancelled — see Constellation program.
The LCROSS mission was designed to acquire research information to assist with future lunar exploratory missions, and was scheduled to auto binary options secrets earn money every 60 seconds to mars with a controlled collision of the craft on the lunar surface.
Indue to reduced congressional NASA appropriations, President Barack Obama halted the Bush administration's earlier lunar exploration initiative, and directed a generic focus on manned missions to asteroids and Mars, as well as extending support for the International Space Station. As ofRussia is planning to begin building a human colony on the moon by Initially, the moon base will be manned by no more than 4 people, with their number later rising to maximum of 12 people.
On the Moon, the feature is seen as a widely distributed absorption that appears strongest at cooler high latitudes and at several fresh feldspathic craters. The general lack of correlation of this feature in sunlit M 3 data with neutron spectrometer H abundance data suggests that the formation and retention of OH and H 2 O is an ongoing surficial process.
The Moon Mineralogy Mapper M 3an imaging spectrometer, was one of the 11 instruments on board Chandrayaan-1, whose mission came to a premature end on 29 August Lunar scientists had discussed the possibility of water repositories for decades.
They are now increasingly "confident that the decades-long debate is over" a report says. Robert Zubrinpresident of the Mars Societyrelativized the term 'large': That represents a proportion of ten parts per million, which is a lower water concentration than that found in the soil of the driest deserts of the Earth. Zubrin's computations are not a sound basis for estimating the percentage of water in the regolith at that site.
Researchers with expertise in that area estimated that the regolith at the impact site contained 5. Hydrocarbons, material containing sulfur, carbon dioxide, carbon monoxide, methane and ammonia were present.
In Marchresearchers who had previously published reports on possible abundance of water on the Moon, reported new findings that refined their predictions substantially lower. Placing a colony on a natural body would provide an ample source of material for construction and other uses in space, including shielding from cosmic radiation. The auto binary options secrets earn money every 60 seconds to mars required to send objects from the Moon to space is much less than from Earth to space.
This could allow the Moon to serve as a source of construction materials within auto binary options secrets earn money every 60 seconds to mars space. Rockets launched from the Moon would require less locally produced propellant than rockets launched from Earth. Some proposals include using electric acceleration devices mass drivers to propel objects off the Moon without building rockets. Others have proposed momentum exchange tethers see below. Furthermore, the Moon does have some gravitywhich experience to date indicates may be vital for fetal development and long-term human health.
Auto binary options secrets earn money every 60 seconds to mars addition, the Moon is the closest large body in the Solar System to Earth.
This proximity has several advantages:. Russian astronomer Vladislav V. Shevchenko proposed in the following three criteria that a Lunar outpost should meet: While a colony might be located anywhere, potential locations for a Lunar colony fall into three broad categories. There are two reasons why the north pole and south pole of auto binary options secrets earn money every 60 seconds to mars Moon might be attractive locations for a human colony. First, there is evidence for the presence of water in some continuously shaded areas near the poles.
Power collection stations could therefore be plausibly located so that at least one is exposed to sunlight at all times, thus making it possible to power polar colonies almost exclusively with solar energy. Solar power would be unavailable only during a lunar eclipsebut these events are relatively brief and absolutely predictable. Any such colony would therefore require a reserve energy supply that could temporarily sustain a colony during lunar eclipses or in the event of any incident or malfunction affecting solar power collection.
Hydrogen fuel cells would be ideal for this purpose, since the hydrogen needed could be sourced locally using the Moon's polar water and surplus solar power. Moreover, due to the Moon's uneven surface some sites have nearly continuous sunlight. For example, Malapert mountainlocated near the Shackleton crater at the Lunar south pole, offers several advantages as a site:. At the north pole, the rim of Peary Crater has been proposed as a favorable location for a base.
The interior of Peary Crater may also harbor hydrogen deposits. A [69] bistatic radar experiment performed during the Clementine mission suggested the presence of water ice around the south pole. A potential limitation of the polar regions is that the inflow of solar wind can create an electrical charge on the leeward side of crater rims. The resulting voltage difference can affect electrical equipment, change surface chemistry, erode surfaces and levitate Lunar dust.
The Lunar equatorial regions are likely to have higher concentrations of helium-3 rare on Earth but much sought after for use in nuclear fusion research because the solar wind has a higher angle of incidence.
The rotation advantage for launching material is slight due to the Moon's slow rotation, but the corresponding orbit coincides with the ecliptic, nearly coincides with the Lunar orbit around Earth, and nearly coincides with the equatorial plane of Earth.
Several probes have landed in the Oceanus Procellarum area. There are many areas and features that could be subject to long-term study, such as the Reiner Gamma anomaly and the dark-floored Grimaldi crater.
The Lunar far side lacks direct communication with Earth, though a communication satellite at the L 2 Lagrangian pointor a network of orbiting satellites, could enable communication between the far side of the Moon and Earth. Scientists have estimated that the highest concentrations of helium-3 will be found in the maria on the far side, as well as near side areas containing concentrations of the titanium -based mineral ilmenite.
On the near side the Earth and its magnetic field partially shields the surface from the solar wind during each orbit. But the far side is fully exposed, and thus should receive a somewhat greater proportion of the ion stream. Lunar lava tubes are a potential location for constructing a Lunar base.
Any intact lava tube on the Moon could serve as a shelter from the severe environment of the Lunar surface, with its frequent meteorite impacts, auto binary options secrets earn money every 60 seconds to mars ultra-violet radiation and energetic particles, and extreme diurnal temperature variations. Lava tubes provide ideal positions for shelter because of their access to nearby resources.
They also have proven themselves as a reliable structure, having withstood the test of time for billions of years. An underground colony would escape the extreme of temperature on the Moon's surface. One such lava tube was discovered in early There have been numerous proposals regarding habitat modules.
The designs have evolved throughout the years as mankind's knowledge about the Moon has grown, and as the technological possibilities have changed. The proposed habitats range from the actual spacecraft landers or their used fuel tanks, to inflatable modules of various shapes. Some hazards of the Lunar environment such as sharp temperature shifts, lack of atmosphere or magnetic field which means higher levels of radiation and micrometeoroids and long nights, were unknown early on.
Proposals have shifted as these hazards were recognized and taken into consideration. Some suggest building the Lunar colony underground, which would give protection from radiation and micrometeoroids. This would also greatly auto binary options secrets earn money every 60 seconds to mars the risk of air leakage, as the colony would be fully sealed from the outside except for a few exits to the surface.
The construction of an underground base would probably be more complex; one of the first machines from Earth might be a remote-controlled excavating machine. Once created, some sort of hardening would be necessary to avoid collapse, possibly a spray-on concrete -like substance made from available materials. Inflatable self-sealing fabric habitats might then be put in place to retain auto binary options secrets earn money every 60 seconds to mars.
Eventually an underground city can be constructed. Farms set up underground would need artificial sunlight. As an alternative to excavating, a lava tube could be covered and insulated, thus solving the problem of radiation exposure.
A possibly easier solution would be to build the Lunar base on the surface, and cover the modules with Lunar soil. The Lunar regolith is composed of a unique blend of silica and iron-containing compounds that may be fused into a glass-like solid using microwave energy.
Rather of a 5 Euro revenue you made when you exchanged your 500 Euros to Dollars and back, you might have made a profit of upto 2,000 Euros. Educating ourselves to trade forex markets is crucial. I have participated in a terrific course at Discover how to Trade.
Authors' contributions AA designed the study, applied the ACG software, carried out the first calculations of the results and drafted the manuscript. VM rechecked and revised statistical analysis with assistance from BM.
EG processed and prepared the databases before being analyzed. AS and JS converted the ICPC-2 codes into ICD-9-MC codes.
|
Twitter
Website URL
Jabber
Location
Interests
With the new features in Alfred Snippets, I'm considering consolidating all my snippets from aText into Alfred. One feature that I use often in aText is the ability to embed a snippet inside another snippet expansion. This allows me to treat smaller snippets as variables that can be reused in other larger snippets.
Is this possible with Alfred's Snippets?
Hi, I accidentally deleted my main collection of snippets, instead of just the one individual snippet inside that collection (wasn't paying attention to which '+/-' I was pressing).
I don't have a sync location set and unfortunately don't have a time machine backup - does anyone know where the alfdb file goes when it's deleted? Not in trash, hoping it's still recoverable.
Thanks in advance, any help is really appreciated!
There are some ways to create and use the snippets in Alfred.
1. Using snip command .
We can only see the command name, and copy the snippets but cant see the contents.
2. Using clipboard manager
we can search and see the contents of snippets and copy it, but can not see the preview (eg. using shift key)
Here, I would like to get help creating a workflow which will write the snippets to a file and quickview it.
idea:
command: qsnip hello
effect: copies the snippet called hello and paste the contents "hello world" to a file called "mysnip.txt" in the directory of workflow.
effect: qlmanage -p mysnip.txt
Problem:
I am unware how to save the snippet to the file "mysnip.txt"
I have shared the minimal workflow here:
https://github.com/bhishanpdl/Shared/blob/master/Alfred_questions/qsnip.alfredworkflow?raw=true
Hi all,
I accidentally deleted the whole collection instead of one snippet. Is there a way to retrieve that? Maybe something on the file system in the Library folder?
Thanks in advance for your help.
- Charlie
Hi there,
Recently, I noticed that when I'm typing some snippet keyword will be picked up by computer, even I'm not within the Alfred box.
Eg,
I have snippet as 'name', when I was typing inside Bear notes, when I type name, the snippet content will pop up into the text field.
Can you please look into this?
Ian
I know people have requested image support in the clipboard history feature in Alfred. That would be great, but I would really like to see support for maintaining text formatting (rich text) in the snippets and clipboard history. As of now all text is converted into plain text in the history and snippets. It would great if formatting were not lost.
I'm trying to work out how to complete a second step in a new workflow that will streamline a workflow I use several times a day.
I create Markdown notes throughout my day. I have a pretty basic workflow that runs a terminal command that, in turn, creates a file and opens it in my text editor. I then invoke a snippet that populates the note with predefined text, and multiple clipboard items that I save before I invoke the workflow. In other words:
Save multiple bits of information to my Alfred clipboard in a predetermined sequence
Run a terminal command through a simple workflow that creates the Markdown file, and opens it in my text editor
When the file opens in my editor, I manually run a snippet that populates the file, including the clipboard items using {clipboard:0}, {clipboard:1}, etc syntax.
The terminal command looks something like this:
touch ~/path/to/directory/$(date +%Y-%m-%d)_Feedback_{query}_Interactions.md & open ~/path/to/directory/$(date +%Y-%m-%d)_Feedback_{query}_Interactions.md -a Atom
The {query} is something I add when I trigger the workflow. The snippet contains predefined text with placeholders for my clipboard items.
I'd like to combine all of that from into a single workflow. What I can't work out is how to include the 3rd step in the workflow so I can run it all as a single step. I don't suppose anyone has any suggestions?
I have tried multiple different settings to fix it, but whenever I expand a snippet into Word, it reformats the paragraph spacing, messing with my document. Is there an option (in either Word or Alfred) to fix this?
Thanks!
This is very minor, but also maybe very easy to adjust? In the Snippets section, can the ‘add’ and ‘remove’ buttons be oriented with the left side of their respective fields? It’s silly, but I click 'add collection’ all the time meaning to click ‘add snippet’ because it’s visually near to the field, and since we read left to right, I think orienting the GUI that way improves the flow. Plus, if they were both oriented to the left it would be less distance to travel between mouse clicks; microseconds in efficiency!
I noticed that when I use text expansion in VS Code, the snippets don't expand fully. It seems to occur when the Markdown All in One extension is enabled. I've opened an issue here: Text snippets don't expand correctly when using text expansion, with Markdown All in One enabled · Issue #200 · neilsustc/vscode-markdown.
I did some additional testing with TextExpander and I wasn't able to reproduce the issue when I expanded snippets in TextExpander, when the Markdown All in One extension is enabled in VS Code.
Would there be something about how Alfred expands snippets that differs from how TE handles text expansion, that could be causing this issue in VS Code? I've only really noticed this issue in VS Code, and when the Markdown All in One extension is enabled. I've been using Atom as my primary editor and don't have this issue there, so this seems to be caused by some sort of interaction between VS Code (with the extension enabled), and Alfred.
I don't suppose you have any insights that might be helpful in troubleshooting this?
Hi
When I click on 'Automatically expand snippets by keyword' the Alfred Text Service dialog is coming up but when I click on 'Let's get started!' then nothing happens.
System Preferences is not coming nor is the dialog box to ask for permission.
If I go to the Security & Privacy / Privacy tab there is nothing shown.
I, eventually, was able to fix it by using 'Path Finder', go into Alfred3 package content and drag the Alfred Text Service into the Security & Privacy / Privacy tab.
Hi guys,
I use snippets a lot in Alfred 3, and I badly need a quicker way to edit existing snippets. They're so awesome!
Please see 1st screenshot: if Cmd+S on selected snippet would open it directly (2nd screenshot) within Alfred preferences, that would be a simple but fantastic improvement!
I'm suggesting Cmd+S for this because it is very similar to the already existing Cmd+S shortcut which transforms a clipping from clipboard history into a new snippet. Basically hitting Cmd+S would mean: "create a new snippet or open it for editing if it already exists". That would feel very intuitive!
After hitting Cmd+S,
this window would popup to make you able to quickly update the existing snippet.
Thanks!
Vermeer
Hi all,
I'm trying to use snippets to insert symbols (up arrow, down arrow, etc.) into anki cards on a Mac. My goal is to be able to insert them when making Anki cards but I am clueless on where to begin. Can someone point me in the right direction on where to learn?
Thanks!
I was hoping to use Alfred's snippets to store and edit 'canned responses' across various email accounts I manage. It works beautifully for text, but any hyperlinks are dropped. That is,
"click <a href='location'>here</a> for help" becomes "click here for help"
I know in Gmail that copy/paste retains hyperlink data, but any copy/paste into a text editor will drop the hyperlinks (I assume this has to do with meta-something).
I'm not even sure if the TextExpander tools feature something like this, but support for rich html snippets would be amazing!
Hi.
Trying to create an Alfred snippet that calculates a delta value from 'now' to a specific time or date. In short, I'd like to put a hard date in a snippet, and every time I insert it, the result is the number of 'days' or 'hours' between now and that hard date or time.
Thoughts?
Thanks!
I know I can export my snippets into a `.alfredsnippets` file. Is it possible to export into another format, or convert that format into something like a `.csv` file? I don't intend moving to another service but I don't like being locked into a specific format after putting so much effort into my collections. Also, it would be great to be able to work on my snippets in my text edit where I can modify, add to, and maintain my collection as a `.csv`, or something similar.
I imagine this is a little controversial because there are so many competing products. At the same time, I'd feel even better about using Alfred if I felt that I wasn't risking losing everything if I am ever forced to use something different (for example, if I have to replace my personal machine, I'd probably switch to Linux).
Hi everyone! I built something and wanted to let you know
I wanted to make some snippets for HTML entities (I know there are some databases available, but I wanted to customise some of the keywords to my own liking).
I searched online for something that would let me maintain a spreadsheet and convert that into the .alfredsnippet format. Found a few Python scripts but I wanted something simpler, so I built a quick in-browser that lets you copy a bunch of spreadsheet cells (copied cells are in TSV format), paste it into a big ol' textarea, and it'll generate/download the .alfredsnippets file for you
The tool itself is here:
https://rawgit.com/dhoulb/alfred-snippet-generator/master/index.html
The source code etc is here if you're that kinda gal:
https://github.com/dhoulb/alfred-snippet-generator
Let me know if you find it useful. Should make it tonnes easier to build/maintain large sets of snippets. I'm thinking a full set of Emoji snippets (should be easy enough to pull from this database), and a full set of character entity characters.
In addition because TextExpander can export as CSV, this will make it easy to convert those to Alfred instead (no need to run a script, just copy/paste).
Dave
Right now Alfred allows full fuzzy matches for app names only, e.g. pto -> Photos.
This leads to inconsistent results, when searching for files and also clipboard, snippets etc. I would really like an option to enable the same behavior everywhere, so I can type for instance errcod -> ErrorCodes.
Are there any plans to implement this in the future?
Hi alfredders
I love Alfred and struggle to find anything wrong with it. It has managed to substitute lots of tiny utility apps (weather, calculator, clipboard manager... Just to name the first that come to mind). For my line of work I type frequently the same text over and over and over. I've been using Typinator in the past and love its Input Field options (see attached screenshots).
I was wondering if there was something similar in development for future version of Alfred or - EVEN BETTER - if a workflow already exists to achieve a similar result. In short I'd like to have the ability to expand a snippet with multiple choice to pick from (either single option or multiple choice, doesn't matter really). Or should i simply accept the idea that this is not achievable for the time being/future? I'm not a developer: I'm in the other side of the spectrum (read Designer) so not sure what I'm talking about here
Thanks in advance everyone and forgive me if this was not the right section to post this!
I'd like to see fuzzy search for snippets.
Right now if you skip one letter in the snippet name nothing matches. I tend to have snippets for programming that start with similar strings but ultimately diverge toward the end. So if I'm trying to bring up my "gf_left_half" snippet I could just search glh for instance to bring it up.
Snippets please support gif and image~! So I can input image emoji by snippets.
In China, It's popular to send emoji while chatting online, if alfred snippet support image and gif, it will earn many Chinese user!!
example:
While input "!jump", I hope it become flowing gif
tiao.gif
So I recently wants to make a complete LaTeX Snippet auto completion by Alfred. So I stole some codes and put it together.
The file is hosted on GitHub right now:
The LaTeX Subsitutions.plist comes from LaTeXSubstitutionPlist.
The original Python script comes from alfred-snippets, and I modified it to fit my need.
Use it as normal LaTeX symbols but adding a backslash \ to complete the shortcut to prevent conflicts.
For example: \alpha\ expands to α
The download link is below:
File Link
|
FLoC 2002 Call for Participation
The 2002 Federated Logic Conference
Copenhagen, Denmark, July 20 -- August 1, 2002
http://floc02.diku.dk
Call for Participation
In 1996, as part of its Special Year on Logic and Algorithms, DIMACS
hosted the first Federated Logic Conference (FLoC). It was modeled
after the successful Federated Computer Research Conference (FCRC),
and synergetically brought together conferences that apply logic to
computer science. The second Federated Logic Conference (FLoC'99) was
held in Trento, Italy, in July 1999.
The third Federated Logic Conference (FLoC'02) will be held in
Copenhagen, Denmark, in July 2002, jointly hosted jointly by the IT
University of Copenhagen, the Technical University of Denmark and the
University of Copenhagen. The conference will be held at the
University of Copenhagen.
The following conferences, as well as a large number of workshops,
will participate in FLoC.
Conference on Automated Deduction (July 27-30)
Conference on Computer-Aided Verification (July 27-31)
Formal Methods Europe (July 22-24)
International Conference on Logic Programming (July 29 - August 1)
IEEE Symposium on Logic in Computer Science (July 22-25)
Conference on Rewriting Techniques and Applications (July 22-24)
Automated Reasoning with Analytic Tableaux and
Related Methods (July 30 - August 1)
Online registration for FLoC is now open, see
http://floc02.diku.dk/floc/register.html.
Note that the deadline for early registration is
June 15, 2002.
|
Get Alerts For New Posts!
Sign up (free of course!) and we'll email you when there's fresh mischief to see here on the site! We'll never send spam, and never share your information with any government agencies even if we're waterboarded and forced to listen to "Barney" songs. Don't want emails? Then check the other subscription options below!
More Subscription Options
Want to Comment?
At the bottom of every post is a dividing line. Under it, you'll see "Posted by Stilton Jarlsberg" and an underlined number of comments. Click there, and you can read the comments and leave your own. Join the fun!
HnC is co-winner of the 2012 Daniel Simpson Day Award for Best Graphics!
Followers
Now That He's Screwed Us For the 58th Time...
Welcome to Hope n' Change 2.0!
In the face of a collapsing economy, rampant unemployment, and global instability, Barack Hussein Obama took office in 2008 promising Hope and Change. The "Hope" thing didn't really work out, but we got plenty of "Change" as everything got worse. And now, the jug-eared jackass has a second term.
That's why at Hope n' Change Cartoons, we're creating conservative smartaleckry to provide a little laughter in these strange times. Cartoons will probably be posted Monday and Wednesday, and definitely on Friday. Additionally, cartoons and graphics will be posted randomly on our Facebook page and Friday we'll add the week's postings right here to kick around in one of the greatest comments sections on the Web.Note: please feel free to repost our cartoons on your favorite blogs!
Need Free Stock Footage or Music?
Friday, November 16, 2012
In his first press conference in eight months, Barack Obama declared his intention to be an even better president in the future and announced his second term plans ("I'll do to job creators what Israel does to Hamas leaders"), which makes this an appropriate time for Hope n' Change Cartoons to announce our second term plans.
In a nutshell, it will be "Change...but still Hope."
The battle against Obama and for America must continue, and Hope n' Change isn't leaving the fight. But we do have to adjust to the "new normal," which is that Barry isn't going anywhere for the next four years other than the golf course and the occasional taxpayer-funded vacation.
This being the case, I need to start allocating more time to earning a living (something I've put on hold for the past few years) and burying gold in mayonnaise jars in hard to find places surrounded by tripwires and rabid squirrels. (Okay, I don't actually have any gold, but some of the squirrels in my yard look pretty dangerous.)
So here's the plan: as of today, Hope n' Change Cartoons will be published only on Friday - but that doesn't mean that Barry's indiscretions and screw-ups will get a free pass the rest of the week. Far from it!
Rather, whenever an idea hits me for a cartoon, graphic, or particularly snotty remark, I'll post it immediately on Facebook (which you can see at http://www.Facebook.com/HopeNChangeCartoons whether you're a Facebook member or not), and then I'll repost all of that material (and probably something fresh) for a "week in review" here every Friday, where we can continue to kick things around in the comments section.
This will free me to work not only on my personal and (hopefully) profitable ventures, but also give me additional time to think of interesting wrenches to throw into the gears of the Liberal machinery. I'm not sure what form those wrenches may take yet, but I'm convinced that it's important to create new, non-electoral forms of exercising power (in entirely legal ways) with which to beat the Lefties over the head. And I approach this challenge not only with enthusiasm, but a certain evil glee. "Bwah-ha-ha" is definitely going to be a bigger part of my vocabulary.
Finally, because I lack the eloquence (and frankly, telegenic good looks) of Bill Whittle, I ask you to take a few minutes to watch this video in which Mr. Whittle perfectly expresses not only our disappointment and anger with the election results, but our individual responsibility to keep fighting as others before us have fought in the face of seemingly insurmountable odds.
So I'll see you on Facebook whenever the mood hits, or see you right here next Friday.
Now get out there, hold your head high, and annoy a liberal! -Stilton Jarlsberg
88 comments:
Lets hope we are not defending an Alamo but even if we are I have a duty to stay. What ever trouble I have sleeping at night it won't be from ignoring this duty. I salute you Stilton and wish you the best of it luck in all your endeavors. Better than luck I pray God be with you in your ventures. I am grateful that we will still have your genius and wisdom to look, forward to if only occasionally.
@REM1875- Bill Whittle says much the same thing in that video I linked to: at this point, we must continue to fight if only to keep faith with those who have fought and sacrificed previously. Moreover, if we give up, then we lose the right to keep bitching (at that point, all we're doing is whining). That's not a right I'm willing to give up.
@Coon Tasty- I can't say yet whether there will be LESS Hope n' Change, I'm just saying that it will be less scheduled than before. Some days, because of my publishing schedule here, I'd spend hours and hours combing the news for a story which would lend itself well to the HnC treatment because I had to get something created. Those are the hours I'm hoping to reclaim and turn into revenue again.
@Stilton,Well, if you insist on doing such an outmoded and eccentric thing like trying to EARN a living, go for it.
I've decided to apply for housing assistance, food stamps, heating assistance, free phones, unemployment, and any other freebie I can get. I hope everyone does this to get the whole "fiscal cliff" thing over with sooner, then maybe Canada will take over and we'll have a less socialist government.
Seriously, you deserve a break from trying to post three times a week, but I'm really glad you're not completely hanging it up. I'm confident this bunch of cats can keep the conversation going the rest of the week, although we will end up completely off the subject of the Friday posting.
Now, I'm going to go out this weekend and buy a couple cases of Twinkies and HoHo's while I still can. Hats off to BO for making such a great business environment for companies like Hostess.
@Stilton: My best wishes for your endeavors and not to totally become John Galt. As mentioned and promised (???) I have cobbled together a web site to promote conversation and the exchange of ideas, won't be as humorous as yours, but maybe we can get some conversations going about how to make a change for the 2014 elections. Site: Grumpy Curmudgeon.
@Colby- Years ago, I found work drying up in my business (freelance writing) and only after living off my savings for 9 months or so decided to file for unemployment - for which, being self-employed, I'd always paid double the taxes.
But I was told that my payments would be based on my last two quarters of earnings, and since I hadn't earned anything - I wasn't worth anything. No cash for you!
In other words, the goverment - which had a clear record of the tens of thousands I'd given them for unemployment insurance - was punishing me for not taking assistance until I really needed it.
And by the way, buying buttloads of Twinkies might be a brilliant investment strategy right now in case no one buys the business - the remaining and dwindling supply will only skyrocket in value. It's gold with a creamy filling!
@SeaDog52- Please repost a link to your new site (the current one isn't working). By the way, if the police were told to be on the lookout for a grumpy curmudgeon, they'd pick me out of a crowd in a heartbeat.
@John Vecchio- I appreciate the thoughts, but you don't have to miss me, you just have to know when and where to look for me! Facebook (randomly), right here (Fridays), and Johnny Optimism (MWF).
And in truth, you're all getting more Hope n' Change than would otherwise have been the case: if Romney had won, it was my plan to only keep the cartoon going through his inauguration and then lock up and turn off the lights after a hard four years work.
So today's change to this website isn't a retreat - it's planting my flag and declaring that I intend to stand and fight.
@Sarah Rolph- I really hope this works out in a satisfactory way for everyone. It's a tough call in tough times, but together we can still continue to mock the jug-eared jackass in the Whitehouse and redouble our efforts to turn up the heat on the Left.
This morning I have nothing much to offer, so I will let Winston Churchill speak in my place...
"Success is not final, failure is not fatal: it is the courage to continue that counts."
As each day dawns I find less and less to cheer me through another day of service. I feel betrayed by my countrymen, the alleged leaders of my nation, and the dream that once was America. This has not, mind you, diminised in the least my fighting spirit and desire to see our Great Republic restored. I fully understand your need to place personal survival first and applaud your descission to remain steadfast to "We the People" following your blog. I remain, your faithful companion down this road fraught with peril.
"We shall fight on the beaches, we shall fight on the landing grounds, we shall fight in the fields and in the streets, we shall fight in the hills; we shall never surrender."
Geez, it's only been 10 days since the election and the bad news just continues to cascade down on us.
Seriously, Stilton, eating is overrated.
No, really seriously, I have a faint idea of how much time, effort, and talent it takes to produce something like Hope 'n Change. While you'll be missed on Mondays and Wednesdays, at least we all have something to look forward to on Fridays (besides, of course, the fact that it is Friday).
@Anonymous- Johnny Optimism is still rolling (so to speak) every Monday, Wednesday, and Friday. With the political scene being what it is, it's all the more important for us to adopt Johnny's attitude of positive thinking, no matter how painful things get.
@Necron99- Goosebumps, sir! I have goosebumps!
@Pete D- Exactly right. With Johnny, I can just go visit his strange little world and take notes. Nothing is topical - anything funny is fair game. And spending time with Johnny actually makes me happy, which usually isn't the case when I'm dealing with the news.
But similarly, the new schedule here at Hope n' Change frees me up to do quick "one offs" like this one which wouldn't merit a fullblown editorial here, but I can put on Facebook. These are the sorts of things I'll collect for each Friday, so none us should go into withdrawal and we'll have plenty of talking points.
@It's No Gouda- Good idea! A lot of my client base supported the sonofagun, so I'm sure they'll pay the surcharge happily.
I will miss you on Mondays and Wednesdays. Sometimes your blog was what got me through the week. Now I guess I'll have to think of Hope N Change as a reward for making it through the week.I have to admit, I am looking forward to getting to know the cummergudgeon better, so I guess all is not lost.
@CenTexTim- Thanks for understanding. It takes a lot of time, and not just at the computer keyboard. Plus, some of the creative endeavors I want to get back to actually do odd things like make me happy and energize me (and occasionally earn money). So I'm definitely not surrendering - I'm just marshalling my strength so I can be a bigger pain in the butt to the Left for another four years!
When stocking up on Hostess products, don't forget the Choc-O-Diles! A chocolate-covered Twinkie sounds a bit excessive, but God help me, I LOVE 'em!
The worst part of the Hostess debacle is it will put not only the unionized workers out of work (well, they have done it to themselves if you ask me) but also the bakery thrift shop I go to will close. So it's not just the bakers, but all the thrift shop stores will go down the drain, too. Thanks, union "workers" for doing your part to kill LOTS of businesses! And it was SOOOOOOOO important to re-elect Barack Hussein, right?
@graylady- It's tough on my end, too, I assure you. But start making a habit of visiting JohnnyOptimism.com on Monday and Wednesday just to get a bitesized bit of my usual off-center humor, and then Friday we can all get caught up together!
@JustaJeepGuy- I loved it when we had a Hostess discount store nearby (though my waistline definitely doesn't need any chocolate-covered twinkies, no matter how marked down they are).
And pardon me if I don't cry a river for the union bakers who wouldn't accept an 8% annual decrease in wages: I've lost about 10% of my retirement funds in the ten days since Obama's reelction - and expect it to continue going downhill.
I keep looking for the upside. The main one I see is the "fiscal cliff", which we would have hit no matter who won the election. Yes, it's going to be painful. But the upside is that for the most part, it's going to be at least as painful for the hopeychangy people who honestly think things will get better under Obamanomics. College kids will continue to return to their parent's basements. Careers will be stalled for at least a decade. People in every sector will continue to lose their jobs, and those who manage to keep their will continue to be consumed by inflation. Perhaps that is what its going to take for the lesson to sink in.
On the other hand, as long as the Econ family remains healthy, I only have 13 more insurance payments to make until I can change from my "high deductible" plan, to my "really high deductible" plan under ObamaCare. That would be the one where I just go ahead and drop my insurance and pay the fine, which is a small fraction of what my insurance costs now. And if we get sick, we can just buy insurance then. It will be like a $10,000 raise; something that hasn't happened in the better part of a decade now. I'm happy to let others pay for Sandra Fluke's birth control and abortions.
@Stilton - I'm grateful and relieved that you're continuing this blog. I'll continue to check this site daily, just as I have in the past, because your followers will, I'm sure, continue to offer their insights (to which you will add yours, I presume) so that I expect your Friday post to continue to have fresh contributions right through to the next Friday post!
Just here - thanks for everything you've done SJ - the five, then the three, & now the one w/ surprise guests every now & again. I know you'll find an income - hope it's doing what you love to do.As for the rest of you - what a treat this has been. By the way, I had heard today, on Rush' Show, that "We The People" have a petition to Pres. O to take over the Hostess Company & then give it to the unions to run - much as they did with GM, etc. But the "We The People" group is none other than the White House - so it is the WH asking people to sign a petition imploring the WH to buy Hostess. And the country yawns. After the Bill Whittle video, I've become empowered to stay the course - if only for my love of country, for my father's service to this country in WWII as a signalman 1st Class (semaphore), to all who served before my time, & finally to all who serve & will continue to serve this great country.The storms, the struggle for those of us from NJ to get tough & make the much-needed recovery, & this election had taken a toll on my emotional state. I can say now, though, that although the return to "normal" will be long & hard, it is something I can actually imagine one day. So - hope does spring eternal!
@Irene Peduto,If ever you are down around Trenton, give me a shout. Stop by Wildflowers Bar on the Pennington Circle on Route 31 and ask Kelly or Shannon to call "Kuz" .I'm a fair to middlin' chef and when not depressed over the state of the Union, a failry funny guy.....no, really my Mom told me so!!Any friend of Stilt's is a friend o' mine.
Thanks for the comments from those who have visited Grumpy Curmudgeon, like I said, it's not to replace Hope-n-Change, but to dig a little deeper, flesh out some ideas, and generally kick around some liberal butt, at least verbally.
Re: Hostess, brings to mind years ago when NW Airlines had a maintenance unit that did airframe refurbs on their airliners. They did it so efficiently that other airlines contracted work to them. The mechanic's union decided it wanted an approx 200% raise, from $22+/hr to $42+/hr. The company said it couldn't meet that and still undercut the cost of the other airlines doing it in-house, so the union went on strike. The company shut down the facility and contracted the work to the other airlines that they had been doing work for. Fox News interviewed a number of mechanics that were now working a Walmart, Sams, Krogers, etc., that were blaming the company because they didn't have a job anymore. Another prime example of union leadership stupidity. PS: Before being promoted to management, I was a union steward, so I know both sides of the equation, and do I have stories about both sides.
Things do change, as life always does...I thought you were independently wealthy or something the amount of time I know goes into creative endeavors! I sure can't afford to crank out toons and peruse as you have. Good luck with your new path and thanks for all the efforts that are reflected with gratitude in the comments today!
@John the Econ- I haven't found any upsides yet, and believe me - I'm looking! Although if anyone has had trouble losing weight because of a Twinkie addiction, life just got better.
I have no frickin' idea where I'm at with Obamacare as far as it affects me personally. My private healthcare policy just got raised to over $20k a year (for a policy that sucks, for me, my wife and daughter). Part of the increase? Paying for the "free" services mandated by Obamacare for new customers but not OLD customers. So I get the bill and none of the service. And will I get governmental help paying my premiums (trust me, I could qualify)? Nope! Because Texas isn't setting up an "exchange," so I can't buy low-cost insurance, nor get credits toward paying. So basically, I'm hosed and not happy about it. Although if some of my money is going to keep little Sandra Flukes from being released on the world, I'm cool with that.
@Chuck- I'll probably be experimenting with the format. It might be possible for me to do the "random postings" HERE as well as Facebook - I just couldn't guarantee that I'd always make timely responses to comments if I did at all. But would folks find that preferable? I dunno - and opinions are welcome!
@WMD- I'd like to think that's the case, but as General Petraeus reminds us, guys aren't always picking their bedmates based on personality. Or logic.
@Irene Peduto- Very well said! And I hope the government does buy Hostess- I've always wondered what a $5,000 electric wind-powered Twinkie would look like...
More seriously, Whittle's right that we need to fight even harder now - even if in different ways than we've fought in the past. Not because we're guaranteed to win, but because we can at least guarantee that we never surrendered nor abandoned our posts.
@Queso Grande- I think we just chose the site of the First Annual Hope n' Change Social Club Celebration. First round of drinks is on me!
@SeaDog52- Labor unions had their time and place, but for the most part it's not here and not now. And I hope the Twinkie debacle may help wake some people up.
@PRY- I've never been independently wealthy, but have flirted with being independently solvent fairly successfully. My house is paid for, my 20 year old car is paid for, and I'm a cheapskate my nature - so bills have been controllable. But last year, I actually paid more in federal taxes (including social security and self-employment taxes) than my total net income. Sound impossible? It's not: it simply means I spent more on the costs of my business than I earned (reducing that net income), but still had to pay all of the self-employment taxes on the unreduced gross income. And that's just stupid.
Anyway, I'm not really striking out on a "new path" here: I'm simply working on my time management skills, creating more room for the personal (and happy/money making) ventures, while still fighting the good fight in the company of all your good folks!
ObamaCare will finish off the insurance industry faster than anyone realizes, especially when healthy people like you and I bail. (Private industry doesn't have a chance when their primary competition gets to literally print money) Obama gets a short-term win because we'll be paying the tax instead of buying private insurance, which he really doesn't want us doing anyway. When it all collapses, the Democrats will finally get their ultimate achievement, "single payer". The GOP will happily sign off on it.
Of course, once the government is totally in charge of our health care, we're all screwed; they'll literally have us by our balls.
The upside? I get to retire in my 50s, just like they do in Greece. To make up for what we used to pay for insurance, income taxes will be raised to make up the difference. Except, they can't possibly tax "the poor" with those kind of numbers. So income taxes will get even more progressive. And it won't make any sense to work any more than for poverty wages.
I'll now get my (albeit mediocre) medical care for "free", will work just enough to keep the lights on, all the while the youngsters who have nothing get the bill for it all.
@John the Econ- See, that's sort of a funny definition of an upside. Although at this point, I could get a small chuckle out of having any of medical expenses paid by the young Obama voters who think they just cast a ballot in favor of free stuff for themselves. Wake up and smell the Starbucks, you weenie little libtards!
@Irene Peduto- I can tell you this in an sincerity: there's no group of people on Earth that I'd rather get together with than the ones who meet here.
TGIF will now have an even greater meaning! Best of luck on all future endeavors. May God bless you and all of us as we strive to get through the next four years and beyond. May be never forget the country we once had, and may we work to get it back!
This will free me to work not only on my personal and (hopefully) profitable ventures,
I was kind of perplexed as to what kind of "profitable ventures" are possible under an Obama presidency. Then this item made me aware of the possibilities: scamming gullible Democrats for a $40 fee for a forgivable loan to pay overdue cell phone, electric bills, etc.
The company, My Bill Assist, offers people up to $1,500 in loans for rent, car payments, and utility and cellphone bills. Applicants have to pay only an application fee of $20 and a membership fee of $20 for the bill assistance program and wait for the check to show up. Some applicants were told they wouldn't even have to pay back the loan, which was to come from the federal government.
Word of the free money spread quickly in Milwaukee over the past three weeks, and applicants flocked to the company's location at 2821 N. 4th St. for appointments. Sharon Austin, a disabled and retired Milwaukee resident, was one of them.
"The word-of-mouth just spread it everywhere. I heard a lady say, 'Go get the $1,500! It's free money!' " said Austin, who later contacted the Journal Sentinel.
"At first we were told it was from President Obama, who had put up some funds for people who are having trouble with their bills..."
I see a vast market for this kind of thing (i.e, 47% of the population).
I just read an article from...somewhere...about Hostess and its troubles. All right, it isn't solely the unions' fault. Still, they've long since gone outside their proper functions. So have the management people. Paying someone $1.5 million per year when the company's floundering? Not wise! And these people are supposed to be professionals?
I'm glad you built this community, Stilton, where we can get together and blow off steam when things seem so out of control. I will miss your posts on Monday and Wednesday, but will have even more reason to look forward to Fridays!
@Cookie- I truthfully thought about "TGIF" before deciding that Friday is the easiest day for everyone to remember to head over here! And thank you for the well-expressed thoughts.
@alan markus- Wow, I hadn't event thought of victimizing the dolts on the Left. Now all I need to do is figure out how to do it in a legal-ish way...
@JustaJeepGuy- I'm sure that at Hostess there were plenty of problems to go around, but I'm still surprised that people wouldn't take a wage cut in this jobless economy.
@Necron99- I think I need to find a nice graphic version of "If you're going through Hell, keep going" to hang on my office wall. And I'm not kidding.
@David B Finlayson- Awesome? Wow, imagine how great I could be if I were cold sober! (grin)
@SusieBee- This is a great community, and the insights and experience of "the regulars" make this a much more robust site than I could ever do on my own. And of course, the friendship is the best part of all.
@John the Econ- You're quite right that "crime" is now more a matter of semantics and technicalities than actual moral wrongdoing - otherwise the entirety of Washington DC would be a federal prison by now.
I remember posting this months ago...but its proven very true, and thats sad... from a Prague newspaper...
The danger to America is not Barack Obama, but a citizenry capable of entrusting a man like him with the Presidency. It will be far easier to limit and undo the follies of an Obama presidency than to restore the necessary common sense and good judgment to a depraved electorate willing to have such a man for their president. The problem is much deeper and far more serious than Mr. Obama, who is a mere symptom of what ails America. Blaming the prince of fools should not blind anyone to the vast confederacy of fools that made him their prince. The Republic can survive a Barack Obama, who is, after all, merely a fool. It is less likely to survive a multitude of fools, such as those who made him their President.
@PRY- Yes yes yes yes yes. That's me agreeing with the editorial, by the way, and not the sound of General Petraeus's slut/mistress/spy at work.
@Red- Facebook is sort of a necessary evil (to me) in trying to spread material around the web. You can look at my timeline (with cartoons and such) WITHOUT logging on to Facebook or even being a member. That being said, this blog is - and will continue to be - home base.
@Queso Grande- "Galaxy Quest" is a movie that shouldn't be good, but really is. I think it may be time for me to watch it again...
Yeh, I really hated to see Petraeusget into hot water as he did after how faithfully he served his country...could happen to anyone though. I'm sure it was not a planned thing (on his part anyway), and I feel for his wife and family.
@Necron99- Although it seems mathematically impossible, I believe that way more than 50% of voters are below average.
@PRY- Well, it couldn't actually happen to anyone; just someone who didn't take a vow seriously enough. That's a problem in a husband AND a CIA chief.
@Anonymous- Cartoons "suitable for the whole family?" Would you like it if I had Barack Obama running around the neighborhood causing mischief (with a little dotted line showing where he's been) like in "Family Circus?"
I do try to keep a civil tongue in my mouth, but there's just something about anti-Americanism, the destruction of our economy, and dead ambassadors being used as political fodder that riles me up a bit.
Still, you've shared your honest opinion and for that I thank you and the horse you rode in on.
@Anonymous. Are you serious? Do you not know the meaning of satire? Did Swift actually advocate eating children when he wrote, "A Modest Proposal?" Satire is complex, layered, sometimes subtle, and often provocative. It is designed to get people to THINK. For the last four years we have endured the most devisive president in my 60 plus years of life. He is bankrupting this country and our children's moral, cultural, and fiscal future. As this country seems headed down the toilet we can only hope that Stilton uses whatever means necessary with his cartoons to wake people up. If you're offended by potty talk and can't summon the will to think about what's being said, just go away. If you were foolish enough to let children visit this site, then you're stupid. This isn't Sesame Street. People who post here are serious adults, talking about serious issues. And we are capable of respectful disagreement.
@Chuck. Thank you. But damn, I hate to misspell. (And I'm not sure how that's spelled.) When talking about Obama I should have spelled it "divisive". I was on a rant, and maybe meant "devious." Similar meanings?
@Earl- Thanks for the robust defense! I'm still a bit rocked on my heels that Anonymous thinks a blog about serious current events should be "family friendly." Those current events include the murder of four Americans in Libya (and the sodomizing of our ambassador's corpse), sexual dalliances, an out-of-control Justice Department responsible for rampant voter fraud and hundreds of "fast and furious" deaths in Mexico. The president's declaration to the world (echoed by our Secretary of State) that Freedom of Speech does not extend to speaking ill of Mohammed, the rapid and seemingly unavoidable approach of a "fiscal cliff" which will cripple the future of every child in America, and the likelihood that Barack Hussein Obama's rejection of Israel as an ally and gifting of Egypt and Libya to the Muslim Brotherhood will soon touch off a war with almost unimaginable possible consequences.
These aren't stories for children: these are stories about the betrayal of our children - and about the people who would like to limit the damage if possible.
However, just to show I'm a good sport, let me remind Anonymous that my other cartoon, Johnny Optimism, is absolutely family friendly and free of potty language. It's about children and dogs and love.
@Chuck- Yeah!
@Earl- Ha! You said "damn!" Now Anonymous has got someone else to be mad at!
Anonymous sounds like one of those wimps that believe "Its The Great Pumpkin Charlie Brown" is 'to mean' for kids to watch today...
I guess next they'll want to re-in vision "The Grinch Who Stole Christmas" into "The Community Organizer Who Over Taxed Us for Christmas So He Could Give Our Money To His Supporters For Ramadan & Kwanza".
Won't that just warm the cockles of your pea pickin' little heart, Anonymous?
This the closing paragraphs from Glenn Fairman, of American Thinker, after he comments on becoming an antique in this culture...many of us will relate to his view...
This journey into personal antiquity has taught me that the values and beliefs I hold more dearly than gold are not of themselves dusty and timeworn -- ready for the ashcan of history. In fact, I never cease to be amazed at all manner of people, young and old, who I would have never suspected hold firm and cherish these Old Ways and have not bent their knee to Baal.
As we begin anew another four years of Presidential exile beside the dark rivers of Babylon, let us not cease our yearning for the beautiful cause that we hold so deeply within our hearts. The Founders' glory still waxes within our imaginations, and before long (and even now), we shall have shaken off the dust and sackcloth of recrimination only to draw the sharpened saber once again.
Our ways are old, but they are true. Better to fight and acquit ourselves with courage, even in defeat, than acquiesce those blood-bought principles and pass into the horizon, like a drifting constellation in the night sky.
I lost a childhood friend today. An individual I grew up with and have know for over 30 years. I hadn't spoke with him since October and when I gave him a call today he answered the phone drunk. Not to judge, but I inquired why he would already be plastered at 11:00 on a Sunday morning. His response sickened me to the core; he said that he and his friends in Jacksonville, Florida had pretty much been partying in celebration ever since 0 got re-elected.
Keep in mind, this is a guy who lives with his mother and has been cronicly unemployed since the 90's mainly because he doesn't want to work. He thinks 0-care will be the answer to his prayers and gain him some kind of trumped up disability check.
I asked him how he could do that after the last 4 years of The Prince of Fools reign? After Fast & Furious? After Behngazi? After the squandered bail outs & nonexistent jobs? what happened to the kid I knew that used to call Ronald Reagan his hero?
His response was, "Well, I grew up!"
This is roughly what I said before hanging up and deleting his number from my phone;
"Envy the country that has heroes."
I say, "Pity the country that needs them. What are you celebrating? Four more years down the path that leads to America becoming a third world joke of a nation, the dream of our founding fathers all but dead? And you libtards call this progress? Oh, yeah. With that kind of 'progress' at the dimocraps rate, we might just be getting somewhere in about 320 years. Is that what you want? You want a little accommodation and unearned money from these animals you voted for? No Sir. These beasts live on manipulation & control. They feed on extinguishing liberty. There's no middle ground...not for them, not for us. And sure as hell not for the people who died defending American principles for the past 236 years. But you libtards go ahead. Have your little... soiree. Personally, you disgust me."
@PRY- Those are fine words (and I agree with them), but I can't help but feel the weight of the phrase "even in defeat." How do we win the battle to help those who don't want our help, and hate us for trying to deliver them to freedom - with all of its responsibilities and risks.
We're trying to feed brussel sprouts to petulant, spoiled children; we will be spat upon for our successes.
@Necron99- Well, damn (sorry Anonymous! I meant fiddle-dee-dee!). Sorry to hear about you losing a friend, and sorrier still to hear about him losing his mind and his love of country. Now in fairness, I should admit that my Blood Alcohol level has also been elevated since election day, but it's sure not from celebrating.
By the way, barnacles don't "grow up" - and your friend sounds like he's now a barnacle. He's attached himself to an unmoving spot where sustenance will float his way. And he'll grow larger, but never more mature, more responsible, more ambitious, or more capable of being anything other than a barnacle. And I'm sorry you had to see that.
I, too, know people who simply suck from the government teat and count themselves ahead of the game by doing so (and let me be clear - I'm talking only about people who do not have legitimate needs for help). And yes, they disgust me.
So true. As I have considered the post-modern mindset of the 'Milleniums' as the younger set is referred to,(but it also applies to folks older than them), I realize they have been reared not as you or I have, but they might as well be from another planet as far as how they think!
I hate to even think it, much less say it, but the only thing I can think of that turns a civilization around is total breakdown so the only way to look is up, because you are totally at the bottom with nowhere else to look. Then and only then will some people, not all, consider a different way of thinking about things. It has happened before. Ever since the election, things have seemed a bit unreal, because we all felt strongly that SURELY it was over!
@Necron99, you should have told that former friend that he DIDN'T grow up. Had he done so, he wouldn't still live with his mother--unless he was supporting her, not the other way around.
Personally, I don't see any point in trying to fight within the system any more. Let it crash and MAKE Barack Hussein take the blame. After the crash, the Demo_Rat takers will come to the makers and beg for help. Help should NOT be given! It's tough love time! Who is John Galt?
@JustaJeepGuy, It would have been a waste of breath for me to tell this guy he isn't a grown up. He's always been dependent on his mother to pick him up when he falls down. I don't know if he'll ever learn to walk (much less think) on his own. I had big hopes for him years ago when he joined the service, but of course that didn't work out. They had the nerve to expect him to actually go into combat after putting him through school, so he got out on a medical. Then he was going to be an actor/model, but Gieco already had enough metrosexual cave men so he switched gears and became a wedding photographer. Problem with that is you need some skill with a camera to profit from that career. And then there was selling insurance, which is hard when you have no people skills (and look like the Gieco cave man) and the failed attempt at being an IT guy when you can't even follow a simple Windows tutorial.
@PRY- I'm afraid that these days, I think that nothing short of economic (or other) disaster might wake up enough people to return to our core principles. But it would have to be big and have to happen fast: currently the frogs are in the pot, but the temperature is being turned up so gradually that they don't mind being cooked.
@Traci- I need the boost, too! Thank you for the nice thoughts!
@Necron99- Ouch. Some people aren't cut out for entrepreneurism, and I'm sure they embrace a government which lets them simply suckle.
Success (as opposed to sucking excess) is always going to be a balance between talent and hard work. It's a shame that so many never bother to develop the first, and have no desire to do the second.
@JustaJeepGuy,I think the crash is inevitable, but BO taking blame? BO is just like Necron99's ex-friend; everything bad is always somebody else's fault. If something good happens, he beats his chest, but look at how the alleged president is squirming his way out of the Benghazi thing.
What's happening right now in Gaza and Isreal is going to make Benghazi look like an elementary school playground fight. Will Crap Weasel escape blame there? Sadly, I think he will. He might even be successful in making Israel out to be the bad guys here, and that, folks, scares the shit out of me.
@justajeepguyALL of O's strategies or non- strategies scare me. I really awaken from sleep with his words playing out in my mind. My progeny will suffer so unless the USA makes a radical change. #SJ the frogs - all of us actually - have been in thus slowly warming pot. Hopeless is not a good state to be.
@CenTexTim and @Earl - I'm with you, kind of, but I know we can adapt. Withdrawal is tough, but I think we will make it as long as the conversation continues and Dr. Jarlsberg comments as he is able.
We are all painfully aware of the shortcomings of this administration, but it is what it is. One of two things happens in 4 years. We get a new President or we have Øbama for life (his not ours). We don’t have to worry about getting out a vote against him this time ... and I think that almost bothers me the most!
A friend sent me cartoons which she thought were from Canada. They were all Hope n Change. She praised the artist for his honestly sans pc & for his astuteness. I told her it was Stilton' s & that he's AWESOME. Just sayin' SJ. Mondays are full of all of the stuff hidden on Fri. PM. Love the exchanges but Monday is still Mon & chock full of newsy stuff.
@Colby- Totally agreed on Benghazi and Israel. Our ally is getting pounded with rockets, and the strongest thing B. Hussein can come up with is that our country "supports the right of Israel to defend itself." Wow? Really?! How magnanimous of you MIS-ter president.
@Irene Peduto- No question that ALL of us are frogs in the same pot, but there's so many in there with us that those of us who see the danger still can't escape.
@CenTexTim- I'm going through withdrawal too. For now I'm going to try to stay with the new schedule, but nothing's written in stone.
@Earl- You're right about the "news dumps" on Friday afternoons. So I don't know (sigh). I'll mention that my new schedule isn't based on just politics or finances - there are some health issues in my immediate family that are distracting too (so as not to worry folks, it involves epilepsy and getting the meds right to treat it - prognosis is excellent). And of course, Obamacare and the health insurance industries make all of that a PITA to deal with. (Acronyms are okay, right Anonymous?)
@Chuck- We'll figure out the rhythms of HnC 2.0 together, and I'm still here.
And frankly, I'm not that interested in how people vote next time around (assuming there is a next time around, which I currently don't). Different action is now called for, probably in the way the financial power of 50 million pissed-off people is exercised.
I've been thinking I'd like to see a really major, well-funded well-organized website with a theme like "Don't Buy And Tell Them Why" where we could easily see which companies are Democratic donors so we can take away our business. I'd additionally like to see such businesses targeted for VERY LARGE protests on a VERY REGULAR basis.
I'm still hoping/waiting for a great idea to hit for direct action. I think it's time.
Irene, TWICE I've gotten H&C collections (possibly the same ones) claiming Was published in a Brit paper. Replied that the sender should send back 'up the chain' that he's HERE, actually, and QUITE funny, and could use the fan base. Now, THAT being said - Stilt, have you THOUGHT of MSM publication? Foreign, if not domestic? Just sayin... (and yeah, been MIA all weekend due to internet issues, hopefully now all resolved again...)
@Chris Muir- Thank you, sir! In case any readers don't recognize Chris's name, he does the great "Day by Day" cartoon strip that should be on everyone's reading list. Moreover, he somehow manages to create his cartoons without using clipart. Imagine my envy!
@Pete(Detroit)- I've never seriously considered MSM syndication because I don't think there's much of a market for my kind of humor, and I'm unwilling to rein in my opinions. Maybe I should sniff around a little, though. (For what it's worth, I'm in regular contact with some conservative editorial cartoonists who actually ARE syndicated - and I know that the market is hard for anyone who isn't smooching Obama's hiney.)
Actually, I think it's a tribute to our host that his work is going global! Perhaps a syndication deal is in your future Dr. Jarlsberg!
@Stilton,I agree that it is time to be more pro-active, and love your idea of an online database of "offenders." I'll nominate GE to be at the top of the list. I also would like to see something like this for the businesses that do things right, such as Chick-Fil-A, so we can give them extra support if possible.
I would like to wish everybody at H&C a wonderful Thanksgiving, and try to NOT think of BO and the mess he's gotten us into for a day or two. If you are a believer, please remember that God did not get us into this, but he can sure get us out if we trust Him. Keep the faith and keep "fighting the good fight" as Paul would say.
Unrelated topic: Have heard several pundits dis Israel's amazingly effective "Iron Dome" as a "failure" because it's only 80% effective.
Putting aside the startling and amazing performance of the Iron Dome missile defense system, wouldn't it be really nice if liberals would demand the cancellation of all other programs that were less than 80% effective"?
@John the Econ,What a concept! If we shut down the parts of government that are less than 80% effective, DC would be a ghost town. I'm betting a huge chunk of it would be toast, even if we lowered the bar to, say, 20%.
Of course, I'm saying "we" like "we" have any say whatsoever in what happens in DC.
Readers- Spoiler alert: there will be a new cartoon posted tomorrow. I was starting to twitch. This doesn't mean I'm changing the new publication schedule: it means I don't know exactly what I'm doing...
Pete, Irene, Necron99, Earl and others- Thanks for the encouragement (even if it's sort of like buying an alcoholic another drink). Since we're all "just folks" here, I'll say that I'm confused and conflicted about what to do. I've got to put quality time into other projects and responsibilities, but I may also bust a gusset if I can't vent. And we all know how painful gusset-busting can be.
Stilt, thanks for being here for us, but, you have to take care of your family 1st Although, I sometimes feel like here at HnC we’re a big family & I definitely have more opinions in common with THIS family than with a fair number of my own, sigh.
For years I’ve been thinking about a 3rd party. I know, it screws up the GOP, but, haven’t they been screwing us, too? Just not as hard as the dems. (Uh oh, no bad words, but Anonymous may not like this) I think a real “Conservative” party is what is needed, something like the Tea Party. Just throwing it out there.
Take care & Happy Thanksgiving to everyone. We really do have so much to be thankful for.
HnC is like a drug, just gotta have it, but it’s so good that once a week (with comments in between) works for me.
@necron99, two things:I have also just gone thru what you did vis-a-vis a friend. It's hard.And I am in AWE of your usage of Swift. Gah!! We have so degraded the intellect of the population that when such a referrence is made, I experience a frisson of ecstasy!!Many have said I am weird.@ChrisMuir, It was great to see you back!! Sadly, both you and Senor Jarlsberg are "Websensed" out of reach, I only get to check in at home.....2 dogs, one li'l gal and a wife keeps me busy. Really happy to see you back. @Irene Perduto, it appears that our host's desire to remain anonymous may preclude his appearance at de pizza and de beers, but any Central Jersey folk who wanna do something, chime in and I will set it up. It would be great to get together before Christmas.@StiltonJarlsberg, content is king. Have you considered creating a nom de guerre and writing drek for shekels? Seems a ton of outlets for that nowadays......Go with Che Markowitz or maybe Syx Seazons. Tell everyone it's pronounced "shayZAHNZ".And laugh all the way to the bank.......
Free Hope n' Change Ebook!
Click book cover for download instructions
Legal Disclaimer, Terms of Use, And Other Lawyerly Stuff
DISCLAIMERThe thoughts and opinions expressed in the cartoons and commentary section represent the personal opinions of the author, which are subject to change over time, and which are reasonably eccentric even on good days. These opinions are intended to be entertaining, stimulating, and occasionally challenging but are in no way intended to do harm. HopeNChange Cartoons should not be considered a reliable news source, but instead as an advocacy entertainment outlet much like MSNBC, CNN, NBC, ABC, CBS, and the New York Times.
Opinions expressed in the Comments section are the sole responsibility of the people who post those comments, and HopeNChange Cartoons accepts no responsibility for the content of those comments. Additionally, by submitting comments you agree to subject your opinions to peer review and remarks, which means you may get conversationally kicked around like a soccer ball, or accused of being something small and moist found in the back of a dark cave. Furthermore, you agree to indemnify and hold harmless the owners of this website, its staff, and its subsidiaries. By submitting e-mails and comments to this site you agree to the above policy. The owners of this website also reserve the right to reveal your identity (or any other related information collected on this service) in the event of a formal complaint or legal action arising from any situation caused by your use of this forum.FAIR USE NOTICE: This site may contain copyrighted material the use of which has not been pre-authorized by the copyright owner. Such material is made available to advance understanding of political, economic, scientific, social, art, media, and cultural issues. The 'fair use' of any such copyrighted material that may exist on this site is provided for under U.S. Copyright Law. In accordance with U.S. Code Title 17, Section 107, material on this site is distributed without profit to persons interested in such information for research and educational purposes. If you want to use any copyrighted material that may exist on this site for purposes that go beyond 'fair use', you must obtain permission from the copyright owner. If you feel that any of the images used on this site infringe on YOUR rights, please contact us via the e-mail posted on this page and we will happily comply with your request and remove them. All original photos and montages posted on this site are owned by me and marked to distinguish. "Hope n' Change" Cartoons may be freely reposted for non-profit use without additional permission, but must contain the full header, author's name, and copyright information. Material from this site may not be collected, printed, or sold in any form without specific permission from the author - who may be, for all you know, a bloodsucking parasitic lawyer just aching to file a lawsuit, take your life savings, and leave nothing more than your dried and dessicated carcass like a dead mayfly on a windowsill.
Individuals, entities, or groups legally affiliated with any governmental organization, investigative body, or the Internal Revenue Service agree that accessing this site constitutes a review of the political beliefs of the author, and subsequent actions, investigations, or audits of the author constitute a deliberate and premeditated attack on the author's first amendment rights, the damages for which will make the Pigford settlement look like a joke.HopeNChange Cartoons is based in, and subject to the laws of, the United States. We are neither cognizant of nor responsible for the laws in any other countries, districts, emirates, theocracies, principalities, directorates, or dictatorships. Additionally, the cartoons and commentary are published in English, and we accept no responsibility for words or opinions which may appear differently or have offensive meanings in other languages or alleged cultures.
|
Våt Moro
The water sport festival" Våt moro" is arranged in Florø every year the second weekend in July. You can join in on a number of activities this weekend. The festival aims at getting people out to have fun and enjoy nature based activities in the area both on land and in the sea all year around. The activities range from a children's waterfunpark, to a youth extreme group, to more than 20 different activities for adults. Some of the activities you can do are hoover board, fly board, kayak, water-ski, SUP, hiking, cruises, sea rafting, river rafting, surfing, wakeboard, yoga, windsurfing, sailing and more. In the evening you can join in on the "Aftersea" in the festival tent where we have fun with quiz, live music and DJ – the perfect end to an active day outside.
Cookies are used for measurement, ads and optimization. By continuing to use our site you agree to ourCookies are used for measurement, ads and optimization. By continuing to use our site you agree to ourprivacy and security policy.
|
Last week I was part of a group of Sierra Leoneans who participated in a Twitter chat, hosted by myself @wcaworld, Joy Spencer @Joyful90802 Veralyn Williams @Veralynmedia and members of the Citizens Ebola Response community in Sierra Leone. This twitter chat was created out of a conversation I had with a close friend of mine back in Sierra Leone who is a medical doctor. When I found out about the campaign to help bring drugs to save the life of Dr. Modupe Cole (May his soul rest in peace). I asked her if she thought a twitter conversation could help spark the dialogue, and hopefully shed some light on some collective Sierra Leonean thoughts, she agreed so I proceeded and got others on board.
The conversation was focused on the Ebola epidemic and what we as Sierra Leoneans both in the diaspora and in Sierra Leone could do to help eradicate this terrible disease once and for all. The chat was quite enlightening and engaging and members were all truly invested in seeking not just solutions in the moment but also long term strategies that can be implemented so that such an epidemic doesn’t spread and take the lives of so many Sierra Leoneans as this current one. I decided to document some of what I found to be most intriguing conversations that came out of the one hour chat. As mentioned by one of the members on the chat Mr. Akindele Decker, I think is worth exploring further in different spaces be it research, activist, grassroots, governmental levels especially as it relates to prevention in the future.
Concerning the medication Zmapp there was a lot of discomfort and scepticism around the administering of the medication . There was a serious point of debate on whether the medications should be administered if so by whom and for whom. Additionally many ethical issues and most people on the chat did not think it was a good idea to administer the medications during this crisis. If any medications are brought to Sierra Leone or West Africa in general, we must know what exactly we are signing up for. The medical trials need to be tested for a while and citizens must be given informed consent prior to any type of distribution.
It was heavily discussed at the early on set of the chat that technology needs to be at the fore front of detection of the virus. This was more specifically in relation to the new areas being infected to enable health officials and Sierra Leoneans to track trends, as well as track poor health facilities that need to be shut down in Freetown.
A wave of optimism swept across the chat when the question was asked about survivors of the disease, members tweeted various sources that showed the many victims who had survived the disease. From this I gathered that the success stories of survivors needs to be documented in order for more trust to be placed in the detection and the curing of Ebola virus, which will in turn only help mitigate and hopefully lessen the cases of Ebola.
Governments need to be held accountable in the future for delayed responses to saving the lives of citizens. There was overall a sense of anger, urgency and frustration as per how the government handled the Ebola epidemic, as far as communication and implementing more vigilant preventative measures across the country. Comments overall ranged that governments should do their best in the future and set systems in place to ensure that the virus does not spread as well as make concerted efforts with their citizens to ensure life and well being for every Sierra Leonean.
Most people on the chat geared towards the fact that prevention is key, and looking at the future of of the Sierra Leone health care system as a whole. The Ebola outbreak highlighted the broken systems that exist in our various countries. On that point members of the chat stressed that it was necessary to boost our education in the areas of science research. Emphasis was placed on having more technical and skilled medical workers to prepare for future outbreaks of such diseases that can be curtailed. The consensus around this point was that this could ultimately strengthen our health system and reduce reliance on the Western world for help.
Sierra Leoneans and Africans shouldn’t be stigmatised, members of the Community Response Group emphasized that this is an education approach and that all Sierra Leoneans shouldn’t be stereotyped and treated as carrying Ebola.
THE ALL SIERRA LEONE DIASPORA EBOLA CAMPAIGN FORUM: Every Saturday beginning this Saturday, August 9, 2014 at 4:00 PM EST, the All Sierra Leone Diaspora Ebola Campaign Forum will host a global teleconference forum. It is going to be a busy evening with an agenda full of information, news, analysis, and answers to the questions you have on your mind.
Here is the line-up:
Rev. Johannes George of the Episcopal Diocese of Texas and Alhaji Alie Sesay of Maryland will lead us in prayers.
Ebola News Summary
Ebola Cases Updates: We will bring you news update on the Ebola crisis and an up-to-date statistics (confirmed cases, deaths, survivors, and patients) and analysis of Ebola cases.
We will have the following guests on the program:
Dr. Sulaiman Jabati Wai, Physician, Catholic Mission Hospital, Panguma, Kailahun—Connected live from Kailahun, Dr. Wai will share with us his experience as a practicing physician at the epicenter of the Ebola outbreak
Mr. Amadu Masallay, Coordinator for Open Government Partnership (OGP), Government of Sierra Leone—From Maryland, Mr. Masallay will talk about government initiatives to engage the diaspora during the Ebola Campaign
Dr. Austin Demby, United States Center for Disease Control and Prevention (CDC), worked with late Dr. Sheik Umar Khan at the Kenema Ebola Treatment Center—from Washington, Dr. Demby will share with us his experience at the Kenema Treatment Center and CDC’s contribution to the Ebola containment effort
Mr. Kalilu Totangi, Director of Communication, the opposition Sierra Leone People’s Party (SLPP)—Mr. Totangi will describe the role of the opposition in working with the government to fight Ebola
Mr. Sidie Yayah Tunis, Spokesman, Ministry of Health, Sierra Leone—Connected live from Freetown, Sierra Leone, Mr. Tunis will share information about MOH’s Ebola Campaign efforts and answer your questions
We will also bring you recorded interviews of medical practitioners, ordinary Sierra Leoneans, local leaders and government authorities on the ground in Sierra Leone.
Representatives of the following organizations will be present to share information about their Ebola Campaign efforts:
“When a family member is sick and is tended at home, women cook and serve food to the sick, clean after them and wash their clothes,” said Suafiatu Tunis, a spokesperson for Community Response Group, a grass-roots initiative to combat Ebola in Sierra Leone and a leader of the Social Mobilization Committee on Ebola that reports to the National Task Force. “This role is extended to the medical field, where women are mostly nurses and cleaners at hospitals and do not get the same support and protection as doctors, who are predominantly men.”
PowerWomen 232 is a newly formed network for women professionals in Sierra Leone. The network aims to bring professional women together to promote career advancement, leadership development of women entrepreneurs and professionals in all fields through networking, professional development, leadership, social events and community service
Do something wonderful for Sierra Leone today, say ‘thank you’ to the frontline workers in our fight against Ebola
Let’s come together and fight Ebola together…because it is possible
Because it is possible to kick Ebola out of Sierra Leone.
Zainab Tunkara Clarkson a Community Response Group (CRG) member along with her community based group MurrayTong Pikin spent the day with 75 people from the Murray Town community to talk about Ebola. The educational session saw to the gathering of community police, representatives from community churches and mosques, market women and other business owners to gain a better understanding about Ebola and important preventative measures community members must take.
35 buckets and chlorine donated by the Murraytong Pikin group was given to participants to help support a responsive approach to taking preventative measures in light of the Ebola outbreak.
To the organisers and community members – thank you for listening, sharing, learning, growing and pushing for collective action to contain and end the Ebola Outbreak in Sierra Leone.
|
#-- copyright
# OpenProject is an open source project management software.
# Copyright (C) 2012-2020 the OpenProject GmbH
#
# This program is free software; you can redistribute it and/or
# modify it under the terms of the GNU General Public License version 3.
#
# OpenProject is a fork of ChiliProject, which is a fork of Redmine. The copyright follows:
# Copyright (C) 2006-2017 Jean-Philippe Lang
# Copyright (C) 2010-2013 the ChiliProject Team
#
# This program is free software; you can redistribute it and/or
# modify it under the terms of the GNU General Public License
# as published by the Free Software Foundation; either version 2
# of the License, or (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
#
# See docs/COPYRIGHT.rdoc for more details.
#++
require 'spec_helper'
describe Queries::WorkPackages::Filter::WatcherFilter, type: :model do
let(:user) { FactoryBot.build_stubbed(:user) }
it_behaves_like 'basic query filter' do
let(:type) { :list }
let(:class_key) { :watcher_id }
let(:principal_loader) do
loader = double('principal_loader')
allow(loader)
.to receive(:user_values)
.and_return([])
loader
end
before do
allow(Queries::WorkPackages::Filter::PrincipalLoader)
.to receive(:new)
.with(project)
.and_return(principal_loader)
end
describe '#available?' do
it 'is true if the user is logged in' do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return true
expect(instance).to be_available
end
it 'is true if the user is allowed to see watchers and if there are users' do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return false
allow(User)
.to receive_message_chain(:current, :allowed_to?)
.and_return true
allow(principal_loader)
.to receive(:user_values)
.and_return([user])
expect(instance).to be_available
end
it 'is false if the user is allowed to see watchers but there are no users' do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return false
allow(User)
.to receive_message_chain(:current, :allowed_to?)
.and_return true
allow(principal_loader)
.to receive(:user_values)
.and_return([])
expect(instance).to_not be_available
end
it 'is false if the user is not allowed to see watchers but there are users' do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return false
allow(User)
.to receive_message_chain(:current, :allowed_to?)
.and_return false
allow(principal_loader)
.to receive(:user_values)
.and_return([user])
expect(instance).to_not be_available
end
end
describe '#allowed_values' do
context 'contains the me value if the user is logged in' do
before do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return true
expect(instance.allowed_values)
.to match_array [[I18n.t(:label_me), 'me']]
end
end
context 'contains the user values loaded if the user is allowed to see them' do
before do
allow(User)
.to receive_message_chain(:current, :logged?)
.and_return true
allow(User)
.to receive_message_chain(:current, :allowed_to?)
.and_return true
allow(principal_loader)
.to receive(:user_values)
.and_return([user])
expect(instance.allowed_values)
.to match_array [[I18n.t(:label_me), 'me'],
[user.name, user.id.to_s]]
end
end
end
describe '#ar_object_filter?' do
it 'is true' do
expect(instance)
.to be_ar_object_filter
end
end
describe '#value_objects' do
let(:user1) { FactoryBot.build_stubbed(:user) }
before do
allow(Principal)
.to receive(:where)
.with(id: [user1.id.to_s])
.and_return([user1])
instance.values = [user1.id.to_s]
end
it 'returns an array of users' do
expect(instance.value_objects)
.to match_array([user1])
end
end
end
end
|
Obama: Don’t want ‘militarized’ police culture
NEDRA PICKLERDecember 2, 2014
WASHINGTON (AP) — President Barack Obama asked federal agencies on Monday for concrete recommendations to ensure the U.S. isn’t building a “militarized culture” within police departments, as he promoted the use of body cameras by police in the wake of the shooting of an unarmed black teen in Ferguson, Missouri.
With protests ongoing in Ferguson and across the country, Obama spoke to reporters at the end of a White House meeting with police, civil rights activists and local leaders and acknowledged the participants told him that there have been task forces in the past and “nothing happens.”
“Part of the reason this time will be different is because the president of the United States is deeply invested in making sure that this time is different,” Obama said.
Obama said he was upset to hear the young people in the meeting describe their experiences with police. “It violates my belief in what America can be to hear young people feeling marginalized and distrustful even after they’ve done everything right.”
At least for now, Obama is staying away from Ferguson in the wake of the uproar over a grand jury’s decision last week not to charge the police officer who fatally shot 18-year-old Michael Brown. Violent protests and looting erupted after the decision, resulting in at least a dozen commercial buildings being destroyed, despite Obama’s pleas for calm.
In tandem with the meeting, the White House announced it wants more police to wear cameras that capture their interactions with civilians. The cameras are part of a $263 million spending package to help police departments improve their community relations. Of the total, $74 million would be used to help pay for 50,000 of the small, lapel-mounted cameras to record police on the job, with state and local governments paying half the cost
Pushing back on concerns the task force would be all talk and no action, Obama said this situation was different because he was personally invested in ensuring results. He said young people attending the meeting had relayed stories about being marginalized in society and said those stories violate “my idea of who we are as a nation.
“In the two years I have remaining as president,” Obama said, “I’m going to make sure we follow through.”
U.S. Attorney General Eric Holder traveled to Atlanta Monday to meet with law enforcement and community leaders for the first in a series of regional meetings around the country. Obama asked Holder to set up the meetings in the wake of clashes between protesters and police in Ferguson.
Speaking at Ebenezer Baptist Church in Atlanta — the church where the Rev. Martin Luther King Jr. preached — Holder said that he will soon unveil long-planned Justice Department guidance aimed at ending racial profiling by federal law enforcement.
“This will institute rigorous new standards — and robust safeguards — to help end racial profiling, once and for all,” Holder said. “This new guidance will codify our commitment to the very highest standards of fair and effective policing.”
Holder’s meeting in Atlanta included a closed roundtable discussion with law enforcement and community leaders followed by a public interfaith service and community forum.
The selection of King’s church as the site for the meeting was significant. The most successful and enduring movements for change adhere to the principles of non-aggression and nonviolence that King preached, Holder said.
While the grand jury has made its decision, the Justice Department continues its investigation into the death of Brown and into allegations of unconstitutional policing patterns or practices by the Ferguson Police Department, Holder said to loud applause.
Holder, who plans to leave his Attorney Generalposition once a successor is confirmed, has identified civil rights as a cornerstone priority for the Justice Department and speaks frequently about what he calls inequities in the treatment of minorities in the criminal justice system. He has targeted sentences for nonviolent drug crimes that he says are overly harsh and disproportionately affect black defendants and has promoted alternatives to prison for non-violent offenders.
|
############################################################
# <bsn.cl fy=2013 v=none>
#
# Copyright 2013, 2014 BigSwitch Networks, Inc.
#
#
#
# </bsn.cl>
############################################################
ARCH := amd64
PACKAGE_NAMES=onlp-x86-64-accton-as7716-32x-r0
include ../../../../../make/debuild.mk
|
12 Reviews:
The platforming is relatively short and sweet. The last screen being my favourite, easy to easy-meduim long save. Where polaroid himself says he shines is 100% true in this game as well. The boss is an eyegasm worth the download. Check it out!
So this fangame is really good, plus its Polaroid so you expect that. Starts with a few stages of needle and a final avoidance. The needle is very cool and not too hard at the start so it can be a good beginner farm game if you love needle.
The avoidance is amazing and the best part of the game, song is really good and there are no stupid insta-gib attacks. As of the newer version, there is a easier version of the avoidance though I cannot say much about that mode because I have not played it.
|
Hailies dream is to become an actress and eminem says he doesnt want to treat Hailie the way his dad treated him. Eminems father Marshall Bruce Mathers II left Marshall and his mother when she was only 11 months old. "I feel like I'm on top of the world. I did right by my daughter," he said. "I didn't want to do the same things my father did to me."
This is Eminem and his daughter of course kissing! How cute!
That Hailie Jade Mathers was born on Christmas of 1995 is quite telling, as Eminem counts her as his biggest blessing in life. While Eminem may come across as and confrontational, in his private life he has a soft spot for his daughter. He has made numerous references in her in songs, including "97 Bonnie and Clyde," and he alos make not subtle mentions of his upset with Kim for keeping his daughter away from him
KIM-
Name: Kimberly Anne Scott
Age: 29
Place of Birth: Detroit, Michigan
Maritial Status: Divorced with 1 daughter with Eminem
Siblings: Twin sister Dawn Scott
Offspring: Hailie Jade Scott-7 & Whitney Hartter-1 year
Kim and Eminem are still friends even though they are finally divorced. Eminem and Hailie Jade lives together but when on tour Kim watched Hailie or her aunt does.
This is a mugshot of Kim.
Debbie
Name: Debborah Mathers
Age:47
Status: Eminem and Nathans mother
Has been married four times - John Briggs is the latest husband
Betty Kresin
Age: 63
Betty is Marshalls Grandmother. Betty took care of Em when Debbie was going through tough times.
Joshua Schmitt-
Age-15
Josh is Betty's child and eminem's cousin.
Whitney Scott
Age: 1
Kim and Eric Hartter had this beautiful budle of joy on August 18, 2002.
|
/*global doSweep */
$(document).ready(function() {
"use strict";
var arr = [20, 30, 44, 54, 55, 11, 78, 14, 13, 79, 12, 98];
doSweep("shellsortCON2", arr, 8);
});
|
Sailors whose courage kept supply routes open to the strategically vital island of Malta during the Second World War have been honoured with a lasting tribute.
Emotional British veterans have spoken of their pride at seeing the memorial to their bravery unveiled on Malta 70 years after their actions helped defeat fascism in Europe.
Sailors who faced savage air attacks en route to the Mediterranean island were honoured at a ceremony in the island's capital, Valletta, yesterday, Monday 13 August.
Malta's Prime Minister, Lawrence Gonzi, unveiled a large black anchor as a symbol of the courage shown by the islanders and the convoy, known to the Maltese as the 'Santa Marija Convoy', that delivered vital supplies. He said:
"On my behalf and on behalf of the Maltese people, I would like to thank the veterans here for their bravery which protected our island fortress in its darkest hours during the war."
The veterans - eight of the 100 still alive - were key players in Operation PEDESTAL, a dangerous wartime mission to relieve the starving people on the besieged island that were undergoing enemy bombardment.
More than 23,000 Royal Navy and merchant sailors sailed from Gibraltar during 11-15 August 1942 against an onslaught of 21 enemy submarines, 23 E-boats and 540 aircraft. More than 350 Service and merchantmen lost their lives.
In the operation, 14 merchant ships carrying supplies of aviation fuel and food were escorted by a Royal Navy fleet of four aircraft carriers, two battleships, 12 cruisers, 34 destroyers, submarines and Royal Fleet Auxiliary ships.
Only five of the original flotilla of merchant ships made it to Valletta - the most famous of which was the SS Ohio.
She had been bombed so heavily by enemy fighters that her back was broken and she was in danger of sinking. But she was supported into port by HMS Ledbury and HMS Penn on either side, with HMS Rye acting as a stabilser at the stern.
Despite the best efforts of the Italian and German attacks 30,000 tonnes of cargo reached the islanders, including aviation fuel for Spitfire aircraft based on the island. It sustained Malta for ten weeks and showed that the tide of the war in North Africa and the Mediterranean was not moving away from the Allies.
In 1942 John Suddaby from Warrington was a 19-year-old Petty Officer on the cruiser HMS Kenya, which was damaged when the engine room was bombed and caught fire.
Now 89, Mr Suddaby said: "Seeing the memorial means a lot in terms of what we went through, although it is very little in comparison to what the Maltese people here had to endure.
"At the time it was just something I was told to do - I didn't really realise the significance of it until afterwards but it was a tough couple of days.
Maltese pipers play at the dedication of the Memorial to the the Santa Marija Convoy in Valletta [Picture: Petty Officer Airman (Photographer) Gaz Armes, Crown Copyright/MOD 2012]
"I am extremely proud of what we did and it is important that it is remembered in this way."
Speaking at the ceremony in Valletta, the current First Sea Lord, Admiral Sir Mark Stanhope, said:
"We lost four warships, damaged five more, and out of 14 merchant ships only five got through - but they were a critical five and key to the survival of Malta.
"The Navy was at sea, in the air and under the sea, because it was vital we got these supplies through."
Admiral Stanhope also praised Malta for supporting Libyan-bound forces last year and thanked the island for providing use of its Grand Harbour, where the memorial anchor now sits. The location meant that NATO ships, including HMS Cumberland and York, could enforce the United Nations resolutions which were important to the outcome of the conflict.
He added:
"This visit was about making sure Malta feels valued for what it provided last year in support of operations off Libya. Their support was completely invaluable in that they provided berthing facilities and access to stores."
|
How to Find Cheap Calls to Bhutan from UK
How to find cheap and free calls to Bhutan
Below, you'll find several topics (and links to more topics) which provide useful information about using this website effectively for finding cheap or even free calls to Bhutan. From this page you will learn how to navigate the website searching for cheap access numbers to Bhutan, inclusive 0845 and 0870 access numbers for making free calls, what the information in table columns means. A short video tutorial on this page demonstrates the information visually.
How to find cheap calls to Bhutan using this website
This is a comparison site for cheap calls to Bhutan and over 300 other destinations. It presents the cheapest way to call Bhutan mobile or landline number, or indeed any number in any world destination (including some satellite phone numbers), by showing access numbers and the price of a call per minute. There are several ways to find the appropriate access number for Bhutan:
All the destinations are listed in alphabetical order in a clearly presented table, where Bhutan can be found by simply scrolling down the page.
There is a search icon in the header of the main page (right hand side) and the text field which is revealed by clickinh on the icon. By typing any part of Bhutan in the text field, you can filter-in all destinations that match the typed text.
Please view the video below that shows how to find cheapest calls to Bhutan. When you find Bhutan in the table on the Call Rates Scanner main page, you will see the cheapest reliable access number and the rate charged per minute. Note, this is not necessarily the cheapest access number to Bhutan, but this is the cheapest access number which is from a reliable low cost calls provider, i.e. the call has a good audio quality and fresh and reliable information (see help section Cheap calls table on Bhutan Page, below the video, for detailed explanation of various aspects of provider's reliability). If you wish to see alternative access numbers to Bhutan, then click on expand button, expand_more, in the left hand side of the row. The row will expand with 5 alternative access numbers to Bhutan plus a link to see all 78 access numbers to Bhutan, which looks like this, more_horiz. By clicking on the latter you will be taken to the page with all cheap calls to Bhutan, including information about the call quality for each provider that offers service to Bhutan. Please see a short how-to video tutorial for a demonstration.
Note that some of the navigation, look and feel of the website in the video, may be different to the current state of the website. We're constantly trying to improve the content, navigation and appearance.
Cheap calls table on Bhutan Page
The call rates in the tables on Bhutan page are listed in the order of cheapest provider first. All access numbers, and their respective call rates, on the page are for cheap calls to Bhutan. You can switch between landline rates and mobile rates in the page header. You don't need to browse through numerous providers' web sites to get up to date call rates and access numbers to Bhutan, they are all listed on this page. A brief help text in the header of the table explains the meaning of each column. Below is the detailed explanation about the information in each column of the table:
Access Number - the number to dial before calling Bhutan. There is no subscription or pin code to enter, when you dial the access number. Just dial access number, wait for the prompt and then dial the phone number in Bhutan. For instructions on how to make a cheap international call to Bhutan please refer to the section below, on this page. The information about how to dial a number in Bhutan using access numbers is available in help section, How to make a cheap call to Bhutan.
Price p/min - price of the call (pence per minute) for an access number to call Bhutan. Each access number has a different call rate. Note that this is only a service charge of the price. Your phone line is charged this amount per minute, when you make a call to this access number, plus an access charge or, as it is sometimes called, connection charge. You begin to be charged the moment you make a call to the access number and not when someone picks up the phone on the other end. The connection charge is what your line provider charges you in addition to the price stated in the table. The connection charge varies with phone provider. For more information on call charges please refer to help section, Call charges for access number to call Bhutan.
Call Quality % - the quality of the sound for the given access number (and thus given provider of cheap calls). 100% represents perfect quality, whereas 0% means nothing can be heard. Please note that this information is not updated daily, unlike access numbers and prices for calls to Bhutan. We only used a random subset of access numbers and destinations for each provider, in order to establish the sound quality of the call, due to the limited resources that Call Rates Scanner has at its disposal. If you found that the sound quality for a specific provider is different from that stated here, please let us know, stating which destination you called and which provider and access number you used. Our contact details can be found in Contact section.
Call OHD sec - the time overhead of the call in seconds. This is a average combined time that the caller has to wait before actually speaking to someone on the other end. This is the time for which you pay whilst not actually talking to anyone. This is the time you waste before dialing the actual number in Bhutan plus the time you wait for the phone to ring on the other end. For more information on call charges please refer to Call charges for access number to call Bhutan. Please note that this information is not updated daily, and only a handful of access numbers and destinations were checked for each provider. This is due to the limited resources that Call Rates Scanner has at its disposal. If you found that the wait times (overheads) for a specific provider is vastly different from what is stated here, please let us know, stating which destination (i.e. Bhutan) you dialed and which provider and access number you used. Our contact details can be found in Contact section.
Data Verity % - the accuracy of information about access numbers and pricing on the provider's website or other provider's sources. For example, if the data about access numbers is out of date or inaccurate, then you may end up paying for the calls that are doomed to fail. This usually happens when the information on the website is updated much later than access numbers themselves. Normally, when you call outdated access number, you will hear an automated message with new a valid access number for Bhutan, but only after you have made the call to the number in Bhutan via the old access number, which means that you have already been charged for a minute or two plus the connection charge. The smaller the value in this column, the more likely you are to waste time and money due to invalid access numbers being advertised. Please note that data verity is not updated daily and is based on historical occurrences of provider's stale or incorrect data - it indicates provider's past performance of keeping the data fresh. It is also possible that some providers are caught more than others, due to the limited resources that are available to us. If you found that the freshness of information that a specific provider offers is different from what is indicated here, please tell us, stating which destination you called and which provider and access number you used. Please refer to Contact on how to contact Call Rates Scanner.
Provider - the name of the cheap calls provider. The provider owns the access numbers and draws the revenue from service charge part of the price (the price, stated in the comparison tables on Call Rates Scanner pages). We do not list url links to the websites of providers compared. If you are one of the listed providers and wish for the link to your website to appear on Call Rates Scanner pages, please contact us. Please refer to Contact page on how to contact Call Rates Scanner.
How to find free calls to Bhutan with inclusive minutes to 0845, 0870 numbers
You may be able to call Bhutan absolutely free of charge. No service charges to pay, no connection charges to pay - zero cost in total. Some of the access numbers start with 0845 or 0870 and can cost anything between local rate to 15 pence per minute. However, if you have inclusive minutes package to 0845 and 0870 numbers then your calls to Bhutan are very likely to be free (please read about cost of inclusive calls and caveats in help section How free are inclusive minutes to 0845, 0870 access numbers to call Bhutan). If you have a valid package with inclusive calls, then you would want to see those inclusive access numbers to Bhutan at the top of the search, priced as 0.0p/min, because that's what they cost to you. You can do this by clicking on Optimise search for inclusive calls to 01, 02, 03 numbers or 01, 02, 03, 0845, 0870 numbers. located in the top left corner menu and in the text above the rates table on Bhutan page.
Select inclusive calls mode, as explained in the paragraph above. The selected mode will be shown at the footer of the page next to all_inclusive icon.
Pick most reliable free access number (priced as 0.0p). If you don't find any free access numbers on All Destinations page, then there are no access numbers available for calls to Bhutan that match your inclusive calls package. There will not be any free calls available on Bhutan page either.
When you select one of the inclusive calls mode adjustment options in the menu, the search will be optimised for that call package, either inclusive minutes to 01, 02, 03 numbers or inclusive minutes to 01, 02, 03, 0845, 0870 numbers respectively. This action will reprice all access numbers to Bhutan, which are included in your package, to be 0.0p/min. This means that calls to those numbers are completely free, subject to fair usage as defined by your landline provider (please also see a general help section Inclusive calls explained. for more detail). Usually, you will not be paying either access charge or service charge. So, by optimising the search according to your calling plan (or call package) on this website you will be presented with prices for calls to Bhutan that are true to your circumstances. Note that this optimisation setting works on both, All Destinations page and Bhutan page. To navigate from All Destinations page to Bhutan page, please expand Bhutan row on the main page then, click on more_horiz at the bottom of the expanded Bhutan row).
|
module network {
export class PlayCardsResolver extends IResolver{
public constructor() {
super();
}
/**
* 发送消息封包
*/
protected Package(data:any):any{
let event = {
action:131,
data:data
};
event = data;
return event;
}
/**
* 接收消息解包
*/
protected Parse(data:any){
return data;
}
}
}
|
“People with low or moderate incomes do not get the same medical attention as those with high incomes. The poor have more sickness, but they get less medical care,” so said the president of the United States in a message to Congress.
No, that wasn’t President Donald Trump in 2020. It was President Harry Truman in 1945, laying out his plan for a national health insurance program and starting a debate that continues today, more than 70 years later. Shortly after Truman’s proposal, Republicans gained control of Congress and, along with the powerful American Medical Association, quashed any prospects of national health insurance.
President Dwight Eisenhower provided tax credits to businesses that offered insurance to their employees. This corporate welfare, sending taxpayer money to private insurance companies, laid the foundation for the current system.
President John F. Kennedy pushed for single-payer health insurance for older Americans, but, again, the AMA defeated it. In a 1961 debate between United Auto Workers union president Walter Reuther and Dr. Edward Annis, a spokesman for the AMA, Annis argued: “This, sir, is socialism, whenever the government provides for the people, whether they need it or not, and it calls the terms under which this provision is made. This is socialism.”
President Lyndon B. Johnson won a landslide victory over Republican Barry Goldwater in 1964. His electoral mandate enabled him to push through legislation creating Medicare and Medicaid.
Johnson signed the bill in Truman’s home in Independence, Missouri, and less than a year later he hand-delivered the first two Medicare member cards to President Truman and his wife, Bess. Medicare and Medicaid have proven to be among the most successful and popular government programs in U.S. history.
Which brings us to today. Central to the Democratic party’s pitched presidential nomination battle is single-payer health care, also known as “Medicare for All.”
Of the candidates remaining in the race, both Sens. Bernie Sanders and Elizabeth Warren support Medicare for All. In the simplest terms, this would remove the eligibility age for Medicare, currently 65 years and older, making the benefits available to all.
Most other candidates support an expansion of the Affordable Care Act, or Obamacare, while ex-Mayor Pete Buttigieg is promoting a hybrid, “Medicare for All Who Want It” plan.
When Sanders says, “I wrote the damn bill,” he’s referring to S. 1129, the Medicare for All Act of 2019. Warren is among 14 Senate Democrats who have co-sponsored the bill. Medicare for All would cover all residents of the U.S., including undocumented immigrants, from cradle to grave.
The medical journal The Lancet recently published an analysis of the bill from the Yale School of Public Health, describing the enormous savings and improved care that would result if enacted. The Yale study found that Medicare for All would save $450 billion annually, from current costs of just over $3 trillion (that’s trillion with a ‘T’).
Improved health care delivery would also save the lives of an estimated 68,000 people per year, people who die simply because they can’t afford to see a doctor.
In addition to costing less, overall health outcomes would improve, most notably for the 38 million currently uninsured people, and the additional 41 million people who are “underinsured,” prevented from accessing their insurance because of deductibles, co-pays, out-of-pocket expenses and so-called out of network costs.
Sanders is constantly asked on the debate stages if he would have to raise taxes to fund Medicare for All, then he’s denied enough time to provide a complete answer. As the Yale study explains, taxes would go up, primarily for the richest 1% of the population. But overall health care costs would go down. Individuals, families and employers would never have to pay a health insurance premium again. Co-pays, deductibles and other costs would be eliminated.
Single-payer health care would essentially put the U.S.’s for-profit health insurance corporations out of business, cutting hundreds of billions of dollars in wasteful overhead and profit-taking. It would also allow the U.S. government to negotiate pharmaceutical costs, which it currently is legally barred from doing, saving tens or hundreds of billions more.
The Kaiser Family Foundation recently released results of national polling on single-payer health care, which found that more than half of Americans support such a plan. Among Democrats, the support jumps to 87%.
The United States health care system currently costs twice as much per capita as any other industrialized country. Yet, health outcomes are worse, with the U.S. ranking lower than over 30 other countries, with higher rates of infant mortality and lower life expectancy.
From Canada to Costa Rica, universal health care is a reality. Perhaps when the reality TV show of the U.S. presidential election is over, sensible national health policy can become a reality here, too.
|
Holiday campaign 2016
"We are fully committed to serving society," says Tebis AG Chairman of the Board Bernhard Rindfleisch. "Our guidelines are based on a set of values that focuses on community." Tebis creates secure jobs for its employees and ensures a healthy work/life balance. Tebis also fulfills its social responsibility outside of the workplace. The company is involved in social and cultural activities, encourages the personal commitment of its employees and, at least once a year, supports regional and international projects.
Since 1996, the Mitternachtsbus of the Hamburg Diakonie (social welfare organization) has cared for more than 1,000 homeless persons living in Hamburg. Every night, a team of volunteers travels a fixed route through Hamburg, serving as a mobile contact point and providing the homeless with hot drinks and food as well as warm clothing and blankets. The Mitternachtsbus volunteers not only provide essential supplies, but also contact and care for their fellow human beings. Street social workers regularly accompany individual runs of the Mitternachtsbus, offering their professional help. The Mitternachtsbus is financed entirely by donations. Tebis AG has assumed the costs for an urgently needed repair to the vehicle and also donated additional funds for purchasing tires.
Newsletter
Register for the Tebis newsletter and stay up to date.
Seminars
Project management basics
The faster markets change and the more complex customer requirements become, the more important solid project management is for small and medium-sized companies. Only those who can process orders as efficiently as possible can…
Success story
Tebis process solutions at Volkswagen
OEMs worldwide use software and process solutions from Tebis. For example, Volkswagen: What started in Wolfsburg, Germany, in 1992 with 3D surface machining is now an MES- controlled multi-shift manufacturing process in which…
|
Impressive: The Wolfram Alpha “Fact Engine”
Much attention has been focused on the forthcoming Wolfram Alpha search service. Will it be as important as Google has become? Perhaps! A new search paradigm? Yes! Or at least a new way of gathering information. A Google-killer? Nope! But when the service launches, it should become an essential in anyone’s search tool kit.
Wolfram Alpha is backed by Stephen Wolfram, the noted scientist and author behind the Mathematica computational software and the book, A New Kind Of Science. The service bills itself as a “computational knowledge engine,” which is a mouthful. I’d call it a “fact search engine” or perhaps an “answer search engine,” a term that’s been used in the past for services designed to provide you with direct answers, rather than point you at pages that in turn may hold those answers.
Earlier this week, I talked with Stephen to understand how the service works. Below, my look.
Amazing Stats, At Your Fingertips
Do a search on Wolfram Alpha, and if it has matching data, it presents a ton of information on a single page, from figures to charts. For example, a search for “newport beach” not only shows the current temperature and forecast but also provides easy access to historical temperatures, which also get charted:
Want to know how popular the name Daniel is in the United States over time and how many people are currently estimated to be alive with that name, plus their ages? Wolfram Alpha can do that, too — though I wasn’t quick enough to screenshot that example during the demo. We moved fast! But over at Read Write Web, See Wolfram Alpha in Action: Our Screenshots has more examples you can view.
Where’s all this information coming from? Unlike Google or a traditional search engine, Wolfram Alpha isn’t crawling the web and “scraping” information, a process where you try to extract data from a web page. Instead, it’s working with a variety of providers to gather public and private information. More important, it then uses a staff of over 150 people to ensure the information is clean and tagged in a way that Wolfram Alpha can present.
For example, many government agencies publish statistical information, such as the housing starts data I mentioned above. Wolfram Alpha obtains this data, which gets incorporated into the overall database people search against.
There’s no great magic here in dealing with a single set of data. Anyone could download data on housing starts, open the information in a spreadsheet like Excel and produce tables and charts. Where Wolfram Alpha amazes is by having a huge collection of statistics and other facts that, at least in the demo I viewed, can quickly be searched through and displayed with the ease and speed of doing a regular web search.
In some ways, this is like a Holy Grail that any number of “invisible web” search engines have chased over the years, the ability to look inside data sources that can’t easily be crawled and provide answers from them. Wolfram Alpha succeeds because unlike with those past attempts, it has produced its own centralized repository of these answers and stats.
If a traditional search engine is like a giant “book of the web,” with copies of all the pages that it has found stored in a searchable index, then Wolfram Alpha is a like a giant encyclopedia of statistics and facts — or a CIA Fact Book — or a World Almanac. It’s brimming with facts and figures.
Much of the information, once entered, doesn’t need updating. However, some facts and figures change. Pluto, once a planet, is now a dwarf planet. When to refresh the data is another challenge for the system. But the company is working to figure out what information needs to be regularly revisited. Wolfram noted that a new moon of Saturn had just been discovered, “so someone is dutifully adding the information,” he told me.
Another challenge is that some of the information gathered might be wrong. In some cases, Wolfram Alpha might try to average data (and point this out through in the source notations that all pages carry).
“We might still get it wrong because the underlying sources get it wrong or something that our implicit model gets wrong. But there’s the trail of where did the numbers came from,” he said.
In other cases, they’re in a unique position to spot if some data regularly accepted might not be up to snuff.
“Sometimes there will be data that’s incredibly wrong, ” Wolfram said, giving an example of a lake database with latitude and longitude coordinates that, when Wolfram Alpha plotted it against a map, turned up some surprises.
“Someone did the obvious test and plotted the lakes and found lots of them in the middle of oceans. Things that people have never checked, as we start to do visualization and analysis, it’s remarkable how often we find things that were obviously wrong but not noticed before because they were in printed form or not looked at in aggregate,” he said.
Gaps In The Knowledge Base
Wolfram Alpha has limitations, of course. There are plenty of statistics it doesn’t have. For example, one query it couldn’t do was how the size of search engines have changed over time. There are no official sources for this information, especially since the major search engines stopped putting out such figures. And as it doesn’t crawl the web, it doesn’t know of historic figures that I and others have published.
Search engine popularity figures posed a similar challenge. These are regularly provided by at least four different metrics firms, but Wolfram Alpha doesn’t have that data.
Some of this will change. The company is actively working to expand the data sources it contains, and it invites those with information to contribute data and their knowledge expertise.
Some questions it’s unlikely to ever answer. Want to know how Google works? There’s no published formula for this; no set of verified facts about it. Any answer to that takes a more narrative form, and even then, it’s largely subjective based on what various authors might think. The more subjective the query, the less likely Wolfram Alpha will have an answer.
“We’ll never be able to compute some personal detail of somebody’s life, but you can search for it with a traditional search engine,” Wolfram said.
This is why it won’t be a Google-killer, but more on that, further down.
Disambiguating Queries
Any search engines faces the “disambiguation” challenge, figuring out what someone is after when a word can have multiple meanings. Did “apple” mean the fruit or the computer company, for example.
Search engines traditionally use related search options to assist users. In addition, they rely on the fact that by presenting up to 10 different listings per page, they have multiple chances of guessing at the query intent correctly.
Wolfram Alpha, by having a single answer page, doesn’t get such chances. So to help, it makes its best guess at what particular meaning it thinks a word has and presents options to get other answers, based on other definitions. For example with “apple,” it defaults to the “financial entity” term but suggests there’s also:
a species specification
a spacecraft
a general material
a food
It then allows the user to change their answer based on those:
Wolfram says a huge amount of work has gone into having human editors develop the classification schemes. These are used for more than helping searches select the right definitions for their searches. They also allow the service to know how to automatically blend answers from different data sources into a single page.
For instance, Wolfram Alpha has lots of information from different sources about foods. It has lots of information from different sources about financial data. When a search is done for Apple, and it knows someone means Apple the computer company, it uses this tagging or classification to pull relevant data only out of financial databases, to create an Apple page on the fly. Food information is not used — otherwise, you’d have an odd page where along with a financial chart for the company, you might also get nutrition information for the fruit.
The service also makes use of IP data to help disambiguate. If by using your IP address, it knows you’re near a particular city, then it will use that along with other factors to decide which “city” data to show you in the case of multiple cities with the same name. A “city fame index” is also used.
Computing Knowledge
Just providing easy access and amazing display of data might be enough of an achievement, but Wolfram Alpha goes a step beyond by allowing for sets of data to be calculated against each other. Want to divide the GDP of France and Italy? You can do that by simply entering “gdp of france / italy.” Or in another example they’ve shown, you could divide GDP by the length of railway in Europe.
Some of this feels like cool parlor tricks. Enter 13.56 billion years ago, and you get a page of various stats that Wolfram Alpha thinks might be interesting. They will be to some, but perhaps more in the way that when Google Maps came out, many people cruised the satellite views out of curiosity rather than to solve some immediate need. A query like “uncle’s uncle’s grandson’s grandson” is used as an example of how a family tree can be generated — also interesting for the “wow factor” but not really a query that many would ever do in real life.
While many of the demo queries may feel like ways Wolfram Alpha is being put through its paces, rather than reflecting real life queries, I’m pretty confident we will see some amazing uses of its calculating abilities. As Twitter cofounder Biz Stone recently called Twitter “the messaging service we didn’t know we needed until we had it.” Similarly, Wolfram Alpha may become the search service we didn’t know we needed — and in particular, the search service we may use in ways completely unexpected from what anyone is envisioning.
Complimentary To Google, Not Competitive
Sound amazing? As I’ve said before, I’m pretty jaded about search. Any number of would-be Google-killers have come and gone without gaining traction.
Wolfram’s specific that the service isn’t aiming to be a Google-killer or even considers it a traditional search engine that competes.
“We are not a search engine. No searching is involved here,” he said. “The types of things that people are currently searching for have some overlap [with Google], but it isn’t huge. What’s exciting is that we have a whole new class of things that people can put into a input field and have it tell them what it knows.”
While I think technically that Wolfram Alpha will be pretty amazing — and indeed a huge new significant tool that people should consider — it will still face a hefty awareness challenge. It remains a specialized search tool, and general searchers — which are among those Wolfram Alpha is targeting — typically do not go directly to such tools.
For reasons I’ve never seen fully researched or explained, people simply do not go to specialty search tools in mass numbers. Even at Google, the percentage of people going directly to its image or local search services is appallingly small, which has why it has made such an effort with universal search & blended results.
Another challenge is that some of what Wolfram Alpha does can be done VIA Google — emphasis on the VIA part, as I’ll explain.
For example, want a list of words that end -aq? Wolfram Alpha can show you them, but a search on Google quickly brings up a page in the top results that has them as well. Want the weather in Newport Beach? Google (and others) provides a direct display with links to deeper information. For many searches, this will still keep Google as a first port of call. Even though Wolfram Alpha directly displays answers, the Google Habit will remain strong, and they’ll likely be happy enough that Google points them in the right direction. And unlike Wikipedia, Wolfram Alpha likely won’t get a chance to rank in Google’s own results. There’s no set number of pages that Google can crawl, though it will be interesting to see if some pages start getting listed if people link to specific searches (if someone links to a Wolfram Alpha search request, that might generate a page that Google and other search engines can read).
Wolfram Alpha’s edge may be that it’s a unique repository of general knowledge that imitates a search engine (unlike Wikipedia, which has no search engine feel). Of course, the killer combination would be for Wolfram Alpha to be partnered with a major search engine. It’s something Wolfram said is being considered, though there are no formal discussions at the moment. The focus is really getting the service opened to the public and seeing how the initial reaction goes.
“We hope to be a high quality source, a quotable resource, in many cases,” Wolfram said.
Google, of course, just rolled out public data search, allowing people to chart out unemployment and population data in the United States (while this seems like a spoiler to Wolfram Alpha, Google’s since told me the exact timing was completely coincidental and even moved at the last minute due to the birth of a child of someone on the team).
While the launch during Wolfram Alpha’s public demo may have been coincidental, there’s no mistake that Google thinks searching through structured data and databases is important. The company told me it will continue to expand the data it offers, especially based on the type of queries it sees that would most benefit from it.
Still, at the moment, Google has nothing like the number of human editors (“curators,” Wolfram Alpha calls them) involved to build such a centralized database. The Big G can’t be written off, and if it decides that Wolfram Alpha really is drawing away people it needs, I’d expect it to build rapidly to compete. But Wolfram’s coming out with a big head start.
Aiming For Profits
When it goes live, Wolfram Alpha hopes to pay for itself in two ways. The right-side of pages — the “right-rail” in search engine vernacular — will carry sponsorships. Some deals for these are already in place for when the site goes live, though Wolfram didn’t reveal which companies will show there. Unlike traditional search ads, these don’t appear to be cost-per-click driven. Certainly no self-serve AdWords-like system appears in the works.
There will also be a corporate version eventually, which will allow users to do queries that involve heavy amounts of computation, to upload their own data in bulk or download data sets. The company also envisions licensing out private versions of the service and is still planning other offerings.
Will this all make the service eventually profitable?
“I hope it will be. I’ve invested quite a lot of money in it, as you can guess. I certainly hope to make that money back, otherwise it is a very grand piece of philanthropy on my part,” Wolfram said, with a chuckle.
As for the business issues still to be determined?
“I’m one of those people who doesn’t go for, ‘Let’s make an absolutely precise business plan’,” Wolfram said.
About That Name…
I’ve seen a fair amount of criticism that “Wolfram Alpha” doesn’t come along as a catchy name that will resonate with general searchers. Certainly, I find it a bit clunky. Is that really going to be the final name?
“Whether this ends up being Wolfram Alpha or overtaking our Wolfram.com site, that’s a subject of great internal debate at our company. We were keen to make sure this product is associated with our brand. Worst case, if we never figure out a business model at all, it’s great example of what the technology we have built can do. Our corporate name is as good a nonsense word as any Web 2.0 word,” he said.
Commenting further, he added about the “Alpha” part:
“There’s a bit of this being the first of something and a bit of humility that’s just the beginning of what I expect will be a very long term project. This is basically my third large project in life.”
When Can We Play?
Ready to try Wolfram Alpha out? The service is set to launch this month, though an exact data hasn’t been set.
New search services notoriously get overwhelmed by traffic when they debut, and I have no doubt Wolfram Alpha will get swamped with visitors. Given that it is so processor-intensive — that no pages are cached, which helps with load — I wouldn’t be surprised to see it go up-and-down in the first week it’s out. But the company feels confident that when it goes live, it’ll stay up consistently, based on load test it’s doing.
When it does go live, check it out. As said, it won’t be a replacement for Google or a traditional search engine. But it looks like a promising new resource to gather all types of answers.
|
Bahama Sands Luxury Condominiums
Categories
Oceana Resorts represents the best of Myrtle Beach. Choose from nine terrific hotels and resorts with oceanfront views or one marina property view for your next golf outing, family vacation, spa getaway, wedding or special event in sunny Myrtle Beach, South Carolina. Oceana Resorts - Your Place in the Fun.®
|
Det første man ser når man ankommer Rena, er vanligvis den lokale jernbanestasjonen!Perhaps it’s not considered very nice to say that there is nothing special about the place called ‘Rena’? No doubt, the people, whom have chosen to live there, thrive?!
And when I, living far away, still chose to present you with pictures from just the settlement of Rena, it’s for a reason: I’ve lived there! Ages ago!
When I first time arrived at the Rena Railwaystation I was a desperately frightend
little boy 5 years old! Refugee in my own country! The year was 1942 and Norway was occupied by German forces!
The first one normally see arriving Rena is the railwaystation.Så langt jeg kan erindre var det ingen tyske soldater å se i noen retning da jeg (og andre)m ble stablet inn i noen gamle lastebiler og kjørt opp i åsene rundt Rena. Det skulle gå mange år før jeg igjen kunne ta toget hjem!
As far as I recall, there were no German soldiers to be seen upon my arrival, and we were loaded upon some old lorries and brought up into the hills surrounding ‘Rena’. There would be many years before I once more could take the train home!Idag nærmet jeg meg Rena nordfra og stoppet kort på ‘Østerdalen Hotell’ som ligger bare en snau kilometer utenfor Rena.
Today I was approaching the settlement of ‘Rena’ from the North and made a short stop at the Oesterdalen Hotell which is located only a ‘small mile’ North of ‘Rena’.Her ankommer jeg fra nord på ‘Koppangveien’ som her skifter navn til ‘Tollef Kildes gt’ og blir samtidig hovedgaten gjennom Rena Sentrum.
Rena er forøvrig administrassjonssenteret i Åmot kommune og man regner at det i selve tettstedet ‘Rena’ bor ca 2 200 mennesker!
Here I’m arriving from the North on the ‘Koppang Rd.’ which, by the way, here changes name to ‘Tollef Kildes street’ and becomes the main road through the settlement of ‘Rena’. Rena is, by the way. the administration center of the municipality of Aamot, and the population of ‘Rema’ itself is approximately 2 200 people.Siden jeg sist var på Rena har man bygget en ganske stor Teknisk Høyskole på bredden av Prestsjøen!
Since I visited Rena last time, there has been built a Techical College on the banks of
‘Lake Prestjoen’!Her et lite panoramabilde utover Prestsjøen. Her er det også et visst badeliv gjennom sommeren.
And what do you know! Here is my old school from 1943/44 – still in active use 72 years later! If I remember the name of my teacher? I’m sorry, but no! My memory isn’t what it once used to be! (Sorry!)Tvers over veien er det bygget moderne forretningsbygg, men spør meg ikke hva som engang lå der. Det husker ikke en gammel mann!
Perhaps someone is wondering where all the people and cars are? And ‘yes’ it’s incredibly quiet here! The explanation was that this was the afternoon before the start of the annual event: ‘Birkebeiner’n’!
‘Birkebeiner’n’ is a real challenge where most everybody have the chance to prove their physical strength and endurance. On mountain bikes this year 9000 people started out across the mountain on a gruelling trip of 86 km (It used to be 92 km) and an accumulated elevation/meters of 1450 metres arriving at the Haakons Hall at the City of Lillehammer in the valley of Gudbrandsdal. some 3 hours later!Som dere ser befinner jeg meg omtrent der løpet skal starte imorgen?! Over hustaket ser dere et kirkspir? Jeg nevner dette spesielt fordi denne kirken ligger ganske sentralt i sentrum av Rena og dukker dermed opp på mange bilder etter hvert. Det gjør det mulig å orientere seg litt bedre?
As you may see, I’m just about where they’ll be starting tomorrow? Please observe the church in the back. This church is centrally located in Rena, thus it’s goin to be visible on a number of pictures and will provide you with a position that will make it a bit easier to understand where you are.Lenger nede i gaten ser dere en bensinstasjon, men hvis dere tror man selger bensin på Rena for 2 – 4 kroner literen, så tar dere feil! Faktum er at prisene var kr 12,90 og kr 14,70 🙂 Det er bare slik at teknologien som viser priser egentlig skifter kontinuerlig, men så raskt at det menneskelige øye aldri oppdager det. Men mitt kamera er altså enda raskere!
Down the street you may see a gasoline station, but – don’t for a moment believe that gasoline is sold at Rena for 2 – 4 kroner /litres. You’d be mistaken! The fact is that our gasoline prices for the day was NOK 12,90 and NOK 14,70 !
The explantation is that the technology showing prices kind of flutters, but so fast that the human eye can’t catch on. My camera, however, is far quicker yet!Dette er altså Åmot Kirke i Rena sentrum! Og i 1943/43 besøkte jeg denne kirken i forbindelse med julehelgen. Noen glimt har øyensynlig festet seg for jeg kunne ikke påvise særlige forandringer. Kirken ble bygget i tømmer i 1901 og har plass til 600 mennesker!
This is the Aamot Church in the centrum of the settlement of Rena! I used to visit this church in connection with Christmas celebrations in 1942-44 and some impressions must have stuck with me? I couldn’t see much changes today?!
The church was built in timber back in 1901 and seats 600 people!En takk til Else Berit som åpnet noen dører som ellers hadde forblitt lukket!
A ‘thank you’ to Else Berit who saw to it that doors were opened that would otherwise remained closed.
A local artist and wood carver – Ragnar Nysaether – had a smal exhibition in the church.
I recommend that you click the picture into full screen and study the details of his work!Dette er brannstasjonen! Nja, ikke dagens, naturligvis, men den fungerte faktisk i 1943!!!
This is the Firestation! Well, not of today, of course, but it did serve as a firestation back in 1943!Dette er en relativt ny forretningsgård i dagens ‘Rena’.
This is a relatively new business building in Rena of today.Og her ligger det lokale trenings-senteret.
And here is the local fitness center.
En hyllest til ‘Birkebeineren’ som også gjennomføres på ski hver vinter!
A tribute to the event ‘Birkebeineren’ which is also an arrangement on skies every
winter.
Another relatively new business building. Actually there aren’t too many buildings that may be dated back to the 40thies, but there are some . . .Her er kontorene til den lokale Sparebank 1 i Hedmark.
Here is the office of the local bank: Sparebank 1 in Hedmark.Dette er det nye kultur-senteret i Rena!
This is the new cultural center in Rena.Litt tilbaketrukket fra det daglige trafikkbildet finner vi Ryslingmoen Alders- og Sykehjem.
Then there was the gasoline station again, but this time from an all together different angle, and this time my camera has frozen the prices at the exact correct time.I gamle dager var dette en av stedets ‘nøkkelbedrifter’: ‘Rena Carton AS’ ble startet tidlig på 1900-tallet, men ble permanent nedlagt i 1998 etter nesten 100 års drift!
In the old days this used top be one of Renas ‘corner stone businesses’: Rena Carton Ltd.
It was initiated very early in the 1900’s and permanently closed down nearly a hundred years later in 1998!Hvor det en gang var store fabrikkbygninger, skyter det i dag opp moderne boligblokker med utsikt mot elven ‘Glomma’.
All that is left from the old industry site is the tall chimney which may be seen at a long distance away.Hvis jeg husker korrekt så rommer disse husene såkalte ‘student-hybler’?
If I remember correctly, this building include so called ‘studenet dwellings’?Et gatebilde fra Rena –
A street picture from Rena –Og ett til!
And another!Rampa Pub, Rena. Jeg tror dette er ett av de eldre husene i Rena som engang hadde en helt annen funksjon?
The Rampa Pub, Rena. I believe this is one of the old houses that once had an all together different function in this society?
This is an apartment building – relatively new at Rena, but – we are also very close to the railway station where our trip started out, but I gues tghat most of you by now has a solid impression of Rena as a settlement? So I’ll conclude and just thank you for your company.
(Compliments of SRB)
Well, as you might imagine: Not the busiest place on ‘Mother Earth’! 🙂
After all, there are only approximately 2 200 people living in Rena itself and during daytime most people are at school or tending to a job.
|
Brisbane Marketing appoints new Convention Bureau GM
Juliet Alabaster has been appointed General Manager of the Brisbane Convention Bureau, bringing a wealth of knowledge and experience within the conventions and business events industry.
Brisbane Marketing CEO Brett Fraser said he was delighted to appoint Ms Alabaster to the position which sits within the leadership team of the city’s economic development board.
“Juliet has become an integral figure at Brisbane Marketing and within the broader conventions industry, and this role will enable her to contribute even further in this space,” Mr Fraser said.
“As General Manager of the Convention Bureau, Juliet will lead research, business development, bidding, convention promotion and membership of the Convention Bureau.
“This is a very deserving appointment – Juliet has been applying her extensive experience in the conventions and business events industry since she joined Brisbane Marketing in 2008.
“Juliet progressed rapidly to her most recent role of Senior Manager, Bidding & Business Development prior to stepping up to the role of Acting General Manager, Convention Bureau.
“Her knowledge of the conventions and business events industry is second to none, leading major bid wins and new strategic programs, such as the recently launched Lord Mayor’s Convention Trailblazer Grant.”
Mr Fraser also announced the Bureau’s former General Manager, Rob Nelson had been appointed as Chief Operating Officer of Brisbane Marketing.
“Rob led the Convention Bureau to attract an increased number of conventions and business events that has delivered significant economic impact for Brisbane,” Mr Fraser said.
“Having laid the foundation for the Bureau’s new direction, including its foray into the incentives market, Rob demonstrated his outstanding leadership and became a pivotal member of the organisation’s senior leadership team.
“As Chief Operating Officer, Rob will be responsible for driving the performance of the business development business units: Investment Attraction; Industry Development; Conventions & Business Events; Precinct Development; and Tourism & Major Events.”
Subscribe to our mailing list to get the updates!
MIM Section
Marcel's Blog
About Us
Supported by the Union of International Associations (UIA), the International Association of Professional Congress Organisers (IAPCO) and the Interel Group, the global public affairs and association management consultancy, Headquarters Magazines serve the needs of international associations organising worldwide congresses.
|
we are a manufacturer of network cable in China and have been exporting for over a decade we have a large stock of cat5e & cat6 utp cable to sell at very competitive price ,pls contact me if any interests
we are a big manufacturer of Network cable in China with our own factory .we mainly produce cat5e& cat6 utp cable & many other cables like coaxial cable .USB charging cable for cellphones .as well as patch cords & patch panel & connectors We currently are having a large stock of cat5e& cat6 utp cabl...
|
Q:
With full data journaling, why does data appear in the directory immediately?
I've got a question regarding full data journaling on ext3 filesystems. The man page states the following:
data=journal
All data is committed into the journal prior to being written into
the main filesystem.
It seems to me that that means that a file is first saved to the journal and then copied to the filesystem.
I assumed that if I download something it should first be saved in the journal and if complete moved to FS. But after starting the download file appears in the directory (FS). What's wrong about that?
Edit: Maybe its wrong to think of "all Data" = whole size of the file? So if all data is maybe only a Block or something else than it would make sense and I couldn't see that things are first written to journal?!
A:
First, you're right to suspect that “all data” doesn't mean the whole file. In fact, that layer of the filesystem operates on fixed-size file blocks, not on whole files. At that level, it's important to keep a bounded amount of data, so working on whole files (which can be arbitrary large) wouldn't work.
Second, there's a misconception in your question. The journaling behavior isn't something you can observe by looking at the directory contents with ls, it works at a much lower level. With normal tools, you'll always see that the file is there. (It would be catastrophic if creating a file didn't appear to, y'know, create it.) What happens under the hood is that the file can be stored in different ways. At first, the first few blocks are saved in the journal. Then, as soon as efficiently possible, the data is moved to its final location. It's still the same file in the same directory, just stored differently.
The only way you can observe journaling behavior is if you go and see exactly what the kernel is writing to the disk, or if you analyse the disk content after a crash. In normal operation, the journal is an implementation detail: if you could see it in action (other than performance-wise), it would be severely broken.
For more information about filesystem journals, I recommend starting with the Wikipedia article. In ext3 terms, a data=journal ensures that if the system crashes, each file is in a state that it had at some point before the crash (it's not always the latest state because of buffering). The reason this doesn't happen automatically is that the kernel reorders disk writes for efficiency (it can make a big difference). This is called a “physical journal” in the Wikipedia article. The other two modes (data=ordered and data=writeback) are forms of “logical journal”: they're faster, but they can lead to corrupted files. The journal limits the risk of corruption to a few files containing garbage; ext3 always uses a full journal for metadata. Without a journal for metadata, metadata can get lost, leading to major filesystem corruption. Furthermore, without a journal, recovery after a crash requires a full filesystem integrity check, whereas with a journal recovery means replaying a few journal entries.
Note that even with a journal, typical unix filesystems don't guarantee global filesystem consistency, only per-file consistency at most. That is, suppose you write to file foo, then you write to file bar, then the system crashes. It's possible for bar to have the new contents but foo to still have the old contents. To have complete consistency, you need a transactional filesystem.
|
This blog attempts to be a collection of how-to examples in the Microsoft software stack - things that may take forever to find out, especially for the beginner. I see it as my way to return something to the Microsoft community in exchange for what I learned from it.
02 August 2017
Intro
All right, my friends. It's time for the real deal, the blog post I have been anticipating to write since I first published the 3D version of Walk the World like two months ago. It took me a while to extract the minimal understandable code from my rather convoluted app. Everyone who has ever embarked on a trip of 'exploratory programming' (meaning you have an idea what you want to do, but only some vague clues how) knows how you end up with a repo (and code) full of failed experiments, side tracks, etc. So I had to clean that up a little first. Also, my app does a lot more than just show the map, and those features would obscure the general idea. As a bonus - after creating this blog post I finally actually understand myself how and most importantly why the app works :).
The general idea
As you can read in the previous post, I 'paste' the actual map tiles - mere images - on a Unity3D Plane. A Plane is a so-called mesh that exists out of a grid of 11x11 points, that form the vertices. If I somehow would be able to ascertain actual elevation on those locations, I can move those points up and down and actually get a 3D map. The tile itself will be stretched up and down.The idea of manipulating the insides of a mesh, which turns out to be very simple, is explained by the awesome Rick Bazarra in the first episode of his must-see "Unity Strikes Back" explanatory video series on YouTube, a follow-up to his Creative Coding with Unity series on Channel 9, that I consider a standard starting point for everyone who wants to get off the ground with Unity3D.
Adding some geo-intelligence to the tile
The Bing Maps Elevation API documentation describes an endpoint GetElevations that allows you to get altitudes in several ways. One of them is a grid of altitudes in a bounding box. That is what we want - our tiles are square. The documentation says the bounding box should be specified as follows:
"A bounding box defined as a set of WGS84 latitudes and longitudes in the following order:
south latitude, west longitude, north latitude, east longitude"
If you envision a tile positioned so that north is up, we are required to calculate the geographical location of the top-right and bottom-left of the tile. The Open Street Maps Wiki provides code for the north-west corner of the tile, i.e. top left. I translated the code to C#...
... and it works fine, but we need the south west and the north east points. Well, if you consider how the tiles are stacked, you can easily see how the north east point is the north-west point of the tile right of our current tile, and the south-west point is the north west point of the tile below our tile. Therefore we can use the north-west points of those adjacent tiles to find the values we actually need - like this:
Size matters
Although Microsoft is a USA company, it fortunately has an international orientation so the Bing Maps Elevation API returns no yards, feet, inches, miles, furlongs, stadia, or any other deprecated distance unit – it returns plain old meters. Which is very fortunate, as the Windows Mixed Reality distance unit is – oh joy – meters too. But it returns elevation in real world values, and while it might be fun to show Kilimanjaro in real height, it will be a bit too big to fit in my room (or any room, for what matters). Open Street Map is shown at a definite scale per zoom level – and as a GIS guy, I like to be the height correctly scaled - to get for this real life feeling. Once again, referring to the Open Street Map Wiki – there is a nice table that shows how many meters a pixel is at any given zoom level. We will need the size per tile (which is 256 pixels, as I explained in the previous post), so we add the following code that will give you a scale factor for the available zoom levels for Open Street Map:
This simply queries the TileInfo structure for the new methods we have just created. Notice it then builds the URL, containing the bounds, the hard coded 11x11 points that are in a Unity Plane, and the key. Then it calls a piece of Unity3D code called “WWW” which is a sort of HttpClient named by someone with a lot of fantasy (NOT). And that’s it. We add a call to the existing SetTileData method like this:
so that whenever tile data is supplied, it does not only initiate the downloading of the tile, but also the downloading of the 3D data.
Processing the 3D data
Next up is a method ProcessElevationDataFromWeb, that is called from Update (so about 60 times a second). In this method we check if a the MapTile is downloading – and if it’s ready, we process the data
An ElevationResult is a class to deserialize a result from a call to the Bing Maps Elevation API in. I entered the result of a manual call in Json2CSharp and got a class structure back – only I changed all properties into public fields so the rather stupid limited Unity JsonUtility, that does not seem to understand the concept of properties, can handle it. I also initialized lists in the objects from the constructors. It’s not very interesting but if you want a look go here in the demo project.
Applying the 3D data.
So now it’s time to actually move the mesh points up an down. Mostly using code I stole from Rick Bazarra, with a few adaptions from me:
First we get the scale factor – that’s simply the value by which elevation data must be divided to make it match the current zoom level. Next, we get the elevation data itself, that is two levels down in de ElevationData. And then we go modify the elevation of the mesh points to match those of the elevation we got. For some reason - and that's why I said it looks like the Bing Maps Elevation API looks to be like built-to-order for this task - the points come in at exactly the right order for Unity to process in the mesh.
As I learned from Rick, you cannot modify the points of a mesh, you have to replace them. So we loop through the mesh points and fill a list with points that have their y – so the vertical direction – changed to a scaled value of the elevation. Then we call RebuildMesh, that simply replaces the entire mesh with new vertices, does some recalculation and rebuilds the collider, so your gaze cursor will actually play nice with the new mesh. I also noticed that it you don’t do the recalculate stuff, you will end up looking partly through tiles. I am sure people with a deeper understanding of Unity3D will understand why. I just found out that it needs to be done.
Don't press play yet! There a few tiny things left to do, to make the result look good.
Setting the right location and material
First of all, the map is kind of shiny, which was more or less okay-ish for the flat map, but if you turn the map into 3D you will get this over bright effect. So open up the project in Unity, create a new material “MapMaterial” and apply the properties as displayed here below left. The color of the material should be #BABABAFF. See left image. When it is done, drag it on top of the MapTile (see right image).
Then, the app is still looking at Redmond. While that’s an awesome place, there isn’t much spectacular to see as far as geography is concerned. So we mosey over to the MapBuilder script. There we change the zoom level to 14, the Latitude to 46.78403 and the Longitude to -121.7543
It's a little east and quite a bit more south from Redmond. In fact, when you press play, you will see a landmark that is very familiar if you live anywhere near the Seattle area or visited it:
famous Mount Rainier, the volcano sitting about 100 km from Seattle, very prominently visible from aircraft - weather permitting. To get this view, I had to fiddle with the view control keys a little after pressing play - if you press play initially you will see Rainier from a lot more close up.
And that, my friends, is how you make a 3D map in your HoloLens. Of almostany place in the world. Want to see Kilimanjaro? Change Latitude to -3.21508 and Longitude to 37.37316. Press play.
Niagra falls? Latitude 43.07306, Longitude -79.07561 and change zoom level to 17. Rotate the view forward a little with your mouse and pull back. You have to look down. But then, here you go.
GIS is cool, 3D GIS is ultra-cool! All that is left is to generate the UWP app and deploy it into your HoloLens or view it in your new Windows Mixed Reality device.
Caveat emptor
Awesome right? Now there are a few things to consider. In my previous post I said this app was a bandwidth hog, as it downloads 169 tiles per map. In addition, it now also fires 169 requests per map to the Bing Maps Elevation API. For. Every. Single. Map. Every time. Apart from the bandwidth and power consequences, there's another thing to consider. If you go to this page and click "Basic Key", you will see something like this:
What is boils down to is - if your app is anywhere near successful, it will eat your allotted request limit very fast, you will get a mail from the Bing Team kindly informing you of this (been there, got that) - and then suddenly you will have a 2D app again. You will have to buy and enterprise key and those are not cheap. So I advise you to do some caching - both in the app and if possible on an Azure service. I employed a Redis cache to that extent.
Furthermore, I explained I calculate the north east and south west points of a tile using the north west points of the tiles left of and below the current tile. If those tiles are not present, because you are at the edge of the map, I have no idea what will happen - but presumably it won't work as expected. You can run into this when you are zoomed out sufficiently in the very south or east of the map. But then you are either at the International Date Line (that runs from the North Pole to the South Pole exactly on the side of Earth that is exactly opposite of the Greenwich Meridian) or at Antarctica. On the first spot, there’s mostly ocean (why else do you think they’ve put it there) and thus no (visible) geography to speak of. As far as Antarctica goes, you’ll hit another limitation, for it clearly says in the Bing Maps Elevation API documentation:
"There is a limitation in that latitude coordinates outside of the range of -85 and 85 are not supported."
Some assembly required, batteries not included
Indeed, it does not look exactly like in the videos I showed. Walk the World employs a different map tile sets (plural indeed), and there's also all kinds of other stuff my app does - like sticking the map to the floor so that even at high elevations you have a nice overview, reverse geocoding so you can click on the map to see what's there, tracking the user's moves so it can make a new map appear where the user is walking off it - connecting to the old one, zoom in/out centered on the user's location in the map, showing a map of the physical surroundings... there's a lot of math in there. I only showed you the basics. If you need a HoloDeveloper who knows and understand GIS to the core, you know who to contact now :)
Conclusion
Once you know the basics, it's actually pretty easy to create a 3D scaled map of about anywhere in the world, that is - anywhere where the Bing Maps Elevation API is supported. The 3D stuff is actually the easy part - knowing how to calculate tiles and build a slippy map is harder. But in the end, it is always easy when you know what to do. Like I said, I think GIS is a premier field in which Mixed Reality will shine. I am ready for it: I hope you are too. Innovate or die - there are certainly companies I know that could take that advice and get moving.
Credits
Thanks to René Schulte, the wise man from 51.050409, 13.737262 ;) for pointing me to the Bing Maps Elevation API. And of course to Rick Bazarra, who inspired me so often and actually provided some crucial code in his YouTube training video series.
22 July 2017
Intro
If you make an awesome app like Walk the World, of course you are not going to spill the beans on how you built it, right? Well – wrong, because I think sharing knowledge is the basis of any successful technical community, because I like doing it, and last but not least – I feel it is one the primary things that makes an MVP an MVP. I can’t show you all the details, if only because the app is humongous and is badly in need of some overhaul / refactoring, but I can show you some basic principles that will allow you to make your own map. And that’s exactly what I am going to do.
‘Slippy map’?
Getting on my GIS hobby horse here :) Gather around the fire ye youngsters and let this old GIS buff tell you all about it. ;)
Slippy maps are maps made out of pre rendered square images that together form a continuous looking map. Well-known examples are Bing Maps and Google Maps, as well as the open source map Open Street Maps – that we use for this example, The images are usually 256x256 pixels. Slippy maps have a fixed number of discrete zoom levels. For every zoom level there is a number of tiles. Zoom level 0 is typically 1 image showing the whole world. Zoom level 1 is 4 tiles each showing 1/4th of the world. Zoom level 2 is 16 tiles each showing 1/16th of the world. You get the idea. Generally speaking a zoom level has 2zoomlevel x 2zoomlevel tiles.
You can see the number of tiles (and the amount of data servers need to store those) go up very quickly. Open Street Maps’ maximum zoom level is 19 – which all by itself is 274.9 billion tiles, and that is on top of all the other levels. Google Map’s maximum zoom level is 21 at some places and I think Bing Maps goes even further. The amount of tiles of level 21 alone would be 4398046511104, a little short of 5 trillion. And that is not all - they even have multiple layers – map, terrain, satellite. Trillions upon trillions of tiles - that is even too much to swallow for Microsoft and Google, which is why they vary the maximum zoom level depending on the location – in the middle of the ocean there’s considerable less zoom levels available ;). But still: you need really insane amounts of storage and bandwidth to serve a slippy map of the whole world with some amount of detail, which is why you have so little parties actually meeting this challenge – mostly Google, Microsoft, and Open Street Maps.
Anyway - in a slippy map tiles are defined in rows and columns per zoom level. The takeaway from this is to realize that a map tile can be identified by three parameters and three parameters only: X, Y and zoom level. And those need to be converted into a unique URL per tile. The way these tiles are exactly organized depends on the actual map supplier. And if your starting point is a Lat/Lon coordinate, you will have to do some extra math. Basically all you need to know you can find here at the Open Streep Maps wiki. But I am going to show in more detail anyway.
Change "June2017HoloLensSetup" in "SlippyMapDemo" where ever you see it. Initially you will see only one place, but please expand the "Icon" and "Publishing Settings" panels as well, there are more boxes to fill in.
To make a working app on the new Unity version, we will need a new HoloToolkit. So delete everything from the Assets/Holotoolkit but do it from Unity, as this will leave the .gitignore in place.
Select all items, press delete. Then, go to http://holotoolkit.download/ and download the latest HoloToolkit. If you click “Open” while downloading, Unity will automatically start to import it. I would once again suggest de-selecting Holotoolkit-Tests as they are not useful for an application project.
Some basic stuff first
We will need to have a simple class that can hold a Lat/Lon coordinate. UWP supplies those, but that means we cannot test in the editor and, well, we don’t need all what they can do. So we start off with this extremely simple class:
Lat/Lon to tile
A map has a location – latitude and longitude, so that is our starting point. So we need to have a way to get the tile on which the desired location is. A tile is defined by X, Y and zoom level, remember? We start like this:
Via a simple constructor X and Y are calculated from latitude, longitude and zoomlevel, The MapTileSize is the apparent physical size of the map tile - that we will need in the future (it will be 0.5 meters, as we will see later).
Wow. That seems like some very high brow GIS calculation, that only someone like me understands, right? ;)Maybe, maybe not, but you find this formula on the Open Street Map wiki, more specifically, here.
So now we have the center tile, and to calculate the tiles next to it, we simply need another constructor
in a simple loop, as we also will see later, we can find the tiles next, above and below it and we can define a MapBuilder class that can loop over this information, and make map tiles grid. BTW, this class also has some equality logic, but that’s not very exiting in this context, so you can look that up in the demo project.
Tile to URL
As I have explained, a tile can be identified by three numbers: X, Y and zoom level but to actually show the tile, you need to convert that to a URL. So I defined this interface to make the tile retrieval map system agnostic:
Some (very little) re-use
Basically we are going to download images from the web again, using the URL that the IMapUrlBuilder can calculate from the TileData. Downloading an showing images in a HoloLens app – been there, done that, and it fact, that’s what made the idea of Walk the World popup up in my mind in the first place. So I am going to reuse the DynamicTextureDownloader from this post. In the demo project, it sits in the HolotoolkitExtensions. We make a simple child class:
So what happens – if you set TileData using SetTileInfo, it will ask the MapBuilder to calculate the tile image URL, the result will be assigned to the parent class’ ImageUrl property, and the image will automatically be drawn as a texture on the Plane it’s supposed to be added to.
Creating the MapTile prefab
In HologramCollection, create a Plane and call it MapTile. Change it’s X and Z scale to 0.05 so the 10x10 meter plane will show as 0.5 meters indeed. Then add the MapTile script to it as a component. Finally, drag the MapTile Plane (with attached script) from the HologramCollection to the Prefabs folder in Assets.
If you are done, remove the MapTile from the HologramCollection in the Hierarchy.
A first test
To the HologramCollection we add another empty element called “Map”. Set it’s Y position to –1.5, so the map will appear well below our viewpoint. To that Map game object that we add a first version of our MapBuilder script:
This simple script basically creates one tile based upon the information you have provided. Since it does nothing with location, it will appear at 0,0,0 in the Map, which itself is at 1.5 meters below your viewpoint. If you were to run the result in the HoloLens, a 0.5x0.5m map tile map should appear right around your feet.
Anyway, drag the prefab we created in the previous step on the Map Tile Prefab property of the Map Tile Builder …
… and press the Unity Play button.You will see nothing at all, but if you rotate the Hololens Camera 90 degrees over X (basically looking down) while being in play mode a map tile will appear, showing Redmond.
Only it will be upside down, thanks to the default way Unity handles Planes - something I still don't understand the reason for. Exit play mode, select the Map game object and change it’s Y rotation to 180, hit play mode again and rotate the camera once again 90 over X.
That’s more like it.
The final step
Yes, there is only one step left. In stead of making one tile, let’s make a grid of tiles.
In ShowMap we first calculate the center tile’s data, and then in LoadTiles we simply loop over a square matrix from –(MapSize/ 2) to +(MapSize/2) and yes indeed, if you define a MapSize of 12 you will actually get a map of 13x13 tiles because there has to be a center tile. If there is a center tile, the resulting matrix by definition has an uneven number of tiles.
In LoadTiles you see TileInfo’s second constructor in action: just X, Y, and Zoomlevel. Once you have the first center tile, calculating adjacent tiles is extremely easy. GetOrCreateTiles does the actual instantiation and positioning in space of the tiles – that’s what we need the MapTileSize for. Note, that for an extra performance gain (and a prevention of memory leaks), it actually keeps the instantiated game objects in memory once they are created, so if you call ShowMap from code after you have changed one of the MapBuilder’s parameters, it will re-use the existing tiles in stead of generating new ones. LoadTiles itself also creates a name for the MapTile but that’s only for debugging / educational purposes – that way you can see which tiles are actually downloaded in the Hierachy while being in Unity Play Mode.
If you deploy this into a HoloLens and look down you will see a map of 6.5x6.5 meters flowing over the floor.
To make this completely visible I had to move the camera up over 20 meters ;) but you get the drift.
Some words of warning
The formula in TileInfo calculates a tile from Latitude and Longitude. That only guarantees that location will be on that tile but it doesn’t say anything about where on the tile it is. You can see Redmond on the center tile, but it’s not quite in the center of that center tile. It may have well been op the top left. The more you zoom out, the more this will be a factor.
This sample shows Open Street Map and Open Street Map only. You will need to build IMapUrlBuilder implementations yourself if you want to use other map providers. Regular readers of this blog know this very easy to do. But please be aware of the TOS of map providers.
Be aware that the MapBuilder with map setting of 12 downloads 13x13=169 tiles from the internet. On every call. This app is quite the bandwidth hog - and probably a power hog as well.
Conclusion and some final thoughts
Building basic maps in Unity for use in your HoloLens / Windows Mixed Reality apps is actually pretty easy. I will admit I don’t understand all the fine details of the math either, but I do know how slippy maps are supposed to work, and once I had translated the formula to C#, the rest was actually not that hard, as I hope to have shown.
Almost all data somehow has a relation with a location, and being able to generate a birds’ eye environment in which you can collaborate with you peers, will greatly enhance productivity and correct interpretation of data. Especially if you add 3D geography and/or buildings to it. It looks like reality, it shows you what’s going on, and you less and less have to interpret 2D data into 3D data. We are 3D creatures, and it’s high time our data jumps off the screen to join us in 3D space.
I personally think GIS and geo-apps are one of the premier fields in which AR/VR/MR will shine – and this will kick off an awesome revolution in the GIS world IMHO. Watch this space. More to come!
15 July 2017
Intro
Xamarin Forms is awesome. If you have learned XAML from WPF, Silverlight, Windows Phone, Universal Windows Apps or UWP, you can jump right in using the XAML you know (or at least something that looks remarkably familiar) and start to make apps that will run cross platform on iOS, Android and UWP. So potentially your app cannot only run on phones but also on XBox, HoloLens and PCs.
OnPlatform FTW!
One of the coolest thing is the OnPlatform construct. For instance, you can have something this:
This indicates the label that has this style applied to it, should have a font size of 100 on Windows, 30 on Android, and 30 on iOS. In the demo project I have defined some styles in the App.xaml, and the net result is that is looks like this on Android (left), iOS(right) and Windows (below).
The result is not necessarily very beautiful, but if you look in the MainPage.xaml you will see everything has a style and no values are hard coded. You can also see that although the Android and iOS apps are mobile apps and the Windows app is essentially an app running on a tablet or a PC (the demarcation line between these is becoming hazier with the day) it will still work out using OnPlatform.
I have used various constructs. Apart from the inline construct as I showed above, there's also this one
A construct I would very much recommend, as it enables you to re-use the ImageSize value for other things, for instance the height of button, in another style. You can also use these doubles directly in Xaml, like I did with SomeOtherTextFontSize in the last label in MainPage.xaml
Although I do not recommend this practice - styles are much cleaner - sometimes needs must and this can be handy.
I can hear you think by now: "your point please, kind sir?" (or most likely something less friendly). Well... it works great on Android, as you have seen. It also works great on iOS. And yes, on Windows too...
OnPlatform WTF?
... until you think "let's get this puppy into the Windows Store". As every Windows Developer knows, if you compile for the Store, you compile for Release, which kicks off the .NET Native toolchain. This is very easy to spot as the compilation process takes much longer. The result is not Intermediary Language (IL), but binary code - an exe - which makes UWP apps so much faster than their predecessors. Unfortunately, it also means the release build is an entirely different beast than a debug build, which can have some unexpected side effects. In our application, if you run the Release build, you will end up with this.
That is quite some 'side effect'. No margin to pull the first text up, no font size (just default), no image... WTF indeed.
Analysis
Unfortunately I had some issues with another library (FFImageLoading) which took me on the wrong track for quite a while, but after I had fixed that I noticed that when I changed the styles from Onplatform to hard coded values the styling started to work again - even in .NET Native. So if I did this
With a deadline looming and an ginormous style sheet in my app I really had no time to make a branch with separate styles for Windows. We had to go to the store and we had to go now. Time for a cunning plan. I came up with this:
A solution/workaround/hack/fix ... sort of
So it works when the styles do contain direct values, not OnPlatform, right... ? If you look at App.xaml.cs in the portable project you will see a line in the constructor that's usually not there, and it's commented out
It extracts the Windows value, removes the OnPlatform from the resource dictionary and adds a new plain double with the Windows style only to the resource dictionary. For some reason, replacement is not possible.
Conclusion
There is apparently a bug in the Xamarin Forms .NET Native UWP tooling, which causes OnPlatform values being totally ignored. With my dirty little trick, you can at least get your styles to work without having to rewrite the whole shebang for Windows or have a separate style file for it. Note this does not fix everything, if you have other value types (like GridHeights) you will need to add your own conversion to ConvertAllOnPlatformToExplict What I have given you was enough to fix my problems, but not all potential issues that may arise from this bug.
I hope this drives the Xamarin for UWP adoption forward, and I also hopes this helps the good folks in Redmond fix the bug. I've pretty much identified what goes wrong, now they 'only' have to take are of the how ;)
12 July 2017
Intro
In the various XAML-based platforms (WPF, UWP, Xamarin) that were created by or are now part of Microsoft we have the great capability to perform databinding and templating - essentially saying to for instance a list 'this is my data, this is how a single item should look, good luck with it' and the UI kind of creates itself. This we don't quite have in Unity projects for Windows Mixed Reality. But still I gave it my best shot when I created a dynamic floating menu for my app Walk the World (only the first few seconds are relevant, the rest is just showing off a view of Machu Picchu)
Starting point
We actually start using the end result of my previous post, as I don't really like to do things twice. So copy that project to another folder, or make a branch, whatever. I called the renamed folder FloatingDynamicMenuDemo. Then proceed as follows:
Delete FloatingScreenDemo.* from the project's root
Empty the App sub folder - just leave the .gitignore
Open the project in Unity
Open the Build Settings window (CTRL+B)
Hit the "Player Settings..." button
Change "FloatingScreenDemo" in "FloatingDynamicMenuDemo" whereever you see it. Initially you will see only one place, but please expand the "Icon" and "Publishing Settings" panels as well, there are more boxes to fill in.
Rename the HelpHolder to MenuHolder
Remove the Help Text Controller from the HelpHolder.
Change the text in the 3DTextPrefab from the Lorum ipsum to "Select a place too see"
Change the text's Y position from 0.84 to 0.23 so it will end up at the top of the 'screen'
So now we have a workspace with most of the stuff we need already in it. Time to fill in the gaps.
Building a Menu Item part 1 - graphics
So, think templating. We first need to have a template before we can instantiate it. But the only thing I can instantiate are game objects. So... we need to make one... a combination of graphics and code. That sounds like - a prefab indeed!
First, we will make a material for the menu items, as this will be easier for debugging. Go to the App/Materials folder, find HelpScreenMaterial, hit CTRL-D, and rename HelpScreenMaterial 1 to MenuItemMaterial. Then, change its color to a kind of green, for instance 00B476FF. Also, change the rendering mode to "Opaque". This is so we can easily see the plane.
Inside the MenuHolder we make a new empty game object. I called it - d'oh - MenuItem. Inside that MenuItem, we first make a 3DTextPrefab, then a Plane. The plane will be of course humongous again, and very white. So first drag the green MenuItemMaterial on it. Then change it's X Rotation to 270 so it will be upright again. Then you have to experiment a little with the X and Z scale until it is more or less the same width as your blue Plane, and a little over 1 line of text height, as showed to the left.The values I got were X = 0.065 and Z = 0.004 but this depends of course on the font size you take. Make sure there is some extra padding between the left and right edges of the green Plane and the blue Plane.
As you can see in the top panel, the text and the menu pane are invisible - they are only visible when looked upon dead right from the camera in the game view. This is because they basically are at the same distance as the screen. So we need to set -0.02 to the Z of the green Plane - so it appears in front of the blue screen - and -0.04 to the Z of the 3DTextPrefab so it will appear in front of the green Plane, and you will see the effect in the Scene pane as well now.
Since this is a Menu, we want the text to appear from the left. The Anchor is now middle center and it's Alignment Center, and that is not desirable. So we have to set Alignment to Left and Anchor to Middle Left, and then we drag the text prefab to the left till the edge of the green plane. I found an X position value of -0.32.
Now create a folder "Prefabs" in your App folder in the Assets pane, and drag the MenuItem object from there. This will create a Prefab. The text MenuItem in the Hierarchy will turn blue.
You can now safely delete the MenuItem from the Hierarchy. Mind you, the Hierarchy. Make sure it stays in Prefabs.
Building a Menu Item part 2 - code
Our 'menu' needs some general data structure helper. So we start with an interface for that:
The SelectedMessageObject is the payload - the actual data. The Title contains the text we want to have displayed on the menu, and the MenuId we need so we can distinguish select events coming from multiple menus, should your application have such. For the distribution of events we once again use the Messenger that I introduced before (and have used extensively ever since).
There is a property MenuItemData that accepts an IMenuItemData. If you set it, it will retain the value in a private field but also shows the value of Title in a TextMesh component. This behaviour is also an IInputClickHandler, so if the user taps this, the OnInputClicked method is called. Essentially all it does, is sending off it's MenuItemData object - that was used to fill the text with a value - to the Messenger. And it tries to play a sound. You should decide for yourself if you want that.
So all we have to to is add this behaviour MenuItem prefab, as this is the thing we are going to click on. That way, if you click next to the text but at the correct height (the menu 'row'), it's still selected. So select MenuItem, hit the "Add Component" button and add the Menu Item Controller.
Now if you like, you can add an with AudioSource with a special sound that signifies the selection of a menu. As I have stated before, immediate (audio) feedback is very important in immersive applications. I have done not so. I usually let the receiver of a MenuSelectedMessage do the notification sound.
Building the menu itself
This is done by a surprisingly small and simple behavior. All it does is instantiate a number of game object on a certain positions.
All the important work happens in BuildMenuItems. Any existing items are destroyed first, then we simply loop through the list of menu items - these are IMenuItemData objects. Then a game object provided in MenuItem is instantiated inside the current game object, and it's vertical position is calculated and set. Then it gets the MenuItemController from the instantiated game object - it just assumes it must be there - and puts the newMenuItem in it - so the MenuItem will show the associated text.
So now add the MenuBuilder to the HelpHolder. Then, from prefabs, drag the MenuItem prefab onto the Menu Item property. Net result:
Now let's add an initialization behaviour to actually make stuff appear in the menu. This behavior has some hard coded data in it, but you can imagine this coming from some Azure data source
This comes straight from Walk the World - these 7 of it's 10 vistas with a location to look from it. Add this behaviour to the Help Holder as well. Now it's time to run the code and see our menu for the very first time!
Some tweaking and fiddling
If you press the play button in Unity, you will get something like displayed to the left. A former British colleague would say something among the lines of "It's not quite what I had in mind". But we can fix this, fortunately.
In the Menu Item Builder that you have added to HelpHolder, there's two more properties:
The first one is the relative location where the first item should appear, and the second the size allotted for each menu. Clearly the first MenuItem is placed too low. The only way to really get this done is by trial an error. The higher you make Top Margin, the higher up the first item moves. A value of 0.18 gives about this and that seems about right:
And 0.041 for Menu Item Size gives this:
Which is just what you want - a tiny little space between the menu items. Like I said, just trial and error.
Testing if its works
Once again, a bit lame: a simple behaviour to listen to the menu selection messages:
Add this behaviour to the Managers object, click play, and sure enough if you click menu items, you will see in Unity's debug console:
Yes, I know, that's a lame demo - you connect something to the message that actually does something. Speak out the name. Have a dancing popup. The point is that it works and the messages get out when you click :)
Some final look & feel bits
Yah! We have a more or less working menu but it looks kind of ugly and not everything works - the close button, for instance. Let's fix the look & feel first. We needed the greenish background of the menu item to properly space and align the items, but now we do not need it anymore. So go to the MenuItemMaterial. Select a new shader: under HoloToolkit, you will find "Vertex Lit Configurable Transparent".
Then go all the way down, to "Other" and set "Cull" to front. That way, the front part of the plane - the green strips will be invisible - but still hittable.
If you press play, the menu should now look like this:
Getting the button to work
As stated above, the button is not working - and for a very simple reason: in my previous post I showed that it looks for a component in it's parent that is a BaseTextScreenController (or a child class of that). There are none.
So let's go back to the VistaMenuController again. The top says
public class VistaMenuController : MonoBehaviour
Let's change that into
public class VistaMenuController : BaseTextScreenController
You will need to add "using HoloToolkitExtensions.Animation;" to top to get this to work. You will also need to change
void Start(){
into
public override void Start(){ base.Start();
If you now hit "Play" in Unity you will end up with this
Right. Nothing at all :). This is because the base Start method (which is the Start method of BaseTextScreenController) actually hides the menu, on the premises that you don't want to see the menu initially. So we have to have a way to make it visible. Fortunately, that's very easy. We will just re-use the ShowHelpMessage from the previous post again to make this work. Go back one more time to the VistaMenuController "Start" method, and add one more statement:
If you now press play, you will still see nothing. But if you yell "Show help" to your computer (or press "0" - zero) the menu pops up and comes into view. With, I might add, the for my apps now iconic "pling" sound. And if you click the button, the menu will disappear with the equally iconic "clonk" .
Some concluding remarks
Of course, this is still pretty primitive. With the current font size and menu item size, stuff will be happily rendered outside of the actual menu screen if your texts are too long or you have more than 7 menu items. That is because the screen is just a floating backdrop. Scrolling for more items? Nope. Dynamic or manual resizing? Nope. But it is a start, and I have used it with great success.
Intro
Then we will add the dynamics to make the screen appear and disappear when we want.
Then we will make the close button work
As a finishing touch we will add some spatial sound.
Adding a speech command – the newest new way
For the second or maybe even the third time since I have started using the HoloToolkit, the was the way speech commands are supposed to work has changed. The keyword manager is now obsolete, you now have to use SpeechInputSource and SpeechInputHandler.
Then, since we are good boy scouts that like to keep things organized, a create a folder “Scripts” under “Assets/App”. In “Scripts” we add a “Messages” folder, and in that we create the following highly complicated message class ;)
public class ShowHelpMessage
{
}
In Scripts we create the SpeechCommandExectutor, which is simply this:
Add this SpeechCommandExecutor to the Managers game object. Also add a SpeechInputSource script from the HoloToolkit, click they tiny plus-button on the right and add “show help” as keyword:
Also, select a key in “key shortcut”. Although they Unity3D editor supports voice commands, you can now also use a code to test the flow. And believe me – your colleagues will thank you for that. Although lots of my colleagues are now quite used to me talking to devices and gesturing in empty air, repeatedly shouting at a computer because it was not possible to determine if there’s a bug in the code or the computer just did not hear you… is still kind of frowned upon.
Anyway. To connect the SpeechCommandExecutor to the SpeechInputSource we need a SpeechInputHandler. That is also in the HoloToolkit. So drag it out of there into the Managers objects. Once again you have to click a very tiny plus-button:
And then the work flow is a follows
Check the “Is Global Listener” checkbox (that is there because of a pull request by Yours Truly)
Select the plus-button under “Responses”
Select “Show help” from the keyword drop down
Drag the Managers object from the Hierachy to the box under “Runtime only”
Change “Runtime only” to “Editor and Runtime”
Select “SpeechCommandExecutor” and then “OpenHelpScreen” from the right dropdown.
To test you have done everything ok:
In Assets/App/Scripts, double-click SpeechCommandExecutor.
This will open Visual Studio, on the SpeechCommandExecutor. Set a breakpoint on
Messenger.Instance.Broadcast(new ShowHelpMessage());
Hit F5, and return to Unity3D. Click the play button, and press “0”, or shout “Show help” if you think that’s funny (on my machine, speech recognition in the editor does not work on most occasions, thus I am very happy with the keys options).
If you have wired up everything correctly, the breakpoint should be hit. Stop Visual Studio and leave Unity Play Mode again. This part is done.
Making the screen follow your gaze
Another script from my HoloToolkitExtensions, that I already mentioned in some form, is MoveByGaze. It looks like this:
This is an updated, LeanTween (in stead of iTween) based version of a thing I already described before in this post so I won’t go over it in detail. You will find it in the Animation folder of the HoloToolkitExtensions in the demo project. It uses helper classes BaseSpatialMappingCollisionDetector, DefaultMappingCollisionDetector and SpatialMappingCollisionDetector that are also described in the same post – these are in the HoloToolkitExtensions/SpatialMapping folder of the demo project.
The short workflow, for if you don’t want to go back to that article:
Add a SpatialMappingCollisionDetector to the Plane in the HelpHolder
Add a MoveByGaze to the HelpHolder itself
Drag the InputManager on top of the “Stabilizer” field in the MoveByGaze script
Drag the Plane on top of the “Collision Detector” field
The result should look like this
I would suggest updating “Speed” to 2.5 because although the screen moves nice and fluid, the default value is a bit slow for my taste. If you now press the Play Button in Unity, you will see the screen already following the gaze cursor if you move around with the mouse or the keyboard.
because it’s so small. The only change between this and the earlier version is that you know can set the the rotate angle in the editor ;). Drag it on top of the HelpHolder now the screen will always face the user after moving to a place right in front of it.
Fading in/out the help screen
In the first video you can see the screen fades nicely in on the voice command, and out when it’s clicked. The actual fading is done by no less than three classes, two of whom are inside the HoloToolkitExtensions. First is this simple FadeInOutController, that is actually usable all by itself:
So this is a pretty simple behaviour that fades the current gameobject in or out, in a configurable timespan, and it makes sure it will not get interrupted while doing the fade. Also – notice it initially fades the gamobject out in zero time, so initially any gameobject with this behavior will be invisible
Next up is BaseTextScreenController, that is a child class of FadeInOutController:
So this override, on start, gathers all other behaviors, then de-activates components (this will be explained below). When Show is called, it first activates the the components, then tries to play a sound, then calls the base Show to unfade the control. If Hide is called, it first calls the base fade, then after a short wait starts to de-activate all components again.
So what is the deal with this? The other two missing routines are like this:
As you can see, the first method simply finds all behaviors in the gameobject – the screen - and its immediate children, except for this behavior. If you supply “false” for “active”, it will first disable all behaviours (except the current one), and then it will set all child gameobjects to inactive. The point of this is that we have a lot of things happening in this screen. It’s following your gaze, checking for collisions, it’s spinning a button, and it’s waiting for clicks – all in vain as the screen is invisible. So this setup makes the whole screen dormant, disables all behaviors except the current one – and also can bring it back ‘to life’ again by supplying ‘true’. The important part is to do the right order (first the behaviours, then the gameobjects). It’s also important to gather the behaviours at the start, because once gameobjects are deactivated, you can’t get to their behaviors anymore.
The final class does nearly nothing – but this is the only app-specific class
Basically the only thing this does is make sure the Show method is called when a ShowHelpMessage is received. If you drag this HelpTextController on top of the HelpHolder and press the Unity play button, you see an empty screen in stead of the help screen. But if you press 0 or yell “show help” the screen will pop up.
Closing the screen by a button tap
So now the screen is initially invisible, it appears on a speech command – now how do we get rid of it again? With this very simple script the circle is closed:
This a standard HoloToolkit IInputClickHandler – when the user clicks, it tries to find a BaseTextScreenController in the parent and calls the Hide method, effectively fading out the screen. And it tries to play a sound, too.
Some finishing audio touches
Two behaviours – the CloseButton and the BaseTextScreenController – try to play sound when they are activated. As I have stated multiple times before, having immediate audio feedback when a HoloLens ‘understands’ a user initiated action is vital, especially when that action’s execution may take some time. At no point you want the user to have a ‘huh it’s not doing anything’ feeling.
In the demo project I have included two audio files I use quite a lot – “Click” and “Ready”. “Click” should be added to the Sphere in HelpHolder. That is easily done by dragging it onto the Sphere from App/Scripts/Audio onto the Sphere. That will automatically create an AudioSource.
Important are the following settings:
Check the “Spatialize” checkbox
Uncheck the “Play on awake checkbox
Move the “Spatial Blend” slider all the way to the right
In the 3D sound settings section, set “Volume Roloff” to “Custom Rolloff”
Finally, drag “Ready” on top of the HelpHolder itself, where it will be picked up by the HelpTextController (which is a child class of BaseTextScreenController ) and apply the same settings. Although you might consider not using spatial sound here, because it’s not a sound that is particularly attached to a location – it’s a general confirmation sound
Conclusion
To be honest, a 2d-ish help screen feels a bit like a stopgap. You can also try to have a kind of video of audio message showing/telling the user about the options that are available. Ultimately you can think of an intelligent virtual assistant that teach you the intricacies of an immersive app. With the advent of ‘intelligent’ bots and stuff like LUIS it might actually become possible to have an app help you through it’s own functionality by having a simple questions-and-answers like conversation with it. I had quite an interesting discussion about this subject at Unity Unite Europe last Wednesday. But then again, since Roman times we have pointed people in right directions or conveyed commercial messages by using traffic signs and street signs – essentially 2D signs in a 3D world as well. Sometimes we used painted murals, or even statue like things. KISS sometimes just works.
Feedback, comments and tokens of appreciation
If you spot things that are incorrect, or if you don't understand what I mean, please drop a comment on the offending article and I will help you ASAP. You can e-mail me at joostvanschaik at outlook dot com or contact me via twitter.
If you find the information on this blog useful (and apparently some 600+ people per day do on average) please let me know as well, that encourages me to keep doing this. Or do tell others - that made me an MVP; who knows what more it might bring ;-P
Disclaimer and legal stuff
Although I take great care in providing quality samples, all postings, articles and/or files on this site are provided "AS IS" with no warranties, and confer no rights. The views expressed on this blog are strictly my own and do not necessarily reflect the views of my employer, or anyone else on the planet for that matter.
I usually make original content, sometimes building upon other people's work. Sometimes I explain things that can be found elsewhere because I felt what I read was not clear enough for my limited mind so I explain it the way it finally clicked with me. In all cases I take great pains to be sure to link to people or articles who deserve the credit. If you think I have shortchanged you on the credits please let me know.
Please note, I do not work for Microsoft and while I proudly wear the title of "Microsoft Most Valueable Professional", my opinions, files offered, etc. do not represent, are approved of, endorsed by or paid for by Microsoft. The only power behind it is me and my sometimes runaway passion for parts of Microsoft's technology.
|
<html>
<head>
<title>CSS background/foreground images</title>
<style type="text/css">
body {
font-family:Verdana; font-size:10pt;
width:100%%; height:100%%;
background-color: window;
padding:10px;
margin:0;
}
header { font-size:150%; }
#c1
{
background-color: threedface;
}
img
{
margin: 6px;
}
img:hover
{
foreground-image-transformation: contrast-brightness-gamma(0.5,0.5, 1.3);
}
img:active
{
foreground-image-transformation: contrast-brightness-gamma(0.25,0.95, 1.0);
}
</style>
</head>
<body>
<header>Image color transformation. Move mouse over the block below. Image will change gamma. On press image will change contrast and brightness.</header>
<p id="c1"><img src="images/flowers.jpg" /> <img src="images/icon.png" /></p>
<pre>
:hover -> foreground-image-transformation: contrast-brightness-gamma(0.5,0.5, 1.3);
:active -> foreground-image-transformation: contrast-brightness-gamma(0.25,0.95, 1.0);
</pre>
</body>
</html>
|
Credits
Notes
"Harder Better Faster Stronger" contains a sample from "Cola Bottle Baby" written by <a href="http://www.discogs.com/artist/Edwin+Birdsong">Edwin Birdsong</a>.
Published by Edwin Birdsong Music (ASCAP) and WB Music (ASCAP).
Performed by Edwin Birdsong / Used by permission of Sony Music Entertainment.
Pharrell Williams appears courtesy of Virgin Records.
Slum Village appears courtesy of Barak Entertainment.
Taken fron the album "Discovery".
Published by Zomba Musuic for world excluding France + Delabel Editions, Daft Music for France.
The copyright in this recordings is ownned by Daft Life, under exclusive license to Virgin Records Ltd.
(P) & (C) 2001 Daft Life. Printed In EU.
03098 / PM214 / 7243 546014 6 0
|
PROJECT SUMMARY This UO1 application is a response to the NIMH Program Announcement intended to accelerate the development of a high priority therapeutic agent by establishing its dose-related pharmacodynamic effects on biomarkers designed to inform subse- quent clinical development. Dopamine D1 receptor (D1R) agonism is among the most highly prioritized adjunctive treatment mechanisms for schizophrenia. Currently, all D1R agonists are also D5R agonists. D1R/D5R agonists have pro-cognitive and antipsychotic-like effects in preclinical studies, reflecting their ability to stabilize prefrontal cortical network activity in the face of distractors, and to enhance the precision of spatial working memory (sWM) by enhancing inhibitory tuning of prefrontal cortical (PFC) functional connectivity (FC). Yet, dose-related benefits of D1R/D5R agonism in patients could not be demonstrated in prior pilot studies. This application proposes that the testing of D1R/D5R agonists requires both a more direct translational/computational neuroscience framework (i.e., the most appropriate biomarkers) and a precision medicine strategy (i.e., the appropriate subpopulation of patients). To accelerate the selection of an optimal dose, we propose a multi- center study that densely maps the dose-related effects of the D1R/D5R partial agonist, PF-06412562 immediate release (IR), on three informative translational functional neuroimaging (fMRI) biomarkers as primary outcome measures: i) sWM-related activation; ii) task-based FC; and iii) resting-state FC in early course schizophrenia patients. Primary Aim 1 will apply a mul- tivariate analytic strategy to these three outcome measures (sWM-related activation, task-based FC and resting-state FC) to test if PF-06412562 produces a dose-related effect. This multivariate translational neural marker is designed and powered to inform a clear Go/No-Go decision with regards to proceeding to a full-scale clinical trial. A Go decision will be indicated if there is a significant dose-related drug effect on the neural signal measured via the multivariate combination of task-evoked activation and FC during the sWM task and FC during rest. Conversely, a No-Go decision will be reached if there is an absence of a dose-related effect on the multivariate index. Secondary Aim 2 will quantify dose-related drug effects on sWM precision based on behavioral data collected during fMRI. Exploratory Aim 3 will model the biophysical properties of PF- 06412562 in a cortical circuit model capable of sWM simulations, which will simulate hypothesized molecular mechanisms governing pro-cognitive PF-06412562 effects on sWM. In turn, we will will test if the dose-related pattern of PF-06412562 effects on resting FC in patients maps onto D1R and D5R receptor transcriptomic profiles in humans derived from from Allen Human Brain Atlas. Finally, Exploratory Aim 4 will study potential clinical predictors and moderators of PF-06412562 ef- fects on neuroimaging biomarkers. Collectively, this translational biomarker study informs the highest priority experimental treatment mechanism identified by the NIMH MATRICS Initiative using a precision medicine strategy that targets a specific subpopulation of early course schizophrenia patients who may pro-cognitively respond to D1R/D5R agonism.
|
Big Fat Greek Opportunities
The Greek’s have voted “No”. They also have No money and No power and No way do they tell the EU what to do. It’s a desperate last-ditch tactic by Greek politicians who must find a way to gain some control over what the other Europeans will eventually force them to do. Will it succeed and get them better terms? We have no way to predict that. Ignore every prediction that you hear, and soldier on.
Our goal is to work every day to increase income while reducing risk. As option sellers, we make MORE money when volatility rises, but there are some short term effects that must be addressed.
The bulk of our portfolio is options that we have sold, so these are short positions. Your account value is calculated as if you had to buy back all of those positions at the market price right now. As volatility rises, that market price goes up, too. Rising volatility will drive down the value of your entire portfolio, but since you don’t have to close all positions (or usually you don’t have to close any positions) this negative change in valuation can be ignored. You just keep trading your plan with the knowledge that, once volatility falls (which it always does – and usually within days), your account value will improve. IF you have handled the opportunity presented by high volatility, your account will not only quickly recover, but it will recover to new highs as you collect all of that extra time decay premium.
You need to know what would happen in your account if you woke up tomorrow and every short put position had been exercised. You would have purchased many shares of stock as they all were “put” to you and your cash would have been used to buy all of those shares. At that point, would you have spent all of your cash and would you have been forced to borrow on margin? If your calculation shows that you do not have enough available cash to buy every share that is “put to you”, then you are over-extended. This can happen during market downturns as you take advantage of opportunities to sell new naked put positions.
The point is that you absolutely must know how you would stand in a worst case scenario and then protect yourself from ever getting there. You do not want to ever run out of margin and find yourself in a forced-selling position. In order to control your risk you must put a number on it.
Be disciplined, know your risk, protect from the worst case, and keep on trading for income. We only trade to create income – this is not a casino.
|
Syntactic autonomy. Why there is no autonomy without symbols and how self-organizing systems might evolve them.
Two different types of agency are discussed that are based on dynamically coherent and incoherent couplings with an environment, respectively. I propose that until a private syntax (syntactic autonomy) is discovered by dynamically coherent agents, there are no significant or interesting types of closure or autonomy. When syntactic autonomy is established, then, because of a process of description-based selected self-organization, open-ended evolution is enabled. At this stage, in addition to dynamics, agents depend on localized, symbolic memory, thus adding a level of dynamic incoherence to their interaction with the environment. Furthermore, it is the appearance of syntactic autonomy that enables much more interesting types of closures among agents sharing the same syntax. To investigate how we can study the emergence of syntax from dynamic systems, experiments with cellular automata leading to emergent computation that solves nontrivial tasks are discussed. RNA editing is also mentioned as a process that may have been used to obtain a primordial biological code necessary for open-ended evolution.
|
#
# Copyright (c) 2008-2020 the Urho3D project.
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
#
# Find DirectFB development library
#
# DIRECTFB_FOUND
# DIRECTFB_INCLUDE_DIRS
# DIRECTFB_LIBRARIES
# DIRECTFB_VERSION
#
find_path (DIRECTFB_INCLUDE_DIRS NAMES directfb.h PATH_SUFFIXES directfb DOC "DirectFB include directory")
find_library (DIRECTFB_LIBRARIES NAMES directfb DOC "DirectFB library")
if (NOT DIRECTFB_VERSION AND DIRECTFB_INCLUDE_DIRS AND EXISTS ${DIRECTFB_INCLUDE_DIRS}/directfb_version.h) # Only do this once
file (STRINGS ${DIRECTFB_INCLUDE_DIRS}/directfb_version.h DIRECTFB_VERSION REGEX "^.*DIRECTFB_(MAJOR|MINOR|MACRO)_VERSION.+\([^\)]*\).*$")
string (REGEX REPLACE "^.*DIRECTFB_MAJOR_VERSION.+\(([^\)]*)\).*$" \\1 DIRECTFB_MAJOR_VERSION "${DIRECTFB_VERSION}") # Stringify to guard against empty variable
string (REGEX REPLACE "^.*DIRECTFB_MINOR_VERSION.+\(([^\)]*)\).*$" \\1 DIRECTFB_MINOR_VERSION "${DIRECTFB_VERSION}")
string (REGEX REPLACE "^.*DIRECTFB_MICRO_VERSION.+\(([^\)]*)\).*$" \\1 DIRECTFB_MICRO_VERSION "${DIRECTFB_VERSION}")
set (DIRECTFB_VERSION "${DIRECTFB_MAJOR_VERSION}.${DIRECTFB_MINOR_VERSION}.${DIRECTFB_MICRO_VERSION}" CACHE INTERNAL "DirectFB version")
endif ()
include (FindPackageHandleStandardArgs)
find_package_handle_standard_args (DirectFB REQUIRED_VARS DIRECTFB_LIBRARIES DIRECTFB_INCLUDE_DIRS VERSION_VAR DIRECTFB_VERSION FAIL_MESSAGE "Could NOT find DirectFB development library")
mark_as_advanced (DIRECTFB_INCLUDE_DIRS DIRECTFB_LIBRARIES)
|
[Jobs Roundup] Kara Ventures, Zurepro, CreditVidya and many more are looking to hire you
2013 has been a great year for content and the year end job openings testify it. While writing and proofreading clearly dominated the jobs board, Sanskriti has emerged as the top recruiter during the last week. NationsRoots’ requirement of a ‘Film Maker’ is an outlier in the following list. There is nothing better than a new year to make a new beginning. Hopefully, those of you who are looking to switch and make a fresh start, here is an opportunity.
|
Friday, July 12, 2013
The challenge of One
Reality stares you in the face, when you least expect it.
An afternoon siesta, which is a luxury for only a few in
urban India today, lead, Nandita, to wake with a dream she least expected to
have. In her dream, she found herself in a different state of being, surrounded
by nothing except a feeling of oneness with herself. She had around her, her
mother, father, brothers and sisters, her partner of many long years and yet
she knew that they had no meaning to her life. It was strangely liberating! Waking
up, in a state of deep solitude and aloneness, she recollected her dream and
instantly was bound once again to all her relations, with a sense of
bewilderment as to why this dream appeared at all.
Recently, I fell ill with very high fever and was bed-ridden for two days
burning in hell. As part of my self-healing body process, for the last three
years I have not been to a Doctor for Cold and cough, fever and runny stomach,
because, I firmly believe that these are the body’s own reaction to throwing
out toxins from inside and in reality, they are good for the overall cleansing.
So I depend on Crocin for fever, steam inhalation for cold and lots of water
and mattha ( curd with a lot of water) for runny stomach. It has worked wonders
for me. Given time and rest, I revive, fresh as the early morning flower in
bloom.
But the small family which is mine gathered around me
panicking.My partner called friends I
am deeply attached to who in turn called me and pleaded I must see the family
doctor right away. I promised but of course did not. My sister called from Kolkata
and flew into a rage – how dare I be so cheeky to not listen to anyone?! Soon
my elderly aunt followed with call from Kolkata, to say the same, only she
tried to cajole me to see the doctor.
Of course I stood my ground and did not go! Next day, I was
fine. The Crocin had done its work but I was washed out. I lay limp in bed for
another day, then stood up on my feet and did what I love to do – went to work!
My sister called my partner and said – “We are so far from her; I am so happy,
you are there for her.”
Rubbish! Finally, we are all alone. There were many years
I lived alone in Mumbai, absolutely alone. In one such time, I developed
malaria and was “flying high” in the air with such high fever that when I stood
up, I could not feel the ground. My neighbor, who had the keys to my flat, having
not seen me over the weekend, turned the key to my flat to find, I was burning
with fever. Along with her husband, she carried me literally to a Doctor and
had my blood tested. I had malaria. For the next three days, they both took
care of me, feeding me, bathing me, etc. They were the angels who helped me up
again.
As such, like Nandita’s dream, one is actually alone, all
the time. The connections we make in life, come and go. What we think permanent
is constantly changing. What we do not expect shows up in moments when we do
need them. Thus, the reality is permanent that nothing and nobody in our lives
are there forever. Yet, we would find it hard to live, if we knew and accepted
that we are, actually all alone.
There is a story, which is the last one in my collection
of short stories called One. The book is called Until death do us part. The
dilemma of being single, alone as it were in a society where we are never
alone, so to say, is the theme of the story. Yet, even in a crowd we are alone;
by ourselves, too, we are alone. But, when we think about it, it is difficult
to put ourselves in such an isolated space. It challenges our thoughts and
shakes our very being.
It only takes a shift in our thought process that makes a
reality, more acceptable. I wonder what you think is the “sense of aloneness”
from your perspective, from where you are in your life’s journey?
|
266 P.3d 45 (2011)
351 Or. 286
STATE of Oregon, Respondent on Review,
v.
David Lee SWANSON, Petitioner on Review.
(CC 071371M; CA A140575; SC S059135).
Supreme Court of Oregon.
Argued and Submitted September 20, 2011.
Decided November 10, 2011.
Jedediah Peterson, Deputy Public Defender, Officer of Public Defense Services, Salem, argued the cause for petitioner on review. With him on the brief was Peter Gartlan, Chief Defender.
Andrew M. Lavin, Assistant Attorney General, Salem, argued the cause for respondent on review. With him on the brief were John R. Kroger, Attorney General, and Mary H. Williams, Solicitor General.
Before, DE MUNIZ, Chief Justice, and DURHAM, BALMER, KISTLER, WALTERS, and LINDER, Justices.[**]
LINDER, J.
In this case, defendant was charged with reckless driving, which is a misdemeanor.[1] In his ensuing jury trial, defendant asked the trial court to instruct the jury on the elements of careless driving, which is a traffic violation, arguing that it is a lesser-included offense of reckless driving.[2] The trial court declined to give defendant's requested instructions. On appeal, the Court of Appeals affirmed. State v. Swanson, 237 Or.App. 508, 240 P.3d 63 (2010). The Court of Appeals reasoned that violations and crimes are distinctive categories of offenses *46 and, under ORS 136.465, juries are authorized to consider only lesser-included crimes, not lesser-included violations, of a charged crime. Id. at 511, 240 P.3d 63. That understanding of the legislature's intent was reinforced, the court concluded, by substantial procedural differences between violation proceedings and criminal proceedings, including the requirement that violations be "tried to the court sitting without jury." ORS 153.076(1); see Swanson, 237 Or.App. at 513, 240 P.3d 63 (so stating). We allowed defendant's petition for review. As we will explain, we agree that ORS 136.465 does not extend to lesser-included violations and is, instead, limited to lesser-included criminal offenses. We therefore affirm.
ORS 136.465 provides:
"In all cases, the defendant may be found guilty of any crime the commission of which is necessarily included in that with which the defendant is charged in the accusatory instrument or of an attempt to commit such crime."
(Emphasis added.) As the italicized text emphasizes, the statute expressly refers to any "crime" the commission of which is necessarily included in the charged crime. The term "crime" is not defined in the statute itself, or in any statute that specifically cross-references ORS 136.465. It is defined, however, elsewhere in the criminal code. In particular, ORS 161.515 provides: "A crime is an offense for which a sentence of imprisonment is authorized." ORS 161.515. The term "offense," in turn, is defined as "either a crime, as described in ORS 161.515, or a violation, as described in ORS 153.008." ORS 161.505. Under ORS 153.008,[3] an offense is a violation if, inter alia, it is designated as such or is punishable by a fine but not by a term of imprisonment. Thus, under those statutes, "violations" and "crimes" are distinct types of "offenses," distinguished principally by the fact that crimes are punishable by imprisonment and violations are not. Because they are distinct types of offenses, the fact that a statute uses the term "crime" (as does ORS 136.465) and not the term "violation" would seem at first blush to compel a conclusion that the legislature intended the statute to reach crimes but not violations. In the context of ORS 136.465, that would mean that a crime that is lesser-included offenses of a crime with which a defendant is charged may be submitted to a jury, but a lesser-included violation may not, as the Court of Appeals concluded. Swanson, 237 Or.App. at 511, 240 P.3d 63.
Defendant concedes that, if those definitions of "violation" and "crime" apply, then ORS 136.645 did not permit the jury to consider a charge of careless driving in this case. He takes issue, however, with the conclusion that those definitions apply. Defendant's argument resolves into two propositions: (1) when ORS 136.465 was originally enacted, the term "crime" included offenses that were punishable only by fines and would therefore be denominated today as a "violation;" and (2) that the original scope of ORS 136.465 has remained the same, and has been unaffected *47 by more recently enacted definitions of the term "crime" that apply to other statutes in the criminal code.
In interpreting a statute, the court's goal is to determine the legislature's intent. State v. Gaines, 346 Or. 160, 171, 206 P.3d 1042 (2009). In doing that, we look to the intent of the legislature that enacted the statute, and we also consider any later amendments or statutory changes that were intended by the legislature to modify or otherwise alter the meaning of the original terms of the statute. See, e.g., Holcomb v. Sunderland, 321 Or. 99, 105, 894 P.2d 457 (1995) (proper inquiry in interpreting statute focuses on what the legislature intended at the time of enactment); see also Mastriano v. Board of Parole, 342 Or. 684, 696, 159 P.3d 1151 (2007) (examining post-enactment legislative changes to statute and statutory context to determine whether they reflected a legislative intent to alter the meaning of statute as originally enacted). As we will explain, we are not persuaded that ORS 136.465, as originally enacted, would have applied to what qualifies as a violation under our current criminal code. In all events, as we will further explain, we are satisfied that later comprehensive changes to the criminal code were intended to, and did, alter the meaning of the term "crime," as it is used in statutes throughout the code, including ORS 136.465, to exclude violations.
We begin with defendant's first propositionthat, as originally enacted, ORS 136.465 applied to offenses that, because they were punishable only by a fine, would today be designated as "violations." As defendant correctly observes, our state's original "lesser-included offense" statute was part of the 1864 Deady Code and was essentially identical in its wording to ORS 136.465. In particular, the Deady Code statute permitted a jury to consider any lesser-included "crime" of the offense with which the defendant was charged.[4] At that time, "crimes" were either "felonies" or "misdemeanors," and the two categories of crimes were distinguished solely by how they were punished. A "felony" was a crime that was punishable by death or imprisonment, and "[e]very other crime [was] a misdemeanor." General Laws of Oregon, Crim. Code, ch. I, §§ 2, 3, 4, pp. 441-42 (Deady 1845-1864).
Defendant compares that classification scheme to that of our current criminal code, under which, as we have described, an "offense" is either a "crime" or a "violation," depending on whether it is punishable by a term of imprisonment (making it a crime) or by a fine but not a term of imprisonment (making it a violation). Defendant asserts that what is, under the current scheme, a violation punishable solely by a fine would qualify as a "crime" under the 1864 version of the lesser-included offense statute.
Defendant's premiseand particularly his assessment of the category of offenses now denominated as "violations"may overlook other distinctions between current-day violations and Deady Code-era crimes. To be sure, one distinguishing characteristic of a violation is the fact that only a fine, and not imprisonment, may be imposed for the offense. But the distinctive nature of a violation goes beyond that. Violations under our current criminal code are charges that have been "decriminalized." A determination of guilt for such an offense cannot carry criminal consequences of any sort, as the legislature has expressly declared: "Conviction of a violation does not give rise to any disability or legal disadvantage based on conviction of a crime." ORS 153.008(2). For that reason, prosecutions for violations are not subject to the constitutional procedural protections that are required for crimes. See, e.g., ORS 153.076(1), (2), and (5) (violation proceedings shall be tried to the court sitting without jury; charged violation must be proved by a preponderance, rather than a reasonable doubt, standard; defense counsel shall not be *48 provided at public expense); see generally Easton v. Hurita, 290 Or. 689, 697, 625 P.2d 1290 (1981) (discussing constitutional implications of decriminalizing traffic infractions); Mattila v. Mason, 287 Or. 235, 250, 598 P.2d 675 (1979) (same); Brown v. Multnomah County Dist. Ct., 280 Or. 95, 99-110, 570 P.2d 52 (1977) (same). In short, violations under the current classification system, given their noncriminal nature and the different procedures that apply to them, had no counterpart under the Deady Code.[5] That fact undermines defendant's premise that a violation under our current criminal code would have been a "crime" for purposes of the original lesser-included offense statute that was part of the Deady Code in 1864.
However, even accepting defendant's premise for purposes of our analysis, his argument depends on a second proposition that later legislation has not changed the meaning and scope of the term "crime" as it is now used in ORS 136.465. As we will explain, we conclude that when the legislature comprehensively revised the Oregon Criminal Procedure Code, of which ORS 136.465 is a part, it did so intending the general classification system that it had adopted in its 1971 revisions to the Oregon Criminal Code to control, including the definitions of terms such as "crime" and "violation."
As we earlier noted, "crime" is defined in ORS 161.515 as follows:
"(1) A crime is an offense for which a sentence of imprisonment is authorized.
"(2) A crime is either a felony or a misdemeanor."
That definition was adopted in 1971 as part of a complete revision of Oregon's criminal code. Or. Laws 1971, ch. 743, § 66. The revision, which was spearheaded by a legislatively-appointed Oregon Criminal Law Revision Commission, was the culmination of a years-long project to replace the existing criminal code, which was "replete with overlapping and seemingly inconsistent crimes and penalties[,]" with one that was modern and "internally consistent." Commentary to Criminal Law Revision Commission Proposed Oregon Criminal Code, Final Draft and Report, Foreword, XXII (July 1970). The new definition of the term "crime," along with other new definitionsof "offense," "felony," "misdemeanor," and "violation"was an essential component of a new offense classification scheme that grouped and punished offenses according to their seriousness. Id. at Foreword, XXIII.
Notably, the 1971 Oregon Criminal Code was an overhaul of Oregon's substantive criminal law, and did not amend the statutes pertaining to criminal procedure, including ORS 136.465. Relying on that fact, defendant argues that, in the absence of any suggestion in the 1971 statute to the contrary, we must assume that the statute's narrower definition of the term "crime" was intended to apply only to the use of the term within the 1971 Criminal Code and to have no effect on its meaning in statutes outside that code, such as ORS 136.465. Defendant also relies on the notion that, in general, a definition of a term that appears in one area of the Oregon Revised Statutes does not necessarily control the term's meaning in another area. See, e.g., Enertrol Power Monitoring Corp. v. State of Oregon, 314 Or. 78, 84, 836 P.2d 123 (1992) (so stating); State ex rel. Frohnmayer v. Oregon State Bar, 307 Or. 304, 308 n. 2, 767 P.2d 893 (1989) (same).[6]
*49 Defendant may be correct that the 1971 adoption of a new definition of the term "crime" had no direct effect on the meaning of that term in ORS 136.465, which pertains to criminal procedure. However, he is less persuasive when confronting the effects of the 1973 enactment of the Oregon Criminal Procedure Code. Or. Laws 1973, ch. 836, §§ 1-359. Although the 1973 procedural code did not modify the words of ORS 136.465 in any significant way,[7] it is clear from the legislative history of the 1973 code that the drafters intended to import into that code the 1971 Criminal Code definitions of "crime," "offense," and "violation."
The 1973 Criminal Procedure Code and the 1971 Criminal Code were closely linked. Both codes were drafted by the Oregon Criminal Law Revision Commission, which the 1967 legislature created for the purpose of "prepar[ing] a revision of the criminal laws of this state, including but not limited to necessary substantive and topical revisions of the law of crime and of criminal procedure, sentencing, parole and probation of offenders, and treatment of habitual criminals." Or. Laws 1967, ch. 573, §§ 1, 2. The commission undertook that charge by first revising the substantive criminal laws and "defer[ring] work on a procedural code until completion of [that] phase of the project." Commentary to Criminal Law Revision Commission Proposed Oregon Criminal Code, Final Draft and Report, Foreword, XXIV (1970). As soon as the commission completed its work on the substantive code in 1970 and the legislature enacted that code in 1971, the commission turned to the criminal procedural code revision. Thus, the commission's work on the procedural code was an extension of its recently completed effort on the substantive code.
As the commission considered additions and amendments to the procedural statutes, it applied the definitions that it had drafted, and that the legislature had adopted, in the 1971 Criminal Code.[8] For example, when the commission considered certain procedural statutes pertaining to arrest, it decided to change the word "crime" to "offense" in a number of the statutes to make it clear that a person could be arrested (or criminally cited in lieu of arrest) for violations as well as misdemeanors and felonies. Minutes, Criminal Law Revision Commission, July 24, 1972, 34-36, 40. In the course of the same discussions, a member of the commission suggested that the use of the word "crime" in ORS 133.225, pertaining to the authority of private persons to make citizen's arrests, "was intentional and it should not be changed to `offense.'" Id. at 40. In at least one of the commission's discussions of the arrest statutes, the 1971 Criminal Code was explicitly acknowledged as the source of the relevant definitions of the term "crime." Minutes, Criminal Law Revision Commission, Subcommittee No. 1, June 9, 1972, 2. The commission had similar discussions about whether to use "offense" or "crime" with respect to the statutes governing stops by police officers[9] and the statutes governing arraignment and demurrers.[10]
*50 During those discussions, the commission considered whether, and how, to change the original (1864) wording of ORS 136.465 (then numbered ORS 136.660). After a brief consideration of that statute, the commission produced an amended version that nonetheless continued to use the term "crime."[11] Although the commission did not specifically discuss whether to keep or modify the term "crime" in the lesser-included offense statute, the context of its discussions makes clear that the commission understood, in leaving it, that the term would carry the meaning given to it in the 1971 Criminal Code. Generally, the legislative history indicates that the commission and, later, the legislature, intended the term "crime," including when it was used in ORS 136.465, to have the meaning that it was given in the 1971 Criminal Code through the definition in ORS 161.515.
We conclude that the jury's authority, described in ORS 136.465, to find a defendant guilty of "any crime the commission of which is necessarily included in that with which the defendant is charged," extends only to a crime as that term is defined in ORS 161.515an offense "for which a sentence of imprisonment is authorized," i.e., felonies and misdemeanors. The offense for which defendant sought lesser-included treatmentcareless drivingis not a "crime" within the meaning of that definition. It follows that the trial court did not err in denying defendant's request for a jury instruction on careless driving as an offense necessarily included in the crime charged, and that the Court of Appeals did not err in affirming the trial court's denial.
The decision of the Court of Appeals and the judgment of the circuit court are affirmed.
NOTES
[**] Landau, J., did not participate in the consideration or decision of this case.
[1] See ORS 811.140 (setting out elements of reckless driving and providing for punishment as a Class A misdemeanor).
[2] See ORS 811.135 (setting out elements of careless driving; designating offense as either a Class A or Class B traffic violation, depending on the circumstances of the offense; authorizing a sentence that includes a fine, but not authorizing a term of imprisonment).
[3] ORS 153.008 provides:
"(1) Except as provided in subsection (2) of this section, an offense is a violation if any of the following apply:
"(a) The offense is designated as a violation in the statute defining the offense.
"(b) The statute prescribing the penalty for the offense provides that the offense is punishable by a fine but does not provide that the offense is punishable by a term of imprisonment. The statute may provide for punishment in addition to a fine as long as the punishment does not include a term of imprisonment.
"(c) The offense is created by an ordinance of a county, city, district or other political subdivision of this state with authority to create offenses, and the ordinance provides that violation of the ordinance is punishable by a fine but does not provide that the offense is punishable by a term of imprisonment. The ordinance may provide for punishment in addition to a fine as long as the punishment does not include a term of imprisonment.
"(d) The prosecuting attorney has elected to treat the offense as a violation for purposes of a particular case in the manner provided by ORS 161.566.
"(e) The court has elected to treat the offense as a violation for purposes of a particular case in the manner provided by ORS 161.568.
"(2) Conviction of a violation does not give rise to any disability or legal disadvantage based on conviction of a crime."
The parties agree, and ORS 811.435 establishes, that careless driving is a "violation." The question that remains is whether a "violation" is within the meaning of the term "crime," as it is used in ORS 136.465.
[4] Thus, the original statute provided:
"In all cases, the defendant may be found guilty of any crime the commission of which is necessarily included in that with which he is charged in the indictment, or of any attempt to commit such crime."
General Laws of Oregon, Crim. Code, ch. XVII, § 164, pp. 468-69 (Deady 1845-1864). The change from the original "indictment" wording to the present "accusatory instrument" wording occurred in 1973, as part of a complete revision of the criminal procedure code. Or. Laws 1973, ch. 836, § 244.
[5] In 1864, certain misdemeanors and lesser felonies could be prosecuted in "Justices' Courts" rather than circuit courts, following different procedures than the circuit courts followed. For example, criminal matters were initiated in Justices' Courts by means of a private complaint, rather than an indictment, and were prosecuted by the private complainant. All criminal prosecutions in Justices' Courts, however, were triable to a jury under the same criminal procedures that applied in the Circuit Courts. See generally General Laws of Oregon, Jus. Code, ch. I, § 2, p 583 (describing criminal jurisdiction of Justices' Courts); id. at ch X, §§ 78-105, pp. 597-602 (describing procedures in criminal actions in Justices' Courts). There was no concept of an offense that, due to its noncriminal nature, could be prosecuted in any court in the state without the procedures and protections constitutionally required in criminal cases.
[6] Defendant also cites a provision in the 1971 revision through which the legislature disavowed an intent to affect statutes governing criminal procedure:
"Except as otherwise expressly provided, the procedure governing the accusation, prosecution, conviction and punishment of offenders and offenses is not regulated by this act but by the criminal procedure statutes."
Or. Laws 1971, ch. 743, § 6(1). That provision, however, is directed at the procedures themselves, not the meaning of words common to both substantive and procedural statutes. That provision has no application here.
[7] The 1973 statute made a single modification to ORS 136.465 (then codified as ORS 136.660): the term "accusatory instrument" was substituted for the original term "indictment." Or. Laws 1973, ch. 836, § 244.
[8] The commission was composed largely of sitting legislators and was charged by the legislature with revising Oregon's criminal statutes. In numerous cases, we have looked to the minutes of its deliberations as well as its published commentary on the revised code as an authoritative source of legislative history for the 1973 Criminal Procedure Code. See, e.g., State v. Conger, 319 Or. 484, 493 n. 4, 878 P.2d 1089 (1994) (considering commentary to code); State v. Hitt, 305 Or. 458, 462, 753 P.2d 415 (1988) (considering both minutes of commission meetings and official commentary to criminal procedure code); State v. Dyson, 292 Or. 26, 33-34, 636 P.2d 961 (1981) (same); State v. Mendacino, 288 Or. 231, 236 n. 4, 603 P.2d 1376 (1980) (relying on minutes of commission meetings).
[9] Minutes, Criminal Law Revision Commission, January 28, 1972, 16.
[10] Minutes, Criminal Law Revision Commission, August 28, 1972, 39.
[11] Minutes, Criminal Law Revision Commission, August 28, 1972, 27. The minutes indicate that the only comment made with respect to the statute, and two others that were grouped with it, was that the amendments "were all housekeeping in nature."
|
PROVIDE SOLUTIONS: A pastoralist from Banane in Lagdera constituency fetches mud water for his animals on September 19, 2016 Image: FILE
The drought situation in many counties in Northern Kenya could mean that residents, the majority of whom are herders, have moved to other counties or neighbouring countries for pasture.
The census process in these counties may end up being messy and not to the expectation of the Kenya National Bureau of Statistics unless urgent actions are taken. With just a few days to the exercise, local leaders need to educate their electorate on the importance of the exercise for the future of their constituencies.
They need to provide solutions to herders for their animals at least until the exercise is done. Then with proper allocation, they can give them longer-lasting solutions to keep them from migrating again. Otherwise, they will dispute the results.
|
# SPDX-License-Identifier: GPL-2.0+
#
# Makefile for the HISILICON network device drivers.
#
ccflags-y := -I $(srctree)/drivers/net/ethernet/hisilicon/hns3
obj-$(CONFIG_HNS3_HCLGE) += hclge.o
hclge-objs = hclge_main.o hclge_cmd.o hclge_mdio.o hclge_tm.o hclge_mbx.o
hclge-$(CONFIG_HNS3_DCB) += hclge_dcb.o
|
using System;
using System.Collections.Generic;
using System.ComponentModel;
using AudioBand.AudioSource;
namespace AudioBand.TextFormatting
{
/// <summary>
/// A placeholder text that has values based on the current song.
/// </summary>
public abstract class TextPlaceholder
{
private readonly HashSet<string> _propertyFilter = new HashSet<string>();
/// <summary>
/// Initializes a new instance of the <see cref="TextPlaceholder"/> class.
/// </summary>
/// <param name="parameters">The parameters passed to the text format.</param>
/// <param name="audioSession">The audio session to use for the placeholder value.</param>
protected TextPlaceholder(IEnumerable<TextPlaceholderParameter> parameters, IAudioSession audioSession)
{
Session = audioSession;
Session.PropertyChanged += AudioSessionOnPropertyChanged;
// TODO parameters
}
/// <summary>
/// Occurs when the placeholders text has changed.
/// </summary>
public event EventHandler TextChanged;
/// <summary>
/// Gets the audio session.
/// </summary>
protected IAudioSession Session { get; private set; }
/// <summary>
/// Gets the current text value for the placeholder.
/// </summary>
/// <returns>The value.</returns>
public abstract string GetText();
/// <summary>
/// Raises the <see cref="TextChanged"/> event.
/// </summary>
protected void RaiseTextChanged()
{
TextChanged?.Invoke(this, EventArgs.Empty);
}
/// <summary>
/// Gets the parameter from the name.
/// </summary>
/// <param name="parameterName">The parameter name.</param>
/// <returns>The value of the parameter or null if not passed in.</returns>
protected string GetParameter(string parameterName)
{
return null;
}
/// <summary>
/// Adds a filter for <see cref="OnAudioSessionPropertyChanged"/>.
/// </summary>
/// <param name="audioSessionPropertyName">The property name to filter.</param>
protected void AddSessionPropertyFilter(string audioSessionPropertyName)
{
_propertyFilter.Add(audioSessionPropertyName);
}
/// <summary>
/// Called when the audio session property value changes.
/// </summary>
/// <param name="propertyName">The name of the property that changed.</param>
protected virtual void OnAudioSessionPropertyChanged(string propertyName)
{
}
private void AudioSessionOnPropertyChanged(object sender, PropertyChangedEventArgs e)
{
if (_propertyFilter.Contains(e.PropertyName) || _propertyFilter.Count == 0)
{
OnAudioSessionPropertyChanged(e.PropertyName);
}
}
}
}
|
import decimalAdjust from "discourse/lib/decimal-adjust";
export default function (value, exp) {
return decimalAdjust("round", value, exp);
}
|
Q:
Why my GPU load is low when is rendering a scene with Blender?
I have a scene in Blender and I render it with GPU Compute, Cycles.
The problem is when the scene is rendering, my GPU load is under the 5% while the CPU is doing all the render work.
My GPU is a Nvidia GTX 745 and my Cpu an Intel core I5. The blender version that I am using for render is 2.82a.
Anybody knows why is this happening?
A:
You could go into the blender preferences, (edit>preferences>system>cycles render devices) and try looking for your GPU, as you may have 'none' selected.
It might be under a different path tracing GPU option
|
Q:
main.c|4|error C2059: syntax error : 'type'| i dont know y=why this error is popping up
#include <stdio.h>
#include <stdlib.h>
int max(int num1, int num2) {
int result;
if(num1 > num2) {
result =num1;
} else {
result = num2;
}
return result;
}
int main() {
printf("%d",max(4,3));
return 0;
}
I do not understand why this is not working; it is telling me:
main.c|4|error C2059: syntax error : 'type'|
I do not know why this error is popping up.
A:
It would appear that one of the library header files (most likely stdlib.h) is providing a macro definition for max, and this is conflicting with your own function definition.
To resolve this, either rename your function (say mymax) or add the following line after the two #include lines:
#undef max
Or, if you want to be more thorough:
#ifdef max
#undef max
#endif
Another option, as you aren't actually using anything from the stdlib.h header, is just to remove (or comment out) the #include <stdlib.h> line (but that may affect code you later add to your program).
NOTE: Compilers (such as MSVC) that give macro definitions for max and min are, strictly speaking, not conforming to the C Language Standard. However, that doesn't seem to prevent their implementers from doing it. If you are using MSVC, then you can also prevent this error by including the following line immediately before including the stdlib.h header:
#undef _CRT_INTERNAL_NONSTDC_NAMES
#include <stdlib.h>
You can also fix the problem without changing your code, by adding the /Za complier option (or set "Disable Language Extensions" to "Yes" in the project's C/C++ properties).
|
We very recently brought our 11 week Chow home from the breeders. We have been socializing him, and every now and then, usually after playing, he will growl at myself or my daughter. Any suggestions on how to stop this negative behavior? He is also very "nippy" when playing. Thanks to all in advance.
My puppy is close to the same age. With her, she doesn't know how to end "crazy" play. A couple times per day she works herself up and is a bit nippy. I don't know the best method, but this is what is working for us. I grab the back of her neck and give a loud "EHT" sound. If she continues to mouth me I literally hold her little mouth shut and repeat the "EHT" (just a correction word I use).
This sound is used every time. Now when she charges at me I use the "EHT" just before she hits me and she pauses. That brief pause I reward her with a treat. (I am her personal treat dispenser) This has not ended the biting completely, but we have rounded a corner and she is beginning to understand that she will be corrected for biting and rewarded for not biting.
They are very smart, but they need to be taught that playing with us will end if they bite.
A little calming thing that I do while she is young is to pick her up and hold her on her back in my arms... She calms down almost instantly as I rub her belly and coo to her. It look very silly, but she loves it and almost melts into my arms. Instant CALM! When she refuses to calm down, I carry her to her crate and giver a bully stick to chew on. (time out)
|
M14
The M14 rifle, formally the United States Rifle, 7.62 mm, M14, is an American selective fire automatic rifle firing 7.62x51mm NATO (.308 Winchester) ammunition. It was the standard issue U.S. rifle from 1959 to 1970. The M14 was used for U.S. Army and Marine Corps basic and advanced individual training, and was the standard issue infantry rifle in CONUS, Europe, and South Korea, until replaced by the M16 rifle in 197
|
#109 Obedient Sons
July 18, 2008
Speaking of announcements, the nominees for the CFDA awards have just been listed, and up for the CFDA/Vogue Fashion Fund award is my favourite American label Obedient Sons – stay tuned for an interview coming soon. If they win they’re in for a sweet little $200,000 cheque which I’m sure won’t go amiss. (Someone once told me: “Isaac, if you want to learn the hardest way to make money in this world, start up a high end fashion label.”) Second or third place isn’t too bad either, with a casual $50,000 being handed down to the runners up.
|
Tag: David Brooks
This piece by David Brooks is smart and insightful. He makes a compelling case for the communitarian roots of Conservatism as an ideology. “Being a Republican” or “being a Democrat” are not ideologies. They are means to power, more so now than ever. While Brooks is focusing on Conservatism, the same separation between Democrat or Progressive has been getting made on the other side for years. (One concise, if broadly-stroked and not entirely generous way to frame the considerable anecdotal evidence would be to recall how establishment Democrats told Progressives that Bernie Sanders was not a means to power, how establishment Democrats shamed Progressives, especially young, progressive women, for ever trying to go there).
It’s long been a trope of academic Conservatives to say that their conservatism is meant to preserve what liberalism has traditionally been: “Conservatives are simply modern-day classical liberals who believe in limited government and the absolute sovereignty of the individual in matters of state and conscience.” But Brooks locates the true origin of Conservatism in an overall agreement with Lockean liberalism with one important distinction: “Conservatives said we agree with the general effort but think you’ve got human nature wrong. There never was such a thing as an autonomous, free individual who could gather with others to create order. Rather, individuals emerge out of families, communities, faiths, neighborhoods and nations. The order comes first. Individual freedom is an artifact of that order.”
That’s a tremendously important difference between Conservatism as such and classical liberalism, one that has never been honestly and robustly explored in popular discourse. “The practical upshot,” Brooks says, “is that conservatives have always placed tremendous emphasis on the sacred space where individuals are formed. This space is populated by institutions like the family, religion, the local community, the local culture, the arts, the schools, literature and the manners that govern everyday life.”
The piece is short, precise, and incredibly important. It also sets up an unexplored discussion about the differences between true Conservatives, and, say, Libertarians, in addition to the call to parse Republicanism (a Jacobin means to power, really), and Conservatism rightly understood.
I take it that for Brooks, a Conservative regime would not be separating families at the border.
|
/*
* Copyright (C) 2016 Red Hat, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package io.syndesis.server.api.generator;
import io.syndesis.common.model.api.APISummary;
import io.syndesis.common.model.connection.ConfigurationProperty;
import io.syndesis.common.model.connection.Connector;
import io.syndesis.common.model.connection.ConnectorGroup;
import io.syndesis.common.model.connection.ConnectorSettings;
import io.syndesis.common.model.connection.ConnectorTemplate;
import org.junit.Test;
import static org.assertj.core.api.Assertions.assertThat;
public class ConnectorGeneratorTest {
private final ConnectorGenerator generator = new ConnectorGenerator(new Connector.Builder()
.addTags("from-connector")
.build()) {
@Override
public Connector generate(final ConnectorTemplate connectorTemplate, final ConnectorSettings connectorSettings) {
return null;
}
@Override
public APISummary info(final ConnectorTemplate connectorTemplate, final ConnectorSettings connectorSettings) {
return null;
}
@Override
protected String determineConnectorDescription(final ConnectorTemplate connectorTemplate,
final ConnectorSettings connectorSettings) {
return "test-description";
}
@Override
protected String determineConnectorName(final ConnectorTemplate connectorTemplate, final ConnectorSettings connectorSettings) {
return "test-name";
}
};
private final ConnectorTemplate template = new ConnectorTemplate.Builder()
.id("template-id")
.connectorGroup(new ConnectorGroup.Builder().id("template-group").build())
.putProperty("property1", new ConfigurationProperty.Builder().build())
.putProperty("property2", new ConfigurationProperty.Builder().build())
.build();
@Test
public void shouldCreateBaseConnectors() {
final ConnectorSettings settings = new ConnectorSettings.Builder().putConfiguredProperty("property2", "value2").build();
final Connector connector = generator.baseConnectorFrom(template, settings);
assertThat(connector).isEqualToIgnoringGivenFields(
new Connector.Builder()
.name("test-name")
.description("test-description")
.addTags("from-connector")
.connectorGroup(template.getConnectorGroup())
.connectorGroupId("template-group")
.properties(template.getConnectorProperties())
.putConfiguredProperty("property2", "value2")
.build(),
"id", "icon");
assertThat(connector.getIcon()).isEqualTo("data:image/svg+xml,dummy");
}
@Test
public void shouldCreateBaseConnectorsWithGivenNameAndDescription() {
final ConnectorSettings settings = new ConnectorSettings.Builder().name("given-name").description("given-description")
.putConfiguredProperty("property2", "value2").build();
final Connector connector = generator.baseConnectorFrom(template, settings);
assertThat(connector).isEqualToIgnoringGivenFields(
new Connector.Builder()
.name("given-name")
.description("given-description")
.addTags("from-connector")
.connectorGroup(template.getConnectorGroup())
.connectorGroupId("template-group")
.properties(template.getConnectorProperties())
.putConfiguredProperty("property2", "value2").build(),
"id", "icon");
assertThat(connector.getIcon()).isEqualTo("data:image/svg+xml,dummy");
}
}
|
this is really cool. can't wait to see it with black keys. how did you apply the glass.
Click to expand...
adhesive transfer tape. use butanone to remove the old adhesive. If pregnant, mod is not recommended, as inhaling butanone causes birth defects. But it's the only thing that will get rid of 100%(not 90%, or "enough", or 99%) of the old adhesive.
The adhesive is redundant with the stock bezel, since there are clips. Apple is silly.
That looks fantastic. Would you mind telling how it was done? Or was it as simple as removing the white bezel and placing the glass one over it?
Click to expand...
Did you even remove the white bezel? It kind of looks like the glass is sitting on top of the current screen and bezel, although wouldn't that make it difficult to close the lid? Also how does the iSight work with the new glass?
Looks incredible. Have there been any more updates? And could you please post more pics w/ more angles, and open/closed? Thanks
Click to expand...
Yeah, post some more pics please! I'm really curious about this. I sooo want my white MB to look like that, I'm just way too afraid to mod it like that
I wish there were a way to make the bezel black without having to remove it. Like, maybe some really thin piece of plastic to go over the entire screen, thin enough to not affect the closing of the macbook, dark black on the bezel area, but clear over the screen. I love the look of the white MacBooks but find the white bezel to be distracting. IMHO it should make what's on the screen pop out at you and create some contrast, and all that white right next to the screen just doesn't do that.
MacRumors attracts a broad audience
of both consumers and professionals interested in
the latest technologies and products. We also boast an active community focused on
purchasing decisions and technical aspects of the iPhone, iPod, iPad, and Mac platforms.
|
Tumor induction in Sencar mice in response to ultraviolet radiation.
The purpose of this study was to ascertain whether Sencar mice, which are extremely susceptible to two-stage skin carcinogenesis by chemical carcinogens, also exhibit increased susceptibility to carcinogenesis by ultraviolet radiation (UVR). Sencar and CD-1 mice were given a single treatment of UVR from FS40 sunlamps and received no subsequent treatments with chemical or physical promoters. The doses administered were 0, 2.88, 5.76, or 11.52 x 10(4) J/m2. No tumors were observed in either treated or untreated CD-1 mice at 30 weeks after irradiation. Papillomas began to appear at 6 weeks after irradiation in Sencar mice; the cumulative incidence of tumors at 30 weeks after irradiation was 40 and 45% for the two highest UVR dose groups. Approximately 50% of the tumors regressed spontaneously. In several cases, however, the remaining tumors progressed to squamous cell carcinomas. These results indicate that the hypersensitivity of Sencar mice to tumor induction in skin exists not only with respect to chemical carcinogens but also with respect to at least one physical carcinogen (UVR).
|
Here's a list of some sources and resources
relevant to the seminar, including all the books and articles on reserve
for the seminar at the Cabot (a.k.a. Science Center) library.
Here's an outline/review of
algebraic notation
for chess positions and moves.
Here are glossaries of most of the technical terms from
chess
and
graph theory
that we'll use.
September 22: Zermelo's theorem
(from Mengentheorie und Schach, 1912),
and some consequences and extensions.
For instance, what can a ``slight advantage'' or ``strong move'' mean
in light of Zermelo?
correction: I found
this recent publication by Schwalbe and Walker,
``Zermelo and the Early History of Game Theory'', which contains
a translation of Zermelo's paper: evidently it first appeared in 1913
and had a different and rather longer title.
September 29: Graph theory of the chessboard.
Girth, maximal (co)cliques, domination numbers, and distance functions
for the King, Queen, Rook, Bishop, and Knight;
some chess applications; enumeration of maximal configurations
(except for maximal King cocliques).
October 7: Computational techniques (mostly meet-in-the-middle tricks
and dynamical programming), and some chess applications (corresponding
squares, etc., all of which can also be understood in the Zermelo
framework).
October 13: A bit more about dynamical programming;
enumerative chess problems; an introduction to
Combinatorial Game Theory and ``On numbers and endgames''.
October 20: Introduction to chess problems,
and how to algorithmically look for some of them.
October 27: Various further kinds of mathematical chess problems.
November 3: Introduction to asymptotics; some asymptotic chess questions.
November 17: Richard Stanley's guest lecture on
queue problems, mostly involving Catalan numbers
(for which see the excerpts from Vol.2 of Stanley's
Enumerative Combinatoricshere).
Also: Dan Thomas's proof game; some Rex Solus helpmates in 7
[Rex Solus: one King, usually the Black one,
is the only unit of its color on the board];
five Bishops (without their King) can't force mate
on a bare King on an infinite board.
November 24: More progress reports; combinative separation, cont'd;
two classic problems showing the Babson task in selfmate and direct mate.
December 1: The Kasteleyn permanent/determinant method for enumerating
domino tilings of checkerboard chunks [it works more generally
for any bipartite planar graph]; interlude on Rubik's cubes
and the 15-puzzle; a study built on a KQQ/KQQ mutual Zugzwang
obtained by exhaustive computer search.
December 8: The Kasteleyn formula for enumerating domino tilings
of a rectangular checkerboard (eigenvalues, tensor products,
and trigonometric identities lead to a remarkable product formula).
Also: a couple of studies that feature long castling.
NEWSFLASH!
According to this
announcement, there are 2240 ``semimagic'' Knight's tours of
the 8*8 board, of which 1008 are ``closed'' and none are ``fully magic''.
Thanks to Richard Stanley for alerting me to this.
The nonexistence of fully magic Knight's tours
solves a long-standing problem; see for instance
Chapter 14, ``Knights of the Square Table'', of Martin Gardner's
Mathematical Magic Show (Vintage Books, 1978).
In a ``Knight's tour'',
a Knight travels through all 64 squares without repetitions.
Label the board with the numbers from 1 to 64 so the initial square
of the tour is labeled 1, the next square 2, and so on until the final
square is 64. If all the rows and columns add up to the same number
(necessarily 260 -- do you see why?), the tour is said to be ``semimagic''.
Various such tours had been constructed, but the complete list was not
previously known. The list also reveals that none of the tours are
``fully magic'' (with each diagonal also adding up to 260), and 1008
are ``closed'' (a.k.a. ``reentrant'': square 64 is connected back
to square 1 by a Knight's move). The enumeration required heavy use
of computer power; it must also have required considerable ingenuity
to reduce the computation to a feasible length.
|
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
published:24 Mar 2014
views:38555
Learn how to get started with OpenStreetMap. Visit the website, navigate the map, search for locations, and export a map image.
published:23 Oct 2011
views:52630
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
published:20 Nov 2015
views:3885
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
published:01 Nov 2016
views:90558
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
published:17 Jun 2016
views:8658
To get started, head over to openstreetmap.org . There to can create an account, and start making map changes and edits right away. Good luck!
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
published:06 Mar 2015
views:31270
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
Rather than the map itself, the data generated by the OpenStreetMap project are considered its primary output. The data are then available for use in both traditional applications, like its usage by Craigslist, OsmAnd, Geocaching, MapQuest Open, JMP statistical software, and Foursquare to replace Google Maps, and more unusual roles like replacing default data included with GPS receivers. This data have been favourably compared with proprietary datasources, though data quality varies worldwide.
Road map
A road map or route map is a map that primarily displays roads and transport links rather than natural geographical information. It is a type of navigational map that commonly includes political boundaries and labels, making it also a type of political map. In addition to roads and boundaries, road maps often include points of interest, such as prominent businesses or buildings, tourism sites, parks and recreational facilities, hotels and restaurants, as well as airports and train stations. A road map may also document non-automotive transit routes, although often these are found only on transit maps.
History
The Dura-Europos Route map is the oldest known map of (a part of) Europe preserved in its original form. It is a fragment of a map drawn onto a leather portion of a shield by a Roman soldier in c. 235 AD. It depicts several towns along the northwest coast of the Black Sea.
Street Map
Street Map is an EP of new studio recordings from The Innocence Mission. Limited to 5,000 copies, the release is their first since 2000's Christ Is My Hope to be sold directly though their website without the involvement of a record label.
Originally intended to preview their next studio LP, an update to their website in September 2009 revealed that after further recording, the next LP "turned out to be a mostly new group of songs, with maybe one song from Street Map." In March 2010, however, it was announced that no songs found on Street Map would feature on the upcoming album. My Room In The Trees was released in July.
The EP also contains one previously released recording. "A Thousand Miles" was originally available on the charity compilation 'Evensong' in 2000. The track has been re-mastered for this release.
Learn How To Map in OpenStreetMap
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
9:53
Beginning OpenStreetMap 1 - Getting Started - HOT - Jeff Haack
Beginning OpenStreetMap 1 - Getting Started - HOT - Jeff Haack
Beginning OpenStreetMap 1 - Getting Started - HOT - Jeff Haack
Learn how to get started with OpenStreetMap. Visit the website, navigate the map, search for locations, and export a map image.
5:15
OpenStreetMap: The map that saves lives | CNBC International
OpenStreetMap: The map that saves lives | CNBC International
OpenStreetMap: The map that saves lives | CNBC International
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
2:30
Build Mode: Landscape - Use OpenStreetMap
Build Mode: Landscape - Use OpenStreetMap
Build Mode: Landscape - Use OpenStreetMap
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
10:03
OpenStreetMap nodes history 2006-2016
OpenStreetMap nodes history 2006-2016
OpenStreetMap nodes history 2006-2016
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
6:35
How to edit OpenStreetMap. A quick guide / tutorial.
How to edit OpenStreetMap. A quick guide / tutorial.
How to edit OpenStreetMap. A quick guide / tutorial.
To get started, head over to openstreetmap.org . There to can create an account, and start making map changes and edits right away. Good luck!
Two Minute Tutorials: Adding a building to OpenStreetMap
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
QGIS lesson 25 – OpenStreetMap to production-ready map in minutes
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
1:09
OpenStreetMap 3D City Generator
OpenStreetMap 3D City Generator
OpenStreetMap 3D City Generator
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
En este video serás instruido en cómo descargar en formato vectorial los datos de Open Street Map, que resulta útil para la elaboración de cartografía con fines de planificación, estudios de impacto ambiental, entre otros.
In this video you will be instructed on how to download the data from Open Street Map in vector format , which is useful for making maps for planning , environmental impact studies , and others.
For more GIS check this out
http://99bafevzi81u9k6hfg024n0se3.hop.clickbank.net/
or
http://c2057ls0k7rqdy54vl-iqo4m73.hop.clickbank.net/
ArcGis: Download Open Street Map data in Vector format
The ArcGIS Editor for OpenStreetMap allows you to use ArcGIS tools for working with OpenStreetMap data. This desktop toolset for ArcGIS allows you to load data from OpenStreetMap and store it in a geodatabase. You can then use the familiar editing environment of ArcGIS Desktop to create, modify, do network analysis, or update data. Once you are done editing, you can post back the edit changes to OSM to make them available to all OSM users.
To see more videos visit website : http://monde-geospatial.com/
2:47
Video 3: Using OpenStreetMap for Your Project
Video 3: Using OpenStreetMap for Your Project
Video 3: Using OpenStreetMap for Your Project
5:03
Openstreetmap importer for 3dsMax
Openstreetmap importer for 3dsMax
Openstreetmap importer for 3dsMax
Import openstreetmap data directly into 3dsMax. This script is still work in progress.
Many AutoCAD users, such as architects, surveyors, engineers, etc., often need access to territorial information as a basis for their own projects or their work related in some way to the territory
OpenStreetMap community has this kind of spatial information, which is freely available, supported by thousands of users worldwide and continuously updated (see the previous post in this Blog)
Spatial Manager™ for AutoCAD includes, as other products in the Spatial Manager™ suite, its own data provider to access the information in OpenStreetMap and import it as graphical objects and alphanumeric data (EED)
In this example, by using the search and navigation tools in the main OpenStreetMap website, we locate the spatial information relating to a given city and the search process is focused on a specific area of the city. Then, from this website, the information is exported to an OSM file which will be used in Spatial Manager™ for AutoCAD to import OpenStreetMap data into an AutoCAD drawing
The information to be imported into AutoCAD from the OSM file is segmented. First, the buildings are imported and automatically separated into different AutoCAD layers, according to their build type. Then, the routes are imported into another Layer
Also, we configure the application to perform a CoordinateTransformation to project the objects over the import process (OpenStreetMap information is defined using the WGS 84 Latitude-Longitude system -- EPSG: 4326)
Please, watch the video
Learn How To Map in OpenStreetMap
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
published: 24 Mar 2014
Beginning OpenStreetMap 1 - Getting Started - HOT - Jeff Haack
Learn how to get started with OpenStreetMap. Visit the website, navigate the map, search for locations, and export a map image.
published: 23 Oct 2011
OpenStreetMap: The map that saves lives | CNBC International
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
published: 20 Nov 2015
Build Mode: Landscape - Use OpenStreetMap
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
published: 01 Nov 2016
OpenStreetMap nodes history 2006-2016
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
published: 17 Jun 2016
How to edit OpenStreetMap. A quick guide / tutorial.
To get started, head over to openstreetmap.org . There to can create an account, and start making map changes and edits right away. Good luck!
Two Minute Tutorials: Adding a building to OpenStreetMap
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
QGIS lesson 25 – OpenStreetMap to production-ready map in minutes
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
published: 06 Mar 2015
OpenStreetMap 3D City Generator
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
En este video serás instruido en cómo descargar en formato vectorial los datos de Open Street Map, que resulta útil para la elaboración de cartografía con fines de planificación, estudios de impacto ambiental, entre otros.
In this video you will be instructed on how to download the data from Open Street Map in vector format , which is useful for making maps for planning , environmental impact studies , and others.
For more GIS check this out
http://99bafevzi81u9k6hfg024n0se3.hop.clickbank.net/
or
http://c2057ls0k7rqdy54vl-iqo4m73.hop.clickbank.net/
ArcGis: Download Open Street Map data in Vector format
The ArcGIS Editor for OpenStreetMap allows you to use ArcGIS tools for working with OpenStreetMap data. This desktop toolset for ArcGIS allows you to load data from OpenStreetMap and store it in a geodatabase. You can then use the familiar editing environment of ArcGIS Desktop to create, modify, do network analysis, or update data. Once you are done editing, you can post back the edit changes to OSM to make them available to all OSM users.
To see more videos visit website : http://monde-geospatial.com/
published: 08 Sep 2016
Video 3: Using OpenStreetMap for Your Project
published: 22 Feb 2014
Openstreetmap importer for 3dsMax
Import openstreetmap data directly into 3dsMax. This script is still work in progress.
Many AutoCAD users, such as architects, surveyors, engineers, etc., often need access to territorial information as a basis for their own projects or their work related in some way to the territory
OpenStreetMap community has this kind of spatial information, which is freely available, supported by thousands of users worldwide and continuously updated (see the previous post in this Blog)
Spatial Manager™ for AutoCAD includes, as other products in the Spatial Manager™ suite, its own data provider to access the information in OpenStreetMap and import it as graphical objects and alphanumeric data (EED)
In this example, by using the search and navigation tools in the main OpenStreetMap website, we locate the spatial information relating to a given city and the search process is focused on ...
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
Build Mode: Landscape - Use OpenStreetMap
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding ...
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
OpenStreetMap nodes history 2006-2016
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 ...
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
Two Minute Tutorials: Adding a building to OpenStreetMap
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to Op...
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
QGIS lesson 25 – OpenStreetMap to production-ready map in minutes
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
...
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
En este video serás instruido en cómo descargar en formato vectorial los datos de Open Street Map, que resulta útil para la elaboración de cartografía con fines de planificación, estudios de impacto ambiental, entre otros.
In this video you will be instructed on how to download the data from Open Street Map in vector format , which is useful for making maps for planning , environmental impact studies , and others.
For more GIS check this out
http://99bafevzi81u9k6hfg024n0se3.hop.clickbank.net/
or
http://c2057ls0k7rqdy54vl-iqo4m73.hop.clickbank.net/
En este video serás instruido en cómo descargar en formato vectorial los datos de Open Street Map, que resulta útil para la elaboración de cartografía con fines de planificación, estudios de impacto ambiental, entre otros.
In this video you will be instructed on how to download the data from Open Street Map in vector format , which is useful for making maps for planning , environmental impact studies , and others.
For more GIS check this out
http://99bafevzi81u9k6hfg024n0se3.hop.clickbank.net/
or
http://c2057ls0k7rqdy54vl-iqo4m73.hop.clickbank.net/
ArcGis: Download Open Street Map data in Vector format
The ArcGIS Editor for OpenStreetMap allows you to use ArcGIS tools for working with OpenStreetMap data. This desktop toolset for ArcGIS allows you to load data ...
The ArcGIS Editor for OpenStreetMap allows you to use ArcGIS tools for working with OpenStreetMap data. This desktop toolset for ArcGIS allows you to load data from OpenStreetMap and store it in a geodatabase. You can then use the familiar editing environment of ArcGIS Desktop to create, modify, do network analysis, or update data. Once you are done editing, you can post back the edit changes to OSM to make them available to all OSM users.
To see more videos visit website : http://monde-geospatial.com/
The ArcGIS Editor for OpenStreetMap allows you to use ArcGIS tools for working with OpenStreetMap data. This desktop toolset for ArcGIS allows you to load data from OpenStreetMap and store it in a geodatabase. You can then use the familiar editing environment of ArcGIS Desktop to create, modify, do network analysis, or update data. Once you are done editing, you can post back the edit changes to OSM to make them available to all OSM users.
To see more videos visit website : http://monde-geospatial.com/
Many AutoCAD users, such as architects, surveyors, engineers, etc., often need access to territorial information as a basis for their own projects or their work...
Many AutoCAD users, such as architects, surveyors, engineers, etc., often need access to territorial information as a basis for their own projects or their work related in some way to the territory
OpenStreetMap community has this kind of spatial information, which is freely available, supported by thousands of users worldwide and continuously updated (see the previous post in this Blog)
Spatial Manager™ for AutoCAD includes, as other products in the Spatial Manager™ suite, its own data provider to access the information in OpenStreetMap and import it as graphical objects and alphanumeric data (EED)
In this example, by using the search and navigation tools in the main OpenStreetMap website, we locate the spatial information relating to a given city and the search process is focused on a specific area of the city. Then, from this website, the information is exported to an OSM file which will be used in Spatial Manager™ for AutoCAD to import OpenStreetMap data into an AutoCAD drawing
The information to be imported into AutoCAD from the OSM file is segmented. First, the buildings are imported and automatically separated into different AutoCAD layers, according to their build type. Then, the routes are imported into another Layer
Also, we configure the application to perform a CoordinateTransformation to project the objects over the import process (OpenStreetMap information is defined using the WGS 84 Latitude-Longitude system -- EPSG: 4326)
Please, watch the video
Many AutoCAD users, such as architects, surveyors, engineers, etc., often need access to territorial information as a basis for their own projects or their work related in some way to the territory
OpenStreetMap community has this kind of spatial information, which is freely available, supported by thousands of users worldwide and continuously updated (see the previous post in this Blog)
Spatial Manager™ for AutoCAD includes, as other products in the Spatial Manager™ suite, its own data provider to access the information in OpenStreetMap and import it as graphical objects and alphanumeric data (EED)
In this example, by using the search and navigation tools in the main OpenStreetMap website, we locate the spatial information relating to a given city and the search process is focused on a specific area of the city. Then, from this website, the information is exported to an OSM file which will be used in Spatial Manager™ for AutoCAD to import OpenStreetMap data into an AutoCAD drawing
The information to be imported into AutoCAD from the OSM file is segmented. First, the buildings are imported and automatically separated into different AutoCAD layers, according to their build type. Then, the routes are imported into another Layer
Also, we configure the application to perform a CoordinateTransformation to project the objects over the import process (OpenStreetMap information is defined using the WGS 84 Latitude-Longitude system -- EPSG: 4326)
Please, watch the video
OpenStreetMap Quality Control
Custom styled map of the whole world served from your server? Easy!
This talk shows examples of practical use of the vector tiles downloaded from the OSM2VectorTiles project (http://www.osm2vectortiles.org/) or other tiles in MVT format.
A new open-source project called TileServer GL (http:///www.tileserver.org/) is going to be presented. This project serves JSON map styles into web applications powered by MapBox GL JS library as well as into native mobile SDKs for iOS and Android.
The same style can be rendered on the server side (with the OpenGL acceleration) into good old raster tiles to ensure compatibility and portability. Maps can be opened in various viewers such as Leaflet, OpenLayers, QGIS or ArcGIS.
Alternatively, it is possible to use a tileserver powered by Mapnik to render...
published: 29 Aug 2016
Create a Realistic City - Blender Tutorial
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https://www.patreon.com/cggeek?ty=h
Resources:
FreeOpen Street Map Add on:
https://drive.google.com/file/d/0B19GBkMpIGvuYmxkUUlCSEVkdHc/view?usp=sharing
Or pick up the new pro version of the add-on for just $5.90! Completely re-written, It features one click download and import of the real world terrain data with new features like higher quality buildings, more realistic cites, lots of new rooftops and more!
https://gumroad.com/a/77804659
http://www.openstreetmap.org/
(Alternatively you can download the City Map used in the tutorial here: https://drive.google.com/file/d/0B19GBkMpIGvuOHlqZlhkaUw0ajA/view?usp=sharing )
Add on created by: Vladimir Elistratov
BuildingTextures:
http://www.textures.com/d...
published: 09 Jun 2016
Maps OpenStreetMap
published: 30 Aug 2014
Who's on First 👊 OpenStreetMap
published: 22 Oct 2017
Open your Public Transport with OpenStreetMap and Transportr
2016-07-14 #FISL17 Slides: https://transportr.grobox.de/FISL17-Transportr.pdf
In this presentation, I will show how the Free Software community can help to improve the traffic problems in our cities by making public transport mo re accessible.
I will explain how I opened up the public transport data of the Sistema
Integrado de Mobilidade in Florianópolis, so it can be used by the Free
Software application Transportr and many other tools.
Using data from OpenStreetMap, the local consortium and the prefeitura, I was able to write reusable Free Software tools to generate data in GTFS, the de-facto standard for public transport data.
With this, you can not only look up when the next bus comes, but also do routing, so finding out how to get from A to B. Since the data is open and the softwa...
OpenStreetMap and ArcGIS: Mapping the Future
Whether you are new to OpenStreetMap or a seasoned user, we want to meet and collaborate with you. This session will be an interactive dialog on OSM and ArcGIS. We’ll provide an overview of the current tools and facilitate a discussion about your current workflows and usage, and brainstorm how you’d like to use it in the future.
Presented by Clint Loveman
Custom styled map of the whole world served from your server? Easy!
This talk shows examples of practical use of the vector tiles downloaded from the OSM2Vecto...
Custom styled map of the whole world served from your server? Easy!
This talk shows examples of practical use of the vector tiles downloaded from the OSM2VectorTiles project (http://www.osm2vectortiles.org/) or other tiles in MVT format.
A new open-source project called TileServer GL (http:///www.tileserver.org/) is going to be presented. This project serves JSON map styles into web applications powered by MapBox GL JS library as well as into native mobile SDKs for iOS and Android.
The same style can be rendered on the server side (with the OpenGL acceleration) into good old raster tiles to ensure compatibility and portability. Maps can be opened in various viewers such as Leaflet, OpenLayers, QGIS or ArcGIS.
Alternatively, it is possible to use a tileserver powered by Mapnik to render the raster tiles out of vector tiles and existing CartoCSS styles made in MapBox StudioClassic.
Other approaches for independent hosting and using of vector tiles are going to be presented as well.
GitHub page: https://github.com/klokantech/tileserver-gl
-----
This video was originally published on the official FOSS4G video portal under the CC-BY-3.0 license. It was republished on Youtube for easier sharing on the project website.
Link to original video: http://ftp5.gwdg.de/pub/misc/openstreetmap/FOSS4G-2016/foss4g-2016-1288-hosting_vector_tile_maps_on_your_own_server-hd.mp4
Link to video license: https://creativecommons.org/licenses/by/3.0/
Link to official video portal of FOSS4G: http://video.foss4g.org/foss4g2016/videos/index.php
Custom styled map of the whole world served from your server? Easy!
This talk shows examples of practical use of the vector tiles downloaded from the OSM2VectorTiles project (http://www.osm2vectortiles.org/) or other tiles in MVT format.
A new open-source project called TileServer GL (http:///www.tileserver.org/) is going to be presented. This project serves JSON map styles into web applications powered by MapBox GL JS library as well as into native mobile SDKs for iOS and Android.
The same style can be rendered on the server side (with the OpenGL acceleration) into good old raster tiles to ensure compatibility and portability. Maps can be opened in various viewers such as Leaflet, OpenLayers, QGIS or ArcGIS.
Alternatively, it is possible to use a tileserver powered by Mapnik to render the raster tiles out of vector tiles and existing CartoCSS styles made in MapBox StudioClassic.
Other approaches for independent hosting and using of vector tiles are going to be presented as well.
GitHub page: https://github.com/klokantech/tileserver-gl
-----
This video was originally published on the official FOSS4G video portal under the CC-BY-3.0 license. It was republished on Youtube for easier sharing on the project website.
Link to original video: http://ftp5.gwdg.de/pub/misc/openstreetmap/FOSS4G-2016/foss4g-2016-1288-hosting_vector_tile_maps_on_your_own_server-hd.mp4
Link to video license: https://creativecommons.org/licenses/by/3.0/
Link to official video portal of FOSS4G: http://video.foss4g.org/foss4g2016/videos/index.php
Create a Realistic City - Blender Tutorial
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https://www.patreon.com/cggeek?ty=h
Resources:
FreeOpen Street Map Add on:...
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https://www.patreon.com/cggeek?ty=h
Resources:
FreeOpen Street Map Add on:
https://drive.google.com/file/d/0B19GBkMpIGvuYmxkUUlCSEVkdHc/view?usp=sharing
Or pick up the new pro version of the add-on for just $5.90! Completely re-written, It features one click download and import of the real world terrain data with new features like higher quality buildings, more realistic cites, lots of new rooftops and more!
https://gumroad.com/a/77804659
http://www.openstreetmap.org/
(Alternatively you can download the City Map used in the tutorial here: https://drive.google.com/file/d/0B19GBkMpIGvuOHlqZlhkaUw0ajA/view?usp=sharing )
Add on created by: Vladimir Elistratov
BuildingTextures:
http://www.textures.com/download/buildingshighrise0490/63994?q=BuildingsHighRise0490
http://www.textures.com/download/buildingshighrise0522/69997?q=BuildingsHighRise0522
http://www.textures.com/download/buildingshighrise0530/71889?q=BuildingsHighRise0530
http://www.textures.com/download/highriseresidential0103/64813?q=HighRiseResidential0103
http://www.textures.com/download/highriseresidential0139/69952?q=HighRiseResidential0139
http://www.textures.com/search?q=HighRiseResidential0144
Concrete: http://www.textures.com/download/concretebare0321/51962?q=ConcreteBare0321
Roads: https://drive.google.com/file/d/0B19GBkMpIGvuZHo4VFU0eEY4U2M/view?usp=sharing
HDR: http://www.hdrlabs.com/sibl/archive.htmlIntroMusic: AndrewLund - https://hearthis.at/mdz9gcfv/
Facebook: https://www.facebook.com/pages/CG-Gee...
Twitter: https://twitter.com/CGGeeks
DevianArt: http://cg-geek.deviantart.com/
Also check out my DVD here! https://www.blendermarket.com/products/dinosaur-creation-tutorial-series
Sky Background: http://www.textures.com/download/skies0206/6691?q=Skies0206
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https://www.patreon.com/cggeek?ty=h
Resources:
FreeOpen Street Map Add on:
https://drive.google.com/file/d/0B19GBkMpIGvuYmxkUUlCSEVkdHc/view?usp=sharing
Or pick up the new pro version of the add-on for just $5.90! Completely re-written, It features one click download and import of the real world terrain data with new features like higher quality buildings, more realistic cites, lots of new rooftops and more!
https://gumroad.com/a/77804659
http://www.openstreetmap.org/
(Alternatively you can download the City Map used in the tutorial here: https://drive.google.com/file/d/0B19GBkMpIGvuOHlqZlhkaUw0ajA/view?usp=sharing )
Add on created by: Vladimir Elistratov
BuildingTextures:
http://www.textures.com/download/buildingshighrise0490/63994?q=BuildingsHighRise0490
http://www.textures.com/download/buildingshighrise0522/69997?q=BuildingsHighRise0522
http://www.textures.com/download/buildingshighrise0530/71889?q=BuildingsHighRise0530
http://www.textures.com/download/highriseresidential0103/64813?q=HighRiseResidential0103
http://www.textures.com/download/highriseresidential0139/69952?q=HighRiseResidential0139
http://www.textures.com/search?q=HighRiseResidential0144
Concrete: http://www.textures.com/download/concretebare0321/51962?q=ConcreteBare0321
Roads: https://drive.google.com/file/d/0B19GBkMpIGvuZHo4VFU0eEY4U2M/view?usp=sharing
HDR: http://www.hdrlabs.com/sibl/archive.htmlIntroMusic: AndrewLund - https://hearthis.at/mdz9gcfv/
Facebook: https://www.facebook.com/pages/CG-Gee...
Twitter: https://twitter.com/CGGeeks
DevianArt: http://cg-geek.deviantart.com/
Also check out my DVD here! https://www.blendermarket.com/products/dinosaur-creation-tutorial-series
Sky Background: http://www.textures.com/download/skies0206/6691?q=Skies0206
Open your Public Transport with OpenStreetMap and Transportr
2016-07-14 #FISL17 Slides: https://transportr.grobox.de/FISL17-Transportr.pdf
In this presentation, I will show how the Free Software community can help to imp...
2016-07-14 #FISL17 Slides: https://transportr.grobox.de/FISL17-Transportr.pdf
In this presentation, I will show how the Free Software community can help to improve the traffic problems in our cities by making public transport mo re accessible.
I will explain how I opened up the public transport data of the Sistema
Integrado de Mobilidade in Florianópolis, so it can be used by the Free
Software application Transportr and many other tools.
Using data from OpenStreetMap, the local consortium and the prefeitura, I was able to write reusable Free Software tools to generate data in GTFS, the de-facto standard for public transport data.
With this, you can not only look up when the next bus comes, but also do routing, so finding out how to get from A to B. Since the data is open and the software free, the possibilities are endless.
https://github.com/grote/osm2gtfs
2016-07-14 #FISL17 Slides: https://transportr.grobox.de/FISL17-Transportr.pdf
In this presentation, I will show how the Free Software community can help to improve the traffic problems in our cities by making public transport mo re accessible.
I will explain how I opened up the public transport data of the Sistema
Integrado de Mobilidade in Florianópolis, so it can be used by the Free
Software application Transportr and many other tools.
Using data from OpenStreetMap, the local consortium and the prefeitura, I was able to write reusable Free Software tools to generate data in GTFS, the de-facto standard for public transport data.
With this, you can not only look up when the next bus comes, but also do routing, so finding out how to get from A to B. Since the data is open and the software free, the possibilities are endless.
https://github.com/grote/osm2gtfs
OpenStreetMap and ArcGIS: Mapping the Future
Whether you are new to OpenStreetMap or a seasoned user, we want to meet and collaborate with you. This session will be an interactive dialog on OSM and ArcGIS....
Whether you are new to OpenStreetMap or a seasoned user, we want to meet and collaborate with you. This session will be an interactive dialog on OSM and ArcGIS. We’ll provide an overview of the current tools and facilitate a discussion about your current workflows and usage, and brainstorm how you’d like to use it in the future.
Presented by Clint Loveman
Whether you are new to OpenStreetMap or a seasoned user, we want to meet and collaborate with you. This session will be an interactive dialog on OSM and ArcGIS. We’ll provide an overview of the current tools and facilitate a discussion about your current workflows and usage, and brainstorm how you’d like to use it in the future.
Presented by Clint Loveman
Learn How To Map in OpenStreetMap
Step by step tutorial for how to map in OpenStreetMap. This is produced by the U.S. StateDepartment's Humanitarian InformationUnit for their MapGive campaign. MapGive is making it easier for new online volunteers to learn to map in OpenStreetMap. More at: mapgive.state.gov
9:53
Beginning OpenStreetMap 1 - Getting Started - HOT - Jeff Haack
Learn how to get started with OpenStreetMap. Visit the website, navigate the map, search ...
OpenStreetMap: The map that saves lives | CNBC International
OpenStreetMap is a crowd sourced map of the world that could rival Google Maps.http://www.openstreetmap.org
Subscribe to CNBCInternational: http://bit.ly/1eiWsDq
Like us on CNBC's Facebook page
https://www.facebook.com/cnbc
Follow us on CNBC's Twitter accounts
https://twitter.com/CNBCWorld
https://twitter.com/CNBC
2:30
Build Mode: Landscape - Use OpenStreetMap
Put your models on the map with OpenStreetMap. This functionality allows you to directly p...
Build Mode: Landscape - Use OpenStreetMap
Put your models on the map with OpenStreetMap. This functionality allows you to directly pick a location anywhere on Earth. Lumion then generates corresponding 3D maps by importing 2D data from the OpenStreetMap database.
10:03
OpenStreetMap nodes history 2006-2016
This video shows all node found in the current open street map export. The pixels with nod...
OpenStreetMap nodes history 2006-2016
This video shows all node found in the current open street map export. The pixels with nodes edited in the particular frame become red. The red decays over 255 frames towards either blue or green. Green pixels have expoentially more nodes than blue ones.
6:35
How to edit OpenStreetMap. A quick guide / tutorial.
To get started, head over to openstreetmap.org . There to can create an account, and start...
Two Minute Tutorials: Adding a building to OpenStreetMap
A brief introduction on adding buildings to OpenStreetMap, the free and editable map of the world. Buildings are one of the most useful things you can add to OpenStreetMap (and they're fun too!)
Find the rest of the two-minute tutorial videos here: https://www.youtube.com/playlist?list=PLb9506_-6FMHZ3nwn9heri3xjQKrSq1hN
Now with subtitles! Click CC and then the gear to change languages.
Help us add more languages! http://amara.org/en/videos/kYusc1vRR657/info/adding-a-building-to-openstreetmap/
QGIS lesson 25 – OpenStreetMap to production-ready map in minutes
In this lesson I will show you how to download OSM data in QGIS and create a production-ready map in minutes using the QuickOSM plug-in.
You will learn how to
• Load in an OpenStreetMap layer
• Download a .osm file of the area you want
• Use QuickOSM plug-in to create your vector layers
• Apply styles to your map
As many of you have asked for the qml files I used in the video, here are the links
https://drive.google.com/file/d/0B40X-iH9A1efb0RlZENHS3RDeDA/view?usp=sharing
https://drive.google.com/file/d/0B40X-iH9A1efMTcyWFBvN0NPeGc/view?usp=sharing
1:09
OpenStreetMap 3D City Generator
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin,...
OpenStreetMap 3D City Generator
Test render of a 3D map generated straight from OSM data. Shown is a large part of Berlin, mainly Lichtenberg and Treptow in background. Building textures are not accurate because they are randomly applied.
Ground texture and digital elevation model by Senatsverwaltung für Stadtentwicklung und Umwelt Berlin
Music by Frédéric Chopinhttp://das-raster.de
En este video serás instruido en cómo descargar en formato vectorial los datos de Open Street Map, que resulta útil para la elaboración de cartografía con fines de planificación, estudios de impacto ambiental, entre otros.
In this video you will be instructed on how to download the data from Open Street Map in vector format , which is useful for making maps for planning , environmental impact studies , and others.
For more GIS check this out
http://99bafevzi81u9k6hfg024n0se3.hop.clickbank.net/
or
http://c2057ls0k7rqdy54vl-iqo4m73.hop.clickbank.net/
Custom styled map of the whole world served from your server? Easy!
This talk shows examples of practical use of the vector tiles downloaded from the OSM2VectorTiles project (http://www.osm2vectortiles.org/) or other tiles in MVT format.
A new open-source project called TileServer GL (http:///www.tileserver.org/) is going to be presented. This project serves JSON map styles into web applications powered by MapBox GL JS library as well as into native mobile SDKs for iOS and Android.
The same style can be rendered on the server side (with the OpenGL acceleration) into good old raster tiles to ensure compatibility and portability. Maps can be opened in various viewers such as Leaflet, OpenLayers, QGIS or ArcGIS.
Alternatively, it is possible to use a tileserver powered by Mapnik to render the raster tiles out of vector tiles and existing CartoCSS styles made in MapBox StudioClassic.
Other approaches for independent hosting and using of vector tiles are going to be presented as well.
GitHub page: https://github.com/klokantech/tileserver-gl
-----
This video was originally published on the official FOSS4G video portal under the CC-BY-3.0 license. It was republished on Youtube for easier sharing on the project website.
Link to original video: http://ftp5.gwdg.de/pub/misc/openstreetmap/FOSS4G-2016/foss4g-2016-1288-hosting_vector_tile_maps_on_your_own_server-hd.mp4
Link to video license: https://creativecommons.org/licenses/by/3.0/
Link to official video portal of FOSS4G: http://video.foss4g.org/foss4g2016/videos/index.php
1:25:04
Create a Realistic City - Blender Tutorial
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https:/...
Create a Realistic City - Blender Tutorial
Learn how to create a realistic city in this in-depth Blender tutorial!
PATREON: https://www.patreon.com/cggeek?ty=h
Resources:
FreeOpen Street Map Add on:
https://drive.google.com/file/d/0B19GBkMpIGvuYmxkUUlCSEVkdHc/view?usp=sharing
Or pick up the new pro version of the add-on for just $5.90! Completely re-written, It features one click download and import of the real world terrain data with new features like higher quality buildings, more realistic cites, lots of new rooftops and more!
https://gumroad.com/a/77804659
http://www.openstreetmap.org/
(Alternatively you can download the City Map used in the tutorial here: https://drive.google.com/file/d/0B19GBkMpIGvuOHlqZlhkaUw0ajA/view?usp=sharing )
Add on created by: Vladimir Elistratov
BuildingTextures:
http://www.textures.com/download/buildingshighrise0490/63994?q=BuildingsHighRise0490
http://www.textures.com/download/buildingshighrise0522/69997?q=BuildingsHighRise0522
http://www.textures.com/download/buildingshighrise0530/71889?q=BuildingsHighRise0530
http://www.textures.com/download/highriseresidential0103/64813?q=HighRiseResidential0103
http://www.textures.com/download/highriseresidential0139/69952?q=HighRiseResidential0139
http://www.textures.com/search?q=HighRiseResidential0144
Concrete: http://www.textures.com/download/concretebare0321/51962?q=ConcreteBare0321
Roads: https://drive.google.com/file/d/0B19GBkMpIGvuZHo4VFU0eEY4U2M/view?usp=sharing
HDR: http://www.hdrlabs.com/sibl/archive.htmlIntroMusic: AndrewLund - https://hearthis.at/mdz9gcfv/
Facebook: https://www.facebook.com/pages/CG-Gee...
Twitter: https://twitter.com/CGGeeks
DevianArt: http://cg-geek.deviantart.com/
Also check out my DVD here! https://www.blendermarket.com/products/dinosaur-creation-tutorial-series
Sky Background: http://www.textures.com/download/skies0206/6691?q=Skies0206
Open your Public Transport with OpenStreetMap and Transportr
2016-07-14 #FISL17 Slides: https://transportr.grobox.de/FISL17-Transportr.pdf
In this presentation, I will show how the Free Software community can help to improve the traffic problems in our cities by making public transport mo re accessible.
I will explain how I opened up the public transport data of the Sistema
Integrado de Mobilidade in Florianópolis, so it can be used by the Free
Software application Transportr and many other tools.
Using data from OpenStreetMap, the local consortium and the prefeitura, I was able to write reusable Free Software tools to generate data in GTFS, the de-facto standard for public transport data.
With this, you can not only look up when the next bus comes, but also do routing, so finding out how to get from A to B. Since the data is open and the software free, the possibilities are endless.
https://github.com/grote/osm2gtfs
Второй урок по OpenStreetMap во Пскове...
OpenStreetMap and ArcGIS: Mapping the Future...
OpenStreetMap in 3D - CLT 2016 - Tobias Knerr (osm...
Street Map
I would like to think our paths are straightDisconnected from choices we makeThat there is no reason why it can't be like you saidOne day it's gonna happenI dont know whenI'll be on your streetBut I know one day it's gonna happenYou're gonna be swept off your feetI would like someone to make a mapMark my home and draw some lines that matchAll of the reasons whyIt can be like you saidOne day It's gonna happenI don't know whenI'll be on your streetBut I know one day it's gonna happenYou're gonna be swept of your feetI dont know whenI dont know whyI dont know whenI dont know whyOne day It's gonna happenI don't know whenI'll be on your streetBut I know one day it's gonna happenYou're gonna be swept of your feetBut all that I know is it's gonna happenI dont know whenI'll be on your streetBut I know it's gonna happen
LONDON (AP) — A British surgeon has admitted assaulting two patients by burning his initials into their livers during transplant operations ...Bramhall used an argon beam coagulator, which seals bleeding blood vessels with an electric beam, to mark his initials on the organs ... ....
Janet Yellen announced that for the third time this year and the fifth time since the financial crisis, the Federal Reserve was increasing interest rates another quarter of a point on Wednesday, according to National Public Radio. Federal policymakers aid the increase in the benchmark federal funds rate would shift from 1.25 percent to 1.5 percent, the third increase on the key rate this year ...Economic growth in the U.S....
Gray said the impact on driving times on King and on neighbouring streets has not been significant so far ... Certainly, the street does look different when you don’t have as much vehicle traffic on it,” conceded Gray, arguing that once people get used to changes in how the road is working, they’ll come back....
Gray said the impact on driving times on King and on neighbouring streets has not been significant so far ... Certainly, the street does look different when you don’t have as much vehicle traffic on it,” conceded Gray, arguing that once people get used to changes in how the road is working, they’ll come back....
Fire crews from Westminster, Reese, Pleasant Valley, New Windsor and Hampstead responded to a house fire in the unit block of MadisonStreet in Westminster Thursday afternoon ... Fire crews from Westminster, Reese, Pleasant Valley, New Windsor and Hampstead responded to a house fire in the unit block of Madison Street in Westminster Thursday afternoon ... 2, 2017 and the newly certified academy opened its doors for an open house....
Oxford House, a Maryland-based nonprofit that provides housing for residents who are recovering from substance abuse, has opened five homes in Owensboro during the past year. Three of those opened in the past three months ... "If the need is there, I will continue to open houses," she said. Oxford House homes are currently located on Roosevelt Road, East 18th Street, Frederica Street, Wyandotte Avenue and New HartfordRoad....
SARASOTA — A boutique downtown hotel poised to open soon intends to be the city’s “signature hotel of the arts” by embracing Sarasota’s colorful palette of visual and performing arts.The 162-room Art Ovation Hotel will be well positioned physically to claim the title, being on the corner of North Palm and ......
(AP) — Entrepreneur Elon Musk's digging company, Boring Co., could start the construction of hyperloop tunnels, terminating near West Pratt and SouthPacastreets in Baltimore, as early as January, according to documents obtained by Capital News Service... Musk has already begun implementing his vision near Los Angeles, starting construction of a tunnel underneath SpaceX's facility in Hawthorne, California, and sharing a map Dec ... ....
WASHINGTON (AP) — Secretary of StateRex Tillerson's surprising diplomatic offer of unconditional talks with North Korea hinges on two big X factors ...Eastern Seaboard ... "But can we at least sit down and see each other face to face and then we can begin to lay out a map, a road map, of what we might be willing to work towards?" ... Last week, U.N ... ambassador, Carl Skau, was supportive but skeptical about chances for an opening ... ———— ... ....
One group of students working on city transportation paired up with the city's Hill community development to host an open house for University Hill employees about a pilot EcoPass bus program. Students helped the city crunch numbers to find out what barriers were for employees signing up for the bus pass program and then hosted the information open house ... An open house will be held from 5 to 7 p.m....
•Eric Harrison, 47, was arrested on charges of disorderly conduct and open container violation ... •Donna Doak, 28, was arrested on charges of no financial proof of insurance and driving without valid license when officers conducted a traffic stop at Maguire and Carpenterstreets. ....
SWA envisions a new prominent gathering space in the heart of Glendale’s Arts and EntertainmentDistrict with increased green and open space, vibrant public amenities, and diverse cultural programs. SWA’s proposal calls for the creation of a new CentralOpenSpace that would ... “This is a landmark project that is going to put Glendale on the map....
The works in the exhibition, Home is where the heat is, are not all in the GlassworksGallery but are positioned in various parts of the building not normally open to the public and you will need a guided tour to see them all ... the EngineRoom of an Artist Practice are soft tonal compositions of common objects including light bulbs (Light BulbMoment), water taps (Outpouring) and maps (Dam Plan)....
|
Paroles de Both of us (bound to lose)
Why can't you hear meWhy can't you see meHow can you be so blind to this feelin' in my heartTime is a'waistin'What have i tastedCan you turn a deaf ear to my callBoth of us bound to loseWhy do we have to chooseBoth of us bound to loseNow can you hear meNow can you see meHow do you like the fool when he's downIs that really how you see meJust a statue making soundsThe fallen eagleSing to the fallen eagleHelicopters flyChase him 'round the mountainsChase him 'til he diesThey say that it's good sportin'Shootin' him on the wingAbove the roar and clatterYou can hear your rifle singHis death songIt won't be longSing to the western rancherThe eagle takes his lambHe's got a thousand othersHe don't give a damnGet up with the sunriseEverybody gather 'roundKill him with the first shotHe'll turn and bring you downDown downCrash on the groundSing to the noble eagleHelp is on the wayA government team of expertsIs a'rushin' to your aidI know your not excitedAn eagle is no waifFly on up to canadaThis country isn't safeAnymoreThat's for sure
|
RENO, Nev. -It's not official yet, but all those orange-clad fans flowing onto the Mackay Stadium turf told the story: Boise State is BCS bound.
Ian Johnson ran for 147 yards and three touchdowns and Jared Zabransky passed for 299 yards to lead Boise State to a 38-7 win over Nevada on Saturday, all but wrapping up a spot in the Bowl Championship Series for the unbeaten Broncos.
Zabransky completed 20-of-27 passes, including a 45-yard TD to Legedu Naanee for the Broncos (12-0, 8-0 in the Western Athletic Conference), who are 39-1 in the WAC since 2002 and have won at least a share of the league title five years in a row.
They entered the day 11th in the BCS standings and have to finish No. 12 or better to automatically qualify for one of the big-money bowls. They would become only the second team from a non-BCS league to play in the BCS after Utah reached the 2004 Fiesta Bowl out of the Mountain West Conference.
The BCS bids go out Dec. 3. Expect Boise State to get an invite to the Fiesta Bowl to face the Big 12 champion.
Officials from the Fiesta and Orange bowls watched Saturday's game from the press box. About 4,000 orange-and-blue clad Bronco fans who made the trip from Boise rushed the field after the final gun, waving flags and banners and crowding around the team.
"This means everything on our pyramid is done," Johnson said. "We've had so many goals and we've knocked off every one."
Nevada (8-4, 4-3) entered the game leading the nation with a turnover margin of plus 15, but lost three fumbles in the first 24 minutes of the game - four on the game - and fell behind 17-0 at the half.
Naanee caught seven passes for 129 yards for the Broncos, who snapped Nevada's 10-game home winning streak and claimed their seventh consecutive victory over the Wolf Pack before a crowd of 25,506, the 10th largest in Mackay Stadium history.
Johnson, a sophomore who wore a flak jacket under his pads to protect a pair of cracked ribs, ran 31 times and set the school single-season record with 1,613 yards rushing. He broke the old mark of 1,611 set by Brock Forsey in 2002. He entered the day leading the nation in scoring, and now has 24 TDs.
"I got out there and forgot about the ribs," Johnson said. "I've played with broken ribs before... I just wanted to play hard for the team."
Robert Hubbard had 105 yards rushing for Nevada but Jeff Rowe was only 6-for-15 for 35 yards. Despite the loss, Nevada appears headed to one of the three bowls with WAC ties - the MPC Computers (at Boise, Dec. 31), Sheraton Hawaii Bowl (at Honolulu, Dec. 24) and New Mexico (at Albuquerque, Dec. 23).
Leading 17-0 at the half, Boise State opened the third quarter with an 80-yard touchdown drive, including 48 yards rushing on six carries by Johnson and wide receiver Vinny Perretta's 5-yard score off a direct snap from center.
The Broncos fans broke into a chant of "BCS, BCS" as Anthony Montgomery converted the extra point for a 24-0 lead at 10:13. Four minutes later, Zabranksy threw a 45-yard touchdown pass to Naanee to push the lead to 31-0.
Nevada's only points came when Nick Hawthrone intercepted a screen pass and returned it 45 yards for a touchdown with 2:52 left in the third quarter to keep alive the Wolf Pack's streak of 316 games without being shutout, the longest in NCAA Division I.
The Broncos forced three Nevada fumbles in the first half and Johnson ended up scoring touchdowns after two of them enroute to a 17-0 halftime lead.
Zabransky opened the second quarter with a 72-yard scoring drive on 11 plays, including a 22-yard pass to Jerard Rabb, a successful quarterback sneak on fourth-and-1 to Nevada's 6 and Johnson's 6-yard touchdown run for a 10-0 lead.
On the ensuing kickoff, Austin Smith leveled kick returner Dwayne Sanders, forcing a fumble and recovering it at Nevada's 23. The Wolf Pack defense stiffened and held Boise State on another fourth-and-one to take possession at their own 14 but a scrambling Rowe fumbled and Kyle Gingg got the Broncos the ball back at the 4 to set up Johnson's 4-yard TD run 8:34 before the half.
|
Take Me Out to the Ball Game
My buddy Andy officially works for tickets.com, but his typical day at the office is spent at the new stadium the Nationals built in Southeast DC. He dropped me a message on Thursday morning asking if I had any interest in attending the game that night. I was happy to accept, along with five other friends. I’m not a big sports fan, but now that I’ve tasted the sweet luxury that is a suite at a ballpark, not sure I could ever go back to slumming it in the regular seats.
We had our own bathroom in the suite. The seats we padded. There was a place to put our food and drinks right in front of us. We had a suite attendant named Brendan.
We had our own bathroom.
Yes, that was worth mentioning twice. Thanx again, Andy! We had a great time.
|
Limit the maximum number of BITS jobs for each user
This policy setting limits the number of BITS jobs that can be created by a user. By default, BITS limits the total number of jobs that can be created by a user to 60 jobs. You can use this setting to raise or lower the maximum number of BITS jobs a user can create.
If you enable this policy setting, BITS will limit the maximum number of BITS jobs a user can create to the specified number.
If you disable or do not configure this policy setting, BITS will use the default user BITS job limit of 300 jobs.
Note: This limit must be lower than the setting specified in the "Maximum number of BITS jobs for this computer" policy setting, or 300 if the "Maximum number of BITS jobs for this computer" policy setting is not configured. BITS jobs created by services and the local administrator account do not count toward this limit.
|
Thursday, December 4, 2014
Installing SIFT 3.0 on Apple Mac OS X Yosemite 10.10.1
Applications needed: SIFT Kit 3.0, Keka File Archiver, VirtualBox
Download the latest version of the SIFT Kit here. If you don't already have one, you'll need to create an account with SANS.
The SIFT Kit is compressed using 7z. Use an application like Keka to extract it on OS X. Once you install Keka, double-click on the SIFT file you downloaded. The file will begin extracting in the same directory.
Once it's complete, you will see a new folder in the same directory. The SIFT Workstation 3 folder contains the VMWare virtual appliance files that are used by the SIFT Kit. Move these to a permanent location.
You should end up with a new virtual machine, but we're not done yet. The SIFT Kit has a dynamically expanding disk for cases. We need to add it in the settings in VirtualBox so that it's recognized when we fire up the virtual machine. Click on Settings.
Select SIFT Workstation 3.0 Cases.vmdk file, which is located in the SIFT Workstation 3 folder.
You will now see two disks show up under Storage > SATA. The disk that will boot when you start the virtual machine is the Core Drive. This is where the Ubuntu OS is stored. SATA Port 1 is the dynamically expanding Cases disk.
Next, click Start or double-click the newly created virtual machine. This will boot the SIFT Kit.
After Ubuntu boots, you should see the SANS login screen. Log on and start forensicating.
|
Tybee Island beaches back open following governor's order Friday Governor Kemp's order reopens the state's beaches, despite the coronavirus. Share Shares Copy Link Copy
Hide Transcript Show Transcript
BUSINESSES ARE BEING ASKED TO CONSIDER. YOU CAN FIND THAT INFORMATION ON OUR WEBSITE AT WJCL-DOT-COM. FOLLOWING CONFUSION OVER GOVERNOR KEMP'S SHELTER IN PLACE ORDER .. BEACHES ON TYBEE ISLAND ARE OFFICIALLY RE- OPEN. WJCL'S STEPHEN MOODY JOINS US NOW LIVE FROM TYBEE. STEPHEN WHAT'S THE REACTION TONIGHT FROM CITY LEADERS? MAYOR SHIRLEY SESSIONS IS NOT HAPPY WITH THE BEACHES REOPENING. SHE SAYS THAT SHE'S DISAPPOINTED BY THE GOVERNOR'S DECISION. BEACHES ON TYBEE ISLAND HA BEEN CLOSED FOR WEEKS AFTER AN ORDER BY MAYOR SHIRLEY SESSIONS. HOWEVER, THE GOVERNOR'S ORDER OVERRIDES THAT. "WE ARE VERY, VERY DISAPPOINTED AS A COMMUNITY". MAYOR SESSIONS SAYS THE CITY DOESN'T HAVE THE RESOURCES TO ENSURE THE SAFETY OF RESIDENTS WHO DECIDE TO VISIT THE BEACH. "TYBEE DOES NOT HAVE THE RESOURCES TO ENFORCE A SIX-FOOT SEPARATION AND LESS THAN 10 PEOPLE IN GATHERINGS. WE EXPERIENCED THAT IN MARCH. THAT'S WHY WE CLOSED THE BEACH. WE KNEW THAT WE WERE NOT PREPARED TO HANDLE THOUSANDS OF PEOPLE". ACCORDING TO MAYOR SHIRLEY SESSIONS IS NOT HAPPY WITH THE BEACHES REOPENING. SHE SAYS THAT SHE'S DISAPPOINTED BY THE GOVERNOR'S DECISION. BEACHES ON TYBEE ISLAND HAD BEEN CLOSED FOR WEEKS AFTER AN ORDER BY MAYOR SHIRLEY SESSIONS. HOWEVER, THE GOVERNOR'S ORDER OVERRIDES THAT. "WE ARE VERY, VERY DISAPPOINTED AS A COMMUNITY". MAYOR SESSIONS SAYS THE CITY DOESN'T HAVE THE RESOURCES TO ENSURE THE SAFETY OF RESIDENTS WHO DECIDE TO VISIT THE BEACH. "TYBEE DOES NOT HAVE THE RESOURCES TO ENFORCE A SIX-FOOT SEPARATION AND LESS THAN 10 PEOPLE IN GATHERINGS. WE EXPERIENCED THAT IN MARCH. THAT'S WHY WE CLOSED THE BEACH. WE KNEW THAT WE WERE NOT PREPARED TO HANDLE THOUSANDS OF PEOPLE". ACCORDING TO THE DEPARTMENT OF NATURAL RESOURCES, THE GOVERNOR'S ORDER OVERRIDES ANY LOCAL ORDINANCES. SO THERE'S NOTHING THE CITY CAN DO TO KEEP THE BEACHES CLOSED. MAYOR SESSIONS SAYS THE CITY IS ALREADY AT A DISADVANTAGE. SESSIONS SENT A LETTER TO THE GOVERNOR'S OFFICE ASKING HIM TO RECONSIDER THIS ORDER. "WE HAVE FIVE POLICE OFFICERS WHO ARE SELF- QUARANTINED. ONE OFFICER IS BEING TESTED. WE FEEL THAT NOT ONLY ARE WE PUTTING THE COMMUNITY AND PUBLIC AT RISK, BUT ALSO OUR STAFF". AND NOW SHE'S PLEADING WITH EVERYONE ELSE. PLEASE STAY OFF OF THE BEACH. "DON'T COME OUT TO TYBEE IF YOU'RE CONCERNED ABOUT YOUR HEALTH, OR YOUR FAMILY'S HEALTH, AND THE HEALTH OF THE COMMUNITY. WE'D LOVE TO HAVE THEM OUT HERE WHEN ALL IS SAFE. WE'RE ENCOURAGING OUR RESIDENTS TO STAY AT HOME. WE JUST HOPE THAT OTHER PEOPLE WILL TAKE RESPONSIBILITY AND BE ACCOUNTABLE FOR THEIR ACTIONS". THE MAYOR SAYS DUE TO TH TIMING OF THIS, THEY DIDN'T HAVE STAFFING AVAILABL FRIDAY TO TAKE DOWN THE SIGNS AT THE ACCESS POINTS. REPORTING LIVE ON TYBEE ISLAND, STEPHEN MOODY WJCL 22 NEWS. WHILE BEACHES ARE OPEN-- CHAIRS, TENTS, AND UMBRELLAS ON THE BEACH ARE BA
SIGN UP FOR BREAKING NEWS Get local stories sent straight to your inbox as news breaks. Submit Privacy Notice
|
The present disclosure relates to artificial intelligence (AI) and computer machine learning and particularly to a computer implemented system for management of actions in response to errors associated to error screens.
Data structures have been employed for improving operation of computer system. A data structure refers to an organization of data in a computer environment for improved computer system operation. Data structure types include containers, lists, stacks, queues, tables and graphs. Data structures have been employed for improved computer system operation e.g. in terms of algorithm efficiency, memory usage efficiency, maintainability, and reliability.
Artificial intelligence (AI) refers to intelligence exhibited by machines. Artificial intelligence (AI) research includes search and mathematical optimization, neural networks and probability. Artificial intelligence (AI) solutions involve features derived from research in a variety of different science and technology disciplines ranging from computer science, mathematics, psychology, linguistics, statistics, and neuroscience. Machine learning has been described as the field of study that gives computers the ability to learn without being explicitly programmed (Samuel).
|
There is known a system for providing a service that stores data such as a still image, a moving image, or a sound uploaded from a user device. For example, there is known a service that allows the data uploaded from the user device to be shared between limited users, a service that makes the data uploaded (posted) from the user device public, or other such service.
|
Hammond: Budget Cuts Could Mean 'Restructuring' of UK Forces
Oct. 13, 2013 - 03:45AM
|
Defence Secretary Philip Hammond told the Parliament's Defence Committee that additional big budget cuts could force the UK to 'ask some serious structural question about the type of forces we are able to maintain.' (Carl Court / AFP)
Related Links
LONDON — Britain may have to follow the example of the Netherlands and reduce its range of military capabilities if defense spending takes a significant hit after the 2015 election, according to Defence Secretary Philip Hammond.
Rather than allow military capabilities to slip a number of areas, it might be better to consider a reduced spectrum of forces, he told the UK Parliamentary Defence Committee on Oct. 9.
“The Dutch have taken the painful decision to scrap the core of their amphibious capability. They have taken a conscious decision that rather than spread the jam thinner, they will take a hit in that area to protect other areas,” Hammond said.
In September, the Dutch government announced it was selling the Karel Doorman logistics support ship even before it has been delivered, reducing Army formations and selling a number of CV90 armored vehicles as part of a €348 million (US $470 million) budget cut.
The British military is familiar with the consequences of deep spending cuts, having seen the Conservative-led coalition government here ax the Nimrod MRA4 maritime surveillance aircraft program, as well as taking a capability holiday on aircraft carriers and maritime strike in response to a nearly 8 percent defense budget reduction and removal of £38 billion (US $61 billion) in unfunded program commitments.
Overall, the budget balancing has resulted in heavy reductions in programs, capabilities, and military and civilian personnel.
Despite that, Hammond said the UK is not in the same position as the Dutch yet, as the government has the scope to drive out more cost inefficiencies. The MoD avoided capability and personnel cuts in a new round of budget austerity measures across most government departments for the financial year 2015-2016, largely by pledging to root out inefficiencies.
That’s not a trick the MoD will be able to pull off again when a new government after the 2015 general election sets its budgets for 2016 and beyond, said Malcolm Chalmers, the research director at the Royal United Services Institute think tank here.
“They were able to avoidsignificant capability cuts in the spending review for the financial year 2015-16, primarily due to large one-off efficiency savings which will be hard to replicate, and they will likely have to look at further capability cuts,” Chalmers said.
“A lot depends on where the economy is going after 2015 as to whether there are further real cuts in defense budgets,” he said. “On the basis of what the chancellor [of the exchequer] has said about the need for further austerity beyond 2015-’16 in total government spending, if that were to continue, then I think it will be hard for defense to avoid further real-terms cuts.”
Chalmers said if defense is hit by another round of big budget cuts, the British Army likely would be the most vulnerable, opening the discussion on further reductions in personnel numbers.
Hammond, however, warned that further significant budget reductions could go beyond hollowing out capabilities and deeper into structural cuts to the armed forces.
“We have reached the end of the process where we can salami-slice [capabilities],” Hammond told lawmakers. “We would have to ask some serious structural questions about the type of forces we are able to maintain.
Hammond, who was being quizzed by the committee on the upcoming 2015 Strategic Defence and Security Review (SDSR), said he had heard nothing to suggest the budget would face a significant hit.
The government assumption is for zero growth in real terms for the defense budget as a whole between 2015 and 2020, but with a 1 percent annual increase in equipment spending.
Analysts here said structural reforms could mean anything from further contracting out of areas such as the fire and rescue service, to major changes like merging the Royal Air Force Regiment or the Royal Marines with the British Army. Both issues were discussed prior to the 2010 SDSR.
Whether Britain finds itself with a Tory, Labour or another coalition government in 2015, it would be best to anticipate the prospect of a further cut in the defense budget in real terms, said Howard Wheeldon of Wheeldon Strategic Advisory.
“That will probably lead to some of the structural reforms Hammond talks about being realized,” he said “The current perception — or should I say received wisdom — is that in real terms between 2015 and 2020, the UK defense budget will remain unchanged at roughly £33.4 billion, but that within this, the allocation of equipment spend will rise in real terms by 1 percent in each of those years. We will see but, I suspect, a great deal of trouble ahead.”
Several analysts, including Wheeldon, said they expect any structural changes to be flagged in the 2020 SDSR rather than the review being worked on for 2015. ■
|
Monday, October 20, 2008
HAahaHa Wurld Sereez AnARky!!1
Just a quick post about the World Series.
I couldn't be happier with the World Series match up. For those who don't know, last night Tampa Bay _____ Rays beat the Bastan Rad Sax to advance on to play the Philthedephia Philthys in the World Series...aaaaaand SCENE!
For starters I can't stand people from Boston. It's not the person, it's...well...yes it is the person. It's the accent, it's the arrogance, it's the clam chowder, it's all that wrapped up in obnoxious New England paper that makes me wish they were still over in Old England. It was seeing tons of them on my honeymoon in Aruba wearing their stupid "I LOVE MY PATS" t-shirts that makes me think they all love their socially awkward, androgynous people.
Also, I hope the whole Postseason on TBS gig was a ratings BOMB for the once proud TBS network. I don't know why I care, but I hate the fact people in Oregon won't be flipping through their channels and see the Braves playing every single game of the season on TBS. This is the equivalent of me being a kid visiting my grandmother during the summer time, and NOT seeing the Cubs and White Sox play on WGN between The Golden Girls and Matlock reruns. Ben Matlock, loved hotdogs, loved the Braves on TBS
Finally the last thing I'm gonna harp on about this. I will be cheering for the American League team to win for the first time ever. My grandfather would be ashamed, but I can't bring myself to cheer for the Phillies...I just can't. I love the fact there isn't a great backstory to this match-up. I love that it's not the Cubs and the Red Sox like Fox would have ideally wanted. I eat it up. There is a perfectly good backstory with the best team in the National League playing the best team in the American League, it's just a shame this doesn't work for the talking heads running the broadcast. As my Dad told me in reference to the monstrosity the All-Star Game has become, "When the whole production takes precedent over what is actually happening on the field, there is something wrong with the sport".
5 comments:
Amen on the TBS comments! When they screwed the Braves they lost me as a viewer.
I won't and can't cheer for the Phillies, but I'm giddy the Mets collapsed once again! However, I will NEVER in life cheer for an AL team. Just can't do it. So no world series viewing or cheering of any kind for me.
I will be cheering for the Rays simply based on the fact I saw them play several years ago against the Yankees at Tropicana Field. And, who wouldn't feel sorry for a team that had more visiting team fans than home team fans.
Come on guys, you all should be cheering for the Rays. There are so many reasons. First, they're playing the Phillies and as Braves' fans that should be enough. Second, they play in the AL East and thus defeated the Yankees and the Red Sox to get here. How can you not cheer for a team that shut those two fan bases up after having the worst record in baseball last year? Personally, I have always liked the Rays, even before the name change and good play on the field, for two reasons. 1) I live 45 minutes from the Trop and 2) my baseball team is the Braves, but because of the AL East foes, why not cheer for the home town Rays in the AL especially since both fan bases hate the same teams (and the Rays actually fight these teams and win on the field now). I went to Game 2 of the ALCS (the 6 hour, 11 inning marathon) and it was awesome. There is no longer more visiting fans than Rays fans and the place gets crazy. Go Rays!
What a performance in the 8th and 9th inning last night by Vanderbilt product David Price. The rookie and former #1 overall pick came in and shut them down. A friend and I were having the conversation the other day about the Rays actually starting him in the World Series. I say why not. The guy has wicked stuff and went an amazing 12-1 in the minors this year, his first full season of pro ball. Even if the Rays don't win the Series, they are stacked on pitching for the next few years.
No kidding Streit, the Braves definitely need to raid the pitching staff because you know Tampa Bay is looking to buy low sell high every single year. I wouldn't doubt if in the next 3 years there is less than 20% of the current squad still out there.
|
After losing their last statewide elected office in the Nov. 6 election, Alabama Democrats still can console themselves with one statistic: At least they still hold a majority of the elected offices in county courthouses statewide. …
There were contested races for 213 county offices, with 149 having been held by Democrats and 64 by Republicans. Republicans won 67 of the seats that had been held by Democrats, and Democrats won 22 of the seats held by Republicans, according to the state Republican Party.
Democrats were successful in urban counties with significant African-American populations. In Montgomery County, the son of Joe Reed, the chairman of the Democratic Party's black wing, defeated a longtime Republican probate judge. Democrats swept all county races in Jefferson County and reelected a Democratic probate judge in Tuscaloosa County against tough GOP opposition.
The GOP made inroads into some rural counties as well as counties in northwest Alabama that had always been Democratic strongholds.
The South, as a whole, was largely resistant to the Democratic winds last week. The GOP now controls every legislature in the South, and every governorship except Arkansas. Republicans also managed to hold every one of its House and Senate seats in the region on Election Day – and even managed to pick up a few House seats.
|
HUGHES
,
JOHN EDWARD
(
1879
-
1959
),
minister (Presb.) and author
;
b.
8 Jun. 1879
at
Y Gronglwyd
,
Cerrigydrudion, Denbs.
, son of
John
and
JaneHughes
. He was educated in the village school,
Bala grammar school
,
University College of Wales
,
Aberystwyth
(where he graduated
B.A.
), and
Bala Theological College
(where he graduated in theology). His co-digger at
Aberystwyth
was his second cousin,
R.T.Jenkins
(see below)
, later his brother-in-law. He began to
preach
in
1899
, and was ord. in
1907
. He was
minister
at
Engedi
,
Ffestiniog
(
1906-12
), and at
Horeb
,
Brynsiencyn
and
Preswylfa
,
Llanddaniel
,
Anglesey
(
1913
). He m. (1),
1907
,
AdaDavies
,
Aberystwyth
, who d. within a few yrs.; (2),
1920
,
MaryJones
of
Porth Amlwch
; there was one son of the first marriage, and three sons of the second marriage. He d.
10 Apr. 1959
at
Anfield Hospital
,
Liverpool
, and his remains were buried in
Llanidan
churchyard.
J.E.Hughes
was a discerning
theologian
. His articles on the person of Christ in
Y Drysorfa
drew the attention of
Dr.JohnWilliams
,
Brynsiencyn
(
1854
-
1921
;
DWB
, 1056)
, who persuaded
Brynsiencyn church
to extend a call to him. In addition to writing for the
Traethodydd
,
Y Drysorfa
, and
Goleuad
, he published a commentary on the
Gospel according to St. Mathew
in two volumes (
1937-38
). He also edited
Hanes dechreuad a chynnydd Methodistiaeth ym Mrynsiencyn
(
1924
). He was a powerful and substantial
preacher
. He strove to serve his denomination in many spheres, and was
Moderator
of the
Association in the North
in
1957
.
|
<Ticket_ProcessEDocReply xmlns="http://xml.amadeus.com/TATRES_15_2_1A">
<msgActionDetails>
<messageFunctionDetails>
<messageFunction>131</messageFunction>
</messageFunctionDetails>
<responseType>7</responseType>
</msgActionDetails>
<error>
<errorDetails>
<errorCode>118</errorCode>
</errorDetails>
</error>
<textInfo>
<freeTextQualification>
<textSubjectQualifier>4</textSubjectQualifier>
<informationType>23</informationType>
</freeTextQualification>
<freeText>SYSTEM UNABLE TO PROCESS</freeText>
</textInfo>
</Ticket_ProcessEDocReply>
|
Hilary Duff tells Seventeen magazine she was shocked to see Joel Madden going out all the time after their split. “All of the going out he did after we broke up sort of shocked me,” the singer/actress confessed. “Like, that’s just so out of character for him, and when we were together, he hated stuff like that, so I felt like I didn’t really know him as well as I thought I did.” Despite things not working out with the Good Charlotte singer, Duff still hopes to settle down. “I still want the cookie-cutter American dream – to get married, have kids, and have a house with a picket fence,” she said. “I still believe that marriage can work.”
|
765 P.2d 641 (1988)
The PEOPLE of the State of Colorado, Plaintiff-Appellee,
v.
Narcisco G. CASTENADA, Defendant-Appellant.
No. 86CA1656.
Colorado Court of Appeals, Div. II.
August 25, 1988.
Rehearing Denied September 29, 1988.
Certiorari Granted December 19, 1988.
*642 Duane Woodard, Atty. Gen., Charles B. Howe, Chief Deputy Atty. Gen., Richard H. Forman, Sol. Gen., Hope McGowan, Timothy E. Nelson, Asst. Attys. Gen., Denver, for plaintiff-appellee.
David F. Vela, State Public Defender, Philip R. Cockerille, Sp. Deputy State Public Defender, Denver, for defendant-appellant.
Certiorari Granted (People) December 19, 1988.
KELLY, Chief Judge.
The defendant, Narcisco G. Castenada, was found guilty by a jury of aggravated robbery in violation of § 18-4-302(1)(b), C.R.S. (1986 Repl.Vol. 8B), but was found not to have "used, or possessed and threatened the use of, a deadly weapon during the commission of ... [a] robbery" within the meaning of § 16-11-309(2)(a)(I), C.R.S. (1986 Repl.Vol. 8A). Relying on Robles v. People, 160 Colo. 297, 417 P.2d 232 (1966), he argues that the verdict and finding are inconsistent, and he seeks reduction of the verdict to simple robbery and re-sentencing, or a new trial. We reverse and remand to the trial court for re-sentencing.
One morning in 1985, the defendant entered a Denver parking lot, approached the attendant, and ordered him to remove the cash from the cash drawer and put it in an empty plastic cup the defendant had placed on the counter. With one hand in his jacket pocket, he said, "I have a gun." He then asked for and received the attendant's parka. Leaving the cup and money on the counter, the defendant fled the scene with the parka. He was apprehended several hours later wearing the parka. It was not established by the evidence that he was actually in possession of a gun at the time of the robbery.
Jury consideration of the aggravated robbery and crime of violence counts was bifurcated by the trial court. The jury first returned its verdict of guilty on the aggravated robbery count and was then given separate instructions for consideration of the crime-of-violence count. It returned a finding that the defendant "did not use or possess and threaten the use of, a deadly weapon during the commission of the crime of Aggravated Robbery."
I.
The People argue that the aggravation element in § 18-4-302(1)(b), C.R.S. (1986 Repl.Vol. 8B) is not the same as the violent crime element of § 16-11-309(2)(a)(I), C.R.S. (1986 Repl.Vol. 8A) authorizing sentence enhancement. The contention is that a charge of aggravated robbery does not require evidence of actual use or possession of a deadly weapon, while a charge of commission of a violent *643 crime does require such proof. We disagree.
While the aggravated robbery statute does not explicitly require possession by a defendant of a deadly weapon, the plain language of § 18-4-302(1)(b) carries that strong implication. Thus, the statute states that:
"A person ... is guilty of aggravated robbery if during the act of robbery...:
(b) He[,] ... by the use of force, threats, or intimidation with a deadly weapon knowingly puts the person robbed ... in reasonable fear of death or bodily injury...."
Moreover, the General Assembly has provided further, in § 18-4-302(2), C.R.S. (1986 Repl.Vol. 8B):
"[A]ny verbal or other representation by the defendant that he is then and there [armed with a deadly weapon], is prima facie evidence under subsection (1) of this section that he was so armed."
We regard this statutory language as dispositive of the issue. Were it possible to obtain a conviction of aggravated robbery without a showing that the defendant was armed with and in possession of a deadly weapon, this statutory presumption would not have been necessary. It is our obligation to harmonize and to give effect to all the provisions of a statute. People v. District Court, 713 P.2d 918 (Colo.1986).
Accordingly, we reject the People's argument that, because the only evidence that the defendant possessed a gun was his verbal and manual communications, the jury could consistently convict him of aggravated robbery and yet find that he had not committed a crime of violence. A conviction for aggravated robbery requires proof that the defendant placed the victim in fear with a deadly weapon. The People proved this element of aggravated robbery by relying on the presumption contained in § 18-4-302(2). However, if the jury was convinced beyond a reasonable doubt that all of the elements of aggravated robbery were present, it could not also consistently find that the defendant did not possess a deadly weapon, thereby exonerating him of the commission of a violent crime.
Here, we must conclude that, since the jury returned the specific negative finding on the violent crime count, it was not convinced beyond a reasonable doubt that all the elements of aggravated robbery were present. Our conclusion is fortified by the absence of instruction to the jury informing it of the statutory presumption. Since the evidence supports a conviction of simple robbery, however, we need not require a new trial, but rather have the option of reducing the grade of the crime to the lesser offense.
II.
We also reject the People's argument that any inconsistencies in the findings are irrelevant because one statute deals with the substantive crime, while the other is merely a sentence enhancer. An accused person must be found to have committed the substantive offense before the provisions of § 16-11-309(2)(a)(I), C.R.S. (1986 Repl.Vol. 8A) apply. Brown v. District Court, 194 Colo. 45, 569 P.2d 1390 (1977). If the elements of the substantive offense and the sentence enhancer are the same, as here, the verdicts must be consistent if based on the same facts. See Robles v. People, supra. The inconsistent findings in this case are based on the same facts.
III.
The People also argue that a jury is not obliged to return a consistent finding on a violent crime count, since it may accord lenience to the defendant as to the sentence enhancer. The jury here was not instructed that a finding that the defendant committed a violent crime related to the sentence only. Indeed, it would be reversible error to do so.
Sentencing is the exclusive province of the court with which, absent a contrary statute, the jury has no concern. Saleen v. People, 41 Colo. 317, 92 P. 731 (1907). The sole function of the jury as to the crime of violence adjudication is to return the fact-finding required by the statute.
*644 The judgment of conviction of aggravated robbery is reversed, and the cause is remanded to the trial court with directions to enter a judgment of conviction of simple robbery, and to impose sentence for that offense.
SMITH and VAN CISE, JJ., concur.
|
A Mayo Clinic study reviewed data on more than 290,000 men with prostate cancer from the past 20 years and found that African-American men are at increased risk for poorer survival rate following prostate cancer treatment compared to other minority groups. The study was recently published in Mayo Clinic Proceedings.
Researchers say that it has long been known that the survival rates of African-American men are less than Caucasian men but there was less information about other minorities such as Hispanics and Asians. Using data from the National Cancer Institute, the researchers used consistent clinical parameters among the groups and found that the survival rates for Hispanics and Asians were about the same as Caucasian.
“Theoretically, if all clinical and demographic variables are the same and people have similar access to treatment, they should have the equal survival rates,” says Mark D. Tyson, II, M.D, a urologist at Mayo Clinic in Arizona. “We found that is not the case.”
Dr. Tyson said the research team believes that the disparity can be attributed to post treatment factors. He said the next phase of the research will examine what post treatment factors contribute to the survival rate. He said that it is important for both physicians and patients to know that the disparity exists and there could be a variety of reasons why.
“What we do know is that with all other things being equal there is still this disparity… and the study really points to that post treatment period,” Dr. Tyson says. “The message that patients and clinicians can take away from this study is that patients need to be followed closely particularly if they are of African-American descent.”
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.