Quantcast
Channel: VMware Communities : Blog List - All Communities
Viewing all 3135 articles
Browse latest View live

Sending Metrics Data from Raspberry Pi to Wavefront

$
0
0

If you’ve perused the Wavefront blog, you likely noticed that some of us Wavefronters are obsessed with sending data to Wavefront from almost anything that generates metrics. In addition to our primary focus on monitoring cloud-native applications and infrastructure like java code, Hadoop, Kubernetes, servers, and AWS Lambda, you can also find blogs about Wavefront integrating with thermostats, weather stations, automobiles, and more.

 

pi-blog-pic.png

 

 

Recently, I’ve been working on sending metrics created by a Raspberry Pi to Wavefront (Try Free Here). Raspberry Pi is a single-board compute platform that’s great for extracting metrics data from sensors. A wide array of sensors is available, from environmental sensors, motion sensors, navigation sensors, light sensors and more. In fact, there are millions of Pi’s being used in industrial internet of things (IIoT) applications.

 

Most Pi sensors include Python or Bash shell sample code. In fact, I recommend only buying sensors which have code samples. Once you have this code, pulling the data off the sensor is relatively easy.

 

Raspberry Pi needs an OS, and the Raspbian Linux distribution is a great choice. It includes a full network stack, for wired or wireless networking. This makes it easy to open a TCP socket and forward the sensor data generated in a format that Wavefront understands.

 

I’m setting up examples of this in preparation for the Tech Shop I’ll be running at VMworld. This will be one of many use cases showing Wavefront at VMworld US 2018. You can see everything that’s planned to go on with Wavefront at VMware during VMworld US 2018

 

In the example below, I working with relatively common BMP280 chip temperature and barometric pressure sensor with a Raspberry Pi board, and hacked some Python code, which will runs on the PI, to get data into a format that Wavefront can ingest via the Wavefront proxy (see the documentation for more information about the Wavefront data format, and the Wavefront proxy).

 

The Parts List

 

First, you’ll need to compile the parts. I recommend the following gear, which is what I used for this example.

  1. Raspberry PI 3 B: https://www.adafruit.com/product/3055.
  2. NOOBS software for getting started. Don’t try a Raspbian ISO like I did. It won’t work. Critically, you have to install the NOOBS software in a specific way. Read this to find out.
  3. A basic startup kit with a breadboard and jumper wires: https://www.amazon.com/Electronic-Starter-Kit-Raspberry-Pi/dp/B00IT6AYJO
  4. A BMP280: https://www.adafruit.com/product/2651 You may have to do some soldering. Get it pre-installed with pins if you can. (this one is also good and comes with pins preinstalled)
  5. A free Wavefront trial account at http://wavefront.com/sign-up/

 

Useful Reading

 

How did we get things done before Google search? Now when you need something done, you can always see how someone else before you did it. Here are a bunch of things I read to help me get this all working.

 

First, you should understand the pin-out of Raspberry Pi, if only to understand which pin you use for power. You also need to understand how to communicate with the sensors. With the Pi, it’s no longer only about reading voltage levels. You’ll need a basic understanding of I2C, which is a way chips talk to each other on a board. There’s a decent PHP library that supports all of this. Google “I2C” and you’ll get it pretty quickly. It essentially provides an addressable bus you can do arbitrary reads and writes.

 

It also helps to understand the temperature sensor chip. This is where I found the BMP280 tutorial: http://faradaysclub.com/?p=1325. This is essential to getting data off the chip, since it’s NOT obvious. Special thanks to  pyromd76, whoever you are.

 

The Python code mentioned in the above article did have some syntax errors and bugs. These are corrected on my GitHub: https://github.com/BillRothVMware/wavefront-raspberry-pi/.

Get the Data

 

At first blush, pulling data off the BMP280 is relatively easy.  In order to do this, we run some Python code on the PI, which pulls the data off the sensor, and then formats it for sending to Wavefront.

 

Here’s the code:

 

# BMP280 address, 0x76(118)
# Read data back from 0x88(136), 24 bytes

b1 = bus.read_i2c_block_data(0x76, 0x88, 24)

 

That’s the fun of I2C. It’s a bus, and when you attach a sensor, it has an address you can use in Python on the PI (or any language) pull data of the sensor. The above call takes 24 bytes from a specific address. Simple, right? (Your BMP280’s bus address might be 0x76 or 0x77. Check the docs).

 

What gets pulled off by the Python code on the Pi is the raw sensor data and it needs to be massaged into the right format. You’ll then need the code to deal with the data that came off the chip, which is by no means straightforward. I pulled it directly from the code mentioned above. It seems to work, but as of this writing, the pressure calculations seem a bit off. Free Wavefront t-shirt to the first person who can fix it. ;-)

 

Send Data to Wavefront

 

Sending data to Wavefront is also pretty easy. Once the Python code on the Pi has pulled the temperature and pressure readings, all you need to do is to send them in the Graphite-influenced Wavefront format, mentioned above. Its as simple as passing in a name, a number, and where the data came from. For example:

 

Bills.living.room.temp.f 72 source=myhouse

 

Below, I pull the temperature in Celsius, Fahrenheit and the pressure in millibars, and output into Wavefront format.

 

# Output data to screen
# print "Temperature in Celsius : %.2f C" %cTemp

print "pi.bmp280.temp.c %.2f source=pi1 dc=willow-glen user=broth@vmware.com" %cTemp
print "pi.bmp280.temp.f %.2f source=pi1 dc=willow-glen user=broth@vmware.com" %fTemp
print "pi.bmp280.pressure.hPa %.2f source=pi1 dc=willow-glen user=broth@vmware.com" %pressure

Output

 

The output from the code above will look something like:

 

 

pi.bmp280.temp.c 25.58 source=pi1 dc=willow-glen user=broth@vmware.com
pi.bmp280.temp.f 78.04 source=pi1 dc=willow-glen user=broth@vmware.com
pi.bmp280.pressure.hPa 1168.91 source=pi1 dc=willow-glen user=broth@vmware.com

 

Note that no timestamp is used. This implies to Wavefront that it should be recorded as “right now”. You can include a time stamp in Unix Epoch seconds after the data if have a specific date to use.

To make this work, I then ran this code in a shell script, and piped it to netcat, using a method like the one I described in my previous blog about getting data from the Nest Thermostat into Wavefront.


Show Data in Charts and Dashboards

The data format in Wavefront is as simple as sending the name of the data, the data, and where it came from.

 

I then built a simple dashboard in Wavefront to show the results using basic queries, like

 

ts(makerspace.pi.bmp280.temp.f)

 

This says take the Time Series (ts()) named makerspace.pi.bmp280.temp.f and visualize it.  The default chart is a line graph, seen below.

 

To visualize a query, go to Dashboards->Create Chart. We’ll start with the query builder, which makes it easy to get started with time series data. To do this, we only need use the name of the time series, in this case makerspace.pi.bmp280.temp.f. When this is pasted into the Query Builder, a chart like will appear:

pi-blog-pic-2-chart.png

Wavefront has a wide array of functions for analytics, time series manipulation and more. Read the docs for more info about the Wavefront query language and all the functions available to you.

The real value of Wavefront becomes apparent when charts are aggregated into a dashboard – a single view of all your important metrics. At the bottom of the chart view, you will see a “Save To New Dashboard” button, or a place to name an existing one. This will take you to a flexible online editor for arranging charts in your dashboard. Check out the online tutorial for this by starting a trial at http://wavefront.com/sign-up/.

 

Below is a screenshot of the simple dashboard that I built for my various metrics data:

pi-blog-pic-3-dash.png

 

Out of the box, Wavefront has over 150 integrations for the full stack of cloud application systems, like StatsD, DropWizard, AWS, Azure GCP, databases, app servers, containers and tools like PagerDuty and Slack. These integrations come with pre-built dashboards to help you get started quickly. For more information, sign up for a Trial of Wavefront at https://wavefront.com/sign-up/

 

Conclusion and Future Work

 

It’s really is easy to get any stream of metrics data into Wavefront, as summarized above. Forwarding metrics data from a Raspberry PI and Raspbian is relatively simple. I haven’t tried anything lower level like Arduino sketches, but this is on my to-do list. As long as you can open up a TCP port, you should be able to stream metrics data into Wavefront. Have fun, and if you do any of your own integration code, let us know by posting a comment, or leave a comment on the Public Wavefront Slack Channel.


vSphere に Kubernetes クラスタを構築してみる。(Kubernetes Anywhere)

$
0
0

vSphere 6.7 に Kubernetes クラスタを構築してみます。

今回のクラスタは、うちでの勉強のために作成するので

「Kubernetes Anywhere」を利用しています。

GitHub - kubernetes/kubernetes-anywhere: {concise,reliable,cross-platform} turnup of Kubernetes clusters

 

今回の環境。

Kubernetes クラスタを展開する環境のソフトウェア構成は下記です。

  • vSphere 6.7(vCenter 6.7 / ESXi 6.7。vSphere の DRS クラスタ構成ずみ)
  • Kubernetes v1.9.7(Kubernetes Anywhere でデプロイ)
  • vSAN 6.7(Kubernetes VM のデータストアとして利用)
  • NSX for vSphere 6.4.1(NSX Edge の DHCP サービスと論理スイッチを利用)

 

Kubernetes Anywhere で、Docker コンテナを利用した Kubernetes クラスタのデプロイをします。

実行する Docker ホストのソフトウェア構成は下記です。

  • VMware Photon OS 2.0
  • Docker 17.06.0-ce

 

Kubernetes Anywhere 用の OVA のデプロイ。

Kubernetes Anywhere on vSphere むけの Photon OS の OVA ファイル

「KubernetesAnywhereTemplatePhotonOS.ova」が、下記で提供されています。

kubernetes-anywhere/README.md at master · kubernetes/kubernetes-anywhere · GitHub

 

ファイルへの直接リンクは下記です。

https://storage.googleapis.com/kubernetes-anywhere-for-vsphere-cna-storage/KubernetesAnywhereTemplatePhotonOS.ova

 

デプロイ時のデフォルトの VM 名は長いので、今回は

03-Template という VM フォルダを作成し、その直下に

k8s-anywhere-ova という名前でデプロイしています。

 

DHCP によるアドレス取得の都合により、

この OVA はデプロイ後にパワーオンしないようにしておきます。

 

Kubernetes Anywhere の Docker ホストの準備。

Docker Host の Photon OS は、OVA 版を利用しています。

まず、下記から Photon OS 2.0 GA の OVA をダウンロードして、ESXi にデプロイします。

Photon OS 2.0 GA Binaries

OVA with virtual hardware v13 (ESX 6.5 and above)

Downloading Photon OS · vmware/photon Wiki · GitHub

 

root / changeme でログインして初期パスワードを変更します。

tdnf コマンドで RPM パッケージをアップデートしたうえで、OS を再起動しておきます。

root@photon-machine [ ~ ]# cat /etc/photon-release

VMware Photon OS 2.0

PHOTON_BUILD_NUMBER=304b817

root@photon-machine [ ~ ]# tdnf update -y

root@photon-machine [ ~ ]# reboot

 

Docker はあらかじめインストールされているので、

サービスを有効化 / 起動します。

root@photon-machine [ ~ ]# systemctl enable docker

root@photon-machine [ ~ ]# systemctl start docker

 

Kubernetes Anywhere コンテナのダウンロード~起動。

kubernetes-anywhere のコンテナイメージをダウンロードします。

root@photon-machine [ ~ ]# docker pull cnastorage/kubernetes-anywhere:v2

 

コンテナを起動します。

今回は、Docker ホストのカレントディレクトリ直下の tmp ディレクトリを、

コンテナの /tmp に割り当てています。

起動してそのままコンテナの中に入っているため

プロンプトが「[container]:/opt/kubernetes-anywhere>」になります。

root@photon-machine [ ~ ]# mkdir tmp

root@photon-machine [ ~ ]# docker run -it -v `pwd`/tmp:/tmp --rm --env="PS1=[container]:\w> " --net=host cnastorage/kubernetes-anywhere:v2 /bin/bash

[container]:/opt/kubernetes-anywhere>

 

Kubernetes をデプロイするためのコンフィグを作成します。

[container]:/opt/kubernetes-anywhere> make config

 

今回は、下記のように実行しました。

赤字部分が入力部分です。

パラメータを入力した直後には Enter キーも押していますが、

ただ Enter キーを押した個所はわかりにくいため「 Enterキー」と記載しています。

できるだけデフォルト値を採用していますが、

じつは今回は Blockchain on Kubernetes(BoK)検証むけの

Kubernetes クラスタを作成しようとしているため一部の設定値は BoK むけに調整しています。

  • CPU、メモリを増加。
  • Kubernetes のバージョンは BoK のガイドにある v1.9.7 に決め打ち。
  • 同様に phase2.installer_container もガイドにあるイメージを指定。

 

このラボ環境むけのパラメータ指定もあります。

  • phase1.vSphere.username はラボにあるユーザを指定。
    (administrator@vsphere.local などでもよい)
  • データストアでは vSAN データストア(vsanDatastore)を指定。
  • vSphere のクラスタで DRS を有効化し、リソースプール(kube-pool-01)を事前作成してある。
  • VM フォルダ(02-Lab/lab-k8s-01)を指定しているが、これらは事前作成してある。
    02-Lab/lab-k8s-01 は、VM フォルダを2階層にしている。
  • ポートグループ(vxw-dvs-30-virtualwire-14-sid-10003-ls-lab-k8s-003)は、NSX 論理スイッチのバッキングとなっている分散ポートグループを指定。
    この論理スイッチでは、NSX Edge の DHCP サービスを利用して、インターネット接続できるようネットワーク設定をしている。
    (DHCP は Kubernetes Anywhere のデプロイで必要)
  • Kubernetes ノードのテンプレートになる VM は配置している VM フォルダも併せて指定(03-Template/k8s-anywhere-ova)。

[container]:/opt/kubernetes-anywhere> make config

CONFIG_="." kconfig-conf Kconfig

*

* Kubernetes Minimal Turnup Configuration

*

*

* Phase 1: Cluster Resource Provisioning

*

number of nodes (phase1.num_nodes) [4] (NEW) Enterキー

kubernetes cluster name (phase1.cluster_name) [kubernetes] (NEW) Enterキー

SSH user to login to OS for provisioning (phase1.ssh_user) [] (NEW) Enterキー

*

* cloud provider: gce, azure or vsphere

*

