UtiliTech Water Leak Sensor

Went to Lowes to pick up my plugs today and found 3 of these UtiliTech Water Leak Sensor Sitting on sale for $7.95 each.

Ported the driver from ST over to Hubitat.

/*
 *  Everspring/Utilitech Water Sensor
 *
 *      Everspring Flood Sensor       ST812-2
 *      Utilitech Water Leak Detector TST01-1 (Lowe's)
 *
 *  Author: tosa68
 *  Date:   2014-07-17
 *  Ported to Hubitat by cuboy29 
 *
 *  Features:
 *
 *  1) Battery status updated during configure, at power up, and each wake up
 *  2) User configurable Wake Up Interval
 *
 *  Configure after initial association happens before userWakeUpInterval can be set,
 *  so device will start with default wake up interval of 3600 sec (1 hr).
 *
 *  To set userWakeUpInterval, from the mobile app:
 *    1) enter custom value in device preferences, then
 *         new interval will be set when device next wakes up
 *       OR
 *    3) press 'configure' when the device is awake:
 *         - either just after initial association (within about 10min),
 *         - after power up (remove/reinsert batteries)
 *    
 * 
 *  Copyright 2014 Tony Saye
 *
 *  Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except
 *  in compliance with the License. You may obtain a copy of the License at:
 *
 *      http://www.apache.org/licenses/LICENSE-2.0
 *
 *  Unless required by applicable law or agreed to in writing, software distributed under the License is distributed
 *  on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License
 *  for the specific language governing permissions and limitations under the License.
 *
 */

preferences {
    // manufacturer default wake up is every hour; optionally increase for better battery life
    input "userWakeUpInterval", "number", title: "Wake Up Interval (seconds)", description: "Default 3600 sec (60 sec - 194 days)", defaultValue: '3600', required: false, displayDuringSetup: true
}

metadata {
	definition (name: "Utilitech Water Sensor", namespace: "Hubitat", author: "tosa68") {
		capability "Water Sensor"
		capability "Battery"
		capability "Configuration"
     
        fingerprint deviceId: "0xA102", inClusters: "0x86,0x72,0x85,0x84,0x80,0x70,0x9C,0x20,0x71"
	}
}

def parse(String description) {
	log.debug "parse: $description"

	def parsedZwEvent = zwave.parse(description, [0x9C: 1, 0x71: 1, 0x84: 2, 0x30: 1, 0x70: 1])
	def result = []

    if (parsedZwEvent) {
        result = zwaveEvent(parsedZwEvent)
        log.debug "Parsed ${parsedZwEvent} to ${result.inspect()}"
    } else {
        log.debug "Non-parsed event: ${description}"
    }

	return result
}

def zwaveEvent(hubitat.zwave.commands.wakeupv2.WakeUpNotification cmd) {
    
    // Appears that the Everspring/Utilitech water sensor responds to batteryGet, but not wakeUpNoMoreInformation(?)
    
    def result = [createEvent(descriptionText: "${device.displayName} woke up", isStateChange:  false)]
    result << response(zwave.batteryV1.batteryGet())

    // If user has changed userWakeUpInterval, send the new interval to the device 
	def userWake = getUserWakeUp(userWakeUpInterval)
    if (state.wakeUpInterval != userWake) {
        state.wakeUpInterval = userWake
        result << response("delay 200")
        result << response(zwave.wakeUpV2.wakeUpIntervalSet(seconds:state.wakeUpInterval, nodeid:zwaveHubNodeId))
        result << response("delay 200")
        result << response(zwave.wakeUpV2.wakeUpIntervalGet())
    }
    
    return result
}

def zwaveEvent(hubitat.zwave.commands.sensoralarmv1.SensorAlarmReport cmd) {

	def map = [:]
	if (cmd.sensorType == 0x05) {
		map.name = "water"
		map.value = cmd.sensorState ? "wet" : "dry"
		map.descriptionText = "${device.displayName} is ${map.value}"
	}
    
	createEvent(map)
}

