Fixed! Melburnians Misinformed about Lockdown Rules for Exercise


Update: July 17 2020

The Victorian Govt has updated restrictions to say you cannot travel further than necessary for exercise.

Stay at Home Directions (Restricted Areas) (No2) was released on 10 July 2020.

(1A) A person may only leave their premises under subclause(1) where it does not involve unreasonable travel or travelling to a place for an unreasonable amount of time.

Note 2: unreasonable travel would include travel within the Restricted Area to exercise or outdoor recreation where that type of activity can be done closer to home. Travelling to an area outside the Restricted Area for exercise or outdoor recreation is prohibitied under these directions


Update: July 9 2020

I was pleased to receive a response informing me that www.vic.gov.au has been updated to remove the ambiguity.

It's great that this was addressed so promptly in what I'm sure is a very busy time for the people involved.


A page on the Victorian Government's website has led many to believe they cannot leave their Local Government Area (LGA) for exercise.

Additionally, there will only be 3 reasons to cross the border of these metropolitan areas:

Shopping for food and supplies Medical care and caregiving Study and work – if you can’t do it from home"

www.vic.gov.au

This is in contrast to advice on the Department of Health and Social Services (DHSS) website which makes clear the new Stay At Home restrictions prevent people leaving Greater Melbourne for exercise, but not their LGA.

I live in Melbourne - can I exercise outside with someone who is not part of my household?

From 11:59pm on 8 July, changed gathering limits apply to the Melbourne metropolitan area and the Shire of Mitchell. If you live in this area, you are only allowed to exercise outside with one other person, or members of your household.

In order to help stop the spread of coronavirus (COVID-19) across the state, you cannot leave metropolitan Melbourne or Mitchell Shire to exercise.

While exercising outside you should keep 1.5 metres distance between yourself and others and avoid sharing equipment.

www.dhhs.vic.gov.au

Further down the page the DHSS makes clear you can leave your LGA as long as you don't leave the Melbourne metro area:

I live in Melbourne. Can I visit the beach?

Yes. As long as it is for the purpose of exercise and within the Melbourne metropolitan area. You are only allowed to exercise outside with one other person, or members of your household.

While exercising outside you should keep 1.5 metres distance between yourself and others and avoid sharing equipment.

In order to help stop the spread of coronavirus (COVID-19) across the state, you cannot leave metropolitan Melbourne or the Shire of Mitchell to exercise."

www.dhhs.vic.gov.au

This is an important distinction for many Melburnians but particularly for those living alone without family/friends in their LGA. Six weeks without seeing a friend or loved one in person could seriously exacerbate an already challenging time in isolation.

I've already spoken with a couple of people who are convinced they cannot leave their LGA for exercise based on the wording on www.vic.gov.au. I'm convinced that there has been a misunderstanding and that DHSS is the more credible source in this instance.

I've submitted a request through https://www.vic.gov.au/contact-us to ask that they update the wording on their page to make clear that we are not prevented from crossing LGA boundaries for exercise within Melbourne Metro area.

The public deserve clarity on the Stay at Home restrictions being applied to them. Every effort should be made by government to ensure information provided is correct and able to be understood. If and when mistakes are detected, they should be corrected promptly because misinformation spreads like a virus.

Right-sizing your AWS Lambdas

I was recently able to reduce the cost of one of our serverless applications by more than half by reducing the memory allocated to the lambdas.

Possible reasons we didn't do this earlier: - initial cost was low but increased later as traffic increased - team didn't have knowledge/confidence to set lower threshold - we weren't monitoring/alerting on memory usage

AWS Lambda Pricing

AWS Lambda lets you run code without provisioning or managing servers. You pay only for the compute time you consume - there is no charge when your code is not running. - https://aws.amazon.com/lambda/

Lambda is charged based on number and duration of requests (AWS Pricing). Duration is measured in GB-seconds which is why it's possible to reduce your cost by reducing the maximum memory provided to you lambdas.

You specify an amount between 128 MB and 3,008 MB in 64 MB increments. Lambda allocates CPU power linearly in proportion to the amount of memory configured. At 1,792 MB, a function has the equivalent of 1 full vCPU (one vCPU-second of credits per second).