cloud provider: gce, azure or vsphere (phase1.cloud_provider) [vsphere] (NEW) Enterキー

  *

  * vSphere configuration

  *

  vCenter URL Ex: 10.192.10.30 or myvcenter.io (without https://) (phase1.vSphere.url) [] (NEW) infra-vc-01.go-lab.jp

  vCenter port (phase1.vSphere.port) [443] (NEW) Enterキー

  vCenter username (phase1.vSphere.username) [] (NEW) gowatana

  vCenter password (phase1.vSphere.password) [] (NEW) パスワード

  Does host use self-signed cert (phase1.vSphere.insecure) [Y/n/?] (NEW) Enterキー

  Datacenter (phase1.vSphere.datacenter) [datacenter] (NEW) infra-dc-01

  Datastore (phase1.vSphere.datastore) [datastore] (NEW) vsanDatastore

  Deploy Kubernetes Cluster on 'host' or 'cluster' (phase1.vSphere.placement) [cluster] (NEW) Enterキー

    vsphere cluster name. Please make sure that all the hosts in the cluster are time-synchronized otherwise some of the nodes can remain in pending state for ever due to expired certificate (phase1.vSphere.cluster) [] (NEW) infra-cluster-01

  Do you want to use the existing resource pool on the host or cluster? [yes, no] (phase1.vSphere.useresourcepool) [no] (NEW) yes

    Name of the existing Resource Pool. If Resource pool is enclosed within another Resource pool, specify pool hierarchy as ParentResourcePool/ChildResourcePool (phase1.vSphere.resourcepool) [] (NEW) kube-pool-01

  VM Folder name or Path (e.g kubernetes, VMFolder1/dev-cluster, VMFolder1/Test Group1/test-cluster). Folder path will be created if not present (phase1.vSphere.vmfolderpath) [kubernetes] (NEW) 02-Lab/lab-k8s-01

  Number of vCPUs for each VM (phase1.vSphere.vcpu) [1] (NEW) 2

  Memory for VM (phase1.vSphere.memory) [2048] (NEW) 4096

  Network for VM (phase1.vSphere.network) [VM Network] (NEW) vxw-dvs-30-virtualwire-14-sid-10003-ls-lab-k8s-003

  Name of the template VM imported from OVA. If Template file is not available at the destination location specify vm path (phase1.vSphere.template) [KubernetesAnywhereTemplatePhotonOS.ova] (NEW) 03-Template/k8s-anywhere-ova

  Flannel Network (phase1.vSphere.flannel_net) [172.1.0.0/16] (NEW) Enterキー

*

* Phase 2: Node Bootstrapping

*

kubernetes version (phase2.kubernetes_version) [v1.6.5] (NEW) v1.9.7

bootstrap provider (phase2.provider) [ignition] (NEW) Enterキー

  installer container (phase2.installer_container) [docker.io/cnastorage/k8s-ignition:v2] (NEW) docker.io/cnastorage/k8s-ignition:v1.8-dev-release

  docker registry (phase2.docker_registry) [gcr.io/google-containers] (NEW) Enterキー

*

* Phase 3: Deploying Addons

*

Run the addon manager? (phase3.run_addons) [Y/n/?] (NEW) Enterキー

  Run kube-proxy? (phase3.kube_proxy) [Y/n/?] (NEW) Enterキー

  Run the dashboard? (phase3.dashboard) [Y/n/?] (NEW) Enterキー

  Run heapster? (phase3.heapster) [Y/n/?] (NEW) Enterキー

  Run kube-dns? (phase3.kube_dns) [Y/n/?] (NEW) Enterキー

  Run weave-net? (phase3.weave_net) [N/y/?] (NEW) Enterキー

#

# configuration written to .config

#

[container]:/opt/kubernetes-anywhere>

 

上記の入力により、コンフィグファイル「.config」は下記のように作成されます。

make config を実行せず、下記のファイルを直接作成してもデプロイ可能です。

#

# Automatically generated file; DO NOT EDIT.

# Kubernetes Minimal Turnup Configuration

#

 

#

# Phase 1: Cluster Resource Provisioning

#

.phase1.num_nodes=4

.phase1.cluster_name="kubernetes"

.phase1.ssh_user=""

.phase1.cloud_provider="vsphere"

 

#

# vSphere configuration

#

.phase1.vSphere.url="infra-vc-01.go-lab.jp"

.phase1.vSphere.port=443

.phase1.vSphere.username="gowatana"

.phase1.vSphere.password="パスワード"

.phase1.vSphere.insecure=y

.phase1.vSphere.datacenter="infra-dc-01"

.phase1.vSphere.datastore="vsanDatastore"

.phase1.vSphere.placement="cluster"

.phase1.vSphere.cluster="infra-cluster-01"

.phase1.vSphere.useresourcepool="yes"

.phase1.vSphere.resourcepool="kube-pool-01"

.phase1.vSphere.vmfolderpath="02-Lab/lab-k8s-01"

.phase1.vSphere.vcpu=2

.phase1.vSphere.memory=4096

.phase1.vSphere.network="vxw-dvs-30-virtualwire-14-sid-10003-ls-lab-k8s-003"

.phase1.vSphere.template="03-Template/k8s-anywhere-ova"

.phase1.vSphere.flannel_net="172.1.0.0/16"

 

#

# Phase 2: Node Bootstrapping

#

.phase2.kubernetes_version="v1.9.7"

.phase2.provider="ignition"

.phase2.installer_container="docker.io/cnastorage/k8s-ignition:v1.8-dev-release"

.phase2.docker_registry="gcr.io/google-containers"

 

#

# Phase 3: Deploying Addons

#

.phase3.run_addons=y

.phase3.kube_proxy=y

.phase3.dashboard=y

.phase3.heapster=y

.phase3.kube_dns=y

# .phase3.weave_net is not set

 

設定が完了したら、デプロイします。

[container]:/opt/kubernetes-anywhere> make deploy

 

デプロイが完了したら、kubectl で Kubernetes クラスタの状態を確認します。

環境変数 KUBECONFIG を設定して、クラスタの情報を確認します。

Kubernetes master が起動(running)していることや、Kubernetes ノードの状態が確認できます。

今回は、Worker が 4ノードです。

[container]:/opt/kubernetes-anywhere> export KUBECONFIG=phase1/vsphere/kubernetes/kubeconfig.json

[container]:/opt/kubernetes-anywhere> kubectl cluster-info

Kubernetes master is running at https://10.0.3.121

Heapster is running at https://10.0.3.121/api/v1/namespaces/kube-system/services/heapster/proxy

KubeDNS is running at https://10.0.3.121/api/v1/namespaces/kube-system/services/kube-dns:dns/proxy

To further debug and diagnose cluster problems, use 'kubectl cluster-info dump'.

[container]:/opt/kubernetes-anywhere> kubectl get nodes

NAME                STATUS                     ROLES     AGE       VERSION

kubernetes-master   Ready,SchedulingDisabled   <none>    1m        v1.9.7

kubernetes-node1    Ready                      <none>    1m        v1.9.7

kubernetes-node2    Ready                      <none>    1m        v1.9.7

kubernetes-node3    Ready                      <none>    1m        v1.9.7

kubernetes-node4    Ready                      <none>    1m        v1.9.7

[container]:/opt/kubernetes-anywhere>

 

kubeconfig.json ファイルはコンテナを停止すると削除されてしまうので、

Docker ホストのディレクトリを割り当てている /tmp にコピーしておきます。

[container]:/opt/kubernetes-anywhere> cp phase1/vsphere/kubernetes/kubeconfig.json /tmp/

 

これで勉強用 Kubernetes が手ごろに作成できるかなと思います。

 

以上、vSphere に Kubernetes をデプロイしてみる話でした。

Reclaim disk space on VMware thin disks

Restart ESX management agent using vRealize orchestrator

VMware Photon OS 2.0 から Kubernetes の kubectl を実行してみる。

$
0
0

前回、Kubernetes Anywhere で Photon OS による Kubernetes クラスタを構築してみました。

vSphere に Kubernetes クラスタを構築してみる。(Kubernetes Anywhere)

 

今回は、Photon OS から Kubernetes のクライアントである kubectl を実行してみます。

kubectl のインストール先は、前回デプロイした OVA 版の Photon OS 2.0 です。

root@photon-machine [ ~ ]# cat /etc/photon-release

VMware Photon OS 2.0

PHOTON_BUILD_NUMBER=304b817

 

ファイルのダウンロードによるインストール。

まず、わりと一般的かと思われる curl コマンドでのダウンロードによるインストール方法です。

前回に構築した Kubernetes クラスタにあわせて v1.9.7 のものをダウンロードしています。

root@photon-machine [ ~ ]# curl -LO https://storage.googleapis.com/kubernetes-release/release/v1.9.7/bin/linux/amd64/kubectl

root@photon-machine [ ~ ]# chmod +x kubectl

root@photon-machine [ ~ ]# mv kubectl /usr/local/bin/kubectl

 

kubectl のバージョンは v1.9.7 です。

※下記の例では、すでに Kubernetes クラスタのコンフィグを読み込んでいます。

root@photon-machine [ ~ ]# which kubectl

/usr/local/bin/kubectl

root@photon-machine [ ~ ]# kubectl version

Client Version: version.Info{Major:"1", Minor:"9", GitVersion:"v1.9.7", GitCommit:"dd5e1a2978fd0b97d9b78e1564398aeea7e7fe92", GitTreeState:"clean", BuildDate:"2018-04-19T00:05:56Z", GoVersion:"go1.9.3", Compiler:"gc", Platform:"linux/amd64"}

 

Server Version: version.Info{Major:"1", Minor:"9", GitVersion:"v1.9.7", GitCommit:"dd5e1a2978fd0b97d9b78e1564398aeea7e7fe92", GitTreeState:"clean", BuildDate:"2018-04-18T23:58:35Z", GoVersion:"go1.9.3", Compiler:"gc", Platform:"linux/amd64"}

 

RPM でのインストール。

Photon OS の YUM リポジトリには kubectl の RPM が用意されています。

root@photon-machine [ ~ ]# tdnf list kubernetes-kubectl-extras

kubernetes-kubectl-extras.x86_64            1.11.1-2.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-10.ph2       photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-11.ph2       photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-3.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-4.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-5.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-6.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-7.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-8.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.10.2-9.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.11.1-1.ph2        photon-updates

kubernetes-kubectl-extras.x86_64            1.11.1-2.ph2        photon-updates

 

tdnf でインストールします。

root@photon-machine [ ~ ]# tdnf install -y kubernetes-kubectl-extras

root@photon-machine [ ~ ]# rpm -q kubernetes-kubectl-extras

kubernetes-kubectl-extras-1.11.1-2.ph2.x86_64

 

kubernetes-kubectl-extras には、kubectl のみが含まれています。

Linux OS なので、/opt/vmware/kubernetes/linux/amd64/kubectl だけを使用します。

root@photon-machine [ ~ ]# rpm -ql kubernetes-kubectl-extras

/opt/vmware/kubernetes/darwin/amd64/kubectl

/opt/vmware/kubernetes/linux/amd64/kubectl

/opt/vmware/kubernetes/windows/amd64/kubectl.exe

 

ファイルが配置されているディレクトリに Linux コマンドのサーチパスが設定されていないので、

フルパスで実行するか、下記のように PATH 環境変数を設定することになります。

root@photon-machine [ ~ ]# export PATH=/opt/vmware/kubernetes/linux/amd64:$PATH

root@photon-machine [ ~ ]# which kubectl

/opt/vmware/kubernetes/linux/amd64/kubectl

root@photon-machine [ ~ ]# kubectl version

Client Version: version.Info{Major:"1", Minor:"11", GitVersion:"v1.11.1", GitCommit:"b1b29978270dc22fecc592ac55d903350454310a", GitTreeState:"archive", BuildDate:"2018-08-14T19:36:17Z", GoVersion:"go1.10.3", Compiler:"gc", Platform:"linux/amd64"}

 

Server Version: version.Info{Major:"1", Minor:"9", GitVersion:"v1.9.7", GitCommit:"dd5e1a2978fd0b97d9b78e1564398aeea7e7fe92", GitTreeState:"clean", BuildDate:"2018-04-18T23:58:35Z", GoVersion:"go1.9.3", Compiler:"gc", Platform:"linux/amd64"}

 

kubectl での Kubernetes へのアクセス。

Kubernetes に接続するためのコンフィグファイルは、

前回の投稿で  Docker ホスト(今回 kubectl を実行する Linux)に退避したものを使用します。

下記のように退避したので、kubectl を実行する Linux には $HOME/tmp/kubeconfig.json ファイルとして保存されています。

[container]:/opt/kubernetes-anywhere> cp phase1/vsphere/kubernetes/kubeconfig.json /tmp/

 

kubectl が読み込むディレクトリ(ホームディレクトリの .kube/ 直下)にファイルをコピーします。

root@photon-machine [ ~ ]# mkdir ~/.kube

root@photon-machine [ ~ ]# cp ./tmp/kubeconfig.json ~/.kube/config

 

kubectl でクラスタにアクセスできるようになります。

root@photon-machine [ ~ ]# kubectl get nodes

NAME                STATUS                     ROLES     AGE       VERSION

kubernetes-master   Ready,SchedulingDisabled   <none>    12m       v1.9.7

kubernetes-node1    Ready                      <none>    12m       v1.9.7

kubernetes-node2    Ready                      <none>    12m       v1.9.7

kubernetes-node3    Ready                      <none>    12m       v1.9.7

kubernetes-node4    Ready                      <none>    12m       v1.9.7

root@photon-machine [ ~ ]# kubectl cluster-info

Kubernetes master is running at https://10.0.3.121

Heapster is running at https://10.0.3.121/api/v1/namespaces/kube-system/services/heapster/proxy

KubeDNS is running at https://10.0.3.121/api/v1/namespaces/kube-system/services/kube-dns:dns/proxy

 

To further debug and diagnose cluster problems, use 'kubectl cluster-info dump'.

 

RPM は用意されていますが、1ファイルのパッケージでファイルの配置ディレクトリも微妙なので、

Photon OS の RPM 使用するか、ダウンロードしたものを使用するかは

使用したい kubectl のバージョンによって選択すればよいかなと思います。

 

以上、Photon OS で kubectl を実行してみる話でした。

vCenter Server Appliance or Platform Service controller deployment stuck at 6%

$
0
0

"/storage/db/vmware-vmdir/data.mdb', '[Errno 28] No space left on device"

 

/var/log/firstboot/vmafd-firstboot.py_XXXX_stderr.log contains the following error message:

 

Error: [('/storage/db/cis-export-folder/vmafd/data/vmdir/data.mdb', '/storage/db/vmware-vmdir/data.mdb', '[Errno 28] No space left on device')]

 

Multiple issues can occur if a Platform Services Controller has more than 100,000 tombstone entries, below this threshold the symptoms in this article are likely unrelated.

 

To determine the number of tombstone entries on a Platform Services Controller Appliance, run this command:

 

/opt/likewise/bin/ldapsearch -H ldap://PSC_FQDN -x -D "cn=administrator,cn=users,dc=vsphere,dc=local" -w 'password' -b "cn=Deleted Objects,dc=vsphere,dc=local" -s sub "" -e 1.2.840.113556.1.4.417 dn| perl -p00e 's/\r?\n //g' | grep '^dn' | wc -l

 

for more information find the KB 52387

 

VMware Knowledge Base

GrayKey - is your iPhone really safe?

How to detect invalid VMs folder or Unregisterd Folder which are present in the datastore for make free space.

$
0
0

I have written a powershell script which will detect the invalid folder or unregistered folder which are still in the datastore.

 

 

Below function has to run before running the main script.

 

function Get-SetOperationResult

{

    [CmdletBinding()]

    param

    (

        [Parameter(Mandatory=$true,

                   Position=0)]

        [object[]]

        $Left,

 

        [Parameter(Mandatory=$true,

                   Position=1)]

        [object[]]

        $Right,

 

        [Parameter(Mandatory=$false,

                   Position=2)]

        [ValidateSet("Union","Intersection","Difference-LeftMinusRight","Difference-RightMinusLeft","ComplementLeft","ComplementRight")]

        [string]

        $OperationType="Intersection"

    )

    

    

    BEGIN

    {       

    }

    

    PROCESS

    {

        

        [object] $result = @()

 

        #-----------

        #Union = Given two sets, the distinct set of values from both

        #-----------

        if ($OperationType -eq 'Union')

        {

            $result = Compare-Object $Left $Right -PassThru -IncludeEqual                   # union

        }

 

        #-----------

        #Intersection = Given two sets, the distinct set of values that are only in both

        #-----------

        if ($OperationType -eq 'Intersection')

        {

            $result = Compare-Object $Left $Right -PassThru -IncludeEqual -ExcludeDifferent # intersection

        }

 

        #-----------

        #Difference = Given two sets, the values in one (minus) the values in the other

        #-----------

        if ($OperationType -eq 'Difference-LeftMinusRight')

        {

            $result = $Left | ?{-not ($Right -contains $_)}

        }

        if ($OperationType -eq 'Difference-RightMinusLeft')

        {

            $result = $Right | ?{-not ($Left -contains $_)}

        }

        

        #-----------

        #Complement = Given two sets, everything in the universe which is the UNION (minus) the values in the set being "Complemented"

        #-----------

        if ($OperationType -eq 'ComplementLeft')

        {

            $result = Compare-Object $Left $Right -PassThru -IncludeEqual |                  # union

                                ?{-not ($Left -contains $_)}

        }

        if ($OperationType -eq 'ComplementRight')

        {

            $result = Compare-Object $Left $Right -PassThru -IncludeEqual |                  # union

                                ?{-not ($Right -contains $_)}

        }

        

        Write-Output $result

    }

    

    END

    {

    }

}

 

 

Main program starts from here:

 

Set-PowerCLIConfiguration -InvalidCertificateAction Ignore -confirm:$false

Connect-VIServer -Server $ip -Protocol https -Username $username -Password $pwd

$x = " this is the program of which snapshot of which vmdk"

$y = "_" * $x.Length

$c =@{}

$files=@{}

$files = New-Object System.Collections.ArrayList

$c = New-Object System.Collections.ArrayList

$e = New-Object System.Collections.ArrayList

$vmdks = New-Object System.Collections.ArrayList

$vms = New-Object System.Collections.ArrayList

 

 

$datastore_1 = Get-Datastore | select-object DatastoreBrowserPath, Name

 

for( $j=0 ; $j -lt $datastore_1.Length ;$j++){

 

$template_1 = Get-Template | Select-Object Name

$template = Get-HardDisk -Template $template_1.name | Select-Object Filename

 

if((Get-Datastore -Name $datastore_1[$j].Name | Get-VM | Select-Object name) -ne $null){

 

 

    $datastore_1[$j].datastorebrowserpath

    $files_1 = dir $datastore_1[$j].datastorebrowserpath | Select-Object name

    $files = $files_1.name -like "[a-z]*"

 

 

    $vms = Get-Datastore -Name $datastore_1[$j].Name | Get-VM | Select-Object name

    $vmdk_vm = Get-HardDisk $vms.name | Select-Object Filename

 

    $vmdks = $template + $vmdk_vm

    $a = Split-Path $vmdks.filename | Select-Object -Unique

 

    for ($i=0 ; $i -lt $a.count ;$i++){

       

        $b = $a[$i]

        $n = $b.Split('{]}',2)

        $d = $n[1].Split('{ }',2)

                        #$d = -join $b[14..$b.Length]

        $c.add($d[1])

        }

        $e = $c | Select-Object -Unique

        $c.clear()

 

        if((Get-SetOperationResult -Left $files -Right $e -OperationType Difference-LeftMinusRight ) -eq $null)

        {  

 

            Write-Host no Invalid folder are there in datastore

           

            $e.Clear()

        }

        else

        {   

            Get-SetOperationResult -Left $files -Right $e -OperationType Difference-LeftMinusRight

           

        }

    }

    else

    {

        $datastore_1[$j].datastorebrowserpath

        $files_1 = dir $datastore_1[$j].datastorebrowserpath | Select-Object name

        $files = $files_1.name -like "[a-z]*"

        $files

    }

$template.clear()  

}

Disconnect-VIServer -Server $ip -confirm:$false

 

 

Result :

 

vmstores:\$IP@443\Server Datacenter\Bay10_datastore2

0

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

no Invalid folder are there in datastore

vmstores:\$IT@443\Server Datacenter\Bay10_Datastore1

0

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

temp

 

 

#This above temp file/folder has detected in Bay10_Datastore1.

#And 24 number's are number of VM's  in Bay10_Datastore1 and Template's in vcenter.


Calling all vSphere Experts to Join the Challenge!

$
0
0

Calling all vSphere Experts to Join the Challenge!

 

Want a fast-path to become a vExpert? How about a chance to win pair of Sonos Play1: wireless speakers to start or complement your home sound system? There’s even a chance to win the amazing Sonos Play5: wireless speaker! Just join the vSphere challenge on get in on the action.

Ask not what your community can do for you – ask what you can do for your Community!

At VMware, we believe in the power of community, so we’re doubling-down to make community support a core engine of customer support and success. We’re going to redefine and design a new and transformative moderated community experience, positioned to be the ultimately place for peer-to-peer help and learning. And member participation is key to our collective success. This is where you come in! 

Shared purpose. Shared content.Shared success.

We’re looking to recruit a team of volunteer product aficionados who are experienced with vSphere, and intrigued by the challenge and opportunity to strengthen and share their troubleshooting proficiency. Or maybe you just want to shape your skills for that next vSphere exam. That works too! So today we’re announcing the vSphere ‘Correct Answer’ Challenge.

You’ll be contributing value to the community by answering questions to produce trusted-content that benefits all vSphere focused community members.

Oh, and did we mention that our top two contributors will have an opportunity to attend the highly anticipated vExpert Party during VMWorld 2018? That’s right, once we see your genius and the community acknowledges your domination, you will be rewarded! And for those of you not attending VMworld this year, there will be other reward opportunities for being community-minded and helping others, including but not limited to:

  • Invitation to vExpert Party at VMWorld Las Vegas (1 award)
  • Invitation to vExpert Party at VMWorld Barcelona (1 award)
  • Sonos Play5: wireless home speaker (1 award)
  • Pair of Sonos Play1: wireless home speakers (1 award)
  • Automatic acceptance into the vExpert program (2 awards)
  • Automatic nomination as a vSphere Community Warrior
  • Accelerated reputation building within the community

 

Here’s how it works

 

Between July 27, 2018 and October 1, 2018, we’ll be looking for VMTN members to provide quality answers to community member questions where a ‘Correct Answer’ has not yet been selected.


A team of VMware Solution Architect’s (SAs) will be monitoring your vSphere replies, and will mark the best replies as a ‘Correct Answer’ when they believe you’ve got it.

Points will be awarded for the following achievements:

  • Reply contains a meaningful answer = 2 points
  • Reply receives a ‘Like’ = 3 points
  • Reply is marked ‘Helpful’ = 5 points
  • Reply is selected as the ‘Correct Answer’ = 10 points

 

We will be notifying our first group of winners on August 21st, and our second group of winners on November 1st 2018. Remember this is a friendly competition and you’ll be helping all community members by contributing to the Questions & Answer process.

Ready to accept the challenge? Simply join the VMTN community and start contributing in the vSphere Community, or visit the vSphere ‘Correct Answer’ Challenge community to learn more and post your comments.

Thanks everyone, and see you in the community!


The Global Services Team

UDID changes to new Apple Hardware

$
0
0

Subject: Important Note : UDID changes to new Apple Hardware

 

 

Over the last 48 hours, we’ve received notification and details from Apple around potential changes to UDID of new Apple hardware going forward.

Our teams have been working round the clock to evaluate the impact of these changes and explore necessary remediation paths to be compatible with this new hardware.

 

Background of UDID :

UDID is an acronym for Unique Device ID that uniquely identifies Apple devices.

IMPORTANT NOTE :

This unique ID cannot be changed by the user nor by Apple as it is assigned to the motherboard of the device.  So an operating system update will not change the UDID.

 

Historically iOS devices have had UDID of 40 characters in length. We’ve received notification that this length could change in the future to be lesser, greater or equal to 40 and not strictly adhere to the 40 character length.

 

 

There will be a customer facing public message with appropriate content that we’re allowed to share shortly.

Reclaim disk space on VMware thin disk

What is VMware Cloud Foundation?

$
0
0

VMware Cloud Foundation product is a hyperconverged infrastructure offering from VMware. VMware Cloud Foundation is the unified SDDC platform that bundles VMware vSphere, vSAN, and NSX into a natively integrated stack to deliver enterprise-ready cloud infrastructure.

 

VMware Cloud Foundation includes a new software management product named SDDC Manager which controls the virtualized compute, network and storage resources. VMware Cloud Foundation uses SDDC Manager to bundle vSphere, vSAN and NSX into a single platform that can be deployed on premise as a part of private cloud or can be provisioned as a service through public cloud providers (VMware CloudTM on AWS or VMware Cloud Providers).


VMware Cloud Foundation automates the lifecycle operations like installation, configuration, operation of the software stack, features policy-driven Workload Domains and monitors both the physical topology of the software-defined datacenter, as well as its underling components.

 

VMware Cloud Foundation also integrates with pre-existing VMware products, including VMware vRealize Suite, VMware Integrated OpenStack, VMware Integrated Containers and VMware Horizon, and it leverages VMware vCenter Server for VM management, monitoring and provisioning.

 

 

Deployment Options:

 

VMware Cloud Foundation software can be consumed in three ways:
  • Software deployment – on certified vSAN ReadyNodes and networking switches. To learn more, visit VMware Compatibility Guide.
  • Integrated System – Cloud Foundation software pre-installed at the factory, available from these OEM vendors: Dell EMC, Fujitsu, Hitachi Vantara, HPE and QCT.
  • As a Service from the Public Cloud – VMware Cloud on AWS or VMware Cloud Providers: IBM Cloud, OVH, Rackspace, and CenturyLink.

VMware Photon OS 2.0 に PowerCLI Core をインストールしてみる。

$
0
0

VMware Photon OS 2.0 に PowerShell Core と PowerCLI Core をインストールしてみます。

Photon OS PowerCLI を利用したい場合は Docker コンテナを利用すると簡単ですが、

今回はあえて、Install-Module で PowerShell Gallery からインストールしています。

 

PowerCLI Core を Docker コンテナで利用するときは、

下記のような感じになります。

※vmware/powerclicore イメージには PowerCLI だけでなく PowerNSX も含まれています。

Docker コンテナの PowerNSX を実行してみる。

 

Photon OS 2.0 むけ RPM の PowerShell には PowerShellGet がインストールされていないので、

PowerCLI の前に PowerShellGet とその関連モジュールをインストールします。

 

手順は、vmware/powerclicore Docker イメージのもとになる

Dockerfile を参考にしました。

powerclicore/Dockerfile at master · vmware/powerclicore · GitHub

 

インストール対象の Photon OS は、VMware GitHub からダウンロードできる

OVA ファイルのものをデプロイしています。

 

Photon OS 2.0 GA Binaries

OVA with virtual hardware v13 (ESX 6.5 and above)

Downloading Photon OS · vmware/photon Wiki · GitHub

 

今回の Photon OS です。

root@photon-machine [ ~ ]# cat /etc/photon-release

VMware Photon OS 2.0

PHOTON_BUILD_NUMBER=304b817

 

PowerShell Core のインストール。

Photon OS の パブリックな Yum リポジトリから、

PowerShell Core と unzip をインストールします。

root@photon-machine [ ~ ]# tdnf install -y powershell unzip

root@photon-machine [ ~ ]# rpm -q powershell

powershell-6.0.1-1.ph2.x86_64

 

PowerShellGet のインストール。

PowerShellGet 関連のモジュールを、ファイル配置することでインストールします。

 

PackageManagement

root@photon-machine [ ~ ]# curl -LO https://www.powershellgallery.com/api/v2/package/PackageManagement

root@photon-machine [ ~ ]# unzip PackageManagement -d /usr/lib/powershell/Modules/PackageManagement

root@photon-machine [ ~ ]# rm PackageManagement

 

PowerShellGet

root@photon-machine [ ~ ]# curl -LO https://www.powershellgallery.com/api/v2/package/PowerShellGet

root@photon-machine [ ~ ]# unzip PowerShellGet -d /usr/lib/powershell/Modules/PowerShellGet

root@photon-machine [ ~ ]# rm PowerShellGet

 

問題対策。

Add-Type の問題対策を設定しておきます。

PowerShell on Photon: Cannot add PowerShell Type · Issue #752 · vmware/photon · GitHub

root@photon-machine [ ~ ]#  mkdir -p /usr/lib/powershell/ref/

root@photon-machine [ ~ ]#  ln -s /usr/lib/powershell/*.dll /usr/lib/powershell/ref/

 

PowerCLI Core のインストール。

PowerShell Core(pwsh)を対話モードで起動します。

root@photon-machine [ ~ ]# pwsh -v

PowerShell v6.0.1

root@photon-machine [ ~ ]# pwsh -NoLogo

PS /root>

 

PowerShell Gallery から PowerCLI Core をインストールします。

PS /root> Set-PSRepository -Name PSGallery -InstallationPolicy Trusted

PS /root> Install-Module VMware.PowerCLI

 

インストールされました。

PS /root> Get-Module VMware.PowerCLI -ListAvailable | select Version,Name

 

Version        Name

-------        ----

10.2.0.9372002 VMware.PowerCLI

 

 

vCenter にも接続できます。

※証明書エラー回避のため「-Force」をつけています。

PS /root> Connect-VIServer infra-vc-01.go-lab.jp -Force

 

Specify Credential

Please specify server credential

User: gowatana

Password for user gowatana: ***********

 

Name                           Port  User

----                           ----  ----

infra-vc-01.go-lab.jp          443   GO-LAB\gowatana

 

 

PS /root> Get-VMHost | select Name,Version,Build,ConnectionState | Sort-Object Name

 

Name                    Version Build   ConnectionState

----                    ------- -----   ---------------

infra-esxi-01.go-lab.jp 6.7.0   8169922       Connected

infra-esxi-02.go-lab.jp 6.7.0   8169922       Connected

infra-esxi-03.go-lab.jp 6.7.0   8169922       Connected

infra-esxi-04.go-lab.jp 6.7.0   8169922       Connected

infra-esxi-05.go-lab.jp 6.7.0   8169922       Connected

infra-esxi-06.go-lab.jp 6.7.0   8169922       Connected

 

 

PowerCLI にかぎらず、ほかの PowerShell モジュールも同様にインストールできるはずです。

 

以上、Photon OS 2.0 に PowerCLI Core をインストールしてみる話でした。

No one told me I had a blog....

$
0
0

Google found it...I knew I left it somewhere...

vix error codes 1, 4294967292, 1, 4294967294 1, 4294967290


VMware Horizon Job Opportunity at Georgia Tech (expires 10/2018)

$
0
0

Hello community!  You've helped us numerous times and we'd like to return the favor - by hiring one of you!   

 

If you or someone you know is interested in working for Georgia Tech, primarily as a hands-on expert in VMware virtualization and Horizon VDI administration, thenHERE is a great opportunity atGeorgia Tech Professional Education

 

This role is part of our 7-person DevOps (Service Delivery) team and it reports to me.  This team is a small subset of a greater Technology Services team at GTPE numbering almost into the 20s.  We are very diverse, we touch a lot of technologies, we are growing and advancing rapidly together, and we have a lot of fun too!!!  Did I mention that we have a lot of fun?  We do, but we also are building our career portfolios by rapidly adopting and integrating a vast array of impressive enterprise technologies.  Although this is a senior position, requiring prior advanced expertise in our core technologies, we are very focused on professionally developing our employees to become the best they can be.  Come check us out!  The opportunity will close on 10/15/18 (or sooner, if we find the ideal candidate before the close of this advertisement window).

VMware TAM Source 10.14

$
0
0

 

FROM THE EDITORS VIRTUAL DESK
VMworld 2018 is around the corner and the excitement is just getting started. VMworld is the premier event for virtualization specialists from around the world to join together in Las Vegas for an amazing week of technology sessions, demonstrations and of course the famous VMworld Customer Appreciation event. The VMware TAM program will again have a number of special events and areas for our wonderful TAM customers to avail themselves of, more details will be made available over the coming months leading up to the main event, so stay tuned to the newsletter for more.

 

VMworld 2018 registration is open! Take advantage of early-bird rates:
No matter what path you’re on, you’ll discover the technology, learn the trends, and meet the people that are shaping the future of digital business and taking IT to the next level. Welcome to a world where it all begins with you. Welcome to VMworld 2018. go to www.vmworld.com.

 

I wish you all a fantastic week ahead.

 

Virtually Yours
VMware TAM Team

Latest News | Twitter | Facebook | LinkedIn | Blog | Newsletter | Archive
-
NEWS AND DEVELOPMENTS FROM VMWARE

VMware Radius

  • Empowering Employees Makes Good Business Sense
    Claire Dixon, chief communications officer and senior VP, VMware Innovation comes from people. That means businesses need to work for employees, giving workers the technologies they need to be more creative. A single, simple theme resonated across all the sessions during Employees First: The Econom...
  • Employee Productivity and EFES Rus Brewing Company
    EFES Rus brewing company was one of the four largest players in the Russian beer market. But being in one of the number two spots was on this team’s mind. By increasing its operational and cost efficiency, EFES Rus was hoping to strengthen its market position in order to achieve that goal. What soon...
  • Driving Female Leadership: A Collaboration with Stanford
    VMware contributes $15 million to the Women’s Leadership Innovation Lab to focus on research on systemic biases in the workplace in the pursuit of advancing female leadership VMware’s Chief People Officer Betsy Sutter at the 2017 WT2 Conference At the 3rd annual Women Transforming Technology (WT2)...

VMware Open Source Blog

  • Looking Ahead as Open vSwitch Hits Its First Decade
    Earlier this year, Open vSwitch received the 2018 Software Systems Award at the Association for Computing Machinery’s (ACM) annual Symposium on SDN Research (SOSR) in Los Angeles. The award recognizes a software system that’s been instrumental to SDN research. As the co-originator of Open vSwitch, I...
  • Easier IoT with AWS Greengrass and Ansible
    VMware helps its customers build and release new IoT products and solutions. In most situations, it’s a challenge to automate the configuration and rollout of IoT solutions, simply due to the scale and variety of systems involved. The AWS Greengrass service from Amazon supports management of IoT dev...
  • 10 Lessons Learned from Launching Clarity Design System
    By Scott Mathis, SMTS UI/UX, Clarity Design System Team – VMware A year and a half ago, four of us at VMware launched the Clarity Design System. Since then, we’ve gone from a small, scrappy team to being the second most popular open source project at VMware. We’ve learned a lot in the process,...

VMware vSphere Blog

  • Upgrade Considerations for VMware vSphere 6.7
    Upgrading to VMware vSphere 6.7 With the recent excitement of vSphere 6.7 being released to the public, it’s only natural that a lot of discussion has revolved around upgrades. How do we upgrade, or even why should we upgrade have been the most popular questions recently. In this post I will cover ...
  • vSphere and VMware Cloud on AWS at Dell Technologies World 2018
    Are you planning to attend Dell Technologies World this year? So is the vSphere team! We’re excited to be part of the show, and to talk about all the ways the latest version of vSphere can help you support the demands of your business customers. Do you have questions? We would love to meet with you ...
  • Introducing VMware vSphere 6.7!
    We are excited to share that today VMware is announcing vSphere 6.7, the latest release of the industry-leading virtualization and cloud platform. vSphere 6.7 is the efficient and secure platform for hybrid clouds, fueling digital transformation by delivering simple and efficient management at scale...

Network Virtualization

  • Boston Medical Center Secures Electronic Patient Records with VMware NSX
      Boston City Hospital and Boston University Medical Center Hospital merged in 1996 to form Boston Medical Center (BMC).  This 497-bed teaching hospital in the South End of Boston provides primary and critical care to a diverse population and houses the largest Level 1 trauma center in New Englan...
  • Micro-segmentation Starter Kit
    Traditional security solutions are designed to protect the perimeter.  As applications and data are becoming increasingly distributed, they are often spanning not only multiple sites, but also multiple clouds.  This is making it harder to identify where the perimeter actually is in order to secure i...
  • Two-Factor Authentication with VMware NSX-T
    In a previous post, I covered how to integrate NSX-T with VMware Identity Manager (vIDM) to achieve remote user authentication and role-based access control (RBAC) for users registered with a corporate Active Directory (AD).   On this post, I’m showing how add two-factor authentication (2FA) for N...

VMware Cloud Management

  • vRealize Log Insight and VMware Log Intelligence: Better Together
    Credit to NICO GUERRERA for blog content (Bio Below)!   vRealize Log Insight 1.0 was released for general availability in 2013, and since then it has steadily grown in features, scale, and customer adoption. I have worked with customers who have deployed up to sixty nodes of Log Insight across mul...
  • May 16th Webinar: More Usability Improvements of vRealize Automation and vRealize Life Cycle Manager
    On May 16th, we will be hosting another Getting More Out of VMware webinar. The webinar is designed for Cloud Administrators and VI Administrators who leverage vRealize Suite products, such as vRealize Automation,  to run their virtual infrastructure and cloud environment. It will be a great opportu...
  • Decision Driven Provisioning with Anything as a Service (XaaS)
    Decision Driven Provisioning with XaaS To me, the power of vRealize Automation has always been how easy it is to take square pegs and fit them into round holes. Generally this capability comes in the form of leveraging “Anything as a Service”, also known as XaaS. XaaS allows you to take any vRealiz...

Cloud-Native Apps

VMware End-User Computing Blog

  • Android Series: Android Work Profile
    When you bring your personal Android device to work, how do you know your personal applications and data are kept private? With the Android work profile you can! This is part of Android enterprise and is the solution for securing personal data for employee-owned devices. When deployed by VMware Work...
  • Horizon Cloud on Microsoft Azure–Technical Walkthrough (Part 5)
    Creating an RDS Farms for Application and Desktop Sessions In part 4 of this blog series, I walked through the steps to create a Published Image, which could be used to create RDS Farms or VDI Desktops. In part 5 of this blog series, I am going to walk you through the process of creating, managing a...
  • VMware and Okta: Accelerating the Journey to the Digital Workspace
    Employees in today’s world of clouds, apps and mobility have a simple definition to enable them to be productive: anytime, anywhere access to apps on any device they can work from. VMware helps enable organizations in delivering this experience with VMware Workspace ONE, the intelligence-drive digi...

The Support Insider

  • New KB articles published for week ending 27th May 2018
    VMware vCenter Server Upgrading Windows vCenter server 6.5 to vCenter server 6.7 fails when VMware vSphere authentication proxy service is started Date Published: 2018/5/21 vCenter Server Appliance Management Interface might not display the vCenter Server 6.7.0a patch Date Published: 2018/5/21 VMwar...
  • New KB articles published for week ending 20th May 2018
    VMware ESXi Linux VM UEFI boot “WARNING: BIOS bug: CPU MTRRs don’t cover all of memory, losing xxx of RAM” Date Published: 2018/5/14 HP host with QFLE3 Driver Version 1.0.60.0 experienced a PSOD on shutdown or restart Date Published: 2018/5/14 In ESXi 5.5 host gets disconnected from the vCenter rand...
  • Introducing the Skyline Collector 1.2, Now GDPR Compliant
    We are excited to announce the release of the Skyline Collector 1.2. The Skyline Collector enables VMware Global Support Services (GSS) to deliver proactive support. With proactive support, GSS can notify you of potential issues and areas of risk within your vSphere and NSX environments. Most notewo...
  • New KB articles published for week ending 13th May 2018
    Datacenter VMware response to CVE-2018-8897 Date Published: 2018/5/8 VMware vCloud Availability for vCloud Director Storage Requested values are reported incorrectly for Organization VDCs that contain replicated VMs in vCloud Director Date Published: 2018/5/8 VMware Fusion Boot Camp virtual machine...
  • New KB articles published for week ending 6th May 2018
    VMware vRealize Operations Manager Unable to select virtual distributed switch port groups while deploying vRealize Operations Manager through the plugin UI in vCenter Date Published: 2018/04/30 Cassandra corrupted system schema files in vRealize Operations Manager 6.x Date Published: 2018/04/30 VMw...

Cloud Foundation

  • Patching Made Easy with VMware Cloud Foundation
    A common challenge faced by every IT department is keeping up with the inevitable and never-ending flow of software updates. This becomes even more critical in a modern Software-Defined Data Center (SDDC), where compute, network and storage virtualization are interwoven into a unified data center fa...
  • VMware Cloud Foundation Architecture Poster 2.3
    VMware is pleased to release the latest VMware Cloud Foundation (VCF) architecture poster. VCF is a fully automated, hyper-converged software stack that includes compute, storage, networking and cloud management. Because VCF has so many tightly integrated products, it is important to understand the ...
  • HPE Synergy and VMware Cloud Foundation – now certified
    Author Bhumik Patel – Technical Alliances, VMware @bhumikp   Introduction: As customers leverage VMware Cloud Foundation (VCF) to provide integrated Software Defined Data Center (SDDC) & cloud management services for running enterprise applications, it becomes critical to rely on an underlying pl...

 

EXTERNAL NEWS FROM 3RD PARTY BLOGGERS virtuallyGhetto

ESX Virtualization

  • What is VMware Per-VM EVC?
    Everyone knows how VMware EVC works on a vSphere cluster (and VMware calls it now Cluster-level EVC). vCenter Server’s CPU compatibility checks compare the CPU features available on the source host, the subset of features that the virtual machine can access, and the features available on the target ...
  • What Is StarWind SMI-S Provider?
    Today’s heterogeneous storage environment within an enterprise tend to be difficult to manage. Each storage array has different management and different tools. Storage Management Initiative Specification (SMI-S) is a standard which was developed by the Storage Network Industry Association (SNIA), wh...
  • Runecast Analyzer Compatible with vSphere 6.7
    Runecast 1.7.5 recently released is a release which is now compatible with VMware vSphere 6.7. While there is not many customers which jumped into the upgrade of vSphere and upgraded their environment to vSphere 6.7, the whole ecosystem is starting to push news about the compatibility for vSphere 6....
  • How-To Create a Training Class Through Ravello Training Platform
    Today we’ll have a look at How-To Create a Training Class Through Ravello Training Platform. If you’re a regular reader of our blog you already know that Ravello/Oracle Cloud Platform allows you not only to set up a cloud lab but also to run enterprise cloud applications as their recent upgrade allo...
  • Paessler PRTG Monitoring for VMware
    Today we have an interesting post detailing Paessler’s PRTG monitoring capabilities for VMware vSphere and ESXi environments. We’ll look at the specific needs of VMware admins and see the Paesler’s sensors. What they monitor and how they might be making difference when it comes to monitoring virtual...

CormacHogan.com

  • Integrating NSX-T and Pivotal Container Services (PKS)
    If you’ve been following along my recent blog posts, you’ll have seen that I have been spending some time ramping up on NSX-T and Pivotal Container Services (PKS). My long term goal was to see how these two products integrate together and to figure out the various moving parts. As I was very unfamil...
  • Next steps with NSX-T Edge – Routing and BGP
    If you’ve been following along on my NSX-T adventures, you’ll be aware that at this point we have our overlay network deployed, and our NSX-T edge has been setup to with DHCP servers attached to my logical switch, which in turn provides IP addresses to my virtual machines. This is all fine and well,...
  • Performance Checklist now available for vSAN benchmarking
    Hot on the heels of the vSAN 6.7 release, a new performance checklist for vSAN benchmarking has now been published on our StorageHub site. This is the result of a project that I started a few months back with my colleague, Paudie O’Riordan. It builds upon a huge amount of groundwork that was already...
  • My highlights from KubeCon and CloudNativeCon, Europe 2018
    This week I attended KubeCon and CloudNativeCon 2018 in Copenhagen. I had two primary goals during this visit: (a) find out what was happening with storage in the world of Kubernetes (K8s), and (b) look at how people were doing day 2 operations, monitoring, logging, etc, as well as the challenges on...
  • PKS – Networking Setup Tips and Tricks
    In my previous post, I showed how to deploy Pivotal Container Services (PKS) on a simplified flat network. In this post, I will highlight some of the issues one might encounter if you wish to deploy PKS on a more complex network topology. For example, you may have vCenter Server on a vSphere managem...

Scott's Weblog

  • Technology Short Take 100
    Wow! This marks 100 posts in the Technology Short Take series! For almost eight years (Technology Short Take #1 was published in August 2010), I’ve been collecting and sharing links and articles from around the web related to major data center technologies. Time really flies when you’re ...
  • Quick Post: Parsing AWS Instance Data with JQ
    I recently had a need to get a specific subset of information about some AWS instances. Naturally, I turned to the CLI and some CLI tools to help. In this post, I’ll share the command I used to parse the AWS instance data down using the ever-so-handy jq tool. What I needed, specifically, was ...
  • Posts from the Past, May 2018
    This month—May 2018—marks thirteen years that I’ve been generating content here on this site. It’s been a phenomenal 13 years, and I’ve enjoyed the opportunity to share information with readers around the world. To celebrate, I thought I’d do a quick “Posts ...
  • DockerCon SF 18 and Spousetivities
    DockerCon SF 18 is set to kick off in San Francisco at the Moscone Center from June 12 to June 15. This marks the return of DockerCon to San Francisco after being held in other venues for the last couple of years. Also returning to San Francisco is Spousetivities, which has organized activities for ...
  • Manually Installing Firefox 60 on Fedora 27
    Mozilla recently released version 60 of Firefox, which contains a number of pretty important enhancements (as outlined here). However, the Fedora repositories don’t (yet) contain Firefox 60 (at least not for Fedora 27), so you can’t just do a dnf update to get the latest release. With th...

Welcome to vSphere-land!

  • Top vBlog 2018 starting soon, make sure your site is included
    I’ll be kicking off Top vBlog 2018 very soon and my vLaunchPad website is the source for the blogs included in the Top vBlog voting each year so please take a moment and make sure your blog is listed.  Every year I get emails from bloggers after the voting starts wanting to be added but … Con...
  • Configuration maximum changes in vSphere 6.7
    A comparison using the Configuration Maximum tool for vSphere shows the following changes between vSphere 6.5 & 6.7. [[ This is a content summary only. Visit my website for full links, other content, and more! ]]...
  • Important information to know before upgrading to vSphere 6.7
    vSphere 6.7 is here and with support for vSphere 5.5 ending soon (Sept.) many people will be considering upgrading to it. Before you rush in though there is some important information about this release that you should be aware of. First let’s talk upgrade paths, you can’t just upgrade f...
  • vSphere 6.7 Link-O-Rama
    Your complete guide to all the essential vSphere 6.7 links from all over the VMware universe. Bookmark this page and keep checking back as it will continue to grow as new links are added everyday. Also be sure and check out the Planet vSphere-land feed for all the latest blog posts from the Top 100 ...
  • Summary of What’s New in vSphere 6.7
    Today VMware announced vSphere 6.7 coming almost a year and a half after the release of vSphere 6.5. Doesn’t look like the download is quite available yet but it should be shortly. Below is the What’s New document from the Release Candidate that summarizes most of the big things new in t...

Virtual Geek

  • Its time for change, and change = renewed invention, renewed vigor, renewed discovery.
    I’m going to make this a two-part post. Part 1 = what is in the rear-view window? Part 2 = what’s out the front windshield? Part 1: CPSD and Dell EMC are in my rear-view window. First, while want to close the chapter behind me - it’s a flawed analogy, because it suggests some sort of “finality”. ...
  • The best athletes (and VxBlock 1000) = faster, higher, stronger!
    In watching the Olympics, it’s amazing to see athletes doing amazing things – frankly it’s inspiring. Sometimes it’s a new star rising – something new (amazing Chloe Kim!) .   Sometimes it’s a veteran pulling a “Michael Phelps” – producing every 4 years (see Dutch speed skater Sven Kramer). I’m not...
  • What a start to the year...
    It's been a crazy couple days on a couple fronts, but the most material front has certainly been Spectre and Meltdown. There are lots of sources, and the trick is that while distinctly the root cause lies in the CPU domain and with the CPU manufacturers- the impact touches nearly everything. It's b...
  • To allTHANK YOU for 2017, and lets dream of 2018!
    To all my readers, all our customers and partners, all my colleagues, all my friends – heck my competitors, thank you for everything in 2017.   It was a year filled with change for me in the middle of a massive integration through the Dell acquisition – with a ton of learning, a ton of personal d...
  • Looking forward to 2018: Vertical Stack Wars are upon us.
    This is part 3 of a 3-part blog series on things that I’m thinking about going into 2018. Warning – remember, Virtual Geek post are my musings, not an official company position.   They are officially my opinions – which means they aren’t worth more than 2 cents.  They aren’t authored by anyone...

Eric Sloof - NTPRO.NL

Virten.net

  • 7th Gen NUC Remote Management with KVM using vPro AMT
    Intel's latest 7th Gen Dawson Canyon NUCs are equipped with AMT vPro Technology. Intel AMT (Active Management Technology) allows remote management including a KVM Console. vPro is available in NUCs with i7 and i5 CPUs. NUCs with i3 CPUs do …Read more »...
  • ESXi on 7th Gen Intel NUC (Kaby Lake - Dawson Canyon)
    Intel launched a commercial version of their 7th Gen NUCs. The new Dawson Canyon named NUCs are available with vPro technology which allows you to manage NUCs remotely. NUCs are not officially supported by VMware but they are very widespread in many …Read more »...
  • vCenter Service Appliance 6.7 Tips and Tricks
    VMware is moving their vCenter Server from Windows to the Linux based Photon OS. The following tips and tricks might come handy when working with the vCenter Service Appliance 6.7: Enable SSH File Transfer with SCP/SFTP Public Key Authentication Disable …Read more »...
  • Free ESXi 6.7 - How to Download and get License Keys
    vSphere 6.7 has been released and as known from previous versions, VMware provides a free version of their Hypervisor ESXi for everyone again. The license key can be created for free at VMware's website. It has no expiration date. The …Read more »...
  • VMware ESXi 6.7 - IO Devices not certified for upgrade
    Beside Server Hardware, also double check if your IO Devices (eg. NIC, HBA,..) are supported when updating ESXi hosts from VMware vSphere 6.5 to 6.7. The following devices were supported in vSphere 6.5 but are according to VMware's HCL not (yet) …Read more »...

vInfrastructure Blog

  • What’s happened at VeeamON 2018
    The VeeamON 2018 it’s in the books, but what’s happened during the event and which are the more exciting news? First to all where is Veeam now? It was a leader for the SMB market, but now it’s a clear leader of the Enterprise market: #DataProtection and #Recovery software new licen...
  • VeeamON 2018
    In those days, there is the VeeamON 2018 event, from May 14 to 16, 2018 at the McCormick Place, Chicago. For sure will be a huge and successful event, as usual… considering also how the Veeam product’s portfolio has grow. It will be the fourth big Veeam’s conference, excluding the ...
  • VMworld 2018 – Where and when
    As happened in the past, VMworld 2018 will be in the same locations, both for the US and the European editions: again Las Vegas and Barcelona. Those will be the dates for both events: VMworld 2018 US: will be in Las Vegas from August 26 to August 30 VMworld 2018 EU: will be in Barcelona from Novembe...
  • Why upgrade to VMware vSphere 6.7 (or why not)
    This is an article realized for StarWind blog and focused on the pro and cons of an upgrade to vSphere 6.7. See also the original post. Now that VMware vSphere 6.7 has been announced and it’s also available in General Availability (GA), some people may ask if it makes sense upgrade to this version (...
  • Nutanix .NEXT 2018
    The first Nutanix .NEXT event was in the late 2015 and there were several changes in the company, in the products and in the event content. Now there well be a new Nutanix .NEXT event, from May 8 to 10 at New Orleans. Still 3 days (or two full) as usual, but a lot of difference, if you are looking a...

 

 

DISCLAIMER
While I do my best to publish unbiased information specifically related to VMware solutions there is always the possibility of blog posts that are unrelated, competitive or potentially conflicting that may creep into the newsletter. I apologize for this in advance if I offend anyone and do my best to ensure this does not happen. Please get in touch if you feel any inappropriate material has been published. All information in this newsletter is copyright of the original author. If you are an author and wish to no longer be used in this newsletter please get in touch.

© 2018 VMware Inc. All rights reserved.

VMware TAM Source 10.15

$
0
0

 

FROM THE EDITORS VIRTUAL DESK
Hi VMware TAM Newsletter Readers and welcome to the latest edition of the VMware TAM Newsletter. This week I would like to focus on a topic that is very close to us as TAMs, Customer Satisfaction. This is something that many organizations speak about and many groups include in their charter but none I believe are as relevant as how we consider Customer Satisfaction as the core tenet of the VMware TAM program. As a TAM this is 100% my focus day in and day out. And to ensure that I measure up, every 6 months my customer get to evaluate me, the results sent to our leadership team for review on each individual for each of our accounts that we work with.

 

Saying that we are customer centric, or customer first is one thing, but when your MBOs are aligned 100% to customer satisfaction, and your customers get to do the evaluation on a regular basis, means that we, as VMware TAMs, take this very seriously, which is why our TAM program is like no other in the industry, as we really do put our customers at the head of everything that we do.

 

I wish you all a fantastic rest of your week and look forward to speaking to you again soon.

 

Virtually Yours
VMware TAM Team

Latest News | Twitter | Facebook | LinkedIn | Blog | Newsletter | Archive
-

 

VMWARE TAM WEBINARS
When: July 12th @ 11AM EDT / 8AM PDT
Abstract: During our July TAM Customer Webinar, John Dias will show us What’s New in with vRealize Operations 6.7. The session will also cover upgrade considerations and provide an introduction to how Wavefront can enable monitoring for DevOps use cases.  John Dias is a Sr. Technical Marketing Architect with VMware specializing in Cloud Management solutions.Register

Also, we would like your input on what you would like to see going forward with the webinar series: Here is the survey link.

 


NEWS AND DEVELOPMENTS FROM VMWARE

VMware Radius

  • 7 Artificial Intelligence Revelations from The Economist Innovation Summit
    “What is artificial intelligence (AI), and what is it not?” At The Economist Events’ Innovation Summit, I joined author and University of Washington professor Pedro Domingos, Walmart’s head of AI and Customer Technology Fiona Tan, and moderator and The Economist technology editor Alexandra Bass. We...
  • STEM Career Advice from a Women in Tech Hall of Famer
    Yanbing Li cannot believe she became a Women in Technology International (WITI) Hall of Fame inductee this week. With a long list of academic accreditation, including a Ph.D. from Princeton University, and a pivotal leadership position at the helm of VMware’s fastest growing technology business, Yan...
  • Agents of Change: Gideon Kay, a CIO who Thrives on Disruption and Change
    VMware’s Agents of Change initiative celebrates smart CIOs who challenge the status quo. By harnessing the transformative power of technology, they are creating unlimited possibilities for their businesses. Here’s the next individual in the Agents of Change Series: Gideon Kay, EMEA CIO for Dentsu A...

VMware Open Source Blog

  • OpenFaaS Mid-Year Recap
    Here’s some vital information you should know: You can package anything as a serverless function with OpenFaaS. The open source project, founded by VMware’s Alex Ellis, makes serverless functions simple for Docker and Kubernetes so that you can build a scalable, fault-tolerant, event-driven se...
  • Reflections on Running a Development Sprint at PyCon
    By Nisha Kumar, open source engineer, VMware I’m a longtime Python developer, but until this year I had never been to PyCon, the largest international conference for Python users. I went this year because I wanted to run a development sprint for Tern, the open source project that I maintain. PyCon’s...
  • The Minimum Viable Open Source Project – Inspiration from VMware’s OSTC
    By Nisha Kumar, open source engineer, VMware At minimum, what should go into an open source project to give it the best chance of success? We’ve been asking ourselves this question lately at VMware’s Open Source Technology Center (OSTC). In this post, I’ll share some pointers we’ve come up with on h...

VMware vSphere Blog

  • Upgrade Considerations for VMware vSphere 6.7
    Upgrading to VMware vSphere 6.7 With the recent excitement of vSphere 6.7 being released to the public, it’s only natural that a lot of discussion has revolved around upgrades. How do we upgrade, or even why should we upgrade have been the most popular questions recently. In this post I will cover ...
  • vSphere and VMware Cloud on AWS at Dell Technologies World 2018
    Are you planning to attend Dell Technologies World this year? So is the vSphere team! We’re excited to be part of the show, and to talk about all the ways the latest version of vSphere can help you support the demands of your business customers. Do you have questions? We would love to meet with you ...
  • Introducing VMware vSphere 6.7!
    We are excited to share that today VMware is announcing vSphere 6.7, the latest release of the industry-leading virtualization and cloud platform. vSphere 6.7 is the efficient and secure platform for hybrid clouds, fueling digital transformation by delivering simple and efficient management at scale...

Network Virtualization

  • Boston Medical Center Secures Electronic Patient Records with VMware NSX
      Boston City Hospital and Boston University Medical Center Hospital merged in 1996 to form Boston Medical Center (BMC).  This 497-bed teaching hospital in the South End of Boston provides primary and critical care to a diverse population and houses the largest Level 1 trauma center in New Englan...
  • Micro-segmentation Starter Kit
    Traditional security solutions are designed to protect the perimeter.  As applications and data are becoming increasingly distributed, they are often spanning not only multiple sites, but also multiple clouds.  This is making it harder to identify where the perimeter actually is in order to secure i...
  • Two-Factor Authentication with VMware NSX-T
    In a previous post, I covered how to integrate NSX-T with VMware Identity Manager (vIDM) to achieve remote user authentication and role-based access control (RBAC) for users registered with a corporate Active Directory (AD).   On this post, I’m showing how add two-factor authentication (2FA) for N...

VMware Cloud Management

  • vRealize Log Insight and VMware Log Intelligence: Better Together
    Credit to NICO GUERRERA for blog content (Bio Below)!   vRealize Log Insight 1.0 was released for general availability in 2013, and since then it has steadily grown in features, scale, and customer adoption. I have worked with customers who have deployed up to sixty nodes of Log Insight across mul...
  • May 16th Webinar: More Usability Improvements of vRealize Automation and vRealize Life Cycle Manager
    On May 16th, we will be hosting another Getting More Out of VMware webinar. The webinar is designed for Cloud Administrators and VI Administrators who leverage vRealize Suite products, such as vRealize Automation,  to run their virtual infrastructure and cloud environment. It will be a great opportu...
  • Decision Driven Provisioning with Anything as a Service (XaaS)
    Decision Driven Provisioning with XaaS To me, the power of vRealize Automation has always been how easy it is to take square pegs and fit them into round holes. Generally this capability comes in the form of leveraging “Anything as a Service”, also known as XaaS. XaaS allows you to take any vRealiz...

Cloud-Native Apps

VMware End-User Computing Blog

  • Augmented World Expo 2018: Go XR or Go Extinct
    “Now is the time to go XR or go extinct.” – Ori Inbar, Co-Founder of AWE and Super Ventures Last week’s Augmented World Expo (AWE) USA in Santa Clara, California was AWEsome! With nearly 6,000 attendees and hundreds of breakout sessions and exhibitors, the event was full of new technologies and ins...
  • The Smart Store
    The Boston Consulting Group expects spending on IoT in the retail sector to reach $12.9b in 2020, quadruple the figure for 2015. As the industry looks to maximize profits and market share in an interconnected, competitive environment IoT continues to take center stage. Challenges for these organizat...
  • VMware Workspace ONE and VMware Horizon 7 Enterprise Edition On-premises Reference Architecture
    The VMware Workspace ONE and VMware Horizon 7 Enterprise Edition On-premises Reference Architecture is now available and is a must read for anyone considering, designing, or undertaking a VMware Workspace ONE or VMware Horizon 7–based project. This reference architecture provides guidance, an exampl...

The Support Insider

  • New KB articles published for week ending 10th June 2018
    VMware Cloud on AWS Failed to add groups to the “CloudAdminGroup” during HLM Date Published: 6/5/2018 Authenticity of the host’s ssl certificate is not verified Date Published: 6/5/2018 VMware Horizon Unable to login to Horizon Console or View Administrator using IP address Date Published: 6/6/2018 ...
  • Top 20 vSAN articles for May 2018
    Component metadata health check fails with invalid state error “Host cannot communicate with all other nodes in vSAN enabled cluster” error vCenter Server 6.0 Update 2 displays on non-vSAN enabled ESXi hosts displays the message: Retrieve a ticket to register the vSAN VASA Provider Status of TLSv1....
  • Top 20 NSX articles for May 2018
    Virtual machine in ESXi is unresponsive with a non-paged pool memory leak VMs running on ESXi 5.5 with vShield endpoint activated fails during snapshot operations Performing vMotion or powering on a virtual machine being protected by vShield Endpoint fails When using VMware vShield App Firewall, vi...
  • Top 20 vSphere articles for May 2018
    “The transaction log for database ‘VIM_VCDB’ is full” error on a Microsoft SQL DB server ESXi 5.5 Update 3b and later hosts are not manageable after an upgrade “Host IPMI system event log status” alarm in vCenter Server Determining where growth is occurring in the vCenter Server database ESXi host ...
  • New KB articles published for week ending 3rd June 2018
    Skyline Collector Appliance VC_EVENTS endpoint failure in Skyline Collector version 1.0.x and 1.1.x Date Published: 6/1/2018 VMware Application Proxy Unable to activate plugins in VMware Application Proxy 1.0 installed after May 20th Date Published: 5/28/2018 Unable to activate plugins in VMware App...

Cloud Foundation

  • Patching Made Easy with VMware Cloud Foundation
    A common challenge faced by every IT department is keeping up with the inevitable and never-ending flow of software updates. This becomes even more critical in a modern Software-Defined Data Center (SDDC), where compute, network and storage virtualization are interwoven into a unified data center fa...
  • VMware Cloud Foundation Architecture Poster 2.3
    VMware is pleased to release the latest VMware Cloud Foundation (VCF) architecture poster. VCF is a fully automated, hyper-converged software stack that includes compute, storage, networking and cloud management. Because VCF has so many tightly integrated products, it is important to understand the ...
  • HPE Synergy and VMware Cloud Foundation – now certified
    Author Bhumik Patel – Technical Alliances, VMware @bhumikp   Introduction: As customers leverage VMware Cloud Foundation (VCF) to provide integrated Software Defined Data Center (SDDC) & cloud management services for running enterprise applications, it becomes critical to rely on an underlying pl...

 

EXTERNAL NEWS FROM 3RD PARTY BLOGGERS VMGuru

  • New Lab Stuff
    Some time ago, back in December of 2015, I started a three-part story on how to have a supported SMB or lab environment. It consisted of a couple of Hewlett Packard Enterprise Microserver Gen 8’s and a NAS by QNAP. Check out the three part... The post New Lab Stuff appeared first on VMGuru. ...
  • Running OTNSX in a Docker container
    In march of this year we released a whitepaper on automating security using a helpdesk system. For the whitepaper we where using VMware NSX and OTRS. The middleware we created to service it all was given the name OTNSX. More recently I have started playing... The post Running OTNSX in a Docker cont...
  • What is the VMware Virtual Cloud Network?
    A couple of weeks ago, VMware launched the Virtual Cloud Network (VCN). It’s kind of obvious that this is a marketing term and not a specific product or service. However, it’s not all fluff and there is actually some good meat behind this announcement and... The post What is the VMware Virtual Clou...
  • Upgrade vRealize Suite using vRealize Lifecycle Manager
    Recently VMware updated their entire vRealize Suite. It’s always nice to receive a new suite of products with new shiny functionality but it also means a lot of work for you sysadmins, upgrading your entire environment. Well, not any more! With vRealize Lifecycle Manager it... The post Upgrad...
  • A first look at vRealize Content Management
    In my last blogpost I wrote about managing your Puppet code using a Source Control repository. This post is an extension on that one where I will talk about managing your vRealize content with VMware vRealize Suite Lifecycle Manager (vRSLCM) plus bring it under source... The post A first look at vR...

virtuallyGhetto

  • vGhetto Automated Pivotal Container Service (PKS) Lab Deployment
    While working on my Getting started with VMware Pivotal Container Service (PKS) blog series awhile back, one of the things I was also working on was some automation to help build out the required infrastructure NSX-T (Manager, Controller & Edge), Nested ESXi hosts configured with VSAN for the Co...
  • Feedback on default behavior for VM Storage Policy
    Today, the vCenter REST (vSphere Automation) APIs currently does not support the use of VM Storage Policies when relocating (vMotion, Cross Datacenter vMotion & Storage vMotion) or cloning an existing Virtual Machine. Customers have provided feedback that this is something that they would like t...
  • How do you "log a reason" using PowerCLI when rebooting or shutting down ESXi host?
    I am sure many of you have seen this UI prompt asking you to specify a reason before issuing a reboot or shutdown of an ESXi host and I assume most of you spend a few seconds to type in a useful message and not just random characters, right?    Have you ever tried performing […]...
  • Quick Tip - OVFTool 4.3 now supports vCPU & memory customization during deployment
    In addition to adding vSphere 6.7 support and a few security enhancements (more details in the release notes), the latest OVFTool 4.3 release has also been enhanced to support customizing either vCPU and/or Memory from the default configurations when deploying an OVF/OVA. Historically, it was only p...
  • How to simulate Persistent Memory (PMem) in vSphere 6.7 for educational purposes?
    A really cool new capability that was introduced in vSphere 6.7 is the support for the extremely fast memory technology known as non-volatile memory (NVM), also known as persistent memory (PMem). Customers can now benefit from the high data transfer rate of volatile memory with the persistence and r...

ESX Virtualization

  • How-to Upgrade ESXi 6.x to 6.7 via vSphere Update Manager (VUM)
    We previously posted about upgrading VMware ESXi 6.x to 6.7 via ISO image and many readers liked the simple approach it brings. However, in enterprise scenarios, we have to deal with more than a couple of hosts so it would not be very time effective to do that for dozens or hundreds of hosts. VMware...
  • Windows Server 2019 What’s New – Insider Preview Build 17666
    About a week ago, Microsoft has released Windows Server 2019 Insider preview build 17666. We’ll have a look at this build and check what’s new in this release. We have already reported on Windows Server 2019 here and also we have reported on Microsoft has released the new build of the Windows Server...
  • How To do a Dry Run of an esxcli Installation or Upgrade on VMware ESXi
    The upgrade season is here. VMware has released vSphere 6.7 and soon first backup/monitoring products will be compatible. Time to learn some tricks before Installation or upgrade on VMware ESXi. You know that with VMware ESXi hypervisor you can test an upgrade. I mean run the upgrade without actuall...
  • Top 3 Free Tools To Create ESXi 6.7 Installer USB Flash Drive
    With every release of VMware ESXi hypervisor, we need to update our USB stick which we’ll use to clean installation or upgrade of ESXi hypervisor. Today we’ll show Top 3 Free Tools To Create ESXi 6.7 Installer USB Flash Drive. (Well, after long search, only two…). I’m sure that there are many others...
  • StarWind and Highly Available NFS
    Compared to traditional NFS architecture configured for high availability, the solution is most often costly as the need for additional dedicated hardware is necessary. But there are other ways to do that and today we’ll show you how StarWind and Highly Available NFS share is configured and what’s t...

CormacHogan.com

  • A deeper-dive into Fault Tolerant VMs running on vSAN
    After receiving a number of queries about vSphere Fault Tolerance on vSAN over the past couple of weeks, I decided to take a closer look at how Fault Tolerant VMs behave with different vSAN policies. I wanted to take a look at two different policies. The first is when the “failures to tolerate” (com...
  • Integrating NSX-T and Pivotal Container Services (PKS)
    If you’ve been following along my recent blog posts, you’ll have seen that I have been spending some time ramping up on NSX-T and Pivotal Container Services (PKS). My long term goal was to see how these two products integrate together and to figure out the various moving parts. As I was very unfamil...
  • Next steps with NSX-T Edge – Routing and BGP
    If you’ve been following along on my NSX-T adventures, you’ll be aware that at this point we have our overlay network deployed, and our NSX-T edge has been setup to with DHCP servers attached to my logical switch, which in turn provides IP addresses to my virtual machines. This is all fine and well,...
  • Performance Checklist now available for vSAN benchmarking
    Hot on the heels of the vSAN 6.7 release, a new performance checklist for vSAN benchmarking has now been published on our StorageHub site. This is the result of a project that I started a few months back with my colleague, Paudie O’Riordan. It builds upon a huge amount of groundwork that was already...
  • My highlights from KubeCon and CloudNativeCon, Europe 2018
    This week I attended KubeCon and CloudNativeCon 2018 in Copenhagen. I had two primary goals during this visit: (a) find out what was happening with storage in the world of Kubernetes (K8s), and (b) look at how people were doing day 2 operations, monitoring, logging, etc, as well as the challenges on...

Scott's Weblog

  • Examining X.509 Certificates Embedded in Kubeconfig Files
    While exploring some of the intricacies around the use of X.509v3 certificates in Kubernetes, I found myself wanting to be able to view the details of a certificate embedded in a kubeconfig file. (See this page if you’re unfamiliar with what a kubeconfig file is.) In this post, I’ll shar...
  • Using Variables in AWS Tags with Terraform
    I’ve been working to deepen my Terraform skills recently, and one avenue I’ve been using to help in this area is expanding my use of Terraform modules. If you’re unfamiliar with the idea of Terraform modules, you can liken them to Ansible roles: a re-usable abstraction/function tha...
  • A Quadruple-Provider Vagrant Environment
    In October 2016 I wrote about a triple-provider Vagrant environment I’d created that worked with VirtualBox, AWS, and the VMware provider (tested with VMware Fusion). Since that time, I’ve incorporated Linux (Fedora, specifically) into my computing landscape, and I started using the Libv...
  • Technology Short Take 101
    Welcome to Technology Short Take #101! I have (hopefully) crafted an interesting and varied collection of links for you today, spanning all the major areas of modern data center technology. Now you have some reading material for this weekend! Networking Kirk Byers discusses the direct TextFSM int...
  • Exploring Kubernetes with Kubeadm, Part 1: Introduction
    I recently started using kubeadm more extensively than I had in the past to serve as the primary tool by which I stand up Kubernetes clusters. As part of this process, I also discovered the kubeadm alpha phase subcommand, which exposes different sections (phases) of the process that kubeadm init fol...

Welcome to vSphere-land!

  • Top vBlog 2018 starting soon, make sure your site is included
    I’ll be kicking off Top vBlog 2018 very soon and my vLaunchPad website is the source for the blogs included in the Top vBlog voting each year so please take a moment and make sure your blog is listed.  Every year I get emails from bloggers after the voting starts wanting to be added but … Con...
  • Configuration maximum changes in vSphere 6.7
    A comparison using the Configuration Maximum tool for vSphere shows the following changes between vSphere 6.5 & 6.7. [[ This is a content summary only. Visit my website for full links, other content, and more! ]]...
  • Important information to know before upgrading to vSphere 6.7
    vSphere 6.7 is here and with support for vSphere 5.5 ending soon (Sept.) many people will be considering upgrading to it. Before you rush in though there is some important information about this release that you should be aware of. First let’s talk upgrade paths, you can’t just upgrade f...
  • vSphere 6.7 Link-O-Rama
    Your complete guide to all the essential vSphere 6.7 links from all over the VMware universe. Bookmark this page and keep checking back as it will continue to grow as new links are added everyday. Also be sure and check out the Planet vSphere-land feed for all the latest blog posts from the Top 100 ...
  • Summary of What’s New in vSphere 6.7
    Today VMware announced vSphere 6.7 coming almost a year and a half after the release of vSphere 6.5. Doesn’t look like the download is quite available yet but it should be shortly. Below is the What’s New document from the Release Candidate that summarizes most of the big things new in t...

Virtual Geek

  • Its time for change, and change = renewed invention, renewed vigor, renewed discovery.
    I’m going to make this a two-part post. Part 1 = what is in the rear-view window? Part 2 = what’s out the front windshield? Part 1: CPSD and Dell EMC are in my rear-view window. First, while want to close the chapter behind me - it’s a flawed analogy, because it suggests some sort of “finality”. ...
  • The best athletes (and VxBlock 1000) = faster, higher, stronger!
    In watching the Olympics, it’s amazing to see athletes doing amazing things – frankly it’s inspiring. Sometimes it’s a new star rising – something new (amazing Chloe Kim!) .   Sometimes it’s a veteran pulling a “Michael Phelps” – producing every 4 years (see Dutch speed skater Sven Kramer). I’m not...
  • What a start to the year...
    It's been a crazy couple days on a couple fronts, but the most material front has certainly been Spectre and Meltdown. There are lots of sources, and the trick is that while distinctly the root cause lies in the CPU domain and with the CPU manufacturers- the impact touches nearly everything. It's b...
  • To allTHANK YOU for 2017, and lets dream of 2018!
    To all my readers, all our customers and partners, all my colleagues, all my friends – heck my competitors, thank you for everything in 2017.   It was a year filled with change for me in the middle of a massive integration through the Dell acquisition – with a ton of learning, a ton of personal d...
  • Looking forward to 2018: Vertical Stack Wars are upon us.
    This is part 3 of a 3-part blog series on things that I’m thinking about going into 2018. Warning – remember, Virtual Geek post are my musings, not an official company position.   They are officially my opinions – which means they aren’t worth more than 2 cents.  They aren’t authored by anyone...

Eric Sloof - NTPRO.NL

  • vSAN HCL viewer
    Harald Ruppert, a vSAN Escalation Engineer at VMware has created a great tool to check if your vSAN harware is supported. The vSAN HCL viewer is  based on the VMware vSAN HCL in JSON format for online use of vSAN health checks. If you would like to build your own vSAN, then you can do so usi...
  • New Technical White Paper - NSX Distributed Firewalling Policy Rules Configuration Guide
    This document covers how one can create security policy rules in VMware NSX. This will cover the different options of configuring security rules either through the Distributed Firewall or via the Service Composer User Interface. It will cover all the unique options NSX offers to create dynamic ...
  • VMware User Environment Manager 9.4 Technical What's New
    See What's New in User Environment Manager version 9.4. Includes a demo of the new argument based Privilege Elevation feature. ...
  • Latest Fling from VMware Labs - DRS Entitlement Viewer
    DRS Entitlement Viewer is installed as a plugin to the vSphere client. It is currently only supported for the HTML5 based vSphere client. Once installed, it gives the hierarchical view of vCenter DRS cluster inventory with entitled CPU and memory resources for each resource pool and VM in the c...
  • New Technical White Paper - What's New in Performance? VMware vSphere 6.7
    Underlying each release of VMware vSphere are many performance and scalability improvements. The vSphere 6.7 platform continues to provide industry-leading performance and features to ensure the successful virtualization and management of your entire software-defined datacenter. This paper d...

Virten.net

  • 7th Gen NUC Remote Management with KVM using vPro AMT
    Intel's latest 7th Gen Dawson Canyon NUCs are equipped with AMT vPro Technology. Intel AMT (Active Management Technology) allows remote management including a KVM Console. vPro is available in NUCs with i7 and i5 CPUs. NUCs with i3 CPUs do …Read more »...
  • ESXi on 7th Gen Intel NUC (Kaby Lake - Dawson Canyon)
    Intel launched a commercial version of their 7th Gen NUCs. The new Dawson Canyon named NUCs are available with vPro technology which allows you to manage NUCs remotely. NUCs are not officially supported by VMware but they are very widespread in many …Read more »...
  • vCenter Service Appliance 6.7 Tips and Tricks
    VMware is moving their vCenter Server from Windows to the Linux based Photon OS. The following tips and tricks might come handy when working with the vCenter Service Appliance 6.7: Enable SSH File Transfer with SCP/SFTP Public Key Authentication Disable …Read more »...
  • Free ESXi 6.7 - How to Download and get License Keys
    vSphere 6.7 has been released and as known from previous versions, VMware provides a free version of their Hypervisor ESXi for everyone again. The license key can be created for free at VMware's website. It has no expiration date. The …Read more »...
  • VMware ESXi 6.7 - IO Devices not certified for upgrade
    Beside Server Hardware, also double check if your IO Devices (eg. NIC, HBA,..) are supported when updating ESXi hosts from VMware vSphere 6.5 to 6.7. The following devices were supported in vSphere 6.5 but are according to VMware's HCL not (yet) …Read more »...

vInfrastructure Blog

  • #SFD16 – Storage Field Day 16
    I’m very proud and honored to be invited to the next Storage Field Day in Boston. It will be the 16th edition of Storage Field Day (#SFD16), and seems to be very interestning both for the presenters and the delegates lists. I’m very excited for this event, that remains a must for all techie-people: ...
  • Hitachi is reshaping its IT division
    Hitachi it’s a huge company with a lot of products, solutions, technologies in different verticals (including automotive, energy, healtcare, …) but also spreading from the consumer part to the business and research part. But on September 2017, has launched Hitachi Vantara, a new business...
  • VMware vExpert vSAN 2018
    The vExpert vSAN program is a specific VMware vExpert (sub)programs focused on the vSAN product. The idea to have specialized groups of vExpert was to bring again (like at the origins) the vExpert program as an “elite” program. After the vExpert vSAN 2016 and 2017 lists, now VMware has j...
  • NSX-T Data Center 2.2.0
    VMware has announced the general availability of NSX-T Data Center 2.2.0. VMware NSX-T Data Center is the next generation product that provides a scalable network virtualization and micro-segmentation platform for multi-hypervisor environments, container deployments and native workloads running in p...
  • Packt Summer Skill Up campaign
    Packt has stated a new BID opportunity called Summer Skill Up campaign. Based on findings from their new Skill Up Industry report (that you can read here), the sale will help more tech professionals around the world learn the skills that matter. Every single eBook and video is available for just $10...

 

 

DISCLAIMER
While I do my best to publish unbiased information specifically related to VMware solutions there is always the possibility of blog posts that are unrelated, competitive or potentially conflicting that may creep into the newsletter. I apologize for this in advance if I offend anyone and do my best to ensure this does not happen. Please get in touch if you feel any inappropriate material has been published. All information in this newsletter is copyright of the original author. If you are an author and wish to no longer be used in this newsletter please get in touch.

© 2018 VMware Inc. All rights reserved.

VMware TAM Source 10.16

$
0
0



FROM THE EDITORS VIRTUAL DESK
Hi everyone, I hope that your past two or so weeks since the last newsletter have been productive. There is a lot to catch up on in the world of VMware, and I hope that some of this is conveyed in the items of news below.

I also want to bring your attention to VMworld 2018 which will be happening in August in Las Vegas. This is of course the premier event of the year and as a TAM customer I am sure that you are looking forward to attending and the many special access areas that you are afforded. As we do every year we will keep everyone up to date in the newsletter as well as on Twitter so please make sure you are following us. I will definitely have a lot of additional news for you on VMworld in the coming weeks and of course chat to your TAM if you haven't already.

There are also a number of new items to consider for new vulnerabilities that now have VMware patches that may be applicable to your environment. I urge you to discuss with your VMware TAM as well as consider all of the advice from our friends over at VMware Support when considering your risk to any of these as well as the best way to patch your environment to ensure your complete safety.

I wish you all a successful week ahead and look forward to bringing more news to you soon.

Virtually Yours
The VMware TAM Team

Latest News | Twitter | Facebook | LinkedIn | Blog | Newsletter | Archive
-
TAM Webinar Series
Topic: vRealize Operations 6.7

Thursday, July 12, 2018
11:00am EST/ 10:00am CST / 8:00am PST
Register Here!

Abstract:
In today’s session John Dias will discuss What’s New with vRealize Operations 6.7. The session will also cover upgrade considerations and provide an introduction to how Wavefront can enable monitoring for DevOps use cases.

Guest speakers:
John Dias is a Sr. Technical Marketing Architect with VMware specializing in Cloud Management solutions.

NEWS AND DEVELOPMENTS FROM VMWARE

VMware Radius

  • A Clear Case for Cloud: Why CIOs Often Start with These Apps
    For CIOs just starting a journey to the cloud, here’s where the technology’s impact immediately shines. Anyone who has ever doubted IT’s significant impact on a company’s top line hasn’t considered how much can go wrong during the delivery of digital products, services and experiences to customers....
  • How to Help Enable Nonprofits with Technology
    Software has the power to unlock new possibilities for people, and for the planet. And yet, not everyone is benefiting equally from automation and operational efficiency. NTEN’s 10th Annual Nonprofit Technology Staffing & Investment report showed that the average technology budget of nonprofits is 5...
  • Equality in Action: Inclusion in Everything We Do
    Alaina Roberts joins colleagues to raise visibility of LGBTQ+ activities and programs at VMware Alaina Robertson was raised in a house with non-traditional gender norms, in what she refers to as “hyper-liberal” Seattle. Having discovered her sexual orientation early on, it was easy for her to come ...

VMware Open Source Blog

  • Summer Reading List: 10 Open Source Must-Reads for the Season
    It’s that time of year again—where the days last longer, the sun comes out in full force and everyone flocks to the nearest watering hole to cool down and celebrate the season. That’s right, summertime is officially upon us and whether you’re staying local or jetting off on a tropical vacation, you ...
  • Women’s Conferences Resonate for an Open Source Change Agent
    I recently attended two local conferences for women in technology and walked away with a big dose of inspiration and wisdom. When I go to conferences like these, I’m looking to learn how I can be better at what I do, and both events were packed with women who have overcome major obstacles in their ...
  • How to Retain Open Source Contributors
    By Nisha Kumar, open source engineer, VMware I recently wrote about my experience running a developer sprint at this year’s PyCon, the big annual Python conference. But another important side of conference going is the opportunity it affords for impromptu conversations with fellow developers. Specif...

VMware vSphere Blog

  • Upgrade Considerations for VMware vSphere 6.7
    Upgrading to VMware vSphere 6.7 With the recent excitement of vSphere 6.7 being released to the public, it’s only natural that a lot of discussion has revolved around upgrades. How do we upgrade, or even why should we upgrade have been the most popular questions recently. In this post I will cover ...
  • vSphere and VMware Cloud on AWS at Dell Technologies World 2018
    Are you planning to attend Dell Technologies World this year? So is the vSphere team! We’re excited to be part of the show, and to talk about all the ways the latest version of vSphere can help you support the demands of your business customers. Do you have questions? We would love to meet with you ...
  • Introducing VMware vSphere 6.7!
    We are excited to share that today VMware is announcing vSphere 6.7, the latest release of the industry-leading virtualization and cloud platform. vSphere 6.7 is the efficient and secure platform for hybrid clouds, fueling digital transformation by delivering simple and efficient management at scale...

Network Virtualization

  • Boston Medical Center Secures Electronic Patient Records with VMware NSX
      Boston City Hospital and Boston University Medical Center Hospital merged in 1996 to form Boston Medical Center (BMC).  This 497-bed teaching hospital in the South End of Boston provides primary and critical care to a diverse population and houses the largest Level 1 trauma center in New Englan...
  • Micro-segmentation Starter Kit
    Traditional security solutions are designed to protect the perimeter.  As applications and data are becoming increasingly distributed, they are often spanning not only multiple sites, but also multiple clouds.  This is making it harder to identify where the perimeter actually is in order to secure i...
  • Two-Factor Authentication with VMware NSX-T
    In a previous post, I covered how to integrate NSX-T with VMware Identity Manager (vIDM) to achieve remote user authentication and role-based access control (RBAC) for users registered with a corporate Active Directory (AD).   On this post, I’m showing how add two-factor authentication (2FA) for N...

VMware Cloud Management

  • vRealize Log Insight and VMware Log Intelligence: Better Together
    Credit to NICO GUERRERA for blog content (Bio Below)!   vRealize Log Insight 1.0 was released for general availability in 2013, and since then it has steadily grown in features, scale, and customer adoption. I have worked with customers who have deployed up to sixty nodes of Log Insight across mul...
  • May 16th Webinar: More Usability Improvements of vRealize Automation and vRealize Life Cycle Manager
    On May 16th, we will be hosting another Getting More Out of VMware webinar. The webinar is designed for Cloud Administrators and VI Administrators who leverage vRealize Suite products, such as vRealize Automation,  to run their virtual infrastructure and cloud environment. It will be a great opportu...
  • Decision Driven Provisioning with Anything as a Service (XaaS)
    Decision Driven Provisioning with XaaS To me, the power of vRealize Automation has always been how easy it is to take square pegs and fit them into round holes. Generally this capability comes in the form of leveraging “Anything as a Service”, also known as XaaS. XaaS allows you to take any vRealiz...

Cloud-Native Apps

VMware End-User Computing Blog

  • Half Year Review: Digital Workspace Advancements for Security in 2018
    It feels like 2018 just began, yet here we are in the middle of summer! Time is flying by, but there’s been no shortage of activity centered around security, privacy, and compliance for our End-User Computing team. In the first half of 2018, we’ve announced a number of digital workspace advancements...
  • What’s New in VMware Unified Access Gateway 3.3
    VMware Unified Access Gateway (UAG) is the security gateway for VMware Workspace ONE. It provides secure edge services and access to defined resources that reside in the internal network. This access allows authorized external users to access internally located resources in a secure manner. Today’s ...
  • Secure iOS Devices with VMware Workspace ONE & Cisco Security Connector
    With 82% of the work done on mobile taking place on an Apple iOS device, there’s no doubt that iOS plays a major role in the enterprise. Fortunately, VMware’s multi-year partnership with Apple has supported organizations managing and securing Apple iOS devices with VMware Workspace ONE. The Workspac...

The Support Insider

Cloud Foundation

  • Patching Made Easy with VMware Cloud Foundation
    A common challenge faced by every IT department is keeping up with the inevitable and never-ending flow of software updates. This becomes even more critical in a modern Software-Defined Data Center (SDDC), where compute, network and storage virtualization are interwoven into a unified data center fa...
  • VMware Cloud Foundation Architecture Poster 2.3
    VMware is pleased to release the latest VMware Cloud Foundation (VCF) architecture poster. VCF is a fully automated, hyper-converged software stack that includes compute, storage, networking and cloud management. Because VCF has so many tightly integrated products, it is important to understand the ...
  • HPE Synergy and VMware Cloud Foundation – now certified
    Author Bhumik Patel – Technical Alliances, VMware @bhumikp   Introduction: As customers leverage VMware Cloud Foundation (VCF) to provide integrated Software Defined Data Center (SDDC) & cloud management services for running enterprise applications, it becomes critical to rely on an underlying pl...

 

EXTERNAL NEWS FROM 3RD PARTY BLOGGERS VMGuru

  • Best Practices for Hardening the Veeam Backup Repository (Windows)
    A good way of hardening the backup repository is by running it on a standalone Windows Server with storage attached to it. Create/Use a local account with administrative access and make sure only this (newly created) account has access rights to the location where the... The post Best Practices for...
  • New Lab Stuff
    Some time ago, back in December of 2015, I started a three-part story on how to have a supported SMB or lab environment. It consisted of a couple of Hewlett Packard Enterprise Microserver Gen 8’s and a NAS by QNAP. Check out the three part... The post New Lab Stuff appeared first on VMGuru. ...
  • Running OTNSX in a Docker container
    In march of this year we released a whitepaper on automating security using a helpdesk system. For the whitepaper we where using VMware NSX and OTRS. The middleware we created to service it all was given the name OTNSX. More recently I have started playing... The post Running OTNSX in a Docker cont...
  • What is the VMware Virtual Cloud Network?
    A couple of weeks ago, VMware launched the Virtual Cloud Network (VCN). It’s kind of obvious that this is a marketing term and not a specific product or service. However, it’s not all fluff and there is actually some good meat behind this announcement and... The post What is the VMware Virtual Clou...
  • Upgrade vRealize Suite using vRealize Lifecycle Manager
    Recently VMware updated their entire vRealize Suite. It’s always nice to receive a new suite of products with new shiny functionality but it also means a lot of work for you sysadmins, upgrading your entire environment. Well, not any more! With vRealize Lifecycle Manager it... The post Upgrad...

virtuallyGhetto

  • Auditing detailed operations within VMware Cloud on AWS using the Activity Log API
    All operations (UI or API) that occurs within VMware Cloud AWS (VMC), including but not limited to SDDC creation, deletion, updates, network configurations, user authorization/access, etc. is all captured as part of the Activity Log in the VMC Console. Within the Activity Log, customers will be able...
  • Retrieving detailed per-VM space utilization on VSAN
    I was recently helping out my friend Paudie O'Riordan with a request from a customer who was looking for a way to collect detailed space utilization for their VMs (VM Home, VMDK & swap) running on VSAN. Today, this level of granularity is not available in the vSphere UI and the customer was inte...
  • Using ESXi Kickstart %firstboot with Secure Boot
    If you install ESXi via a Kickstart script and make use of the %firstboot option to execute commands on the first boot of the ESXi host after installation, you should be aware of its incompatibility with the Secure Boot feature. If you install ESXi where Secure Boot is enabled, the Kickstart will in...
  • Use cases for Anti-Affinity VM-Host Rules
    I was in a meeting last week with Engineering and a question had come up on whether customers were actively using the Anti-Affinity (AA) VM-Host Rules capability and if so, what are some of the use cases?  We know that Anti-Affinity VM-VM Rules are used quite regularly by customers and the use cases...
  • OVFTool and VMware Cloud on AWS
    Recently, I had noticed a number of questions that have come up regarding the use of OVFTool with the VMware Cloud on AWS (VMC) service. I had a chance to take a look at this last Friday and I can confirm that customers can indeed use this tool to import/export VMs into VMC whether they […]...

ESX Virtualization

  • StarWind Virtual SAN and Stretched Cluster Architecture
    Perhaps you did not know, but StarWind Virtual SAN also supports stretched cluster architectures. For an average admin, it might not be an everyday solution as it is used for special use cases with strict networking requirements (latency and bandwidth). To understand what “stretched cluster” is. You...
  • VMware Workstation 2018 Tech Preview Released
    Just a few days ago, VMware has released a VMware Workstation 2018 Tech Preview which allows you to test new features and enhancements fro the upcoming VMware Workstation Pro 2018 release. This tech preview does not need a serial to enter when using it but it’s a time-limited version. It means that ...
  • Cross vCenter Workload Migration Utility – Free Tool
    There is a new update on Cross vCenter Workload Migration Utility, which is a free tool for VMware vSphere. The tool is free but is not intended to be used in the production system, because it’s only experimental. The same for all the other VMware Flings. Download only when accepting the checkbox…. ...
  • Runecast Announcing NSX-V support with Runecast Analyzer 1.8
    Runecast analyzer continues its rapid development with fast update cycles. Today we’ll report on their latest update of Runecast Analyzer 1.8 which brings VMware NSX-V support allowing to detect misconfiguration and problems within your NSX-V environment. One of the previous releases of Runecast bro...
  • Oracle Cloud Infrastructure Ravello Service Is a Good Choice for DevOps
    Enterprise admins usually value their time which is precious. At the end of the day, the working day has only 24 hours, so every min saved counts. Same for hardware savings, when you need to implement a new application in production, you first need a testing environment. If you don’t have testing en...

CormacHogan.com

  • Minio S3 object store deployed as a set of VMs on vSAN
    Some time back, I looked at what it would take to run a container based Minio S3 object store on top of vSAN. This involved using our vSphere Docker Volume Server (aka Project Hatchway, and the details can be found here. However, I wanted to evaluate what it would take to scale out the Minio S3 obje...
  • A deeper-dive into Fault Tolerant VMs running on vSAN
    After receiving a number of queries about vSphere Fault Tolerance on vSAN over the past couple of weeks, I decided to take a closer look at how Fault Tolerant VMs behave with different vSAN policies. I wanted to take a look at two different policies. The first is when the “failures to tolerate” (com...
  • Integrating NSX-T and Pivotal Container Services (PKS)
    If you’ve been following along my recent blog posts, you’ll have seen that I have been spending some time ramping up on NSX-T and Pivotal Container Services (PKS). My long term goal was to see how these two products integrate together and to figure out the various moving parts. As I was very unfamil...
  • Next steps with NSX-T Edge – Routing and BGP
    If you’ve been following along on my NSX-T adventures, you’ll be aware that at this point we have our overlay network deployed, and our NSX-T edge has been setup to with DHCP servers attached to my logical switch, which in turn provides IP addresses to my virtual machines. This is all fine and well,...
  • Performance Checklist now available for vSAN benchmarking
    Hot on the heels of the vSAN 6.7 release, a new performance checklist for vSAN benchmarking has now been published on our StorageHub site. This is the result of a project that I started a few months back with my colleague, Paudie O’Riordan. It builds upon a huge amount of groundwork that was already...

Scott's Weblog

  • More Handy CLI Tools for JSON
    In late 2015 I wrote a post about a command-line tool named jq, which is used for parsing JSON data. Since that time I’ve referenced jq in a number of different blog posts (like this one). However, jq is not the only game in town for parsing JSON data at the command line. In this post, I&rsquo...
  • A Quick Intro to the AWS CLI
    This post provides a (very) basic introduction to the AWS CLI (command-line interface) tool. It’s not intended to be a deep dive, nor is it intended to serve as a comprehensive reference guide (the AWS CLI docs nicely fill that need). I also assume that you already have a basic understanding o...
  • Examining X.509 Certificates Embedded in Kubeconfig Files
    While exploring some of the intricacies around the use of X.509v3 certificates in Kubernetes, I found myself wanting to be able to view the details of a certificate embedded in a kubeconfig file. (See this page if you’re unfamiliar with what a kubeconfig file is.) In this post, I’ll shar...
  • Using Variables in AWS Tags with Terraform
    I’ve been working to deepen my Terraform skills recently, and one avenue I’ve been using to help in this area is expanding my use of Terraform modules. If you’re unfamiliar with the idea of Terraform modules, you can liken them to Ansible roles: a re-usable abstraction/function tha...
  • A Quadruple-Provider Vagrant Environment
    In October 2016 I wrote about a triple-provider Vagrant environment I’d created that worked with VirtualBox, AWS, and the VMware provider (tested with VMware Fusion). Since that time, I’ve incorporated Linux (Fedora, specifically) into my computing landscape, and I started using the Libv...

Welcome to vSphere-land!

  • Top vBlog 2018 starting soon, make sure your site is included
    I’ll be kicking off Top vBlog 2018 very soon and my vLaunchPad website is the source for the blogs included in the Top vBlog voting each year so please take a moment and make sure your blog is listed.  Every year I get emails from bloggers after the voting starts wanting to be added but … Con...
  • Configuration maximum changes in vSphere 6.7
    A comparison using the Configuration Maximum tool for vSphere shows the following changes between vSphere 6.5 & 6.7. [[ This is a content summary only. Visit my website for full links, other content, and more! ]]...
  • Important information to know before upgrading to vSphere 6.7
    vSphere 6.7 is here and with support for vSphere 5.5 ending soon (Sept.) many people will be considering upgrading to it. Before you rush in though there is some important information about this release that you should be aware of. First let’s talk upgrade paths, you can’t just upgrade f...
  • vSphere 6.7 Link-O-Rama
    Your complete guide to all the essential vSphere 6.7 links from all over the VMware universe. Bookmark this page and keep checking back as it will continue to grow as new links are added everyday. Also be sure and check out the Planet vSphere-land feed for all the latest blog posts from the Top 100 ...
  • Summary of What’s New in vSphere 6.7
    Today VMware announced vSphere 6.7 coming almost a year and a half after the release of vSphere 6.5. Doesn’t look like the download is quite available yet but it should be shortly. Below is the What’s New document from the Release Candidate that summarizes most of the big things new in t...

Virtual Geek

  • Its time for change, and change = renewed invention, renewed vigor, renewed discovery.
    I’m going to make this a two-part post. Part 1 = what is in the rear-view window? Part 2 = what’s out the front windshield? Part 1: CPSD and Dell EMC are in my rear-view window. First, while want to close the chapter behind me - it’s a flawed analogy, because it suggests some sort of “finality”. ...
  • The best athletes (and VxBlock 1000) = faster, higher, stronger!
    In watching the Olympics, it’s amazing to see athletes doing amazing things – frankly it’s inspiring. Sometimes it’s a new star rising – something new (amazing Chloe Kim!) .   Sometimes it’s a veteran pulling a “Michael Phelps” – producing every 4 years (see Dutch speed skater Sven Kramer). I’m not...
  • What a start to the year...
    It's been a crazy couple days on a couple fronts, but the most material front has certainly been Spectre and Meltdown. There are lots of sources, and the trick is that while distinctly the root cause lies in the CPU domain and with the CPU manufacturers- the impact touches nearly everything. It's b...
  • To allTHANK YOU for 2017, and lets dream of 2018!
    To all my readers, all our customers and partners, all my colleagues, all my friends – heck my competitors, thank you for everything in 2017.   It was a year filled with change for me in the middle of a massive integration through the Dell acquisition – with a ton of learning, a ton of personal d...
  • Looking forward to 2018: Vertical Stack Wars are upon us.
    This is part 3 of a 3-part blog series on things that I’m thinking about going into 2018. Warning – remember, Virtual Geek post are my musings, not an official company position.   They are officially my opinions – which means they aren’t worth more than 2 cents.  They aren’t authored by anyone...

Eric Sloof - NTPRO.NL

  • Free e-book - Cloud Management For Dummies
    Companies in all industries are responding to new opportunities to leverage big data and mobility to improve service and increase productivity. For IT teams, the switch to digitally driven business has big implications. Download this book to learn how to meet these cloud-driven challenges, inc...
  • vCenter Embedded Linked Mode
    vCenter Server embedded linked mode enables you to connect multiple vCenter Servers together seamlessly without the need for external Platform Services Controllers.vCenter Server embedded ...
  • VMware Horizon v7.5 Help Desk Tool Feature Walkthrough
    Complete overview and demonstration of the Horizon Help Desk Tool along with the enhancements included with the new VMware Horizon 7.5 release. ...
  • Free ebook - Accelerating Digital Transformation with Containers and Kubernetes
    Container technology can help transform a company into a digital enterprise focused on delivering innovations at the speed of business. Containers package applications and their dependencies into a distributable image that can run almost anywhere, streamlining the development and deployment of ...
  • HPE Scalable Persistent Memory Virtualized with VMware vSphere 6.7
    What is persistent memory and what are its benefits? This video provides an overview and briefly walks through some of the technical components. ...

Virten.net

  • 7th Gen NUC Remote Management with KVM using vPro AMT
    Intel's latest 7th Gen Dawson Canyon NUCs are equipped with AMT vPro Technology. Intel AMT (Active Management Technology) allows remote management including a KVM Console. vPro is available in NUCs with i7 and i5 CPUs. NUCs with i3 CPUs do …Read more »...
  • ESXi on 7th Gen Intel NUC (Kaby Lake - Dawson Canyon)
    Intel launched a commercial version of their 7th Gen NUCs. The new Dawson Canyon named NUCs are available with vPro technology which allows you to manage NUCs remotely. NUCs are not officially supported by VMware but they are very widespread in many …Read more »...
  • vCenter Service Appliance 6.7 Tips and Tricks
    VMware is moving their vCenter Server from Windows to the Linux based Photon OS. The following tips and tricks might come handy when working with the vCenter Service Appliance 6.7: Enable SSH File Transfer with SCP/SFTP Public Key Authentication Disable …Read more »...
  • Free ESXi 6.7 - How to Download and get License Keys
    vSphere 6.7 has been released and as known from previous versions, VMware provides a free version of their Hypervisor ESXi for everyone again. The license key can be created for free at VMware's website. It has no expiration date. The …Read more »...
  • VMware ESXi 6.7 - IO Devices not certified for upgrade
    Beside Server Hardware, also double check if your IO Devices (eg. NIC, HBA,..) are supported when updating ESXi hosts from VMware vSphere 6.5 to 6.7. The following devices were supported in vSphere 6.5 but are according to VMware's HCL not (yet) …Read more »...

vInfrastructure Blog

  • Update the VCSA to latest 6.1U1g and not to 6.5U2
    VMware vSphere 6.5 it’s quite popolar now, considering the deadline for the version 5.5 in this year and the direct upgrade path from v5.5 to v6.5. But maybe not everybody want to update vSphere 6.5 to Update 2, considering that there will be no upgrade path (yet) to version 6.7 and maybe othe...
  • VMworld is still valuable?
    During the last years I hear from several people that the huge VMworld event is becoming less attractive. Several people just say (for different reasons) that they probably will not attent VMworld event… unless finally going anyway… But it’s VMworld still a valuable event? An unmis...
  • Runecast for NSX environments
    Runecast is a powerful tool to monitoring and check a vSphere environment and recently also for a VSAN environment. But it’s not over, actually there is a beta for the new version (Runecast version: 1.7.6 probably) that can analyze also NSX-V environments and this could be quite cool, consider...
  • VMware Workstation and Windows 10 Security
    The new build of Windows 10 have a lot of new security settings and some of them can make cause issues with VMware Workstation (or potentially also other host hypervisors). One common issue when you try to power on a VM in Workstation and instead you get this error message: VMware Workstation and De...
  • #SFD16 – Storage Field Day 16
    I’m very proud and honored to be invited to the next Storage Field Day in Boston. It will be the 16th edition of Storage Field Day (#SFD16), and seems to be very interestning both for the presenters and the delegates lists. I’m very excited for this event, that remains a must for all techie-people: ...

 

 

DISCLAIMER
While I do my best to publish unbiased information specifically related to VMware solutions there is always the possibility of blog posts that are unrelated, competitive or potentially conflicting that may creep into the newsletter. I apologize for this in advance if I offend anyone and do my best to ensure this does not happen. Please get in touch if you feel any inappropriate material has been published. All information in this newsletter is copyright of the original author. If you are an author and wish to no longer be used in this newsletter please get in touch.

© 2018 VMware Inc. All rights reserved.

VMware TAM Source 10.17

$
0
0



FROM THE EDITORS VIRTUAL DESK
Hi everyone, firstly I want to apologize for some of the duplicates that crept into the last newsletter. This does happen from time to time as news feeds that we use change their feeds or even stop publishing regularly making the feed go stale. We do try and keep on top of this on a regular basis to ensure that we are bringing you the newest and freshest news for each newsletter.

This week we have many updates including VMworld 2018, new security advisories as well as education resources from our friends at VMware Education.

Please subscribe to our Facebook or Twitter to ensure that you are receiving the latest and greatest updates from the VMware TAM Program especially with the lead up to VMworld 2018.

Have a great week everyone.

Virtually Yours
VMware TAM Team

Latest News | Twitter | Facebook | LinkedIn | Blog | Newsletter | Archive
-
VMWARE SECURITY ADVISORIES
VMSA-2018-0017
Severity:    Important
Synopsis:    VMware Tools update addresses an out-of-bounds read vulnerability
Issue date:    2018-07-12
CVE numbers:    CVE-2018-6969

TAM CUSTOMER WEBINARS
PowerCLI, RESTful APIs, and more
Date: Thursday, August 9th
Time: 11:00am EST/ 10:00am CST/ 8:00am PST
Duration: 1.5 Hour

Synopsis:
This session comes packed with automation goodness! We’ll take a look at all the latest and greatest features and updates for PowerCLI. (Hint: there’s already been 2 releases this year and we’re not slowing down anytime soon!) We’ll also take a look at how VMware is making the APIs easier to consume with a new set of RESTful APIs

Guest speakers:
Kyle Ruddy is a Senior Technical Marketing Engineer at VMware in the Cloud Platform Business Unit. Kyle currently focuses on vSphere with Operations Management as well as all things API, SDK, and CLI.

Registration Link:
https://vmware.zoom.us/webinar/register/WN_EeoxTJ0gRnOn4gsSmuG_hg

VMWARE EDUCATION
Did you know that VMware offers industry-leading training?
VMware software connects, manages, and automates the world’s digital infrastructure.   Is your business maximizing the value of its VMware investment?  VMware Education Services is the training and certification division that is dedicated to expanding VMware knowledge and expertise.  Our offerings span installation, configuration, management, troubleshooting, advanced design and certification programs.  Our training programs offer expansive choice for your IT Team to access sessions either in classroom, live online, hands-on labs or through courses on demand.  Discover how our customized training solutions can accelerate VMware software proficiency, improve business outcomes and accelerate value.

NEWS AND DEVELOPMENTS FROM VMWARE

VMware Radius

  • 5 Questions About VMware’s Stake in the Native Public Cloud
    Native public clouds are critical to the digital future of organizations worldwide. Known for bringing consistent infrastructure and operations to private and hybrid clouds, VMware has emerged as an indispensable partner to IT organizations on the journey to the native public cloud. Moreover, Milin...
  • Agents of Change: Maurizio Davini, a CTO Reinventing a Centuries-Old Organization
    Decades-old processes, cultures and technologies can weigh down mature organizations on the journey to digitally transform. With centuries behind it, the University of Pisa proves age is just a number. With IT leading the charge, the University adopts digital strategies and new and emerging technolo...
  • Virtual Cloud Networking: 10 Things You Need to Know
    Networking is undergoing a fundamental transformation. The network of the past—inflexible, brittle, and time-consuming—cannot help companies meet the demands of the digital present, much less the future. How is modern networking technology meeting the demand for pervasive connectivity and integrated...

VMware Open Source Blog

  • Install, Update and Contribute to open-vm-tools Easier Than Ever Before
    By Rohit Agarwal, Yogendra Bhasin and Nisha Rai VMware Tools is part of VMware’s vSphere suite, which brings a set of services and capabilities to end-users that enable operating systems to work within the VMware environment. About four years ago, we started developing a version optimized to work wi...
  • A Consistent Approach to GPLv2 Compliance
    Over the past nine months, we have seen a growing consensus in the industry regarding one specific aspect of GPL compliance. Since the October 2017 announcement of the Linux kernel Technical Advisory Board’s Linux Kernel Enforcement Statement, which stated that the Linux kernel project was ado...
  • KernelShark — The Future of Trace Data Visualization
    KernelShark, the open source graphical user interface or tracing data that gives users a view of the events happening within the Linux kernel, has proven useful for many kernel developers—but it’s not without its limitations. That’s why we’re now in the process of completely rewriting KernelShark, r...

VMware vSphere Blog

  • Key Manager Concepts and Topology Basics for VM and vSAN Encryption
    At VMworld 2017 VM and vSAN Encryption and security of vSphere in general became VERY popular topics. And in those discussions the topic of Key Managers came up and specifically “How many key managers should I have?” was a recurring question. This blog article will give you two examples of key ...
  • Three Key Reasons for Joining Modernize Data Centers Track at vForum Online
    As digital transformation increases across the business world, the era of costly, complex legacy infrastructures is coming to an end. But what will it take to modernize infrastructures in such a way that IT gets the agility and flexibility it needs to operate, innovate, and scale to meet the demands...
  • Understanding the Impacts of Mixed-Version vCenter Server Deployments
    There are a few questions that come up quite often regarding vCenter Server upgrades and mixed-versions that we would like to address. In this blog post we will discuss and attempt to clarify the guidance in the vSphere Documentation for Upgrade or Migration Order and Mixed-Version Transitional Beha...

Network Virtualization

  • VMware Closes Acquisition of VeloCloud Networks
    As applications and data continue to be distributed more broadly from the data center to the edge, customers are increasingly relying on software-defined wide-area networks (SD-WANs) versus traditional networking for flexible, secure connectivity.  It’s for this reason that I am pleased to share tha...
  • Terminology Tuesday Presents: ZTP
                    ZTP stands for Zero Touch Provisioning.  And, as a quick google search will quickly reveal, many other things as well.   Back to our ZTP.  ZTP is the process by which new network switches can be configured without much human involvement.   Notice that I said “much” and no...
  • Introducing NSX-T 2.1 with Pivotal Integration
    Application architectures are evolving. That shouldn’t be news to anyone. Today, emerging app architectures that leverage container-based workloads and microservices are becoming mainstream, moving from science projects in development labs to enterprise production deployments at scale. The benefits ...

VMware Cloud Management

  • vRealize Network Insight 3.5 – Feel the vRNI
    vRealize Network Insight 3.5 (vRNI) introduces a number of great features, which improve our visibility and ability to ensure a secure and compliant configuration.  Also Network Insight is now available as a service.  This means you can rely on VMware to handle management and updates of Network Insi...
  • IT As Developer Of Infrastructure As Code
    IT As Developer:  One Of The Keys To Relevance This blog is the third installment in a series focused on the question of what IT teams need to do to retain or regain relevance (depending on their circumstance) with line-of-business.  For the full list check out my first blog  on this subject.  In a...
  • vRA and NSX – Intro to App-Centric Networking and Security
    Introduction In a software-defined world, infrastructure is defined by policies based on a set of requirements — prescribed by the business, applications, security or IT itself. Those policies are tied to a set of logic that integrates and automates a given service as needed, when needed. For its p...

Cloud-Native Apps

  • How Cloud Foundry Container Runtime Tackles Both Day 1 & Day 2 Operations for Production Kubernetes
    by Merlin Glynn, Technical Product Manager, VMware Cloud Foundry Container Runtime (CFCR), formerly known as Project KUBO, is an open source project that delivers the functionality of both Day 1 (deployment) and Day 2 (operations) tasks for Kubernetes clusters. The initial genesis behind CFCR was t...
  • Connect with VMware Around Containers at DockerCon EU
    Copenhagen is one of Europe’s leading cities around information technology, making it the perfect locale for this year’s DockerCon EU, taking place October 16-19 at the Bella Centre in Denmark’s capital city. DockerCon is the leading container conference for practitioners to learn from other contain...
  • Join VMware at China Kubernetes End User Conference
    On October 15, the China Kubernetes End User Conference, a joint venture put on by Caicloud, Cloud Native Computing Foundation and the “K8sMeetup China Community,” will celebrate the tremendous technological impact of Kubernetes, unveil the latest updates and enhancements around it and provide top-l...

VMware End-User Computing Blog

  • [New Webcast] Brian Madden and Shikha Mittal Discuss Industry Trends and More!
    As you may have heard by now EUC industry expert Brian Madden from BrianMadden.com and BriForum fame joined VMware End-User Computing in April of this year. We are thrilled to get his insights and wisdom on end-user computing and on technology in general, and Brian definitely has a lot to say on the...
  • Build Your Schedule: VMworld 2018 US Content Catalog is Now Live!
    We’re excited to announce that the content catalog for VMworld 2018 US is now live. With 600+ breakout sessions, panels, labs, and talks to consider across the event, and 50+ breakout sessions and 70+ Hands-on Labs for End User Computing solutions, we’re giving you the perfect tool to make VMworld 2...
  • Webinar: Modernize Your Legacy Rugged Deployments with Android Enterprise
    Over the past 10 years, Microsoft’s Windows CE and Windows Embedded Handheld (WEH) have been the most popular operating systems (OSs) for rugged devices, due to Windows’ large selection of devices and development tools. However, from 2018 through 2020, Microsoft will phase out support for Windows Em...

The Support Insider

Cloud Foundation

 

EXTERNAL NEWS FROM 3RD PARTY BLOGGERS VMGuru

  • Nieuwe deepdive community events in Networking & Security en Management & Automatisering
    [this is a Dutch post because it’s about two new Dutch spoken community events] Op 25 en 26 September 2018 worden er twee nieuwe gratis technische deepdive evenementen georganiseerd door een aantal VMware Partners voor de community. Daarvan is de 25ste volledig gefocust op Networking... The p...
  • Application monitoring with VMware Wavefront
    IT Control meets Developer Agility If you are a VMware fan or working with VMware products I’ll bet you heard of vRealize Operations with Endpoint Operations for application monitoring. But did you know that VMware also has an application monitoring & analytics tool running in... The post...
  • Using VMware and Veeam? Update VBR 9.5 to Update 3a now
    Veeam just released their latest update for Veeam Backup & Replication 9.5 Update 3a with lots of support for new VMware platform versions! Are you already running or planning to update to VMware vSphere 6.5 Update 2 or vSphere version 6.7? Make sure you update... The post Using VMware and Veea...
  • Best Practices for Hardening the Veeam Backup Repository (Windows)
    A good way of hardening the backup repository is by running it on a standalone Windows Server with storage attached to it. Create/Use a local account with administrative access and make sure only this (newly created) account has access rights to the location where the... The post Best Practices for...
  • New Lab Stuff
    Some time ago, back in December of 2015, I started a three-part story on how to have a supported SMB or lab environment. It consisted of a couple of Hewlett Packard Enterprise Microserver Gen 8’s and a NAS by QNAP. Check out the three part... The post New Lab Stuff appeared first on VMGuru. ...

virtuallyGhetto

  • Resource Pools, Folders & VMC now supported with Cross vCenter vMotion Utility Fling
    Many of you are already familiar with the Cross vCenter vMotion Utility, which was released as a Fling last year. In fact, a number of you have even shared your VM migration numbers, many of which are quite impressive (e.g. 5-10K VMs). Not only are the number of production VMs significant, but I als...
  • Automating VM Template management using Content Library in VMC
    Today, the vSphere Content Library only supports a single deployable VM type using the Open Virtualization Format (OVF) standard. Although customers are familiar with both OVF and OVA (archive of OVF and VMDKs), support for vCenter VM Template is still one of the most highly requested feature for Co...
  • New SDDC Certificate Replacement Fling
    Certificate lifecycle management is not something anyone looks forward to, it is time consuming and usually not automated. However, it is a necessity for many of our customers. The process gets even more challenging when needing replace certificates across multiple VMware products, not only careful ...
  • My list of Microsoft Visual Code Studio Extensions
    I have been a huge fan of Microsoft Visual Code Studio since it was introduced to me about a year ago and has been my default editor of choice (outside of vi for quick edits and even Code has a vi extension which I had used for awhile but it had some quirks). Last week I had […]...
  • Auditing detailed operations within VMware Cloud on AWS using the Activity Log API
    All operations (UI or API) that occurs within VMware Cloud AWS (VMC), including but not limited to SDDC creation, deletion, updates, network configurations, user authorization/access, etc. is all captured as part of the Activity Log in the VMC Console. Within the Activity Log, customers will be able...

ESX Virtualization

  • Remote Desktop Web Client for Windows Server 2016 and 2019 Preview is Generally Available
    The announcement came out on Twitter later today, that Microsoft Remote Desktop Services Team has released a new product. In fact, a Remote Desktop Web Client for Windows Server 2016 and 2019 Preview is Generally Available. A production-ready Remote Desktop Web Client for Windows Server 2016 and Win...
  • Upgrading VCSA 6.5 to 6.7
    So far we have demoed a clean installation of VMware vCSA 6.7, also upgrade of ESXi 6.x to 6.7 via ISO or via VUM, but what we haven’t covered just yet, it is the Upgrading VCSA 6.5 to 6.7. This process is supported by VMware and we’ll show within this article, that the upgrading an […] Read t...
  • What’s new in VMware vSphere 6.7 – Technical PDF
    There is a new whitepaper from VMware. It is a technical PDF called What’s new in VMware vSphere 6.7, which covers all new features within vSphere 6.7. The 6.7 release is the release where we see many improvements already within the VCSA 6.7 which is 2x faster with memory consumption reduced 3x. Thi...
  • How To Reset 120 Day RDS Grace Period on 2012 R2 And 2016 Server
    When you home lab and you don’t have Microsoft license for RDS, you have two options. Reinstall the server (redeploy the VM) or cheat a bit. Yes, in fact, there is cool hack which allows you to reset the 120 day grace period on Windows Server 2012 R2 RDS, and we’ll show you how. I […] Read the...
  • Veeam Backup and Replication 9.5U3a Upgrade
    This is a short post which will demonstrate the upgrade process of Veeam Backup and Replication 9.5 U3 to U3a. The U3a was released a week ago and also directly integrated to the Full 9.5 U3a ISO, but for the upgrade, you’ll only need the “veeam_backup_9.5.0.1922.update3a_setup.exe” which is a separ...

CormacHogan.com

  • A closer look at VVol snapshot policies on Pure Storage with vSphere 6.7
    I am in the very fortunate position of having access to a Pure Storage array, and this has been recently updated to support Virtual Volumes. With my new 6.7 vSphere cluster, I finally found some time to take a closer look at Virtual Volume (VVol) snapshots on the Pure array, something that I have be...
  • Workflow issues when vCenter instance not correctly added to vRO
    As part of my preparation work for VMworld 2018, I was looking into how one might be able to automate the deployment of VMs from vRealize Automation with an appropriate policy for consuming the under-lying storage. In my case, this underlying storage was vSAN, so I wanted to be able to select a vSAN...
  • Setting up Nginx reverse-proxy for distributed Minio S3 deployment
    I wanted to follow-up on my recent Minio S3 post with steps on how to implement a reverse-proxy using Nginx. The purpose of this is to allow an end-user to connect to a single Minio server, and have that connection be redirected in a round-robin fashion to all of my other 16 Minio servers in my Mini...
  • Minio S3 object store deployed as a set of VMs on vSAN
    Some time back, I looked at what it would take to run a container based Minio S3 object store on top of vSAN. This involved using our vSphere Docker Volume Server (aka Project Hatchway, and the details can be found here. However, I wanted to evaluate what it would take to scale out the Minio S3 obje...
  • A deeper-dive into Fault Tolerant VMs running on vSAN
    After receiving a number of queries about vSphere Fault Tolerance on vSAN over the past couple of weeks, I decided to take a closer look at how Fault Tolerant VMs behave with different vSAN policies. I wanted to take a look at two different policies. The first is when the “failures to tolerate” (com...

Scott's Weblog

  • Additive Loops with Ansible and Jinja2
    I don’t know if “additive” is the right word, but it was the best word I could come up with to describe the sort of configuration I recently needed to address in Ansible. In retrospect, the solution seems pretty straightforward, but I’ll include it here just in case it proves...
  • Technology Short Take 102
    Welcome to Technology Short Take 102! I normally try to get these things published biweekly (every other Friday), but this one has taken quite a bit longer to get published. It’s no one’s fault but my own! In any event, I hope that you’re able to find something useful among the lin...
  • More Handy CLI Tools for JSON
    In late 2015 I wrote a post about a command-line tool named jq, which is used for parsing JSON data. Since that time I’ve referenced jq in a number of different blog posts (like this one). However, jq is not the only game in town for parsing JSON data at the command line. In this post, I&rsquo...
  • A Quick Intro to the AWS CLI
    This post provides a (very) basic introduction to the AWS CLI (command-line interface) tool. It’s not intended to be a deep dive, nor is it intended to serve as a comprehensive reference guide (the AWS CLI docs nicely fill that need). I also assume that you already have a basic understanding o...
  • Examining X.509 Certificates Embedded in Kubeconfig Files
    While exploring some of the intricacies around the use of X.509v3 certificates in Kubernetes, I found myself wanting to be able to view the details of a certificate embedded in a kubeconfig file. (See this page if you’re unfamiliar with what a kubeconfig file is.) In this post, I’ll shar...

Eric Sloof - NTPRO.NL

  • Join two great technical conferences in September - The vMA and the vNS TechCon
    VMware and their partners are organizing two free technical conferences at the end of September in the Netherlands. Some great speakers like Joe Baguley and Jad El-Zein will present the keynotes. These conferences can be compared to the old TSX event back in 2007, no sales only technical stuff....
  • Latest Fling from VMware Labs - ESXi Compatibility Checker
    The ESXi Compatibility Checker is a python script that can validate VMware hardware compatibility and upgrade issues of ESXi. ...
  • Free e-book - Cloud Management For Dummies
    Companies in all industries are responding to new opportunities to leverage big data and mobility to improve service and increase productivity. For IT teams, the switch to digitally driven business has big implications. Download this book to learn how to meet these cloud-driven challenges, inc...
  • vCenter Embedded Linked Mode
    vCenter Server embedded linked mode enables you to connect multiple vCenter Servers together seamlessly without the need for external Platform Services Controllers.vCenter Server embedded ...
  • VMware Horizon v7.5 Help Desk Tool Feature Walkthrough
    Complete overview and demonstration of the Horizon Help Desk Tool along with the enhancements included with the new VMware Horizon 7.5 release. ...

vInfrastructure Blog

  • Veeam Backup & Replication support for vSphere 6.7
    VMware vSphere 6.7 wasn’t officially supported by Veeam Backup & Replication, as also the new vSphere 6.5 Update 2 (due to the backporting from 6.7). But now Veeam has released the Backup Replication 9.5 Update 3a version that fully supports latest vSphere versions, including vCloud Direct...
  • VMware Workstation Pro 14 issues with old CPU
    VMware Workstation 14 it’s a great product and adds several features from ESXi 6.5 and 6.7 (like NVMe support). But drops too many CPU from its compatibility list and this means less support for old PCs or laptop. With an unsupported processor, you can create, configure, move the VMs, but when...
  • Update the VCSA to latest 6.1U1g and not to 6.5U2
    VMware vSphere 6.5 it’s quite popolar now, considering the deadline for the version 5.5 in this year and the direct upgrade path from v5.5 to v6.5. But maybe not everybody want to update vSphere 6.5 to Update 2, considering that there will be no upgrade path (yet) to version 6.7 and maybe othe...
  • VMworld is still valuable?
    During the last years I hear from several people that the huge VMworld event is becoming less attractive. Several people just say (for different reasons) that they probably will not attent VMworld event… unless finally going anyway… But it’s VMworld still a valuable event? An unmis...
  • Runecast for NSX environments
    Runecast is a powerful tool to monitoring and check a vSphere environment and recently also for a VSAN environment. But it’s not over, actually there is a beta for the new version (Runecast version: 1.7.6 probably) that can analyze also NSX-V environments and this could be quite cool, consider...

 

 

DISCLAIMER
While I do my best to publish unbiased information specifically related to VMware solutions there is always the possibility of blog posts that are unrelated, competitive or potentially conflicting that may creep into the newsletter. I apologize for this in advance if I offend anyone and do my best to ensure this does not happen. Please get in touch if you feel any inappropriate material has been published. All information in this newsletter is copyright of the original author. If you are an author and wish to no longer be used in this newsletter please get in touch.

© 2018 VMware Inc. All rights reserved.

Viewing all 3135 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>