def zwaveEvent(hubitat.zwave.commands.sensorbinaryv1.SensorBinaryReport cmd) {

	def map = [:]
	map.name = "water"
	map.value = cmd.sensorValue ? "wet" : "dry"
	map.descriptionText = "${device.displayName} is ${map.value}"
    
	createEvent(map)
}

def zwaveEvent(hubitat.zwave.commands.alarmv1.AlarmReport cmd) {

	def map = [:]
    def result
	if (cmd.alarmType == 1) {
        if (cmd.alarmLevel == 0xFF) {
		    map.descriptionText = "${device.displayName} has a low battery alarm"
		    map.displayed = true
        } else if (cmd.alarmLevel == 1) {
		    map.descriptionText = "${device.displayName} battery alarm level 1"   // device sometimes returns alarmLevel 1, 
		    map.displayed = false                                                 //   but this appears to be an undocumented alarmLevel(?)
        }
        result = [createEvent(map)]
        result << response(zwave.batteryV1.batteryGet())                          // try to update battery status, but device doesn't seem to always respond
    } else if (cmd.alarmType == 2 && cmd.alarmLevel == 1) {
        map.descriptionText = "${device.displayName} powered up"
		map.displayed = false
        result = [createEvent(map)]
	} else {
		log.debug cmd
	}

    return result
}

def zwaveEvent(hubitat.zwave.commands.batteryv1.BatteryReport cmd) {
	
	def map = [ name: "battery", unit: "%" ]
	if (cmd.batteryLevel == 0xFF) {          // Special value for low battery alert
		map.value = 10                       // will display (and alarm in mobile app) as 10% battery remaining, even though it's really 1%-19% remaining
		map.descriptionText = "${device.displayName} reports a low battery"
        map.isStateChange = true
		map.displayed = true
	} else {
		map.value = cmd.batteryLevel
		map.displayed = false
	}

    createEvent(map)
}

def zwaveEvent(hubitat.zwave.commands.wakeupv2.WakeUpIntervalCapabilitiesReport cmd) {

    def map = [ name: "defaultWakeUpInterval", unit: "seconds" ]
	map.value = cmd.defaultWakeUpIntervalSeconds
	map.displayed = false

	state.defaultWakeUpInterval = cmd.defaultWakeUpIntervalSeconds
    createEvent(map)
}

def zwaveEvent(hubitat.zwave.commands.wakeupv2.WakeUpIntervalReport cmd) {

	def map = [ name: "reportedWakeUpInterval", unit: "seconds" ]
	map.value = cmd.seconds
	map.displayed = false

    createEvent(map)
}

def zwaveEvent(hubitat.zwave.Command cmd) {
	
    log.debug "COMMAND CLASS: ${cmd}"
    createEvent(descriptionText: "Command not handled: ${cmd}")
}

def configure() {
    
    state.wakeUpInterval = getUserWakeUp(userWakeUpInterval)
    
    delayBetween([
        zwave.associationV2.associationSet(groupingIdentifier:1, nodeId:zwaveHubNodeId).format(),
        zwave.wakeUpV2.wakeUpIntervalSet(seconds:state.wakeUpInterval, nodeid:zwaveHubNodeId).format(),
        zwave.wakeUpV2.wakeUpIntervalGet().format(),
        zwave.batteryV1.batteryGet().format()
    ], 200)

}

private getUserWakeUp(userWake) {

    if (!userWake)                       { userWake =     '3600' }  // set default 1 hr if no user preference 

    // make sure user setting is within valid range for device 
    if (userWake.toInteger() <       60) { userWake =       '60' }  // 60 sec min
    if (userWake.toInteger() > 16761600) { userWake = '16761600' }  // 194 days max

	/*
     * Ideally, would like to reassign userWakeUpInterval to min or max when needed,
     * so it more obviously reflects in 'preferences' in the IDE and mobile app
     * for the device. Referencing the preference on the RH side is ok, but
     * haven't figured out how to reassign it on the LH side?
     *
     */
    //userWakeUpInterval = userWake 

    return userWake.toInteger()
}
5 Likes