There are situations where provisioning far more memory than will be used is a good choice. If the function is CPU bound (as opposed to waiting on responses from the network) then increasing CPU will reduce duration, improving performance without negatively impacting on cost.

The risk when setting memory for a Lambda is that execution halts immediately if the function runs out of memory. Changes to the function over time may alter it's memory usage so we're best to monitor and alert on this.

Checking Memory Usage

It's relatively simple to report on the maximum memory being used by a lambda. This can help you select an appropriate amount.

Lambda logs maxMemoryUsed for each function invocation to CloudWatch Logs. CloudWatch Logs Insights includes a sample query that reports on overprovisioned memory.

The example below is for a function that spends most of it's time waiting on responses from web apis. The report shows it had 976 MB memory and used at most 275 MB in the past three days. Note that the sample query returns figures that may be confusing due to them using a different unit (MiB) than is used for configuring Lambda functions (MB). (I've requested this be fixed).

CloudWatch Logs Insights query displaying overprovisioned memory in Lambda CloudWatch Logs Insights query displaying overprovisioned memory in Lambda

Choose good memory limit for your function

We initially decided to set the memory to 384 MB and setup an alarm to alert us if a function uses 80% of that (307 MB). On checking CloudWatch later we saw function duration increased after the memory was decreased. This was due to the CPU decrease that happens when you reduce memory for the lambda. We decided to manually increase and decrease memory until we found a sweet spot of 512 MB. This was still a 50% decrease in cost with minimal impact on duration.

Monitor and alert in case things change

If our lambda memory usage increases over time, we want to be notified. Below are snippets from the CloudFormation template for our application that write memory used to a custom CloudWatch Metric and alert us if it gets to 80% of the maximum we have set.

CloudWatch Logs Metric Filter

A Metrics Filter parses all logs from the function and writes the max_memory_used value to a custom metric. This provides a convenient way to graph and alert on that metric.

AppMetricFilter:
  Type: AWS::Logs::MetricFilter
  Properties:
    LogGroupName:
      Ref: AppDashserverLogGroup
    FilterPattern: '[ report_label="REPORT", ..., label="Used:", max_memory_used_value, unit="MB" ]'
    MetricTransformations:
      - MetricValue: '$max_memory_used_value'
        MetricNamespace: LogMetrics/Lambda
        MetricName: example-app-memoryUsed'

I'd not come across Metrics Filters before but am glad I have. From whatI can gather, a custom metric costs you $0.30/month but there is no additional charge to have your CloudWatch logs filtered through a Metrics Filter to feed it.

CloudWatch Alarm

We created a CloudWatch alarm to notify us if the maximum memory used bya function exceeded 80% of what it was provisioned with.

AppAlarmLambdaMemory:
  Type: AWS::CloudWatch::Alarm
  Properties:
    AlarmActions:
      - Ref: AwsAlertsAlarm
    AlarmDescription: Lambda memory usage above 80% for example-app-memoryUsed
    ComparisonOperator: GreaterThanThreshold
    EvaluationPeriods: 1
    MetricName: 'example-app-memoryUsed'
    Namespace: LogMetrics/Lambda
    Period: 60
    Statistic: Maximum
    Threshold: 307 # 80% of provisioned memory
    Unit: Megabytes

Checking your lambda's cost

I recommend using AWS Cost Explorer to view at your lambda costs. I generally access it via the AWS Console although I was excited to discover you can also query it via AWSCLI).

Some hints to help you breakdown costs by Lambda:

  • Filters -> Include Only -> Lambda
  • Group By -> Tag: aws:cloudformation:stack-name

Reduced waste and early warning against failure

This work will save us around $600/month running this application. It also provides us with more visibility into memory usage and alerts for when it increases.

It's often a tough call to decide whether ROI on cost savings will justify the effort. You don't know till try it. If you've blown your budget that can be a motivation. Hopefully the information here can help others in their efforts to reduce waste.

Why You Should Enable S3 Block Public Access

Amazon S3 enables you to accidentally share confidential information with the world. The potential impact of misconfiguration justifies implementing controls made available by AWS in November 2018.

Numerous data breaches due to misconfigured AWS Buckets have been reported in recent times and free tools have been released that can be used to scan for them. Even AWS staff have made their buckets world readable by mistake.

S3 Block Public Access allows you to prevent configuration of S3 Buckets and the objects within them from being accessible to the whole world.

It still allows you to share objects with specified targets such as:

  • AWS Services
  • other AWS Accounts
  • specified IP address ranges

How we got here

Amazon S3 was the first AWS Service launched, way back in 2006. Users store file objects in Buckets and can control access to them through a variety of mechanisms, including:

  • Bucket ACLs
  • Object ACLs
  • Bucket Policies
  • IAM Polcies

Objects can be made accessable via:

  • Unauthenticated Web requests (via http/https)
  • AWS API calls (via AWS Web Console, AWSCLI, SDKs, etc)
  • BitTorrent

Confusion around the different methods for controlling access can lead to mistakes. Amazon's "only recommended use case for the bucket ACL is to grant write permission to the Amazon S3 Log Delivery group to write access log objects to your bucket, yet Bucket ACLs still make it easy to make the Bucket world readable (and even writable!).

Detecting Publicly Accessible Buckets

AWS Trusted Advisor's S3 Bucket Permissions Check has been free since Feb 2018.

Business and Enterprise support customers can use these checks to enable automated actions via Trusted Advisor's integration with CloudWatch Events.

Block S3 Public Access

In Nov 2018, AWS launched a new feature that allows you to control against Objects in S3 Buckets being made Public. It consists of four settings which can be applied at the Bucket or Account level. Applying at a Bucket level may enable the rules to be overridden.

Objects intended to be shared publicly (e.g. static websites) can have a Bucket Policy with configured to grant read access to a CloudFront Origin Access Identity.

For situations where CloudFront is considered overkill (it can take ~30 minutes to provision), users may consider granting access to a specific IP Range, AWS Account or IAM Role.

What does Public mean

  • ACLs: AllUsers or AuthenticatedUsers

  • Policies

In order to be considered non-public, a bucket policy must grant access only to fixed values (values that don't contain a wildcard) of one or more of the following:

  • A set of Classless Inter-Domain Routings (CIDRs), using aws:SourceIp. For more information about CIDR, see RFC 4632 on the RFC Editor website.
  • An AWS principal, user, role, or service principal
  • aws:SourceArn
  • aws:SourceVpc
  • aws:SourceVpce
  • aws:SourceOwner
  • aws:SourceAccount
  • s3:x-amz-server-side-encryption-aws-kms-key-id
  • aws:userid, outside the pattern "AROLEID:*"

Enabling S3 Block Public Access on an Account

Applying S3 Block Public Access may break things! Administrators applying this feature should familiarize themselves with the AWS Documentation.

In order to perform Block Public Access operations on an account, use the AWS CLI service s3control.

The four settings that can be configured independantly) are:

  • BlockPublicAcls: Block setting of ACLs if they include public access
  • IgnorePublicAcls: Ignore Public ACLs
  • BlockPublicPolicy: Block setting of Policy that includes public access
  • RestrictPublicBuckets: Restrict buckets with public Policy to same account and AWS Principals

The account-level operations that use this service are:

  • PUT PublicAccessBlock (for an account)
  • GET PublicAccessBlock (for an account)
  • DELETE PublicAccessBlock (for an account)

Example CloudFormation for granting access to Origin Access Identity and IP range

  CFOAI:
    Type: AWS::CloudFront::CloudFrontOriginAccessIdentity
    Properties:
      CloudFrontOriginAccessIdentityConfig:
        Comment: !Ref AWS::StackName

  Bucket:
    Type: AWS::S3::Bucket

  BucketPolicy:
    Type: AWS::S3::BucketPolicy
    Properties:
      Bucket: !Ref Bucket
      PolicyDocument:
        Version: 2012-10-17
        Id: PolicyForCloudFrontPrivateContent
        Statement:
          - Sid: Grant a CloudFront Origin Identity access to support private content
            Action: "s3:GetObject"
            Effect: "Allow"
            Principal:
             CanonicalUser: !GetAtt CFOAI.S3CanonicalUserId
            Resource: !Sub "arn:aws:s3:::${Bucket}/*"
          - Sid: Grant access from Trusted Network
            Action: "s3:GetObject"
            Effect: "Allow"
            Principal: "*"
            Resource: !Sub "arn:aws:s3:::${Bucket}/*"
            Condition:
              IpAddress:
                aws:SourceIp: !Ref OfficeIp