I bought one of these at Lowe’s today too! Thanks for the Driver... I’ll try it once I decide to pair it.

Almost bought one of these today. Maybe tomorrow. Lol

i got 3 for less than $8 each.. running out of place to put them lol

I had one of these for a few days and found the generic Zwave water sensor driver works with them. I ended up returning it because the signal is not very strong and it lost connection where I needed it in my crawl space. This was even with mains power switches near by and above it. Ended up buying a Dome Zwave Plus water sensor instead.

Give the stock driver a try.

I see no issue using this customer driver since it allow you to change the reporting interval. It's all running local anyway unlike the ST days.

Thanks for the driver.

Just curious how these are working and how’s the range?

They've been working great for me. I have repeaters everywhere in the house so range is not an issue.

1 Like

They've been working great for me too, I would like to see pictures of installations of them, I can't find anything to re installing mine better, including ideal locations.

Me too. I was curious about how the sensor mounts.

I have 3 of the Utilitech sensors for around 3 years with ST and one thing I am nervous about them is that they hardly report the status back other than battery. Sometime I get nothing for months but very reliable on my monthly test. I have OCD so I replaced them for sensors with temp report.
You will need a pretty strong mesh for this sensor. I was having difficulty during my transition from ST to HE with them. Repair your Z-Wave and do a couple of test to be sure it's working.

2 Likes

I have several of these on Iris and am now trying to put them on Hubitat.

I removed one from Iris and tried adding it. Hubitat found it but it hung on initializing and doesn't show up. Has anyone seen this happen?

Did I miss a step?

I find by pairing it close to the hub is more reliable on discovery. Put it back to the original location after. Do a Z-wave repair and then test the sensor.

Ok, here is what I did. I tried doing a Z-wave repair and Z-Wave exclude and moving it closer to the hub. Nothing happened. I tried resetting the device (done by pushing the black button on the back of the device once) - still didn't have any luck.

I also still had the Iris hub going - not sure if that was causing any issues even though I didn't have it in pairing mode. I shut the Iris hub off, did a Z-wave repair, reset the device, and it came up. So at this point, I am not sure if the Iris hub was causing an issue or not. I wouldn't think so as I've read that other people have had multiple hubs in their environment with no issues but those are the steps I took.

You don't have to do Z-wave repair before pairing but it's best to exclude the device successfully. Not sure about the reset on that device but leave the live logging open while excluding. You should see a message if it excluded something. Also try reboot the HE hub before pairing.
I have 3 hubs with no issue pairing. HE,ST and Wink.

I continued to have issues with these devices and finally got down a process that seemed to work. Here is what I did.

  1. Clicked on Z-Wave Exclude in Hubitat
  2. Pressed the black button 5 times on the leak sensor - got a beep
  3. Removed the batteries
  4. Waited another 30 seconds just for good measure
  5. Inserted the batteries
  6. Start Z-wave discovery in Hubitat
  7. Pressed the black button on the leak sensor
  8. Waited for the beep and for it to show up in Hubitat
  9. Saved it

This worked every time for these devices.

Unfortunately, before I did this, I did a Z-wave reset on the hubitat. I didn't see it as a big deal because I only had the Utilitech leak sensors and my thermostat on it. Unfortunately now I am unable to get my radio thermostat CT101 connected back up. I don't think released the previous association to Hubitat. Is there a way to see if it might be orphaned somewhere in Hubitat? It isn't showing up in devices. Thanks

1 Like

You can try exclude your thermostat and discover again.

Is there a certain process for excluding it or by excluding it did you mean to press the z wave exclude button? That excludes all z wave devices, right?

Pressing the exclude mode does not exclude all your devices. It put the hub in an exclude mode and waiting for you to carry out the device you wanted to exclude. You just need to read the instruction of the device for procedures on how the exclude.