Don't Buck the System, Change it

I don't consider myself a Buddhist but attest to their belief that "Life is Suffering". Not all of it all the time, but there's always some waiting. To some this might sound like a pretty negative view but it doesn't have to be. What gives me strength is the knowledge that not all suffering is out of my control.

This post is about making changes to systems that affect other people. It's not intended to cover changes to personal habits.

Find Things Worth Suffering For

Life is change and change often involves suffering.

Bringing a pet into your life generally means accepting the grief the comes with outliving them (unless you choose a White Cockatoo which can live 40-60 years in captivity).

Improving you health, wealth or education might involve going without things you enjoy and doing things you don't.

System change that affects other people, whether in the workplace, government or community is hard work and success is never guaranteed. If you're going to attempt it, make sure you choose something worth suffering for.

Serenity, Courage, Wisdom

Before the Internet came along, memes thrived in the form of kitchen calendars and fridge magnets. You may be familiar with this one:

Serenity Fridge Magnet Serenity Fridge Magnet

God, grant me the serenity to accept the things I cannot change,
Courage to change the things I can,
And wisdom to know the difference.

Now I know Christian Theologians may not be in vogue these days but they were "putting a bird on it" long before the hipsters caught onto it. The value is in the message, not who said it.

"Accept the Things I Cannot Change"

I would change this to "Accept the things I should not change":

  • A sysadmin with root privileges can invade people's privacy
  • A person in executive government can enact laws that cause unnecessary suffering

Just because you can change the world to better suit you, it doesn't follow that you should.

I accept that I cannot change all the fridge magnets. It's reckon I could get Alcoholics Anonymous to change the version they promote but shouldn't because the change:

  • would provide little benefit to me
  • would provide little benefit to others
  • would require a huge amount of effort (including other people's)

maybe do it

Do you have 'skin in the game'?

Just because something should change, that doesn't neccessarily mean you should be the one to do it. You know best how to scratch your own itch. Avoid trying to lead on change that doesn't impact on your personally. You're unlikely to have the passion, connection and understanding of someone with skin in the game. By all means, support these efforts where you believe in the goals but don't try to own them.

A Pig and a Chicken are walking down the road.
The Chicken says: "Hey Pig, I was thinking we should open a restaurant!"
Pig replies: "Hm, maybe, what would we call it?"
The Chicken responds: "How about 'ham-n-eggs'?"
The Pig thinks for a moment and says: "No thanks. I'd be committed, but you'd only be involved."

It's captured more succintly in the "Nothing About Us Without Us" mantra popular with ethnic, disability and other marginalise groups.

Does anyone else know/care?

Who else would benefit from the change? Who would suffer? If there isn't the likelihood of a net benefit to the group, you're unlikely to get the buy-in required to make the change. Unless you intend to mislead or coerce people into doing things your way, you're probably best accepting this as a thing you shouldn't change.

"Courage to Change the Things I Can"

I don't think most people realise how malleable the world is. The video below says it better than I can.

“When you grow up you tend to get told that the world is the way it is and your life is just to live your life inside the world. Try not to bash into the walls too much. Try to have a nice family life, have fun, save a little money. That's a very limited life. Life can be much broader once you discover one simple fact: Everything around you that you call life was made up by people that were no smarter than you. And you can change it, you can influence it… Once you learn that, you'll never be the same again.”

  • Steve Jobs

"And the Wisdom to Know the Difference"

I'm not sure about wisdom but I hope this post offers some food for thought.

Semantic CloudFormation Parameter Values

Here's a pure Cloudformation solution to two annoyances I encounter when managing AWS CloudFormation Parameters. It allows you to optionally specify exported CloudFormation Output values in your CloudFormation Parameters.

Most resources I deploy on AWS are managed via CloudFormation using reusable templates and custom Parameters. Configuring the Parameters often requires looking up resource identifiers for VPCs, Subnets, Route Tables and the like.

Here are the Parameters for a stack that creates routes for a VPC Peering Connection:

[
  {
    "ParameterKey": "RemoteSubnet1CIDR",
    "ParameterValue": "10.0.38.0/24"
  },
  {
    "ParameterKey": "RemoteSubnet2CIDR",
    "ParameterValue": "10.0.39.0/24"
  },
  {
    "ParameterKey": "RouteTable1",
    "ParameterValue": "rtb-01234567"
  },
  {
    "ParameterKey": "RouteTable2",
    "ParameterValue": "rtb-12345678"
  },
  {
    "ParameterKey": "VpcPeeringConnection",
    "ParameterValue": "pcx-11111111111111111"
  }
]

The Annoyances

I love CloudFormation but the file above annoys me for two reasons:

  1. It doesn't convey much about these route tables or subnets

These routes are for the bma-prod VPC to get to internal subnets on failmode-prod. In order to work that out you would need to lookup each value. That's toil.

  1. I had to query AWS to find these values

When creating the Parameters file for the non-prod account, I would need to lookup all these values again. That's toil.

Semantic CloudFormation Parameter Values

The VPCs I deploy export Stack Output values that can be imported by other Stacks. These are given unique names by prepending the stack name to the value identifer.

I resolved both annoyances above by updating my Parameters file to refer to these values:

[
  {
    "ParameterKey": "RemoteSubnet1CIDR",
    "ParameterValue": "import:vpc-failmode-prod-SUBNETINTERNAL1CIDR"
  },
  {
    "ParameterKey": "RemoteSubnet2CIDR",
    "ParameterValue": "import:vpc-failmode-prod-SUBNETINTERNAL2CIDR"
  },
  {
    "ParameterKey": "RouteTable1",
    "ParameterValue": "import:vpc-bma-prod-RTBPRIVATE1"
  },
  {
    "ParameterKey": "RouteTable2",
    "ParameterValue": "import:vpc-bma-prod-RTBPRIVATE2"
  },
  {
    "ParameterKey": "VpcPeeringConnection",
    "ParameterValue": "pcx-11111111111111111"
  }
]

Adding Support to the Stack Template

This pure CloudFormation pattern supports both of the Parameter styles shown above. We define some conditions that look for import: at the start of a Parameter value and this determines whether it should be imported or simply used as a string.

AWSTemplateFormatVersion: '2010-09-09'
Description: VPC Peering Routes
Parameters:
  VpcPeeringConnection:
    AllowedPattern: ^pcx-[a-f0-9]+$
    ConstraintDescription: Must be a valid VPC peering ID
    Description: VPC Peering connection ID
    MinLength: '12'
    MaxLength: '21'
    Type: String
  RemoteSubnet1CIDR:
    Description: CIDR range of Remote Internal subnet 1
    Type: String
  RemoteSubnet2CIDR:
    Description: CIDR range of Remote Internal subnet 2
    Type: String
  RouteTable1:
    Description: Local Route Table 1
    Type: String
  RouteTable2:
    Description: Local Route Table 2
    Type: String

Conditions:
  ImportRemoteSubnet1CIDR: !Equals [ "import", !Select [ 0, !Split [ ":", !Ref RemoteSubnet1CIDR ] ] ]
  ImportRemoteSubnet2CIDR: !Equals [ "import", !Select [ 0, !Split [ ":", !Ref RemoteSubnet2CIDR ] ] ]
  ImportRouteTable1:       !Equals [ "import", !Select [ 0, !Split [ ":", !Ref RouteTable1 ] ] ]
  ImportRouteTable2:       !Equals [ "import", !Select [ 0, !Split [ ":", !Ref RouteTable2 ] ] ]

Resources:

  RouteTable1ToRemoteSubnet1:
    Type: AWS::EC2::Route
    Properties:
      DestinationCidrBlock: !If
        - ImportRemoteSubnet1CIDR
        - Fn::ImportValue: !Select [ 1, !Split [ ":", !Ref RemoteSubnet1CIDR ] ]        
        - !Ref 'RemoteSubnet1CIDR'
      RouteTableId: !If
        - ImportRouteTable1
        - Fn::ImportValue: !Select [ 1, !Split [ ":", !Ref RouteTable1 ] ]        
        - !Ref 'RouteTable1'
      VpcPeeringConnectionId: !Ref 'VpcPeeringConnection'

Conclusion

I like this pattern because it: - makes it easier to create and read parameter files - doesn't have any external dependancies - also supports specifying resource ids as strings

Feedback welcome in the comments.

Smoking: Prevention & Treatment

When it comes to life threatening situations, prevention and treatment serve different purposes and importantly, different populations.

For example, responses to the AIDS epidemic in the 1980s included campaigns to educate the public on how to reduce their risk of contracting HIV as well as research into a cure. Effective treatment options were discovered which greatly improve the prognosis for infected people with access to them.

During this same period, our public health bodies seem to have focussed on prevent but have failed to identify effective methods for people who want to stop smoking. The methods many organisations promote see reported relapse rates of around 80% within the first six months.

These include:

  • Cold Turkey (Quitting abruptly)
  • Nicotine Replacement Products (Patches, gum, lozenge, mouth spray, inhalator)
  • Quitting Medication (Champix or Zyban)

It's unfathomable that ineffective treatments for tobacco addiction are being promoted while little effort is made to identify effective methods for people to use to stop smoking.

Australia's National Tobacco Strategy lists a number of objectives which include:

  • prevent uptake of smoking
  • encourage and assist as many smokers as possible to quit as soon as possible, and prevent relapse

These objectives assist two separate populations, never smokers and smokers. The needs of people who smoke cannot be served meaningfully while we do not have effective methods for them to quit.

The reduction in smoking rates in Australia this century have been mainly due to an increase in never-smokers with the percentage of ex-smokers staying faily constant.

National Drug Strategy Household Survey 2013 - Tobacco Smoking Status

one-quarter (24%) of the population were ex-smokers and this has remained fairly stable since 1998 when the proportion of ex-smokers first exceeded the proportion smoking daily

'one-quarter (24%) of the population were ex-smokers and this has remained fairly stable since 1998 when the proportion of ex-smokers first exceeded the proportion smoking daily' 'one-quarter (24%) of the population were ex-smokers and this has remained fairly stable since 1998 when the proportion of ex-smokers first exceeded the proportion smoking daily'

Australia's smoking bans, tax hikes, advertising campaigns and other efforts may have contributed to reduced uptake of smoking but do not appear to have made quitting easier. While focussing on the children, there have been little change in daily smoking seen among people aged 60 or older this century.

daily smokers

We know that most smokers regret taking up the habit. We need to acknowledge the high relapse rates for currently promoted smoking cessation methods and get to work identifying effective alternatives.

In 2013, around 40% of Australians who smoke heavily tried to give up unsuccessfully (NDSHS). We don't need to be convinced we should quit, we need to know how.

How to Save Money

Are you price conscious in your everyday spending? A lot of us aren't for the basic reason that it consumes brain cycles for little percieved reward. Quitting smoking led to an adjustment in the way I value money. Forking out $20 a day for something the literally goes up in smoke can make saving $5 a day on parking seem pretty irrelevant.

In considering my monthly spend I found a number of ways I could spend less without any real impact on my quality of life. Perhaps some of these could help you?

Stop Smoking, Start Vaping ($600/mon)

I'd describe myself as dependant on nicotine. My pack a day habit was costing me $600 a month. I'm now using a vapouriser to get my nicotine fix for $20 a month.

Park 10 minutes walk from office ($110/mon)

Adding 20 minutes of gentle exercise to my otherwise sedentary existance saves me a packet.

Stop buying takeaway coffee ($88/mon)

We have coffee machines at work. It's free and I'm a good milk frother.

Find cheaper car insurance ($35/mon)

I was surprised how easy this one was. Thanks Google.

Buy supermarket milk ($30/mon)

I was under the mistaken impression that the branded milk was better.

Pay Less for Petrol ($12/mon)

There's about a 10% difference between low and high prices for petrol depending on when in the cycle you fill up. I can save $6 on a 40 litre tank by filling up at the right time.

A tank lasts me 2 weeks. If you need to fill more often YMMV.

ACCC report on Australian petrol price cycle

Vendors try to mix it up but the graph above is updated daily and gives a good idea of when it's a good time to buy. They also have petrol prices for other Australian states.

Don't buy premium fuel unless your car needs it ($8/mon)

I've not a petrol head and haven't even researched this one very well but started saving around $4 on a tank of fuel by not paying for premium.

Australian petrol stations market several types of unleaded petrol. They tend to be 91, 95 and 98 "octane". I don't know much about fuel and the higher numbers cost more so I tended to choose 95 or 98 thinking I must be getting more from it.

It turns out some cars (European) require high octane fuels or their performance deteriorates. I checked my Subaru manual and it said I was fine using 91 octane fuel.

Truth about Edinburgh Gardens NYE

What happens when more 15,000 revellers converge on an inner city Melbourne park to ring in the new year with no perimeter fencing, byo drugs/alcohol and just 12 police officers on duty?

A potential horror story of violence and destruction didn't eventuate but this hasn't stopped the media from describing it as such.

There are over different 15,000 versions of NYE in Edinburgh Gardens 2014 and I suspect most people had a pretty fun time. The fact it turned out to be a largely peaceful celebration despite the absence of any effective crowd control seems both newsworthy and worthy of further discussion.

Ms Fristacky says local residents had varied views of the New Year's Eve party. "Quite a few residents who attended said it was a great night, they enjoyed it, it was 20,000 people mostly peaceful, yes there were some incidents, but they were isolated."

City of Yarra Mayor quoted by ABC

Reading between the lines, the night sounds a bit like a night at an open air music festival like Meredith or Golden Plains. Events like these show us that while we will never be completely rid of dickheads, most people want to be good to each other.

Misrepresentation of the evening and villification it's participants has spread righteous indignation far beyond residents of the parks gentrified surrounds. Yarra Council is now facing increased pressure to crack down on park users.

'Trash'ing the Gardens

We were told the park was trashed. While this brings thoughts of vandalism and permanent damage, reporters were actually referring to litter, most of which was all picked up and removed by Council staff and volunteers by sunset on 1 Jan.

Now don't get me wrong, there was a whole lot of litter. The place was a mess but one man's trash is another man's treasure and the indignation inspiring imagery was media gold for the evening news and daily papers.

What kind of people would do this? What kind of people would do this?

"inadequate lighting and excessive crowding also appeared to dissuade people from using the rubbish bins and toilet facilities provided, with significant complaints about public urination;"

Oh yeah, people partying in the dark Oh yeah, people partying in the dark

Music festivals like Meredith and Golden Plains see attendees cleaning up the mess from the night before when the sun rises.

Fence Climbing

Climbing can be fun but the recently installed tennis court fences aren't very strong. The top bars slipped under the weight of people climbing on them. The Herald Sun reported this as vandalism. By these standards your average two year old is a wanton vandal.

Darwin was Right Darwin was Right

Casualties

Ambulance staff set up an emergency triage area in the park, where they treated about 20 people.

Most were treated for alcohol-related problems, while others suffered cuts from broken glass in the park.

"Paramedics Outraged"

Meredith and Golden Plains are two music festivals where you can bring your own alcohol but have a strict NO GLASS POLICY.

There were two violent acts reported. A man lost several teeth when he was punched in the face and a seventeen year old boy was arrested after he allegedly punched a female police officer in the face.

I don't think anyone has worked out a solution to dickheads but MMF try:

Festivals at the Meredith Supernatural Amphitheatre have a No Dickhead Policy.

Essentially this is a self-policing policy whereby ‘the dickhead’ is not celebrated at the festival. Dickheads or people involved in dickhead behaviour will usually find that a solid citizen will firmly but politely inform them that their dickhead behaviour is not admired or appreciated. The Dickhead will usually realise they are being a dickhead and pull their head in. If not, our Helpers or Staff or even Security might make a discreet intervention.

So if you are a Dickhead, this festival isn’t for you.

MMF No Dickhead Policy

Hey Rupert, Stop Bashing Our Youth

Demonising our youth may sell papers but what does it do to our social fabric? Crafting words that stir up moral panic doesn't make life easier for anyone.

The sky is not falling and the connected generations are not falling for your lies.

Eat Something New Every Day

On Redesign My Brain, Todd Sampson took on the challenge of eating something new each day in order to get his brain working more creatively. I decided to try this as well to see if I notice any changes to my thinking.

Fruit seems like an obvious place to start for me as I only eat three of them: apples, bananas and mandarins.

Jan

01 Kiwifruit # I solved the kiwifruit for myself. 02 Apricot # I cheated and watched a walkthrough. Do you eat the skin?