content
stringlengths
7
2.61M
Russia's ruling United Russia Party suffered a rare setback in regional elections on Sunday despite winning most of the seats, a reversal its leaders and election chiefs blamed on unpopular plans to raise the pension age. The results in weekend voting for heads of about one third of Russia's regions were the worst for United Russia, which backs President Vladimir Putin, since elections for regional leaders were re-introduced in 2012. Elections took place in 80 Russian regions on Sept. 9, with gubernatorial, legislative assembly and State Duma seats up for grabs. The vote took place amid nationwide pension protests organized by opposition politician Alexei Navalny in which over 800 people were reportedly arrested. While candidates from the ruling United Russia party performed strongly overall, four United Russia candidates running for governor were forced into run-off votes after failing to win majorities. Two were beaten into second place — by a communist candidate in Khakassia region and a nationalist LDPR candidate in Khabarovsk region — and two finished first but failed to win the more than 50 percent of votes needed for outright victory — in the Primorye and Vladimir regions. United Russia also lost ground to the Communist Party and LDPR in some areas in weekend elections to regional parliaments. Commenting for Vedomosti, political analyst Vitaliy Ivanov called the relatively poor showings of United Russia candidates in regional elections a consequence of the controversial pension reform that is currently making headlines in Russia. Ella Pamfilova, the head of the Central Election Commission, said it was obvious the planned pension changes had prompted voters to register their discontent at the ballot box, something she said was a sign of genuine political competition. "It's a good lesson for everyone," she told a news conference. "It's very useful for the party of power to get a bit of a jolt." Speaking in the far eastern city of Vladivostok, Putin told government officials he was unfazed by the fact that re-runs would be needed in four regions. "It's an absolutely normal phenomenon," he said. Prime Minister Dmitry Medvedev, the leader of United Russia and a Putin ally, told party activists on Sunday night he deemed the results "worthy" given the election campaign had taken place in what he called difficult conditions. "... There's a heated public discussion in society right now about a whole raft of changes, including changes to pension law. That undoubtedly ratcheted up the intensity of the campaign and of the political battle," Medvedev said. Meanwhile, in Moscow, incumbent mayor Sergei Sobyanin cruised to a comfortable re-election with 69.54 percent of the vote, while Vadim Kumin from the Communist Party came second with 11.65 percent. But despite a huge get-out-the-vote campaign, turnout was just 30 percent as many Muscovites stayed away. That was less than the turnout at the previous mayoral election in 2013.
// Copyright (c) 2016 The vulkano developers // Licensed under the Apache License, Version 2.0 // <LICENSE-APACHE or // http://www.apache.org/licenses/LICENSE-2.0> or the MIT // license <LICENSE-MIT or http://opensource.org/licenses/MIT>, // at your option. All files in the project carrying such // notice may not be copied, modified, or distributed except // according to those terms. //! Communication channel with a physical device. //! //! The `Device` is one of the most important objects of Vulkan. Creating a `Device` is required //! before you can create buffers, textures, shaders, etc. //! //! Basic example: //! //! ```no_run //! use vulkano::device::Device; //! use vulkano::device::DeviceExtensions; //! use vulkano::device::Features; //! use vulkano::instance::Instance; //! use vulkano::instance::InstanceExtensions; //! use vulkano::instance::PhysicalDevice; //! //! // Creating the instance. See the documentation of the `instance` module. //! let instance = match Instance::new(None, &InstanceExtensions::none(), None) { //! Ok(i) => i, //! Err(err) => panic!("Couldn't build instance: {:?}", err) //! }; //! //! // We just choose the first physical device. In a real application you would choose depending //! // on the capabilities of the physical device and the user's preferences. //! let physical_device = PhysicalDevice::enumerate(&instance).next().expect("No physical device"); //! //! // Here is the device-creating code. //! let device = { //! let queue_family = physical_device.queue_families().next().unwrap(); //! let features = Features::none(); //! let ext = DeviceExtensions::none(); //! //! match Device::new(physical_device, &features, &ext, Some((queue_family, 1.0))) { //! Ok(d) => d, //! Err(err) => panic!("Couldn't build device: {:?}", err) //! } //! }; //! ``` //! //! # Features and extensions //! //! Two of the parameters that you pass to `Device::new` are the list of the features and the list //! of extensions to enable on the newly-created device. //! //! > **Note**: Device extensions are the same as instance extensions, except for the device. //! > Features are similar to extensions, except that they are part of the core Vulkan //! > specifications instead of being separate documents. //! //! Some Vulkan capabilities, such as swapchains (that allow you to render on the screen) or //! geometry shaders for example, require that you enable a certain feature or extension when you //! create the device. Contrary to OpenGL, you can't use the functions provided by a feature or an //! extension if you didn't explicitly enable it when creating the device. //! //! Not all physical devices support all possible features and extensions. For example mobile //! devices tend to not support geometry shaders, because their hardware is not capable of it. You //! can query what is supported with respectively `PhysicalDevice::supported_features` and //! `DeviceExtensions::supported_by_device`. //! //! > **Note**: The fact that you need to manually enable features at initialization also means //! > that you don't need to worry about a capability not being supported later on in your code. //! //! # Queues //! //! Each physical device proposes one or more *queues* that are divided in *queue families*. A //! queue is a thread of execution to which you can submit commands that the GPU will execute. //! //! > **Note**: You can think of a queue like a CPU thread. Each queue executes its commands one //! > after the other, and queues run concurrently. A GPU behaves similarly to the hyper-threading //! > technology, in the sense that queues will only run partially in parallel. //! //! The Vulkan API requires that you specify the list of queues that you are going to use at the //! same time as when you create the device. This is done in vulkano by passing an iterator where //! each element is a tuple containing a queue family and a number between 0.0 and 1.0 indicating //! the priority of execution of the queue relative to the others. //! //! TODO: write better doc here //! //! The `Device::new` function returns the newly-created device, but also the list of queues. //! //! # Extended example //! //! TODO: write use fnv::FnvHasher; use smallvec::SmallVec; use std::collections::HashMap; use std::collections::hash_map::Entry; use std::error; use std::fmt; use std::hash::BuildHasherDefault; use std::mem::MaybeUninit; use std::ops::Deref; use std::ptr; use std::sync::Arc; use std::sync::Mutex; use std::sync::MutexGuard; use std::sync::Weak; use std::ffi::CStr; use command_buffer::pool::StandardCommandPool; use descriptor::descriptor_set::StdDescriptorPool; use instance::Instance; use instance::PhysicalDevice; use instance::QueueFamily; use memory::pool::StdMemoryPool; use Error; use OomError; use SynchronizedVulkanObject; use VulkanObject; use VulkanHandle; use check_errors; use vk; pub use self::extensions::DeviceExtensions; pub use self::extensions::RawDeviceExtensions; pub use ::features::Features; mod extensions; /// Represents a Vulkan context. pub struct Device { instance: Arc<Instance>, physical_device: usize, device: vk::Device, vk: vk::DevicePointers, standard_pool: Mutex<Weak<StdMemoryPool>>, standard_descriptor_pool: Mutex<Weak<StdDescriptorPool>>, standard_command_pools: Mutex<HashMap<u32, Weak<StandardCommandPool>, BuildHasherDefault<FnvHasher>>>, features: Features, extensions: DeviceExtensions, active_queue_families: SmallVec<[u32; 8]>, allocation_count: Mutex<u32>, fence_pool: Mutex<Vec<vk::Fence>>, semaphore_pool: Mutex<Vec<vk::Semaphore>>, event_pool: Mutex<Vec<vk::Event>>, } // The `StandardCommandPool` type doesn't implement Send/Sync, so we have to manually reimplement // them for the device itself. unsafe impl Send for Device { } unsafe impl Sync for Device { } impl Device { /// Builds a new Vulkan device for the given physical device. /// /// You must pass two things when creating a logical device: /// /// - A list of optional Vulkan features that must be enabled on the device. Note that if a /// feature is not enabled at device creation, you can't use it later even it it's supported /// by the physical device. /// /// - An iterator to a list of queues to create. Each element of the iterator must indicate /// the family whose queue belongs to and a priority between 0.0 and 1.0 to assign to it. /// A queue with a higher value indicates that the commands will execute faster than on a /// queue with a lower value. Note however that no guarantee can be made on the way the /// priority value is handled by the implementation. /// /// # Panic /// /// - Panics if one of the queue families doesn't belong to the given device. /// // TODO: return Arc<Queue> and handle synchronization in the Queue // TODO: should take the PhysicalDevice by value pub fn new<'a, I, Ext>(phys: PhysicalDevice, requested_features: &Features, extensions: Ext, queue_families: I) -> Result<(Arc<Device>, QueuesIter), DeviceCreationError> where I: IntoIterator<Item = (QueueFamily<'a>, f32)>, Ext: Into<RawDeviceExtensions> { let queue_families = queue_families.into_iter(); if !phys.supported_features().superset_of(&requested_features) { return Err(DeviceCreationError::FeatureNotPresent); } let vk_i = phys.instance().pointers(); // this variable will contain the queue family ID and queue ID of each requested queue let mut output_queues: SmallVec<[(u32, u32); 8]> = SmallVec::new(); // Device layers were deprecated in Vulkan 1.0.13, and device layer requests should be // ignored by the driver. For backwards compatibility, the spec recommends passing the // exact instance layers to the device as well. There's no need to support separate // requests at device creation time for legacy drivers: the spec claims that "[at] the // time of deprecation there were no known device-only layers." // // Because there's no way to query the list of layers enabled for an instance, we need // to save it alongside the instance. (`vkEnumerateDeviceLayerProperties` should get // the right list post-1.0.13, but not pre-1.0.13, so we can't use it here.) let layers_ptr = phys.instance() .loaded_layers() .map(|layer| layer.as_ptr()) .collect::<SmallVec<[_; 16]>>(); let extensions = extensions.into(); let extensions_list = extensions .iter() .map(|extension| extension.as_ptr()) .collect::<SmallVec<[_; 16]>>(); // device creation let device = unsafe { // each element of `queues` is a `(queue_family, priorities)` // each queue family must only have one entry in `queues` let mut queues: Vec<(u32, Vec<f32>)> = Vec::with_capacity(phys.queue_families().len()); for (queue_family, priority) in queue_families { // checking the parameters assert_eq!(queue_family.physical_device().internal_object(), phys.internal_object()); if priority < 0.0 || priority > 1.0 { return Err(DeviceCreationError::PriorityOutOfRange); } // adding to `queues` and `output_queues` if let Some(q) = queues.iter_mut().find(|q| q.0 == queue_family.id()) { output_queues.push((queue_family.id(), q.1.len() as u32)); q.1.push(priority); if q.1.len() > queue_family.queues_count() { return Err(DeviceCreationError::TooManyQueuesForFamily); } continue; } queues.push((queue_family.id(), vec![priority])); output_queues.push((queue_family.id(), 0)); } // turning `queues` into an array of `vkDeviceQueueCreateInfo` suitable for Vulkan let queues = queues .iter() .map(|&(queue_id, ref priorities)| { vk::DeviceQueueCreateInfo { sType: vk::STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO, pNext: ptr::null(), flags: 0, // reserved queueFamilyIndex: queue_id, queueCount: priorities.len() as u32, pQueuePriorities: priorities.as_ptr(), } }) .collect::<SmallVec<[_; 16]>>(); // TODO: The plan regarding `robustBufferAccess` is to check the shaders' code to see // if they can possibly perform out-of-bounds reads and writes. If the user tries // to use a shader that can perform out-of-bounds operations without having // `robustBufferAccess` enabled, an error is returned. // // However for the moment this verification isn't performed. In order to be safe, // we always enable the `robustBufferAccess` feature as it is guaranteed to be // supported everywhere. // // The only alternative (while waiting for shaders introspection to work) is to // make all shaders depend on `robustBufferAccess`. But since usually the // majority of shaders don't need this feature, it would be very annoying to have // to enable it manually when you don't need it. // // Note that if we ever remove this, don't forget to adjust the change in // `Device`'s construction below. let features = { let mut features = requested_features.clone().into_vulkan_features(); features.robustBufferAccess = vk::TRUE; features }; let infos = vk::DeviceCreateInfo { sType: vk::STRUCTURE_TYPE_DEVICE_CREATE_INFO, pNext: ptr::null(), flags: 0, // reserved queueCreateInfoCount: queues.len() as u32, pQueueCreateInfos: queues.as_ptr(), enabledLayerCount: layers_ptr.len() as u32, ppEnabledLayerNames: layers_ptr.as_ptr(), enabledExtensionCount: extensions_list.len() as u32, ppEnabledExtensionNames: extensions_list.as_ptr(), pEnabledFeatures: &features, }; let mut output = MaybeUninit::uninit(); check_errors(vk_i.CreateDevice(phys.internal_object(), &infos, ptr::null(), output.as_mut_ptr()))?; output.assume_init() }; // loading the function pointers of the newly-created device let vk = vk::DevicePointers::load(|name| unsafe { vk_i.GetDeviceProcAddr(device, name.as_ptr()) as *const _ }); let mut active_queue_families: SmallVec<[u32; 8]> = SmallVec::new(); for (queue_family, _) in output_queues.iter() { if let None = active_queue_families.iter().find(|&&qf| qf == *queue_family) { active_queue_families.push(*queue_family); } } let device = Arc::new(Device { instance: phys.instance().clone(), physical_device: phys.index(), device: device, vk: vk, standard_pool: Mutex::new(Weak::new()), standard_descriptor_pool: Mutex::new(Weak::new()), standard_command_pools: Mutex::new(Default::default()), features: Features { // Always enabled ; see above robust_buffer_access: true, ..requested_features.clone() }, extensions: (&extensions).into(), active_queue_families, allocation_count: Mutex::new(0), fence_pool: Mutex::new(Vec::new()), semaphore_pool: Mutex::new(Vec::new()), event_pool: Mutex::new(Vec::new()), }); // Iterator for the produced queues. let output_queues = QueuesIter { next_queue: 0, device: device.clone(), families_and_ids: output_queues, }; Ok((device, output_queues)) } /// Grants access to the pointers to the Vulkan functions of the device. #[inline] pub(crate) fn pointers(&self) -> &vk::DevicePointers { &self.vk } /// Waits until all work on this device has finished. You should never need to call /// this function, but it can be useful for debugging or benchmarking purposes. /// /// > **Note**: This is the Vulkan equivalent of OpenGL's `glFinish`. /// /// # Safety /// /// This function is not thread-safe. You must not submit anything to any of the queue /// of the device (either explicitly or implicitly, for example with a future's destructor) /// while this function is waiting. /// pub unsafe fn wait(&self) -> Result<(), OomError> { check_errors(self.vk.DeviceWaitIdle(self.device))?; Ok(()) } /// Returns the instance used to create this device. #[inline] pub fn instance(&self) -> &Arc<Instance> { &self.instance } /// Returns the physical device that was used to create this device. #[inline] pub fn physical_device(&self) -> PhysicalDevice { PhysicalDevice::from_index(&self.instance, self.physical_device).unwrap() } /// Returns an iterator to the list of queues families that this device uses. /// /// > **Note**: Will return `-> impl ExactSizeIterator<Item = QueueFamily>` in the future. // TODO: ^ #[inline] pub fn active_queue_families<'a>(&'a self) -> Box<dyn ExactSizeIterator<Item = QueueFamily<'a>> + 'a> { let physical_device = self.physical_device(); Box::new(self.active_queue_families .iter() .map(move |&id| physical_device.queue_family_by_id(id).unwrap())) } /// Returns the features that are enabled in the device. #[inline] pub fn enabled_features(&self) -> &Features { &self.features } /// Returns the list of extensions that have been loaded. #[inline] pub fn loaded_extensions(&self) -> &DeviceExtensions { &self.extensions } /// Returns the standard memory pool used by default if you don't provide any other pool. pub fn standard_pool(me: &Arc<Self>) -> Arc<StdMemoryPool> { let mut pool = me.standard_pool.lock().unwrap(); if let Some(p) = pool.upgrade() { return p; } // The weak pointer is empty, so we create the pool. let new_pool = StdMemoryPool::new(me.clone()); *pool = Arc::downgrade(&new_pool); new_pool } /// Returns the standard descriptor pool used by default if you don't provide any other pool. pub fn standard_descriptor_pool(me: &Arc<Self>) -> Arc<StdDescriptorPool> { let mut pool = me.standard_descriptor_pool.lock().unwrap(); if let Some(p) = pool.upgrade() { return p; } // The weak pointer is empty, so we create the pool. let new_pool = Arc::new(StdDescriptorPool::new(me.clone())); *pool = Arc::downgrade(&new_pool); new_pool } /// Returns the standard command buffer pool used by default if you don't provide any other /// pool. /// /// # Panic /// /// - Panics if the device and the queue family don't belong to the same physical device. /// pub fn standard_command_pool(me: &Arc<Self>, queue: QueueFamily) -> Arc<StandardCommandPool> { let mut standard_command_pools = me.standard_command_pools.lock().unwrap(); match standard_command_pools.entry(queue.id()) { Entry::Occupied(mut entry) => { if let Some(pool) = entry.get().upgrade() { return pool; } let new_pool = Arc::new(StandardCommandPool::new(me.clone(), queue)); *entry.get_mut() = Arc::downgrade(&new_pool); new_pool }, Entry::Vacant(entry) => { let new_pool = Arc::new(StandardCommandPool::new(me.clone(), queue)); entry.insert(Arc::downgrade(&new_pool)); new_pool }, } } /// Used to track the number of allocations on this device. /// /// To ensure valid usage of the Vulkan API, we cannot call `vkAllocateMemory` when /// `maxMemoryAllocationCount` has been exceeded. See the Vulkan specs: /// https://www.khronos.org/registry/vulkan/specs/1.0/html/vkspec.html#vkAllocateMemory /// /// Warning: You should never modify this value, except in `device_memory` module pub(crate) fn allocation_count(&self) -> &Mutex<u32> { &self.allocation_count } pub(crate) fn fence_pool(&self) -> &Mutex<Vec<vk::Fence>> { &self.fence_pool } pub(crate) fn semaphore_pool(&self) -> &Mutex<Vec<vk::Semaphore>> { &self.semaphore_pool } pub(crate) fn event_pool(&self) -> &Mutex<Vec<vk::Event>> { &self.event_pool } /// Assigns a human-readable name to `object` for debugging purposes. /// /// # Panics /// * If the `VK_EXT_debug_marker` device extension is not loaded. /// * If `object` is not owned by this device. pub fn set_object_name<T: VulkanObject + DeviceOwned>(&self, object: &T, name: &CStr) -> Result<(), OomError> { assert!(object.device().internal_object() == self.internal_object()); unsafe { self.set_object_name_raw(T::TYPE, object.internal_object().value(), name) } } /// Assigns a human-readable name to `object` for debugging purposes. /// /// # Panics /// * If the `VK_EXT_debug_marker` device extension is not loaded. /// /// # Safety /// `object` must be a Vulkan handle owned by this device, and its type must be accurately described by `ty`. pub unsafe fn set_object_name_raw(&self, ty: vk::DebugReportObjectTypeEXT, object: u64, name: &CStr) -> Result<(), OomError> { let info = vk::DebugMarkerObjectNameInfoEXT { sType: vk::STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT, pNext: ptr::null(), objectType: ty, object: object, name: name.as_ptr(), }; check_errors(self.vk.DebugMarkerSetObjectNameEXT(self.device, &info))?; Ok(()) } } impl fmt::Debug for Device { #[inline] fn fmt(&self, fmt: &mut fmt::Formatter) -> Result<(), fmt::Error> { write!(fmt, "<Vulkan device {:?}>", self.device) } } unsafe impl VulkanObject for Device { type Object = vk::Device; const TYPE: vk::DebugReportObjectTypeEXT = vk::DEBUG_REPORT_OBJECT_TYPE_DEVICE_EXT; #[inline] fn internal_object(&self) -> vk::Device { self.device } } impl Drop for Device { #[inline] fn drop(&mut self) { unsafe { for &raw_fence in self.fence_pool.lock().unwrap().iter() { self.vk.DestroyFence(self.device, raw_fence, ptr::null()); } for &raw_sem in self.semaphore_pool.lock().unwrap().iter() { self.vk.DestroySemaphore(self.device, raw_sem, ptr::null()); } for &raw_event in self.event_pool.lock().unwrap().iter() { self.vk.DestroyEvent(self.device, raw_event, ptr::null()); } self.vk.DestroyDevice(self.device, ptr::null()); } } } /// Implemented on objects that belong to a Vulkan device. /// /// # Safety /// /// - `device()` must return the correct device. /// pub unsafe trait DeviceOwned { /// Returns the device that owns `Self`. fn device(&self) -> &Arc<Device>; } unsafe impl<T> DeviceOwned for T where T: Deref, T::Target: DeviceOwned { #[inline] fn device(&self) -> &Arc<Device> { (**self).device() } } /// Iterator that returns the queues produced when creating a device. pub struct QueuesIter { next_queue: usize, device: Arc<Device>, families_and_ids: SmallVec<[(u32, u32); 8]>, } unsafe impl DeviceOwned for QueuesIter { fn device(&self) -> &Arc<Device> { &self.device } } impl Iterator for QueuesIter { type Item = Arc<Queue>; fn next(&mut self) -> Option<Arc<Queue>> { unsafe { let &(family, id) = match self.families_and_ids.get(self.next_queue) { Some(a) => a, None => return None, }; self.next_queue += 1; let mut output = MaybeUninit::uninit(); self.device .vk .GetDeviceQueue(self.device.device, family, id, output.as_mut_ptr()); Some(Arc::new(Queue { queue: Mutex::new(output.assume_init()), device: self.device.clone(), family: family, id: id, })) } } #[inline] fn size_hint(&self) -> (usize, Option<usize>) { let len = self.families_and_ids.len().saturating_sub(self.next_queue); (len, Some(len)) } } impl ExactSizeIterator for QueuesIter { } /// Error that can be returned when creating a device. #[derive(Copy, Clone, Debug, PartialEq, Eq)] pub enum DeviceCreationError { /// Failed to create the device for an implementation-specific reason. InitializationFailed, /// You have reached the limit to the number of devices that can be created from the same /// physical device. TooManyObjects, /// Failed to connect to the device. DeviceLost, /// Some of the requested features are unsupported by the physical device. FeatureNotPresent, /// Some of the requested device extensions are not supported by the physical device. ExtensionNotPresent, /// Tried to create too many queues for a given family. TooManyQueuesForFamily, /// The priority of one of the queues is out of the [0.0; 1.0] range. PriorityOutOfRange, /// There is no memory available on the host (ie. the CPU, RAM, etc.). OutOfHostMemory, /// There is no memory available on the device (ie. video memory). OutOfDeviceMemory, } impl error::Error for DeviceCreationError { #[inline] fn description(&self) -> &str { match *self { DeviceCreationError::InitializationFailed => { "failed to create the device for an implementation-specific reason" }, DeviceCreationError::OutOfHostMemory => "no memory available on the host", DeviceCreationError::OutOfDeviceMemory => { "no memory available on the graphical device" }, DeviceCreationError::DeviceLost => { "failed to connect to the device" }, DeviceCreationError::TooManyQueuesForFamily => { "tried to create too many queues for a given family" }, DeviceCreationError::FeatureNotPresent => { "some of the requested features are unsupported by the physical device" }, DeviceCreationError::PriorityOutOfRange => { "the priority of one of the queues is out of the [0.0; 1.0] range" }, DeviceCreationError::ExtensionNotPresent => { "some of the requested device extensions are not supported by the physical device" }, DeviceCreationError::TooManyObjects => { "you have reached the limit to the number of devices that can be created from the same physical device" }, } } } impl fmt::Display for DeviceCreationError { #[inline] fn fmt(&self, fmt: &mut fmt::Formatter) -> Result<(), fmt::Error> { write!(fmt, "{}", error::Error::description(self)) } } impl From<Error> for DeviceCreationError { #[inline] fn from(err: Error) -> DeviceCreationError { match err { Error::InitializationFailed => DeviceCreationError::InitializationFailed, Error::OutOfHostMemory => DeviceCreationError::OutOfHostMemory, Error::OutOfDeviceMemory => DeviceCreationError::OutOfDeviceMemory, Error::DeviceLost => DeviceCreationError::DeviceLost, Error::ExtensionNotPresent => DeviceCreationError::ExtensionNotPresent, Error::FeatureNotPresent => DeviceCreationError::FeatureNotPresent, Error::TooManyObjects => DeviceCreationError::TooManyObjects, _ => panic!("Unexpected error value: {}", err as i32), } } } /// Represents a queue where commands can be submitted. // TODO: should use internal synchronization? #[derive(Debug)] pub struct Queue { queue: Mutex<vk::Queue>, device: Arc<Device>, family: u32, id: u32, // id within family } impl Queue { /// Returns the device this queue belongs to. #[inline] pub fn device(&self) -> &Arc<Device> { &self.device } /// Returns true if this is the same queue as another one. #[inline] pub fn is_same(&self, other: &Queue) -> bool { self.id == other.id && self.family == other.family && self.device.internal_object() == other.device.internal_object() } /// Returns the family this queue belongs to. #[inline] pub fn family(&self) -> QueueFamily { self.device .physical_device() .queue_family_by_id(self.family) .unwrap() } /// Returns the index of this queue within its family. #[inline] pub fn id_within_family(&self) -> u32 { self.id } /// Waits until all work on this queue has finished. /// /// Just like `Device::wait()`, you shouldn't have to call this function in a typical program. #[inline] pub fn wait(&self) -> Result<(), OomError> { unsafe { let vk = self.device.pointers(); let queue = self.queue.lock().unwrap(); check_errors(vk.QueueWaitIdle(*queue))?; Ok(()) } } } unsafe impl DeviceOwned for Queue { fn device(&self) -> &Arc<Device> { &self.device } } unsafe impl SynchronizedVulkanObject for Queue { type Object = vk::Queue; #[inline] fn internal_object_guard(&self) -> MutexGuard<vk::Queue> { self.queue.lock().unwrap() } } #[cfg(test)] mod tests { use device::Device; use device::DeviceCreationError; use device::DeviceExtensions; use features::Features; use instance; use std::sync::Arc; #[test] fn one_ref() { let (mut device, _) = gfx_dev_and_queue!(); assert!(Arc::get_mut(&mut device).is_some()); } #[test] fn too_many_queues() { let instance = instance!(); let physical = match instance::PhysicalDevice::enumerate(&instance).next() { Some(p) => p, None => return, }; let family = physical.queue_families().next().unwrap(); let queues = (0 .. family.queues_count() + 1).map(|_| (family, 1.0)); match Device::new(physical, &Features::none(), &DeviceExtensions::none(), queues) { Err(DeviceCreationError::TooManyQueuesForFamily) => return, // Success _ => panic!(), }; } #[test] fn unsupposed_features() { let instance = instance!(); let physical = match instance::PhysicalDevice::enumerate(&instance).next() { Some(p) => p, None => return, }; let family = physical.queue_families().next().unwrap(); let features = Features::all(); // In the unlikely situation where the device supports everything, we ignore the test. if physical.supported_features().superset_of(&features) { return; } match Device::new(physical, &features, &DeviceExtensions::none(), Some((family, 1.0))) { Err(DeviceCreationError::FeatureNotPresent) => return, // Success _ => panic!(), }; } #[test] fn priority_out_of_range() { let instance = instance!(); let physical = match instance::PhysicalDevice::enumerate(&instance).next() { Some(p) => p, None => return, }; let family = physical.queue_families().next().unwrap(); match Device::new(physical, &Features::none(), &DeviceExtensions::none(), Some((family, 1.4))) { Err(DeviceCreationError::PriorityOutOfRange) => (), // Success _ => panic!(), }; match Device::new(physical, &Features::none(), &DeviceExtensions::none(), Some((family, -0.2))) { Err(DeviceCreationError::PriorityOutOfRange) => (), // Success _ => panic!(), }; } }
/* SPDX-License-Identifier: Apache-2.0 */ /* Copyright Contributors to the ODPi Egeria project. */ package org.odpi.openmetadata.accessservices.governanceengine.rest; import com.fasterxml.jackson.annotation.JsonAutoDetect; import com.fasterxml.jackson.annotation.JsonIgnoreProperties; import com.fasterxml.jackson.annotation.JsonInclude; import java.io.Serializable; import java.util.HashMap; import java.util.Map; import java.util.Objects; import static com.fasterxml.jackson.annotation.JsonAutoDetect.Visibility.NONE; import static com.fasterxml.jackson.annotation.JsonAutoDetect.Visibility.PUBLIC_ONLY; /** * GovernanceServiceRegistrationRequestBody provides a structure for passing details of a governance service * that is to be registered with a governance engine. */ @JsonAutoDetect(getterVisibility=PUBLIC_ONLY, setterVisibility=PUBLIC_ONLY, fieldVisibility=NONE) @JsonInclude(JsonInclude.Include.NON_NULL) @JsonIgnoreProperties(ignoreUnknown=true) public class GovernanceServiceRegistrationRequestBody implements Serializable { private static final long serialVersionUID = 1L; private String governanceServiceGUID = null; private String requestType = null; private Map<String, String> requestParameters = null; /** * Default constructor */ public GovernanceServiceRegistrationRequestBody() { super(); } /** * Copy/clone constructor * * @param template object to copy */ public GovernanceServiceRegistrationRequestBody(GovernanceServiceRegistrationRequestBody template) { if (template != null) { governanceServiceGUID = template.getGovernanceServiceGUID(); requestType = template.getRequestType(); requestParameters = template.getRequestParameters(); } } /** * Return the unique identifier of the governance service. * * @return guid */ public String getGovernanceServiceGUID() { return governanceServiceGUID; } /** * Set up the unique identifier of the governance service. * * @param governanceServiceGUID guid */ public void setGovernanceServiceGUID(String governanceServiceGUID) { this.governanceServiceGUID = governanceServiceGUID; } /** * Return the new request that this governance service supports. * * @return name of the request */ public String getRequestType() { return requestType; } /** * Set up the new request that this governance service supports. * * @param requestType name of the request */ public void setRequestType(String requestType) { this.requestType = requestType; } /** * Return the list of analysis parameters that are passed the the governance service (via * the governance context). These values can be overridden on the actual governance request. * * @return map of parameter name to parameter value */ public Map<String, String> getRequestParameters() { if (requestParameters == null) { return null; } else if (requestParameters.isEmpty()) { return null; } else { return new HashMap<>(requestParameters); } } /** * Set up the list of analysis parameters that are passed the the governance service (via * the governance context). These values can be overridden on the actual governance request. * * @param requestParameters map of parameter name to parameter value */ public void setRequestParameters(Map<String, String> requestParameters) { this.requestParameters = requestParameters; } /** * JSON-style toString. * * @return list of properties and their values. */ @Override public String toString() { return "GovernanceServiceRegistrationRequestBody{" + "governanceServiceGUID='" + governanceServiceGUID + '\'' + ", requestType=" + requestType + ", requestParameters=" + requestParameters + '}'; } /** * Equals method that returns true if containing properties are the same. * * @param objectToCompare object to compare * @return boolean result of comparison */ @Override public boolean equals(Object objectToCompare) { if (this == objectToCompare) { return true; } if (objectToCompare == null || getClass() != objectToCompare.getClass()) { return false; } GovernanceServiceRegistrationRequestBody that = (GovernanceServiceRegistrationRequestBody) objectToCompare; return Objects.equals(governanceServiceGUID, that.governanceServiceGUID) && Objects.equals(requestType, that.requestType) && Objects.equals(requestParameters, that.requestParameters); } /** * Return hash code for this object * * @return int hash code */ @Override public int hashCode() { return Objects.hash(governanceServiceGUID, requestType, requestParameters); } }
// NewBigipCollector returns a collector that wraps all the collectors func NewBigipCollector(bigip *f5.Device, namespace string, partitionsList []string) (*BigipCollector, error) { vsCollector, _ := NewVSCollector(bigip, namespace, partitionsList) poolCollector, _ := NewPoolCollector(bigip, namespace, partitionsList) nodeCollector, _ := NewNodeCollector(bigip, namespace, partitionsList) ruleCollector, _ := NewRuleCollector(bigip, namespace, partitionsList) return &BigipCollector{ collectors: map[string]prometheus.Collector{ "node": nodeCollector, "pool": poolCollector, "rule": ruleCollector, "vs": vsCollector, }, totalScrapeDuration: prometheus.NewSummary( prometheus.SummaryOpts{ Namespace: namespace, Name: "total_scrape_duration", Help: "total_scrape_duration", }, ), }, nil }
def Convexline(points, snx, sny): hull = ConvexHull(points) xs = hull.points[hull.simplices[:, 1]] xt = hull.points[hull.simplices[:, 0]] sny, snx = points[:, 0].max() + 1, points[:, 1].max() + 1 tmp = np.zeros((sny, snx)) for n in range(hull.simplices.shape[0]): x0, x1, y0, y1 = xs[n, 1], xt[n, 1], xs[n, 0], xt[n, 0] nx = np.abs(x1 - x0) ny = np.abs(y1 - y0) if ny > nx: xa, xb, ya, yb = y0, y1, x0, x1 else: xa, xb, ya, yb = x0, x1, y0, y1 if xa > xb: xb, xa, yb, ya = xa, xb, ya, yb indx = np.arange(xa, xb, dtype=int) N = len(indx) indy = np.array(ya + (indx - xa) * (yb - ya) / N, dtype=int) if ny > nx: tmpx, tmpy = indx, indy indy, indx = tmpx, tmpy tmp[indy, indx] = 1 radius = 1 dxy = 2 * radius x = np.linspace(-dxy, dxy, 1 + (dxy) * 2) y = np.linspace(-dxy, dxy, 1 + (dxy) * 2) xv, yv = np.meshgrid(x, y) r = np.sqrt(xv ** 2 + yv ** 2) mask = np.abs(r) <= radius conv_lab = fftconvolve(tmp, mask, mode='same') > 1e-9 lab_out = conv_lab.copy() for n in range(conv_lab.shape[0]): ind = np.where(conv_lab[n, :] == 1)[0] lab_out[n, ind[0] : ind[-1]] = 1 return lab_out
Effect of Ethanol-Blended Gasoline on the Concentration of Polycyclic Aromatic Hydrocarbons and Particulate Matter in Exhaust Gas of Motorcycle This study focuses on the characteristics of polycyclic aromatic hydrocarbons (PAHs) and fine particulate matter (PM) in six four-stroke motorcycle exhaust emissions. Blend gasoline contains 85% (vol) ethanol (Gasohol E85) and 10% (vol) ethanol (gasohol 91) was used as test fuels. The test motorcycle was driven on a Chassis dynamometer to evaluate the effect of ethanol-gasoline blend on gaseous pollutant emissions. The dynamometer system comprised a cooling fan, a dynamometer, a dilution tunnel, a constant-volume sampler (CVS) unit, a gas analyzer and a personal computer. The exhaust from the test motorcycle was passed to the dilution tunnel. The emissions of PAHs and criteria air pollutants (THC, CO, and NOx) were measured. Measurements were performed on a standard driving cycle. The results show that in comparison to gasohol 91 fuels, the use Gasohol E85 fuels achieved reduction of THC and CO emissions. The emission of THC from gasohol E85 reduced by 4-60% (average 43%) compared with those of gasohol 91 fuels. CO emissions also showed a reduction by 40-95% (average 75%). The concentrations of naphthalene, Benzo(a)anthracene, Chrysene, Benzo(b)fluoranthene, and Benzo(g, h, i)perylene were also determined.
<gh_stars>0 import { Coordinate } from './Coordinate'; import { Ship } from './ships/Ship'; import { StatusImage } from './StatusImage'; enum StatusMessage { SEA = 'Sea', SEA_SHOT = 'Sea shot', SHIP_KILLED = 'Ship killed', SHIP = 'Ship' } export class Field { id: string; coordinate: Coordinate; ship: Ship; isShot: boolean; statusMessage: StatusMessage; statusImage: StatusImage; constructor(xCoord: number, yCoord: number) { this.id = 'field_' + xCoord + '_' + yCoord; this.coordinate = new Coordinate(xCoord, yCoord); this.ship = null; this.isShot = false; this.statusImage = null; this.statusMessage = null; } setShip(ship: Ship) { this.ship = ship; this.statusImage = StatusImage.SHIP; this.statusMessage = StatusMessage.SHIP; } reset() { this.isShot = false; if (this.ship != null) { this.statusImage = StatusImage.SHIP; this.statusMessage = StatusMessage.SHIP; } else { this.statusImage = null; this.statusMessage = null; } } }
My friend Jeremy Toeman says that it’s imperative that Microsoft come up with a great version of Office that uses Windows 8’s new Metro interface. He’s right, of course–without one, there’s little reason for any business to consider an upgrade, and a really good one could be a major selling point. And I’ll eat a Windows 8 tablet if Microsoft doesn’t have a pretty ambitious one ready by the time Windows 8 PCs go on sale.
package com.luispintodesa.bartender.models.forms; import com.luispintodesa.bartender.models.Ingredient; import com.luispintodesa.bartender.models.IngredientInList; import javax.validation.constraints.NotNull; import java.util.List; public class MyBarForm { @NotNull private String ingredientName; public boolean checkIngredient(List<Ingredient> list) { for (Ingredient i : list) { if (i.getName().equalsIgnoreCase(ingredientName)) { return true; } } return false; } public boolean checkIngredientInList(List<IngredientInList> list) { for (IngredientInList i : list) { if (i.getName() != null && i.getName().equalsIgnoreCase(ingredientName)) { return true; } } return false; } public String getIngredientName() { return ingredientName; } public void setIngredientName(String ingredientName) { this.ingredientName = ingredientName; } }
<reponame>NightmareQAQ/python-notes def process_item(item_new): item_new += 1 result_new = item_new * item_new return result_new if __name__ == "__main__": ''' common write method ''' results = [] item_list = [0, 1, 2, 3, 4] for item in item_list: item += 1 result = item * item results.append(result) print('results', results) ''' better write method 1 ''' results = [process_item(item) for item in item_list] print('results', results)
Visible-to-ultraviolet (<340 nm) photon upconversion by triplet-triplet annihilation in solvents In this article, visible-to-ultraviolet photon upconversion (UV-UC) by triplet-triplet annihilation in the emission range shorter than 340 nm, which is previously unexplored, is presented and the relevant physicochemical characteristics are elucidated. Investigations were carried out in several deaerated solvents using acridone and naphthalene derivatives as a sensitizer and emitter, respectively. Both upconversion quantum efficiency and sample photostability under continuous photoirradiation strongly depended on the solvent. The former dependence is governed by the solvent polarity, which affects the triplet energy level matching between the sensitizer and emitter because of the solvatochromism of the sensitizer. To elucidate the latter, first we investigated the photodegradation of samples without the emitter, which revealed that the sensitizer degradation rate is correlated with the difference between the frontier orbital energy levels of the sensitizer and solvent. Inclusion of the emitter effectively suppressed the degradation of the sensitizer, which is ascribed to fast quenching of the triplet sensitizer by the emitter and justifies the use of ketonic sensitizers for UV-UC in solvents. A theoretical model was developed to acquire insight into the observed temporal decays of the upconverted emission intensity under continuous photoirradiation. The theoretical curves generated by this model fitted the experimental decay curves well, which allowed the reaction rate between the emitter and solvent to be obtained. This rate was also correlated with difference between the frontier orbital energy levels of the emitter and solvent. Finally, based on the acquired findings, general design guidelines for developing UV-UC samples were proposed. Abstract In this article, visible-to-ultraviolet photon upconversion (UV-UC) by triplet-triplet annihilation in the emission range shorter than 340 nm, which is previously unexplored, is presented and the relevant physicochemical characteristics are elucidated. Investigations were carried out in several deaerated solvents using acridone and naphthalene derivatives as a sensitizer and emitter, respectively. Both upconversion quantum efficiency and sample photostability under continuous photoirradiation strongly depended on the solvent. The former dependence is governed by the solvent polarity, which affects the triplet energy level matching between the sensitizer and emitter because of the solvatochromism of the sensitizer. To elucidate the latter, first we investigated the photodegradation of samples without the emitter, which revealed that the sensitizer degradation rate is correlated with the difference between the frontier orbital energy levels of the sensitizer and solvent. Inclusion of the emitter effectively suppressed the degradation of the sensitizer, which is ascribed to fast quenching of the triplet sensitizer by the emitter and justifies the use of ketonic sensitizers for UV-UC in solvents. A theoretical model was developed to acquire insight into the observed temporal decays of the upconverted emission intensity under continuous photoirradiation. The theoretical curves generated by this model fitted the experimental decay curves well, which allowed the reaction rate between the emitter and solvent to be obtained. This rate was also correlated with difference between the frontier orbital energy levels of the emitter and solvent. Finally, based on the acquired findings, general design guidelines for developing UV-UC samples were proposed. Introduction Photon upconversion (UC) is a technology to convert presently wasted sub-bandgap photons into those with higher energies (i.e., light of shorter wavelength), which are useful in many fields including photovoltaics and photocatalysis. To date, UC using triplet-triplet annihilation (TTA) between organic molecules has been widely explored because of its applicability to low-intensity and non-coherent light. 15 Most of the previous studies focused on visible-to-visible UC. 140 If TTA-UC technology can be reliably extended to the ultraviolet (UV) region (<400 nm), it will become suitable for a broader range of applications, such as for hydrogen generation by water splitting using anatase titanium dioxide (a-TiO2), which has a band gap of 3.2 eV (gap ~385 nm). 41 Since the pioneering studies by Castellano and co-workers 42,43 and Merkel and Dinnocenzo, 44 there have been multiple reports 4552 exploring UC of visible light to UV light (UV-UC). Here, the principle of TTA-UC is briefly described (Fig. 1a). First, a sensitizer molecule absorbs a lowenergy photon (visible photon in this context) and transforms to the excited singlet (S1) state, which immediately converts to the triplet (T1) state with a certain quantum yield through intersystem crossing. If the energy of the T1 state of the emitter is similar to or lower than that of the sensitizer, the T1 energy of the sensitizer can be transferred to the emitter (triplet energy transfer; TET), creating a T1 emitter (Fig. 1b). When two T1 emitters interact and undergo TTA, an S1 emitter can be generated from which an upconverted photon (UV photon in this context) is emitted as delayed fluorescence. Most previous UV-UC studies were carried out using pyrene or a derivative, whose UC emission maxima range between ca. 375 and 425 nm, 42,45,50 or 2,5-diphenyloxazole (PPO), whose UC emission maxima range between 350 and 400 nm, 43,44,46,48,49,51 as the emitter. For PPO, 2,3-butanedione (biacetyl) has often been used as the sensitizer. 43,46,49 As far as we surveyed, except for our previous technical documents 53 on which this study is based, the shortest emission peak wavelength reported for UV-UC by TTA is 343344 nm using terphenyl as the emitter. 47,50 Therefore, UV-UC with emission maxima shorter than 340 nm has not been well explored thus far. Shortening emission wavelengths further is meaningful for the following reasons. First, although gap of a-TiO2 is ca. 385 nm, which was determined by tangentially extrapolating its absorbance or reflectance spectrum to the horizontal axis, 54 a general characteristic of semiconductors is that their absorption coefficient is low near gap. 55 For example, sufficient absorption is attained only below ca. 350 nm in the case of a-TiO2 nanoparticles. 54,56 Second, the quantum efficiency of water-splitting photocatalysts increases with the energy of incident photons. 57 This present article investigates UV-UC with emission maxima shorter than 340 nm and elucidates the relevant physicochemical characteristics. However, we have noticed that such UV-UC, whether the samples used in this article or other samples such as those made using biacetyl and/or PPO, is accompanied by non-trivial or sometimes remarkable photodegradation, although such characteristics were not explicitly presented and discussed previously. Only recently, Lee et al. 50 showed fast photodegradation caused by continuous photoirradiation at 455 nm in deaerated tetrahydrofuran (THF) when PPO and terphenyl were used as emitters. They showed that, among the emitters tested, only pyrene exhibited satisfactory photostability in deaerated THF. 50 Previously, we reported visible-to-visible UC in systems using an ionic liquid as the solvent. 16,2123,28 These samples, when properly sealed, exhibited excellent photostability and their lifetime exceeded several years (Fig. S1, ESI ). However, when the same ionic liquid was combined with the sensitizer and emitter used in the present study for UV-UC (Fig. 1c), such photostability was not observed (Fig. S1, ESI and also below). We also found that the combination of biacetyl and PPO in deaerated dimethylformamide (DMF), which were used previously, 46,49 showed poor stability under continuous photoirradiation (Fig. S2, ESI ). Based on these observations, we consider that UV-UC at wavelengths shorter than ca. 370 nm tends to suffer from low photostability, presumably because the use of high-energy triplet states may induce photochemical reactions, such as hydrogen abstraction from the solvent. This is an unaddressed issue that should be investigated before UV-UC technology is used in applications. Therefore, it is important to obtain understanding of the governing factors and/or mechanism of such photodegradation in UV-UC. In this study, based on our previous technological findings regarding UV-UC, 53 we develop UV-UC samples that exhibit photoemission peaks in the 320340 nm range. We find that both the UC quantum efficiency (UC) and photostability of these samples depend on the solvent. To understand this phenomenon, we conduct a systematic investigation by performing both experiments and theoretical analysis. The aim of this article is to elucidate the factors governing such solvent dependence and obtain general guidelines for designing UV-UC systems with high UC efficiency and photostability. Experimental We used 10-butyl-2-chloro-9(10H)-acridinone and 2,6-di-tert-butylnaphthalene as the sensitizer and emitter, respectively (Fig. 1c). Both 1 and 2 (purity: >98%) were purchased from TCI; 1 was recrystallized before use and 2 was used as received. We chose 1, in which the photoexcitation is the n* transition, because the small overlap between the n and * orbitals around its carbonyl group leads to a small S1T1 energy gap and the n,* state has a high quantum yield of S1-to-T1 intersystem crossing (T,sen), 58 both of which are desirable for sensitizers for TTA-UC. After testing several acridones, we found that 1 was preferable over the other candidates because of its visible absorption in the 400425 nm range (Fig. S3, ESI ) and ability to undergo TET with naphthalenes. We chose 2 because of its relatively high fluorescence quantum yield and suitable fluorescence spectrum for the purpose of this study. Samples were prepared using the solvents listed in Table 1. Details of the solvents are given in Table S1 in the ESI. We included D-limonene because it has been reported to prevent degradation of solutes in visible-to-visible UC by functioning as a strong antioxidant that quickly scavenges residual oxygen. 59 Additionally, in the former half of this study, we included the ionic liquid as a reference solvent because it enables highly stable red-to-blue UC 16 of the capillary was immediately closed with a low-melting-point solder as previously described. 16,2123 The seals were checked by placing the capillary under vacuum for a long period (hours or days); an effective seal was confirmed by the sample volume remaining constant. This sealing method works for at least several years (e.g., the sample in Fig In reference experiments, photodegradation was controllably induced in a sample using a setup where the excitation laser beam was expanded to irradiate almost the entire volume of a sample liquid (ca. 2 mL) in a hermetically sealed glass vial from below (see Fig. S4 in the ESI for details). In these experiments, the photoirradiation was continued until each molecule of 1 in the sample turned to the T1 state 85 times on average. The duration of photoirradiation was set by assuming that the initial absorbance of 1 at 405 nm did not change during the course of the irradiation. All photoemission spectra in this report were corrected by the wavelength-dependent sensitivities of the grating in a monochromator and CCD array detector as described in our previous reports. 16,2123 All quantum-chemical simulations were carried out using Gaussian 16 ® at the B3LYP/6-31G++(d,p) level. Results and discussion The fluorescence and absorption spectra of sensitizer 1 exhibited large solvatochromic shifts whereas those of emitter 2 did not (see Fig. 2a for the fluorescence spectra and Fig. S3 in the ESI for the optical absorption spectra). This behavior is ascribed to the large (negligible) permanent dipole moment of 1 (Fig. S5, ESI ). Figure 2b shows photoemission spectra of samples prepared using hexane, ethyl acetate, and toluene upon excitation at 405 nm. The UC emission spectra were structured with the emission maximum at 322 nm and other peaks in the range of 320340 nm, which are at shorter wavelengths than the spectra of previous UV-UC systems. 4252 The photoemission spectra also contained peaks originating from fluorescence from the S1 state of 1 in the 400500 nm range. The intensity of this fluorescence relative to that of the UC emission varied considerably between samples, which is partially attributed to the difference of F,sen in these solvents (F,sen = 0.006, 0.274, and 0.191 in hexane, ethyl acetate, and toluene, respectively; cf. Table 1). The dependence of UC of the samples with hexane and ethyl acetate on excitation intensity was determined (Fig. 2c). For UC in this article, we customarily describe efficiency in percent and thus the maximum is 100%, which is twice the maximum UC quantum yield of 0.5. The emission intensity between 310 and 380 nm was used to calculate UC; i.e., the emission between 380 and 405 nm was not used to exclude the tail of the fluorescence and thermally induced UC emission. The procedure used to determine UC is described in Section 7 of the ESI. As shown in Fig. 2c, the samples with hexane and ethyl acetate attained high UC of 8.2% and 4.9%, respectively, at an excitation intensity of ca. 1.75 W/cm 2. The data points in Fig. 2c were acquired while first increasing the excitation intensity and then while decreasing the excitation intensity to confirm the reproducibility of the UC values. Although UC measured while decreasing the excitation intensity were slightly lower than those obtained with increasing excitation intensity for both samples, the differences were smaller than the related error bars and thus UC values were considered reproducible. We found that UC and photostability strongly depended on the solvent. To systematically compare UC and the rates of photoinduced changes of the samples prepared using different solvents, in the following experiments we set the laser power irradiated onto the sample sealed in a glass capillary (see the Experimental section for details) such that the irradiation generated the UC is correlated with the solvent polarity and decreases as the polarity increases. As mentioned above, 1 has a large dipole moment (Fig. S5, ESI ) and thus exhibits a large bathochromic shift as the solvent polarity increases, whereas 2 does not (Fig. 2a). Therefore, as the solvent polarity increases, the T1 level of 1 is considered to be lowered relative to that of 2, making TET thermodynamically unfavorable (i.e., Case B in Fig. 1b). The solvent dependence of UC of our samples is mainly attributed to this mechanism. In addition, the solvent dependences of T,sen and F,emi (Table 1) should also affect UC. The stability of the samples under continuous photoirradiation strongly depended on the solvent ( Fig. 2e). For example, UC emission in toluene decayed rapidly whereas that in hexane lasted much longer; the reason for this behavior is investigated below. It is noted that no UC emission was observed when D-limonene and methanol were used (Table 1). While the lack of UC emission in methanol can be explained by the above discussion regarding Fig. 2d, the reason for the absence of UC emission in D-limonene is unclear. It may be caused by the high reactivity of D-limonene, which has a reactive unsaturated C=C bond, with high-energy triplet states of 1 and 2. Here, we note the following three points. First, although the use of solvents with different certified purities resulted in a minor but recognizable effect on the intensity of UC emission, this difference did not alter the qualitative profile of the temporal UC emission intensity change ( Fig. S6, ESI ). Second, the temporal decays of the UC emission intensity observed in Fig. 2e were not considered to be governed by residual oxygen in the solvents, which was the case in previous visible-to-visible UC studies. 6266 This is partly because the use of D-limonene, which scavenged residual oxygen efficiently and helped to attain stable visible-to-visible UC, 59 completely suppressed the UC emission in the present study. That the UC emission decays observed in Fig. 2e were not caused by residual oxygen was also supported by the thorough FPT treatment and tightly sealed samples used here. Third, the decay rate of the UC emission in hexane in the present study is much slower than that of a previously reported biacetyl/PPO/DMF system 46,49 when compared using the similar triplet generation rate on 1 (Fig. S2, ESI ). In the following investigations, we excluded the sample with methanol because it did not realize UC and the sample with because its UC efficiency was low and the photochemical reaction with a molten salt is complex. To understand the solvent-dependent photostability of our samples, first, we investigated samples containing only 1. When each sample in a glass capillary was excited at a triplet generation rate of 1.910 3 M/s, the decay rate of the fluorescence intensity of 1 depended on the type of solvent ( Fig. 3a and Fig. S7 in the ESI for the fluorescence intensities and spectra, respectively). We confirmed that the photoirradiation induced a decrease of the absorbance of 1 (Fig. 3b and Fig. Here we use the frontier orbital theory to discuss the observed photoinduced degradation of 1 in the solvents. Generally, excited states of ketones such as the T1 state of 1 have n,* electronic configuration where n and * are singly occupied molecular orbitals (SOMOs) and can serve as electron-accepting and -donating orbitals, respectively. 58 Generally, such SOMOs interact with the highest occupied molecular orbital (HOMO) and lowest unoccupied molecular orbital (LUMO) of an adjacent molecule and create new orbitals into which electrons from both molecules are partially or fully transferred; such a charge transfer generally allows energetic stabilization and may lead to formation of an excited-state complex. 58 For the n,* state of ketones, such intermolecular interaction with a ground-state molecule such as a solvent molecule may cause hydrogen abstraction from the latter because of the half-filled orbital on the oxygen atom of the ketone. Hydrogen abstraction by ketones has been widely studied. 6769 Two factors are known to govern this intermolecular reaction: (i) the energetic proximity of the frontier orbitals of the two interacting molecules and (ii) the constructive spatial overlap of these orbitals. 58 To study factor (i), we calculated the HOMO and LUMO levels of 1, 2, and the solvents, as depicted in Fig. 3c. In this figure, SOMO levels of the T1 states of 1 and 2 are also shown. From the relation between ksen,degr and the energetic separations of the HOMOs and LUMOs between 1 and the solvents (denoted as |HOMO| and |LUMO|, respectively), we found a clear correlation of ksen,degr with |HOMO|, whereas no obvious correlation was found between ksen,degr and |LUMO| (Fig. 3d). The same tendency was also observed when the difference between the ionization energies of 1 and the solvents (which physically corresponds to |HOMO|) and that between their electron affinities (which corresponds to |LUMO|) were plotted (Fig. S9, ESI ). These results reveal that the electron transfer from the solvent to 1 is the rate-limiting step of this photodegradation, which can be interpreted as an electron transfer-initiated hydrogen abstraction process. 69,70 We also estimated the quantum efficiency of the degradation of the T1 state of 1 in each solvent (sen,rxn) from the decease of the absorbance of 1 induced by the controlled photoirradiation (cf. Fig. S4, ESI ). The procedure followed to calculate sen,rxn is described in Section 13 of the ESI. Although the scatter of the data points is larger than that in the case of ksen,degr, a similar correlation with |HOMO| was also found for sen,rxn (Fig. 3e). Next, we investigated photoinduced changes of samples containing both 1 and 2. For the sample with hexane, photodegradation of 1 was suppressed by the presence of 210 3 M of 2, as recognized from the invariance of the optical absorption spectrum of 1 during photoirradiation ( Fig. 4a). This suppression is ascribed to prompt TET from 1 to 2 in hexane, which drastically shortens the lifetime of the T1 state of 1, meaning that 2 strongly suppresses the probability of 1 reacting with the solvent. A similar tendency was also found for the samples with other solvents ( Fig. S8 and S10 in the ESI ). However, for the sample with DMF, the decrease in the absorbance of 1 was not well suppressed (Fig. S10, ESI ); this could be because of inefficient TET from 1 to 2 caused by the relatively high polarity of DMF (cf. Fig. 2d and 1b). The suppressed photodegradation of 1 in hexane induced by addition of 2 was also evidenced by the invariance of the fluorescence emission intensity of 1 even after 80 min of photoirradiation (Fig. 4b); the similar tendency was also seen for the samples with other solvents (see Fig. S7 and S11 in the ESI ). Our results reveal that by adding an energy-accepting emitter at sufficient concentration (of the order of 10 3 M), preferable aspects of ketones as the sensitizer (cf. first paragraph of the Experimental section) can be harnessed for UV-UC while effectively suppressing the drawback of using triplet ketones; i.e., the relatively high reactivity of their T1 state. Considering the viscosities of the solvents employed in this study (ca. 0.30.6 mPas at room temperature), the diffusioncontrolled rate constant kdiff was estimated to be 1210 10 M 1 s 1 using the following equation 16,58 where R, T, and  are the gas constant, temperature, and solvent viscosity, respectively. From the concentration of the energy acceptor 2 (210 3 M) and assuming Case A in Fig. 1b, the lifetime of the T1 state of 1 was estimated to be only 2550 ns, which supports the results in Fig. 4a and 4b. The rate of the reaction between the T1 state of 1 and ground state of 2 was considered to be negligible, even though their ground-state HOMO levels are close (Fig. 3c), for the following reasons. First, a bimolecular reaction rate is proportional to the product of the concentrations of the two species involved. In our samples, the concentration of 2 (210 3 M) was much lower than that of the solvents (720 M). Second, the interaction time between the T1 state of 1 and ground state of 2 should be very short because such an encounter immediately causes an exothermic TET, 11 unlike the interaction between the T1 state of 1 and the solvent, which can last much longer. We have reached the point to discuss the temporal decay curves of the UC emission intensity under continuous photoirradiation in Fig. 2e. To analyze these decay curves, we developed the theoretical model described below. First, we postulate that the triplet emitter (E*) becomes a new species () by reacting with a surrounding solvent molecule (sol) at a rate of kemi,rxn . This  is assumed to quench both E* and the triplet sensitizer (S*) at the kdiff given by eqn. Therefore, Here, E and S are the ground states of the emitter and sensitizer, respectively, and * is the excited state of . In this model, E >> E* and S >> S* are assumed and the reaction between S* and solvent is neglected based on the considerations mentioned above. Photoirradiation of the sample was confirmed to shorten the triplet lifetime of 2 (T) (Section 16 of the ESI ). Furthermore, it is assumed that * converts into an inactive species (inactive) at a quantum yield of ,rxn, presumably by reacting with the solvent as follows. In addition, we consider initial impurity species in the solvent, Q, which quenches both E* and S*. Similar to the case of , we introduce the kinetic relations of We further assume that the second-order rate constant between E* molecules for the TTA process (k2) is close to kdiff (i.e., k2  kdiff), which was found to be a quantitatively good approximation. 36 Although the degradation phenomenon considered here is transient, the timescales of the abovedescribed kinetics are much shorter than those of the change of the UC emission intensity. Therefore, at each instantaneous moment during continuous photoirradiation, the quasi-steadystate approximation is considered to hold well for E*, * ≅ 0. Combining all these relations, the proposed model describing the temporal change of UC emission intensity under continuous photoirradiation is obtained as Here, kT is the first-order decay rate of E* (= T 1 ), which was determined by time-resolved photoemission measurements using light pulses (cf. Experimental section).  is the generation rate of the T1 state of the sensitizer, which was 1.910 3 M/s. Eqn In Fig. 4d, the values of kemi,rxn obtained from the fitting are plotted against |HOMO| and |LUMO|; a correlation was found only for |LUMO| and kemi,rxn. The same tendency was also observed when the difference between the ionization energies of 2 and the solvents and that between the electron affinities of 2 and the solvents were plotted (Fig. S13, ESI ). These results suggest that the process described by eqn is limited by electron transfer from 2 to the solvent; i.e., electron transfer in the opposite direction to that in the reaction between 1 and the solvent discussed above. We did not carry out further detailed investigation of the reaction mechanism because it is beyond the scope of the present study. Nevertheless, the findings acquired from our experimental and theoretical investigations revealed that the photostability of this UV-UC system is controlled by the energetic difference between the relevant frontier orbital levels of the solute (1 or 2) and solvent, and that these photodegradation reactions are rate-limited by the electron transfer between molecules. Conclusions Using sensitizer 1 and emitter 2, UV-UC to a shorter wavelength than 340 nm (maximum intensity at 322 nm) was achieved in various solvents. Both UC and the photostability of 1 under continuous photoirradiation depended on the solvent. The use of hexane yielded the highest UC of 8.2%, which is close to that of 10.2% reported for UV-UC in the 350400 nm range achieved using a nanocrystal sensitizer and PPO, 51 and also the highest photostability among the tested solvents. We found that UC was mainly governed by solvent polarity, which varied the relative T1 energylevel matching between 1 and 2 because of the solvatochromic shift imposed on 1. The solvent dependence of T,sen and F,emi should also affect UC. When the samples were prepared without 2, ksen,degr was large in most of the tested solvents and found to be correlated with |HOMO| between 1 and the solvent. This correlation indicated that the photodegradation of 1 was rate-limited by electron transfer from the solvent to 1 and likely to be an electron transfer-initiated hydrogen abstraction process. However, when the energy acceptor 2, which quenches the T1 state of 1, was added to the samples, the degradation of 1 was effectively suppressed. This finding justifies the use of a ketonic sensitizer for UV-UC as long as the emitter concentration is higher than the order of 10 3 M in non-viscous solvents. We developed a theoretical model and the curves generated by this model fitted the experimentally acquired temporal decay curves of the UC emission intensity well. This fitting provided several insights into the characteristics of the present UV-UC system. For example, the initial rapid rise of the UC emission intensity for the sample with hexane (cf. Fig. 4c) was ascribed to the presence of a trace amount of impurities (Q ~1.910 7 M). Furthermore, kemi,rxn obtained from the fitting was correlated with |LUMO|, which revealed that the photodegradation of 2 was rate-limited by electron transfer to the solvent. These findings indicate that the energetic difference between the frontier orbitals of the solute and solvent is the primary factor determining the photostability. Besides this viewpoint, the frontier orbital theory also addresses the importance of spatial overlap between two frontier orbitals involved in a reaction. Decreasing such overlap by addition of bulky groups to solutes may enhance their photostability. Overall, this experimental and theoretical study has provided several fundamental insights regarding UV-UC in solvents. As general design guidelines for sample development, one should optimize solvent polarity to maximize UC and use a combination of solvent and solute whose frontier energy levels are as far apart as possible to enhance solute photostability. These guidelines have not previously been explicitly proposed for UV-UC or visible-to-visible UC. The physicochemical insights obtained from this study will help to establish stable and efficient UV-UC systems in the future. Conflicts of interest There are no conflicts to declare. Photostability of visible-to-visible UC in an ionic liquid We have reported several examples of visible-to-visible photon upconversion (UC) by triplettriplet annihilation (TTA) using ionic liquids as the solvent. S1S4 To underpin the motivation of the present study, this supplementary section considers the photostability of such visible-to-visible UC and then the contrasting low photostability of visible-to-ultraviolet UC (UV-UC). The inset of Fig. S1b shows a photograph of the sample used here, which was prepared and sealed in a quartz tube with a 22 mm square cross section on October 30, 2012, according to the procedure described prevously. S1S4 This sample was prepared using meso- Photostability of UV-UC using biacetyl and PPO in DMF To date, several examples of UV-UC using 2,5-diphenyloxazole (PPO), which generates UV emission around 350400 nm, as the emitter have been reported. S5S10 The most representative sensitizer combined with PPO is 2,3-butanedione (biacetyl), as used in the pioneering work by Singh-Rachford and Castellano. S5 were the same as those used in Fig. 3b and 4a of the main text. After this photoirradiation, the absorbance of biacetyl had disappeared (Fig. S2a). We also measured the temporal changes of the fluorescence spectrum and intensity ( Fig. S2b and S2c, respectively) for this sample sealed in a 11-mm glass capillary exposed to an excitation power at 405 nm that induced a triplet generation rate of biacetyl of ca. 1.6510 3 M/s (i.e., slightly weaker excitation conditions than those used for Information about the solvents used in this study Information about the solvents used in this report is summarized in Table S1. The refractive index values were used to calculate UC in Section 7 of this Supplementary Information. Calculated dipole moments of the sensitizer and emitter Dipole moments of the sensitizer 1 and emitter 2 were calculated using Gaussian 16  at the B3LYP/6-31G++(d,p) level, as summarized in Table S2. The corresponding graphics are shown in Fig. S5, where the blue arrows represent dipole moment vectors. Determination of UC The upconversion quantum efficiency UC (with a defined maximum of 100%) in this article was determined using the following standard relationship. S12 2 (S1) Here, R, A, I Em, I Ex, h, and n represent the fluorescence quantum yield of a reference sample, absorbance, photoemission intensity, excitation light intensity, photon energy at the excitation wavelength, and the refractive index of the solvent, respectively. The subscripts "UC" and "R" represent an UC sample and reference, respectively. For the second term on the right-hand side, we used 110 A, which is absorptance, instead of its mathematically approximated form of A (see ref. S12 for further details). We used a toluene solution of 9,10-diphenylanthracene (concentration: 410 4 M) deaerated by FPT cycles as the reference sample, which was determined to have R of 0.940 at the excitation wavelength of 405 nm using our absolute quantum yield spectrometer (Quantaurus-QY, Hamamatsu). The values of n were taken from Table S1. The emission intensity between 310 and 380 nm was used to calculate UC; i.e., the emission between 380 and 405 nm was not used to exclude the tail of the fluorescence and thermally induced UC emission. All photoemission spectra in this report, including those used to determine UC, were corrected by the wavelength-dependent sensitivities of the grating in our monochromator and CCD array detector as reported previously. S1S4 Figure S6 compares temporal decay profiles of UC acquired from three samples prepared under the same conditions using hexane of different purity grades (cf. Table S1). The black curve is the same as that shown in Fig. 2e of the main text. The results reveal that the solvent purity affected the magnitude of UC, especially when low-purity hexane ( 95%, in green) was used, but it did not change the qualitative character of the temporal decay profile. Error bars: 10 % of ver cal axis values Figure S6. Effect of solvent purity on the decay profiles of  UC measured for three samples prepared using hexane with different purity grades (cf. Table S1). The black curve is the data presented in Fig Procedure to calculate k sen,degr Here we describe the procedure used to calculate the photodegradation rate of sensitizer 1 during irradiation with 405-nm laser light from the fluorescence intensity decay curves shown in Fig. 3a of the main text. As mentioned in the main text, these curves were acquired under the same excitation condition; that is, the triplet state of 1 was generated at a rate of ca. 1.910 3 M/s. Our aim here is to estimate the consumption rate of the sensitizer molecules under this excitation To estimate ksen,degr, we fitted the normalized experimental fluorescence intensity decay curves shown in Fig. 3a of the main text with the following double-exponential function Although the real photophysics should be described by more complex kinetic equations, as discussed in the main text, the present procedure is sufficient to obtain values of ksen,deg. As illustrated by the fitting curves in Fig. 3a of the main text, eqn (S1) fitted the experimental fluorescence decay curves well in all cases. In eqn (S1), the relation y0 + A1 + A2 = 1 holds by definition and the initial condition I = 1 corresponds to the initial sensitizer concentration of Then, we employed two reasonable assumptions that (i) the intensity of the fluorescence, which arose from the S1 state, was proportional to the concentration of intact 1 in the solution, and thus that (ii) both constants k1 and k2, although phenomenological, provide quantitative information about the consumption rate of intact 1. Based on these assumptions, the degradation rate of 1 at t = 0 (i.e., when the sensitizer concentration was 210 4 M), ksen,degr, was calculated from the relation Here, C0 is the initial sensitizer concentration of 210 4 M. Table S3 summarizes the fitting results and calculated values of ksen,degr for 1 in different solvents. Plots of k sen,degr against ionization energy and electron affinity The results in Fig. 3d of the main text were presented based on HOMO and LUMO levels. Although the representation using HOMOs and LUMOs is easy to understand intuitively, in general, the quantitative reliability of orbital energy levels is affected by the choice of the basis set and level of theory used in the calculation. (In this report, all quantum-chemical calculations were performed using Gaussian 16  at the B3LYP/6-31G++(d,p) level.) To alleviate this concern, use of the ionization energy (IE) and electron affinity (EA), which physically correspond to HOMO and LUMO energies, respectively, can enhance the quantitative reliability of analysis. This is because both IE and EA are calculated based on the total energy of the molecule considered, which means they are less affected by the choice of the basis set and calculation level than calculated HOMO and LUMO energies. Specifically, IE can be calculated by subtracting the energy of the neutral ground-state species from that of the radical cation species, and EA can be calculated by subtracting the energy of the radial anion species from that of the neutral ground-state species. Here, energies of the radial cation and radical anion were calculated using the molecular structure of the neutral ground-state species (i.e., vertical assumption). Figure S9 shows plots of ksen,degr against the difference between the IEs (left, corresponding to |HOMO|) of 1 and the solvents and that between the EAs (right, corresponding to |LUMO|) of 1 and the solvents. We observed that ksen,degr was correlated with the difference of IEs, whereas no correlation of ksen,degr with the difference of EAs was found, supporting the results in Fig. 3d of the main text. Procedure to calculate  sen,rxn The experiments in Fig. S8 above were carried out by the method described in Section 5 of this Supplementary Information. As written therein, the photoirradiation time for each experiment was chosen assuming that the absorbance of 1 at 405 nm did not change during photoirradiation. To First, we introduce the molar quantity of the intact sensitizer in the test vial of Fig. S4, denoted as z, which is a function of time t and thus z(t). The initial value z is (210 4 mol/L)(210 3 L) = 410 7 mol. We also introduce the absorbance of the sample liquid with an optical path length of 10 mm (cf. Fig. S4) at a wavelength of 405 nm, denoted as A, which is also a function of time and thus A(t). The initial value A was calculated from A405nm in Table 1 of the main text. Using these parameters, z(t) and sen,rxn were related with each other by Here, NA is the Avogadro constant, Gph is the number of photons at 405 nm incident to the sample per unit time, and T,sen is the triplet quantum yield of 1 listed in Table 1 of the main text. Furthermore, there is a relationship of where  is a proportionality constant with a unit of mol 1.  depends on the solvent and was in the range of ca. 1.6610 6 mol 1 in the present study. By substituting eqn (S4) into eqn (S3), we obtain On the right-hand side of eqn (S6), all parameters except sen,rxn are known. Thus, the parameter  in eqn (S5) is an undetermined constant that is the function of only sen,rxn. From the experimental results in Fig. S8 Effect of photoirradiation on the triplet lifetime of the emitter Here, to confirm the postulation of our theoretical model described in the main text, the photoirradiation-induced generation of quenching species is investigated. To do this, we used the experimental setup and photoirradiation conditions described in Section 5 of this Supplementary Information to controllably induce photodegradation of samples before measuring triplet lifetimes. We measured and compared the triplet lifetimes (T) of the emitter 2 in three samples prepared by different methods described below. All these samples used hexane, which is the representative solvent in this report. T was obtained by doubling the single-exponential decay time constant of the UC emission (UC) acquired with a weak pulsed excitation where TTA is not a dominant process of triplet depopulation; i.e., T  2UC. S2 The measurements were carried out using nanosecond light pulses as described in the Experimental section of the main text. The first sample was a normal (fresh) sample without prior photoirradiation, deaerated by FPT cycles and sealed in a glass capillary. The UC emission decay curve of this samples is indicated by black dots in Fig. S12 and its T was found to be 114 s. The second sample (control sample #1) was prepared by the following procedure. A solution containing only the sensitizer was deaerated by FPT cycles and then photoirradiated using the setup in Fig. S4. The fresh emitter was dissolved in the solution and then it was deaerated again by FPT cycles before being sealed in a glass capillary. The decay curve for control sample #1 is shown by blue dots in Fig. S12, exhibiting T of 12.5 s. The third sample (control sample #2) was prepared by photoirradiation of the normal deaerated sample containing both the sensitizer and emitter first, and then deaerated again by FPT cycles before being sealed into a glass capillary. The emission decay curve for control sample #2 is indicated by green dots in Fig. S12, showing T of 63.8 s. These results reveal that photoirradiation shortened T of the emitter, which supports our postulation in the proposed model that photoirradiation generates species that quench the triplet species in the sample. Calculation details of our theoretical model Here we describe in detail the method used to calculate the temporal UC emission curves, examples of which are shown in Fig. 4c of the main text, from the results of our kinetic model Figure S12. UC emission decay curves acquired for three samples prepared by different methods, which are the normal deaerated sample with fresh sensitizer and emitter (black dots), the sample prepared using the photoirradiated sensitizer solution to which fresh emitter was added and deaerated again (blue dots), and the sample first photoirradiated in the presence of both sensitizer and emitter and then deaerated again (green dots). These intensity decay curves were acquired using weak pulsed excitation at 410 nm and monitored at 335 nm. All these curves were fitted well by single-exponential decay functions, as shown by the orange lines. Determined values of  UC and  T are shown near each curve. UC Emission Intensity (Normalized) These integral equations can readily be computed by iterating numerical loops in which an infinitesimal time step t is taken in each loop to calculate the temporal evolution for t  t + t. In the actual computation, we introduced an additional variable , which is the cumulative amount of species  deactivated by the process described by eqn in the main text. Overall, the set of numerical relations used for the computation is: the main text were obtained from this fitting procedure. As mentioned in the main text, the fittings yielded Q0 of 510 4 M or lower in this study, which is equivalent to a molar fraction of 0.005% or lower. This is a trace amount and thus does not contradict the certified purities of the solvents (cf. Table S1). Plots of k emi,rxn against ionization energy and electron affinity Similar to Section 12 of this Supplementary Information, in Fig. S13 below, we plotted kemi,rxn against the difference between the IEs of 2 and the solvents (left) and that between the EAs of 2 and the solvents (right). As seen, kemi,rxn is correlated with the difference of EAs, whereas no correlation of kemi,rxn with the difference of IEs is found, supporting the results in Fig. 4d of the main text.
The Nikon Coolpix P900 boasts the longest zoom range of any camera on the market, but a lack of detail at higher ISOs holds it back. 83x zoom lens. Excellent image stabilization system. Full manual controls. Eye-level EVF. Vari-angle LCD. Quick autofocus. In-camera GPS and Wi-Fi. 1080p60 video capture. Detail suffers at moderate ISOs. No Raw support. Long recovery times after burst shooting. Large and heavy. No hot shoe. External charger not included. Nikon turned a few heads when it announced the Coolpix P900 ($599.95), a large superzoom with an unfathomable 83x lens. It can capture wide angle scenes and zoom far—very, very far—to capture distant objects. It's a great idea for a camera, and one that works fairly well, but it's not without a couple of issues. There's some pretty aggressive noise reduction going on with its 16-megapixel images, which limits the detail the lens can muster at moderate ISOs, and the camera is unresponsive during burst shooting. If you value zoom above all else, and take care to keep the ISO settings low, the P900 is a solid choice. But our favorite superzoom is still the Canon PowerShot SX60 HS. Most superzooms are big, but the P900 is exceptionally large. At 4.1 by 5.5 by 5.5 inches (HWD) and 2 pounds, it's larger and heavier than some SLRs with a kit lens attached. But a kit lens isn't going to give you the same type of reach as the P900. The closest superzoom in terms of range in this class, the 65x Canon SX60HS, is slightly smaller (3.6 by 4.5 by 5 inches), and noticeably lighter (1.4 pounds). A lot of the weight is in the lens, which is a marvel. The 1/2.3-inch image sensor, the same size used in most superzooms and entry-level compact cameras, makes it possible. In full-frame terms, the lens covers a 24mm field of view at its widest setting, and zooms all the way to 2,000mm—longer than any SLR lens currently in production. The image above shows the lens at its widest. Below is the view when zoomed all the way in; it shows a close-up of the Tappan Zee Bridge, which is barely visible on the horizon of the wide shot. At its widest angle the aperture is f/2.8, but it narrows to f/6.5 when zoomed all the way in. Despite having such a long range, it doesn't cover the widest angle in this class. The Panasonic FZ70 uses a 60x lens that covers a 20-1,200mm field of view. It can be difficult to lock onto a subject when zooming so far in. Thankfully Nikon incorporates a Framing Assist button into the P900's design. It sits on the left side of the lens barrel and holding it will zoom the lens out, while showing an outline that represents how far you were zoomed in. Releasing the button returns the lens to its previous position. There's also a zoom rocker on the barrel; it can be reprogrammed to act as a manual focus control, which is useful if you're using the P900 to shoot the night sky or lock onto other objects that can be troublesome for autofocus systems. Additional controls are located on the top and rear. There's a big pop-up flash with a mechanical release, but no hot shoe for an external flash or trigger. To the right of the flash you'll find the standard mode dial (standard PASM, scene modes, and effects modes are available), the zoom rocker and shutter release, a programmable Fn button, and a control dial. The Fn button adjusts the drive mode by default, but it can be changed to adjust a number of other settings, including the ISO, white balance, focus area, and metering pattern. The control dial adjusts the aperture or shutter speed when shooting in the respective modes, and sets the shutter speed when the camera is set to full manual operation. Rear controls include a toggle switch to change between the LCD and the EVF (there's also an eye sensor for automatic switching), a Disp button to toggle the amount of information that you see when shooting or reviewing images, and a dedicated Record button for movies. These are all across the top of the rear face, with the Record button running into a textured thumb grip. Additional buttons include Wi-Fi, playback, menu, and delete controls. There's a second control wheel on the rear—it doesn't change any settings directly in most modes, but it does adjust aperture in Manual. It's a shame that neither it nor the top control wheel can be configured for direct control of EV compensation. To adjust that you'll need to press the right direction on the wheel and then set it from an on-screen menu. Confusingly enough, turning either the top or rear wheel clockwise dials in negative EV, which is counterintuitive. The other directional presses allow you to toggle Macro shooting, set the self-timer, and adjust the flash output; the rear wheel has a center OK button that's used to confirm choices in menus. Annoyingly, the self-timer automatically turns itself off after a single shot. Images can be framed via the rear 3-inch LCD or an eye-level EVF. The LCD features a crisp 921k-dot resolution and is mounted on a hinge that swings out from the body to face up, down, or all the way forward. It can also be closed against the rear, which will protect the LCD during transport. The LCD is definitely a step up from the Panasonic FZ70, which includes some more advanced photographic features like Raw support, but cuts corners on its build quality to hit a lower price point. The built-in EVF is typical for this class in terms of size, 0.2-inch when measured diagonally. It didn't seem as crisp to me as the SX60's viewfinder, even though they are both specced at a 921k-dot resolution. But it's adequate for framing shots, and it's always easier to keep the camera steady when holding it to your eye as opposed to holding it out in front of you as you tend to do when using the rear LCD to frame up a shot. There is an eye sensor, which is a rare convenience in this class. You'll need to move up to a premium superzoom like the Panasonic FZ1000 or the Sony RX10 to get a significantly better EVF; both of those cameras have shorter zoom ratios, but use a much larger 1-inch image sensor. Both GPS and Wi-Fi are built into the P900. The GPS records your location data, and can also be used to set the camera clock. It locks on quickly, in about 20 seconds under a suburban New Jersey sky, and records locations accurately. I did notice that my clock was an hour slow when I used the GPS to set it, despite having told the camera that DST was in effect for my time zone. Wi-Fi makes it possible to copy images and videos over to an iOS or Android device using the free Nikon WMU app. It's a pretty straightforward interface. The P900 broadcasts its own network when Wi-Fi is activated, and you simply need to connect to it via your phone or tablet. NFC is also an option for pairing with compatible devices. By default there's no Wi-Fi password required, but you can set one if you desire a sense of security. You can flag images for transfer on the camera and they'll automatically copy over when the connection is made and the app is launched. Or you can simply browse the contents of the memory card via your phone's screen. There's also a remote control function built into the app, but it's very, very basic. Its shows a Live View feed with very little lag, which is a good thing. But in terms of control, you can only adjust the zoom and fire the shutter. Other remote apps support advanced features like tap-to-focus and give you access to manual shooting controls, but not here. Nikon has some work to do in this department. Nikon has addressed some of the performance issues that plague its P600, but there's still some work to be done. First, the good news. The P900 starts and captures an in-focus image in about 1.6 seconds when the lens is set to the 24mm position at startup. (You can also set it to zoom to 28mm, 35mm, 50mm, 85mm, 105mm, or 135mm when powering on). Focus speed is also solid; the P900 locks and fires in about 0.1-second at its widest angle and in 0.4-second when zoomed all the way in. If the P900 needs to hunt for focus when zoomed it can slow to 1.3-second, but that didn't happen often in lab and field testing. The P600, which is still in Nikon's lineup, requires 2 seconds to start, 0.2-second to lock focus at its widest angle, and about 1.7 seconds to do so when zoomed all the way in. It also missed focus several times during field testing; the P900 locked focus accurately with consistency. But there's still room for improvement when it comes to burst shooting. The P900 can fire off a 7-shot burst in about a second, but becomes unresponsive for about 5.3 seconds after that as images are committed to memory. Still, that's a much better result than the P600, which required 30 seconds to recover after a 7-shot burst. If you opt to shoot at its slower 2.3fps burst rate you can shoot 59 pictures before the P900 slows down, but it becomes unresponsive as those are written to memory. I had to wait 14.5 seconds to shoot another photo, and about 3.5 minutes for all 59 shots to clear the buffer to a SanDisk 95MBps memory card. I used Imatest to check the sharpness of the camera's lens. We're not able to test its full range in our test lab—it's just not possible to back far away enough from the test chart to do so. But at wider angles I was happy with the performance. At the wide end the lens scores 2,328 lines per picture height on a center-weighted sharpness test, which is better than the 1,800 lines we look for in a photo. Image quality is fairly consistent through the frame, but the edges are quite muddy (971 lines)—that's pretty typical for the wide end of cameras of this type. Zooming to the 105mm position improves the overall score (3,263 lines) and edges top 2,400 lines. There's a drop in clarity at 200mm, but the camera still scores 3,052 lines there with even performance across the frame. That's where the limits of our testing studio set in. I did some additional tests in the field, photographing birds at great distances. The practicality of getting working at a narrow aperture and using a shutter speed that I knew would net crisp results proved to be an issue here. At full zoom and ISO 110 (just above the base ISO 100 sensitivity), an image I shot of a cedar waxwing in a tree shows very little texture in the features of the bird or the bark of the tree when viewed at full resolution. When viewed at screen resolution the image looks good, but if you're looking to make large prints of wildlife, sports, or other shots that require a long zoom, you'll be a bit disappointed. The camera shows much better detail at low ISOs when not zoomed to such an extreme, so we can only surmise that the lens, as ambitious as it is, loses some fidelity when pushed to its limit. This particular shot also showed a little bit of color fringing, but I didn't see much evidence of that in my other test images. The image above is a pixel-level crop. I also used Imatest to check photos for noise, which can add unwanted grain to images and detract from detail as the ISO increases. The camera manages to keep noise under 1.5 percent through its top ISO 6400 setting, which raises a red flag when you consider its sensor size and resolution. Indeed, Nikon nets these scores via some very heavy-handed noise reduction. At ISO 100 and 200, images are crisp and show excellent detail, but at ISO 400 we see some smudging of fine lines, and it's more noticeable at ISO 800. ISO 1600 is about as far as I recommend pushing the camera, and only when you really need to, as lines are as blurred as Alan Thicke's son would have you believe at that point. You should skip using ISO 3200 and 6400 if at all possible. There's a good chance that the P900 will move to a higher ISO when its lens is zoomed, simply to ensure that you get an image that's free of motion blur. As good as its image stabilization system is—and it's quite good—you'll still want to push the shutter to 1/125-second or 1/250-second when working handheld at maximum zoom. (And you'll need to use a shorter shutter speed if you want to freeze motion of a fast-moving subject.) Raw shooting support, which is omitted here, could go a long way to make this a more versatile camera. Raw photos don't have noise reduction applied, and as we've seen in other superzooms that support the feature—including the Canon SX60, the Panasonic FZ70, and the Fujifilm S1—shooting in Raw does net crisper images when shooting at a high sensitivity. The P900 records video at up to 1080p60 quality in QuickTime format. For the most part, I found the details to be quite crisp, though there is some definite jitter to the footage when working on a tripod with image stabilization enabled. But the stabilization system does an excellent job of steadying handheld video, even at high zoom, with just a slight evidence of the jitter that's pronounced when working on a tripod. Focus is quick and silent, and the lens can zoom in or out without adding noise to the soundtrack. Overall, it's pretty solid video for a compact camera. There isn't any sort of mic input, so you'll have to live with the audio from the integrated stereo mic, but there is a micro HDMI port so you can connect the P900 to a TV to view images and video on a big screen. The P900 also has a standard micro USB port. It's used to charge the battery—you'll need to do so in-camera unless you invest in a $50 external charger. A USB cable and an AC adapter are included. The memory card slot is placed in the same bottom compartment that houses the removable battery and supports SD, SDHC, and SDXC cards. The Coolpix P900 has its strengths, but also a few weaknesses. On the plus side, its 2,000mm telephoto reach exceeds every other camera out there by a significant margin, and its autofocus system is a huge improvement when compared with the disappointing P600. In-camera Wi-Fi and GPS make it an appealing, albeit heavy, camera for travel, and the eye-level EVF is on par with others in this class. But there's a definite drop in crispness when zoomed all the way in, even when shooting at a low ISO, and there's an interval of unresponsiveness after shooting a long burst of images in continuous drive mode. I would have liked to have seen a bit more customizability in terms of control—the EV comp interface is backward in my mind, and one of the two dials should be able to control that function directly—and obviously Raw shooting support is sorely missed by this photographer. If you're in the market for a travel zoom, there's a good chance that your needs will be met by the Canon PowerShot SX60 HS, which is a better camera and maintains its Editors' Choice status. But if you want the longest zoom on the market, the P900 is it—just be prepared to carry a heavy camera around and understand that its images aren't as sharp when zoomed all the way in as they are at wider angles.
Korean Red Cross said Tuesday it sent an additional 2,144 hygiene kits for those affected by a dam collapse that occurred in late July in Laos. The relief goods are to be delivered by Korean Air to Danang, Vietnam. From there, they will be transported on land to the site of the incident by the Lao Red Cross and International Committee of the Red Cross in Laos, the Korean organization said. The kits include detergents for washing and laundry, toothpaste, toothbrushes, razors, sanitary pads, toilet paper and towels. After a hydroelectric dam in Laos collapsed on July 23, the Korean Red Cross provided the Lao Red Cross and International Committee of the Red Cross with 100 million won ($90,000) as an emergency relief fund, and delivered 866 hygiene kits to victims in Laos. The Korean Red Cross said it had also raised about 500 million won by the end of August, and will deliver the donations to support the victims and restoration work in Laos. The collapse forced some 7,000 people to flee their homes at the time. As of Tuesday, the death toll from appears to be over 30, while scores are still reported missing. With support from Samsung Electronics and Community Chest of Korea, the Korean Red Cross has reserved relief supplies to react to disasters occurring outside of Korea. To Korean Red Cross, Samsung Electronics also provides annual funding of 500 million won for rescue operations in and outside of Korea, the organization said.
The registrars’ offices at Stanford University are responsible for maintaining the academic records of all current and former students. This includes grades, concentrations, degrees and graduation honors that students receive. The School of Medicine Registrar serves students pursuing the MD degree. The University Registrar serves graduate students pursuing a PhD or MS degree. For more information, visit the program's website. For each of the non-degree training programs offered by the School of Medicine and Stanford Hospital & Clinics, a central office maintains records of registration, tracks participants' progress and certifies program completion. The Office of Postdoctoral Affairs (OPA) maintains official documentation and certifies completion of training for all of Stanford's postdoctoral scholars. The Office of Graduate Medical Education (GME) supervises post-graduate residency and fellowship programs at Stanford Hospital & Clinics. The Office of Continuing Medical Education (CME) approves activities designed for practicing physicians who are continuing their education.
#include <string.h> #include "win32tools.h" int strncasecmp(const char *s1, const char *s2, size_t n) { return _strnicmp(s1,s2,n); } int strcasecmp(const char *s1, const char *s2) { return _stricmp(s1,s2); }
def makeAnki(questionsFrame, deckName): question_notes = [] question_model = genanki.Model( 1831615823, 'CLP Question', fields = [ {'name': 'Question'}, {'name': 'Hint'}, {'name': 'Answer'}, {'name': 'Solution'}, ], templates = [ { 'name': 'Card 1', 'qfmt': '{{Tags}}<br><br>\n{{Question}}\n{{hint::Hint}}', 'afmt': '{{FrontSide}}<hr id="solution">{{Answer}}\n{{hint::Solution}}', }, ], latex_header = header) genanki.Model() question_deck = genanki.Deck( 1211025408, deckName, ) for i in range(len(questionsFrame)): if questionsFrame.loc[i]["question"] is not None: question_notes.append(genanki.Note( model = question_model, fields = [questionsFrame.loc[i]["question"], questionsFrame.loc[i]["hint"], questionsFrame.loc[i]["answer"], questionsFrame.loc[i]["solution"]], tags = [questionsFrame.loc[i]["section"]])) else: print("Error, empty question. Skipping...") for i in range(len(question_notes)): question_deck.add_note(question_notes[i]) genanki.Package(question_deck).write_to_file('clp-output.apkg')
By Chris Wright “I’m the king of the world!” Serial bus-parker Jose Mourinho’s slightly hypocritical, passive-aggressive post-match spat with serial bus-parker Sam Allardyce over the requisite aesthetics of ‘bus parking’ after West Ham held Chelsea at bay last night last night made a little red LED start flashing in our heads and we thought it’d serve as good jump-off point for a new, perhaps weekly opinion thingy we’re thinking about running on Pies. Basically, we pose a question to you, the good people of Pies, and a thoroughly enjoyable, lively debate is had by all – at least that’s the idea. In the maiden instalment of the series, we’re asking whether or not manager’s should feel obligated to play attractive football? Of course fans feel entitled to a decent spectacle given the exorbitant amounts of money they pay to attend such games, along with the innate assumption that these handsomely-paid professionals should probably be doing their utmost to not bore you into complete submission inside the first 20 minutes – all of which we find a tad self-entitled, if we’re completely honest. Looking at it from the supporter’s perspective, the age old bone of contention is always going to be that if you’re paying £40-90 for a ticket, you should be able to demand that your side at least attempt to be pro-active in some regard and not go in hoping for a 0-0 draw or accepting an insurmountable defeat before kick-off. “Stand back, this vehicle is reversing” – Jose helps back up the Chelsea bus Sadly, however, a football match is not “sports entertainment” as Sky Sports and their ilk would have you believe, but rather a legitimate, competitive sporting encounter. Fans, as central as they are to the financial structuring, marketing and atmosphere of the game, really are secondary components in the whole deal – after all, any given game would still go ahead, even if no-one turned up to watch it. The problem being, of course, that football – especially top tier and European/international football – is divvied out, packaged up and sold as a gleaming commodity for vast amounts of money so ever televised game is hyped as some kind of biblically epic gladiatorial encounter. It’s little wonder that Crystal Palace vs Stoke fails to live up to its ridiculous, bombastic billing. And that’s where the disparity lies. Most managers couldn’t care less about the hype; their focus is solely on picking up the points where possible, by any means possible. Why mither over something as subjective as ‘attractive’ football? In reality, the majority of teams are merely trying to get by, hell-bent on merely scavenging the minimum amount of points from 38 games to stay in the increasingly uncompetitive and fractious Premier League so the club can suckle on the big league’s teat again next year in order to repeat the whole, boring, Sisyphean process ad infinitum. That’s the goal, that’s the length and breadth of the ambition and, like it or not, it’s also the primary priority for the managers of Sunderland, West Ham, Swansea, Cardiff, Norwich, Villa, Fulham, Southampton, Hull, Stoke, West Brom and Crystal Palace – a full 60% of the teams in the Premier League. They know it; the fans aren’t quite so ready to accept it. If Big Sam can eke a point out of Chelsea, then he’s winning – despite Jose’s and the watching audience’s grumbling. As the man himself said, he “doesn’t give a shite” about anything other than the point on the board and if you’re paying £70 for a ticket to watch that, then more fool you. Pray tell, what be your thoughts on the matter?
// Copyright 2016 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef DEVICE_BLUETOOTH_TEST_BLUETOOTH_GATT_SERVER_TEST_H_ #define DEVICE_BLUETOOTH_TEST_BLUETOOTH_GATT_SERVER_TEST_H_ #include <cstdint> #include <vector> #include "base/memory/weak_ptr.h" #include "build/build_config.h" #include "device/bluetooth/bluetooth_local_gatt_service.h" #include "device/bluetooth/test/test_bluetooth_local_gatt_service_delegate.h" #if defined(OS_ANDROID) #include "device/bluetooth/test/bluetooth_test_android.h" #elif defined(OS_MAC) #include "device/bluetooth/test/bluetooth_test_mac.h" #elif defined(OS_WIN) #include "device/bluetooth/test/bluetooth_test_win.h" #elif defined(USE_CAST_BLUETOOTH_ADAPTER) #include "device/bluetooth/test/bluetooth_test_cast.h" #elif defined(OS_CHROMEOS) || defined(OS_LINUX) #include "device/bluetooth/test/bluetooth_test_bluez.h" #elif defined(OS_FUCHSIA) #include "device/bluetooth/test/bluetooth_test_fuchsia.h" #endif namespace device { // Base class for BlueZ GATT server unit tests. class BluetoothGattServerTest : public BluetoothTest { public: BluetoothGattServerTest(); ~BluetoothGattServerTest() override; // Start and complete boilerplate setup steps. void StartGattSetup(); void CompleteGattSetup(); // BluetoothTest overrides: void SetUp() override; void TearDown() override; // Utility methods to deal with values. static uint64_t GetInteger(const std::vector<uint8_t>& value); static std::vector<uint8_t> GetValue(uint64_t int_value); protected: base::WeakPtr<BluetoothLocalGattService> service_; std::unique_ptr<TestBluetoothLocalGattServiceDelegate> delegate_; }; } // namespace device #endif // DEVICE_BLUETOOTH_TEST_BLUETOOTH_GATT_SERVER_TEST_H_
DISPATCH: a numerical simulation framework for the exa-scale era - I. Fundamentals We introduce a high-performance simulation framework that permits the semi-independent, task-based solution of sets of partial differential equations, typically manifesting as updates to a collection of `patches' in space-time. A hybrid MPI/OpenMP execution model is adopted, where work tasks are controlled by a rank-local `dispatcher' which selects, from a set of tasks generally much larger than the number of physical cores (or hardware threads), tasks that are ready for updating. The definition of a task can vary, for example, with some solving the equations of ideal magnetohydrodynamics (MHD), others non-ideal MHD, radiative transfer, or particle motion, and yet others applying particle-in-cell (PIC) methods. Tasks do not have to be grid-based, while tasks that are, may use either Cartesian or orthogonal curvilinear meshes. Patches may be stationary or moving. Mesh refinement can be static or dynamic. A feature of decisive importance for the overall performance of the framework is that time steps are determined and applied locally; this allows potentially large reductions in the total number of updates required in cases when the signal speed varies greatly across the computational domain, and therefore a corresponding reduction in computing time. Another feature is a load balancing algorithm that operates `locally' and aims to simultaneously minimise load and communication imbalance. The framework generally relies on already existing solvers, whose performance is augmented when run under the framework, due to more efficient cache usage, vectorisation, local time-stepping, plus near-linear and, in principle, unlimited OpenMP and MPI scaling.
/** * Created by dianadevasia on 25/02/15. */ public class Book { private String bookName; private String authorName; private int yearOfPublishing; public Book(String bookName, String authorName, int yearOfPublishing) { this.bookName = bookName; this.authorName = authorName; this.yearOfPublishing = yearOfPublishing; } public String getBookName() { return bookName; } public String getAuthorName() { return authorName; } public int getYearOfPublishing() { return yearOfPublishing; } }
// countError updates the error count and returns true if the error limit has been exceeded func (f *FillTracker) countError() bool { if f.fillTrackerDeleteCyclesThreshold < 0 { log.Printf("not deleting any offers because fillTrackerDeleteCyclesThreshold is negative\n") return false } f.fillTrackerDeleteCycles++ if f.fillTrackerDeleteCycles <= f.fillTrackerDeleteCyclesThreshold { log.Printf("not deleting any offers, fillTrackerDeleteCycles (=%d) needs to exceed fillTrackerDeleteCyclesThreshold (=%d)\n", f.fillTrackerDeleteCycles, f.fillTrackerDeleteCyclesThreshold) return false } log.Printf("deleting all offers, num. continuous fill tracking cycles with errors (including this one): %d; (fillTrackerDeleteCyclesThreshold to be exceeded=%d)\n", f.fillTrackerDeleteCycles, f.fillTrackerDeleteCyclesThreshold) return true }
From classical Langerhans cell histiocytosis to Erdheim- -Chester disease: different sides of the same coin? Introduction: We analysed the clinical course of classical histiocytosis (LCH) in children, and the clinical differences, diagnostic difficulties and different therapeutic strategy in a child with a rare variant of LCH in the form of ErdheimChester disease (ECD). Material and methods: We conducted a retrospective single-center analysis of the clinical course of classic LCH in 54 children who were diagnosed with the disease over the last 40 years, and the differences shown in a patient with diagnosed ECD. The clinical response was assessed according to the LCH programs valid at the time for the classic form of LCH and in the child with ECD. Results: The multi-system form of LCH was diagnosed more often than the single-system form. The skull bones were the most common localization of LCH in both forms of the disease. Recurrence of the disease occurred in about 5% of patients, and death in one (1.9%) patient. The course of the child with ECD was more turbulent, with rapid progression, the involvement of critical organs, and no response to standard chemotherapy according to the LCH 2009 protocol. After a molecular diagnosis was specified, therapy with vemurafenib, a BRAF-V600E kinase inhibitor, followed by allogeneic hematopoietic stem cells transplantation (allo-HSCT) was applied. The basic disease has been in remission for the last 12 months. Conclusions: The lack of an expected response to LCH therapy should indicate the possibility of rare forms of histiocytic hyperplasia. Molecular tests are an important element in the diagnosis of histiocytosis, and allow the precise selection of the most appropriate, targeted therapy. BRAF-V600E kinase inhibitors are highly safe and effective in the treatment of LCH and ECD with a confirmed BRAF-V600E mutation, although allo-HSCT should be considered in selected cases. Introduction Langerhans cell histiocytosis (LCH) is a very rare disease, with a frequency of 0.1-1 new case per 100,000 children per year. Most often it is diagnosed up to the age of 6. LCH is a heterogeneous group of diseases characterized by uncontrolled growth, proliferation and differentiation of cells of the mononuclear-phagocytic system. It belongs to the family of clonal proliferative diseases, and lies on the border with neoplastic diseases. At the root of LCH are disturbances in the mitogen-activated kinase (MAPK) pathway. Their occurrence is associated with a more serious course and a higher probability of progression and recurrence. One of the rare forms of histiocytic hyperplasia in children is Erdheim-Chester disease (ECD). ECD's pathogenesis is related to the BRAF-V600 mutation. Histiocytosis can affect any organ or system, with the occurrence of permanent complications in 20-30% of patients, including death. The skeletal system (80%), skin (33%) and then the pituitary gland (25%) are most often involved. The disease is also localized in parenchymal organs: liver, spleen, hematopoietic system and lungs (15% each), lymph nodes (5-10%) and the central nervous system excluding the pituitary gland (2-4%). The clinical course varies from self-limited to rapidly progressive, leading to death. Treatment varies according to the severity of the disease. The response to first-line treatment is important prognostic information, and helps in the selection of a further therapeutic strategy, often based on genetic tests, allowing for the selection of the most effective therapy. The number of randomized clinical trials is limited in the literature, and many aspects of management of this condition remain controversial. The current diagnostic procedure in pediatric LCH has been developed by the Histiocytic Society and also based on evidence-based-medicine papers, published between 2009 and 2020. In the diagnosis of histiocytosis, a histopathological examination with immunophenotyping is decisive and differentiating. The current guidelines suggest mandatory genetic testing to detect mutations in the MAPK pathway, especially the mutation identifying BRAF. Clinical and laboratory data allows the patient to be classified as either single system or multi system, as well as to determine the involvement of critical organs. Basic tests include blood tests (hematological, biochemical, liver and kidney function, coagulation parameters and lipid profile), urine tests, and imaging tests (lung X-ray, abdominal ultrasound). Scintigraphy of the skeletal system, as well as positron emission tomography with computed tomography (PET-CT) in patients with indications for systemic treatment, is very important. Such meticulous diagnostics allows all affected organs to be identified and facilitates monitoring of the response to treatment. The study designs in LCH patients have been presented many times and are consistent in different countries, according to different working groups. LCH in the past, the mysterious histiocytosis X, still eludes exhaustive classification. The most recent classification divides disorders in the histiocytosis group into five groups (Tables I and II): LCH, ECD, indeterminate cell histiocytosis (ICH), extra-cutaneous JXG, as well as mixed forms of LCH and ECD belonging to the group L histiocytosis. Erdheim-Chester disease is a rare non-Langerhans cell histiocytosis (non-LCH), first described as a "lipid granulomatosis" by Jakob Erdheim and William Chester in 1930. So far, about 1,500 cases of ECD have been reported worldwide, but only 11 in children. The age at onset of the disease is 43-55 years, and it is more common in men. Average survival time in adults is c. 32 months. ECD is a multi-system clonal hematopoietic disease which comprises the infiltration of tissues by histiocytes taking on the characteristic appearance of foam cells. Somatic genetic mutations are responsible for clonal growth of the bone marrow, as a result of which the MAPK pathways are activated in the inflammatory environment. The most common mutation in the MAPK pathway in ECD is the BRAF-V600E mutation (60-100% of patients) [13,16,. Other mutations are PIK3CA in 11% and NRAS in 4% of patients. A strong systemic inflammatory reaction is associated with the activation of the Th1-dependent response, resulting in the production of the cytokines interferon (IFN) alpha, interleukin (IL) 1/ /IL-1 receptor antagonist IL-1-RA, IL-6, IL-12 and monocyte chemoattractant protein 1 (MCP-1). In a typical histopathological presentation, in addition to foam histiocytes, giant Tauton cells and stromal fibrosis are common. In immunohistochemistry, histiocytes show positive reactions for CD68, CD163 and factor XIIIa, negative for CD1a and langerin. Most commonly, the S100 protein is not detected. Unlike ECD, histiocytic cells in LCH have the phenotype of CD1a+, S100+ and Langerin+. Histopathological and immunohistochemical images in ECD and in juvenile xanthogranuloma (JXG) are almost the same, and therefore it is believed that ECD is a variant of JXG but without dominant skin involvement. In the course of ECD, any organ may be involved, most often the long bones (in 80-90% of patients), the retroperitoneal space within the kidneys (60%), the cardiovascular system (50%+), the central nervous system (40-50%), the lungs (15-33%), and less commonly the skin, lymph nodes, liver, and spleen [1,5,12,. The multi-organ form of ECD consists of skeletal failure, with the most common symmetrical bilateral osteosclerotic changes in the long bones around the knee joints. Bone pain occurs in 39% of patients, and is localized in the distal sections of the lower limbs. In children, the involvement of the skull, mandible, ribs and spine bones is more common. In the multi-system form, the next affected organ is the kidneys, giving the typical image of infiltrates in computed tomography, the so-called 'hairy kidney'. Cardiovascular symptoms in ECD may include a pseudo-tumor in the right atrium, changes in the coronary arteries, and pericarditis. Lung involvement is frequent, with cellular infiltration and thickening of the alveoli with pleural effusion. Swelling of the optic nerve and the presence of retrobulbar masses can cause exophthalmos and impaired motor function, as well as fibrotic changes along the optic nerve, extending up to the hypothalamus and pituitary gland, with the possibility of diabetes insipidus. Yellow tufts (xanthelasma), as well as yellow or red-brown foci, may appear on the skin. The first ECD therapies were based on chemotherapy (vinblastine, cyclophosphamide, anthracyclines), radiotherapy, steroid therapy, interferon alpha, and anti-cytokine drugs (anakinra, infliximab and tocilizumab), and showed improvement in only 50% of patients. The discovery and frequent occurrence of the BRAF-V600E mutation in ECD revolutionized the understanding of the pathogenesis of the disease and led to research focused on appropriate therapies showing high efficacy. In 2012, the BRAF and extracellular-signal regulated kinase (MEK) inhibitors, vemurafenib and cobimetinib, respectively, were introduced to the treatment of ECD, and in 2017 the US Food and Drug Administration (FDA) approved vemurafenib for the treatment of BRAF+ ECD. Anti-BRAF therapy (vemurafenib) is currently recommended at diagnosis in all BRAF+ patients, except for asymptomatic patients (Figure 1). BRAF and MEK inhibitors are believed to be effective and safe drugs in life-threatening forms of ECD. The prognosis for ECD is generally good, but there are cases where second-line treatment and hematopoietic cell transplantation are required. Due to the rarity of LCH, each initiation of therapy requires verification not only of the current literature but also of the available pharmacotherapy, in both registration and off-label modes. In the absence of clearly defined management protocols, it is also necessary to perform a retrospective evaluation of the effectiveness and safety of the applied therapy in previously treated patients. The aim of our study was to analyze the clinical course and treatment effects of classic LCH, diagnosed in children over the last 40 years at our Clinic, and to analyze the course and treatment of ECD in a 3-year-old girl with a critical analysis of the similarities and differences in both forms of histiocytic hyperplasia. Material and methods Our study consisted of two parts. Firstly, we looked at the epidemiology and treatment outcomes of LCH in children in a 40-year single center study. Medical records concerning hospitalization and outpatient treatment of patients were assessed. Due to the limited access to historical documentation, it was possible to obtain only some clinical data. Secondly, we assessed the diagnostic process in a patient with atypical symptoms and initial lack of response to treatment according to the classic LCH In the studied group of children, the multi-system form was observed more often (in 54%, see Table III). The dominant clinical manifestations of LCH in any form were bone lesions located in the bones of the skull in several patients with intracranial penetration and infiltration of the dura mater. Bone lesions also occurred in the eye socket, in the mastoid process, in the ribs, in the mandible, in the long bones, and in one patient in the vertebrae of the thoracic spine and the pubic bone. The next most frequently affected organ was the skin. In the multi-system form, changes in the skeletal system, lungs, liver, spleen, peripheral lymph nodes and pancreas were simultaneously observed. Recurrence of the disease occurred in a total of three patients (5.5%). One patient died (1.85%). The treatment was applied in accordance with the recommendations in force at the time. In recent years, the treatment was implemented according to the Langerhans Cell Histiocytosis 2009 protocol, Histiocyte Society Evaluation and Treatment Guidelines MS-LCH. In 1/54 patients with primary diagnosed multiorgan LCH, the course was atypical, with no involvement of the skeletal system, but with involvement of the critical organs: liver, spleen and bone marrow. No improvement was achieved after the treatment according to LCH 2009. Due to the disease progression, the diagnostics was extended and a molecular test was performed. The obtained results made it possible to verify the diagnosis at ECD and to implement targeted and effective therapy. Erdheim-Chester disease: analysis of diagnostic and therapeutic process A 3-years-old girl with an unburdened perinatal history, and with a family history of sarcoidosis in the father and inhaled allergy in the mother, was admitted to our department. By the age of 2.5 years, she had been diagnosed with recurrent abdominal pain and diarrhea. Primary malabsorption syndrome and inflammatory disease of the gastrointestinal tract were excluded, and allergy to cow's milk protein and rice confirmed. After introducing the diet, the child's condition improved moderately. At the age of 2.7 years, the child developed a high fever Figure 1. Schematic illustration of vemurafenib intervention in proliferation and apoptosis process; Ca 2+ -calcium ions; DAG -diacylglycerol; EGFR -endothelial growth factor receptor; GDP -guanosine diphosphate; GTP -guanosine triphosphate; GRB2 -growth factor receptorbound protein 2; G q/11 -G protein type G q/11 ; IP 3 -inositol 1,4,5-trisphosphate; MAP -mitogen-activated protein; MAPK -mitogen-activated protein kinase; PIP 2 -phosphatidylinositol 4,5-bisphosphate; PLC -phospholipase type C; PKC -protein kinase type C; RAF-1 -serine/ /threonine-specific protein kinases; RAS -small GTPase; Shc -signaling adaptor protein; Sos -guanosine nucleotide exchange factor Elbieta Grzek, Childhood histiocytosis with generalized lymphadenopathy, hepatosplenomegaly and bilinear cytopenia. Bone marrow biopsy revealed hypoplasia and suspected aplastic anemia. Skin purpura, hepatosplenomegaly, and a large, bloated abdomen were observed. The clinical presentation was dominated by severe abdominal pain and diarrhea. Laboratory tests revealed a decreased activity of amylases in blood serum, and in the CT examination, a manifestation of the pancreas typical for organ inflammation. Acute pancreatitis was treated, but there was no improvement. As part of the differential diagnosis, bacterial, viral, fungal and parasitic infections, Gaucher disease, Niemann-Pick disease, sarcoidosis, autoimmune lymphoproliferative syndrome, and phagocytosis disorders were excluded. Due to persistent bone marrow insufficiency and exocrine pancreatic insufficiency, Shwachman-Diamond syndrome was suspected, which was excluded by molecular examination. Myelodysplastic and hemophagocytic syndromes were also excluded. The presence of histiocytes with a foam-like cytoplasm, CD68+, part XIII+, CD1a-, Langerin -, in a few S-100+ cells was found. The bedding showed the loss of reticulin fibers. The image corresponded to a diagnosis of disseminated juvenile xanthogranuloma. High-resolution computed tomography of the chest (HRCT) revealed inflammatory changes and areas of 'frosted glass', as well as nodules in the lungs that may correspond to infiltrates in the course of histiocytosis. No pathological changes were found in the scintigraphy of the skeletal system. The PET-CT examination showed no signs of an active malignant proliferative process. There were also no deviations in cardiological and neurological examination. Treatment according to the LCH-2009 protocol (prednisone, vinblastine) was started, after which the progression of clinical symptoms and increasing signs of bone marrow failure were observed. Another bone marrow biopsy test revealed the presence of CD68+, CD1a-, S-100-, CD14+, CD163+ protein, moreover the BRAF-V600E mutation was found in bone marrow cells. Eventually, ECD was diagnosed. After obtaining the approval of the Therapeutic Committee for off-label therapy, anti-BRAF therapy with the drug vemurafenib at a dose of 10 mg/kg bw/day was initiated, achieving a spectacular clinical improvement. The symptoms of the gastrointestinal tract subsided, and normalization of blood cell count and biochemical parameters was observed. The parenchymal organs of the abdominal cavity decreased significantly. Normal CT image of the pancreas was observed. Anti-BRAF therapy was used for three months without any side effects. Subsequently, an allogeneic hematopoietic stem cell (allo-HSCT) transplantation was performed from a matched unrelated donor. The post-transplant course was uneventful. In the control tests performed two months after allo-HSCT, no BRAF-V600E mutation was found. The bone marrow image was rich in cells with reconstruction of all lines of the hematopoietic system. Currently, the child is in the 11th month of follow-up after allo-HSCT, in clinical and molecular ECD remission. Discussion Histiocytic hyperplasia is a rare form of cancer in children. In our Clinic, they were diagnosed in 3% of pediatric patients diagnosed with any neoplastic disease, and in c.5% of pediatric patients diagnosed with hematological neoplasms. The classic form of LCH is a disease with a good prognosis: 5-year survival in children is 90%. However, relapses are observed in as many as one third of patients. In our presented study, recurrence of LCH was reported in 5.5% of children. The course of the rare forms of histiocytic hyperplasia, including ECD, is different. The age at onset was between 1 year and 14 years. In all children, the skeletal system was affected (long bones, bones of the cranial vault, jaw, mandible, pelvic bones, ribs and spine). Infiltrations in the lungs and retroperitoneal space were noted in two patients, and in the central nervous system in three. One patient had hepatosplenomegaly. The most common involvement, of the bones, skin, cardiovascular system and central nervous system, was not confirmed in the presented child. Her clinical picture was dominated by bone marrow failure, severe abdominal pain and diarrhea with hypoalbuminemia associated with infiltrates in the pancreas and its exocrine insufficiency. The consequence of bone marrow aplasia was the necessity to use numerous blood transfusions and the treatment of life-threatening infections. The presented patient had the clinical manifestation with predominant myelo-pancreatic-pulmonary disease of Erdheim-Chester. Among the children with ECD described so far, none of them had bone marrow failure, which was the dominant symptom in our patient. The literature lacks data on the frequency of malignant bone marrow transformation in children with ECD. However, it is known from the literature that ECD is associated with an increased risk of hyperplasia of the hematopoietic system, mainly the myeloid lineage. Papo et al. reported cases of chronic myelomonocytic leukemia, myelodysplastic and myeloproliferative syndromes, and polycythemia vera in 10% of adult ECD patients. In a study by Cohen-Aubart et al., 15.8% of adult ECD patients developed myeloid neoplasm with present genetic abnormalities in the TET2, ASXL1, DNMT3A, and NRAS genes. These patients were significantly more often elderly, and the BRAF-V600E mutation was found significantly more often. In the case reports of childhood ECD, delays in diagnosis of the disease, ranging from six months to six years, are frequently underscored. It cannot be ruled out that the symptoms of the disease had appeared in our patient much earlier, as the girl had had abdominal pain and recurrent diarrhea from age 9 months. The causes of the ailments were not established in the extensive diagnostics, and dietary treatment did not bring about any significant improvement. For a year before the correct diagnosis, the girl was treated with pancreatin, with quite good results. This would suggest some initial changes in the pancreas. In the diagnosis of histiocytosis, a biopsy of the affected organ should be carried out together with the assessment of the MAPK pathway mutation. Due to the similarities between ECD, JXG and LCH, it is sometimes necessary to repeat the histopathological examination, especially when the patient does not respond to the treatment according to the LCH protocol. This was the case in the described patient, who initially received treatment with vinblastine and steroids, but, due to disease progression, another bone marrow trephine biopsy was performed with the assessment of the BRAF-V600E mutation. Confirmation of the BRAF-V600E mutation firstly differentiates ECD from JXG, and secondly allows for an effective targeted therapy. Among 11 reported children with ECD, only two were tested for the BRAF-V600E mutation, which was confirmed in one. MAPK inhibitors were not used in the therapy. The literature also lacks data on hematopoietic cell transplantation in patients with ECD. The presented patient was the first child to develop bone marrow failure in the course of ECD. Taking into account the lack of data on anti-BRAF therapy in children worldwide (duration of therapy, side effects, effectiveness) and the documented risk of bone marrow malignant transformation, it was decided to transplant the patient with allogeneic hematopoietic cells with preceding anti-BRAF therapy. This treatment led to a complete recovery. Conclusions Erdheim-Chester disease is extremely rare in children, but it should be considered in all cases of histiocytosis, especially in multi-system forms, with poor response to standard therapy. Molecular diagnostics should be sought. The described case of a child is also an example of the diagnostic difficulties in bone marrow aplasia. The clinical presentation of the patient and the cytomorphological manifestation of the bone marrow initially corresponded to aplastic anemia, but the decisive factor was the histopathological and immunohistochemical results of bone marrow trephine biopsy and confirmation of BRAF-V600E mutation in histiocytes. The heterogeneity and diversity of the clinical symptoms, and the atypical age of the patient were the reasons for the long drawn-out differential diagnosis, but with therapeutic success through the use of anti-BRAF therapy followed by the procedure of hematopoietic cells transplantation.
package test.io; import java.io.*; import java.util.concurrent.TimeUnit; import java.util.zip.ZipEntry; import java.util.zip.ZipOutputStream; public class TestZip { public static void main(String[] args) throws Exception { String desPath = "C:\\Users\\Mufasa\\Desktop\\TestZIP.rar"; zip("D:\\Project\\DUYI_EDU\\JdbcPool\\src\\dbconfig.properties", desPath); // File file = new File("D:\\Project\\DUYI_EDU\\JdbcPool\\src\\test\\"); // System.out.println(emptyChilds(file)); } public static void zip(String srcFileName, String desFileName) throws Exception { System.out.println("Start compressing……"); File desFile = new File(desFileName); File srcFile = new File(srcFileName); File compress; if (srcFile.isDirectory()) { if (emptyChilds(srcFile)) { throw new Exception("空文件夹,你压缩NM呢?"); } else { File[] files = srcFile.listFiles(); assert files != null; String generateFile = files[0].getParent(); compress = new File(generateFile); } } else { compress = srcFile; } // String generateFile = srcFile.getParent(); // if (!compress.exists()) { // compress.mkdirs(); // } String baseName = compress.getName(); try (ZipOutputStream zos = new ZipOutputStream(new FileOutputStream(desFile))) { try { boolean created = desFile.createNewFile(); } catch (IOException e) { e.printStackTrace(); } zip(zos, compress, baseName); // TimeUnit.SECONDS.sleep(3); } catch (IOException e) { e.printStackTrace(); } System.out.println("Finished"); } private static void zip(ZipOutputStream zos, File srcFile, String fileName) throws IOException { // 如果是文件夹 if (srcFile.isDirectory()) { File[] files = srcFile.listFiles(); // 打包下一级目录 if (files != null) { zos.putNextEntry(new ZipEntry(fileName + "/")); fileName = fileName.length() == 0 ? "" : fileName + "/"; for (File childFile : files) { zip(zos, childFile, fileName + childFile.getName()); } return; } } // 否则是文件 zos.putNextEntry(new ZipEntry(fileName)); BufferedInputStream bis = new BufferedInputStream(new FileInputStream(srcFile)); BufferedOutputStream bos = new BufferedOutputStream(zos); byte[] bufferArr = new byte[2048]; int readLength = bufferArr.length; for (; ; ) { if ((readLength = bis.read(bufferArr, 0, readLength)) == -1) return; // 为了防止有读入多余的输入流,write到最后会乱码 bos.write(bufferArr, 0, readLength); // 写一次推一次 bos.flush(); } // while () { // // if (temp == bufferArr.length) { // // bos.write(bufferArr); // // } else { // // 为了防止有读入多余的输入流,write到最后会乱码 // bos.write(bufferArr, 0, readLength); // // 写一次推一次 // bos.flush(); // // } // } // bos.close(); } // 所有子文件夹都为空 private static boolean emptyChilds(File file) { if (file == null) return true; File[] files = file.listFiles(); if (files == null || files.length == 0) return true; for (File child : files) { if (!child.isDirectory()) return false; emptyChilds(child); } return true; } }
Sports Draped in the American Flag: Impact of the 2014 Winter Olympic Telecast on Nationalized Attitudes A total of 525 U.S. respondents participated in a survey of nationalized attitudes surrounding four qualities (patriotism, nationalism, internationalism, and smugness) and their relationship to Olympic media consumption. Four data collection points were used: three months prior to the Sochi Games, immediately before the Opening Ceremonies, immediately after the Closing Ceremonies, and one month after the Sochi Games. Results indicated that the amount of Olympic media consumption significantly heightened responses on all four qualities, but that these qualities were higher before the Sochi Olympics than after. Conclusions are offered regarding the potential mitigating role of Olympic success as it relates to the bolstering of national pride through consumption of international mediated sporting events.
import { find } from 'funcs'; import * as examples from 'test-data'; describe('funcs/find', () => { test('Constant false returns undefined', () => { expect(find(() => false, examples.basic)).toBe(undefined); expect(find(() => false, examples.lotsOfFields)).toBe(undefined); expect(find(() => false, examples.colors)).toBe(undefined); expect(find(() => false, examples.pairs)).toBe(undefined); }); test('Constant true returns a truthy entry for non-empty record', () => { expect(find(() => true, examples.basic)).not.toBe(undefined); expect(find(() => true, examples.lotsOfFields)).not.toBe(undefined); expect(find(() => true, examples.colors)).not.toBe(undefined); expect(find(() => true, examples.pairs)).not.toBe(undefined); }); test('Empty object returns `undefined` with any query', () => { expect(find(() => true, examples.empty)).toBe(undefined); expect(find(() => false, examples.empty)).toBe(undefined); expect(find(() => Math.random() > 0.5, examples.empty)).toBe(undefined); expect(find((v) => !!v, examples.empty)).toBe(undefined); expect(find((_, k) => !!k, examples.empty)).toBe(undefined); }); test('Example - Finding color data by name', () => { const violet = find(v => v.name === 'Russian violet', examples.colors); expect(violet).toBeTruthy(); expect(violet?.hex).toBe('#32174D'); const cerulean = find(v => v.name === 'Cerulean', examples.colors); expect(cerulean).toBeTruthy(); expect(cerulean?.highlighted).toBe(true); }); test('Example - Finding contact info by email', () => { const contact = find(v => v.email === '<EMAIL>', examples.contacts); expect(contact).toBeTruthy(); expect(contact?.name).toBe('<NAME>'); }); test('Exmaple - Finding a key containing a space character', () => { expect(find((_, k) => k.includes(' '), examples.pairs)).toBeTruthy(); expect(find((_, k) => k.includes(' '), examples.pairs)).toBe(undefined); }); });
The fortifications of Xi'an (Chinese: 西安城墙), also known as Xi'an City Wall, in Xi'an, an ancient capital of China, represent one of the oldest, largest and best preserved Chinese city walls. It was built under the rule of the Hongwu Emperor Zhu Yuanzhang as a military defense system. It exhibits the "complete features of the rampart architecture of feudal society". It has been refurbished many times since it was built in the 14th century, thrice at intervals of about 200 years in the later half of the 1500s and 1700s, and in recent years in 1983. The wall encloses an area of about 14 square kilometres (5.4 sq mi) The Xi'an City Wall is on the tentative list of UNESCO's World Heritage Site under the title "City Walls of the Ming and Qing Dynasties". Since 2008, it is also on the list of the State Administration of Cultural Heritage of the People's Republic of China. Since March 1961, the Xi'an City Wall is a heritage National Historical and Cultural Unit. Location [ edit ] Xi'an City Wall is located in the urban district of Xi'an City, which at one time was an imperial city during the periods of the Sui and Tang dynasties.[1] It is situated at the end of the ancient Silk Road.[2] History [ edit ] City Moat of Xi'an Zhu Yuanzhang, the first Emperor of the Ming dynasty (1368–1644), was advised by Zhu Sheng, a sage, to build a fortified high wall around the city, create storage facilities for food and then establish his empire by unifying all the other states. Following the hermit's advice, Zhu established the Ming dynasty, and then built a highly fortified wall over a previously existing palace wall of the Tang dynasty (618 -907). He started building the Xian City Wall,[3] as the capital of northwestern Shaanxi Province[4] in 1370. He incorporated the ancient fortified embankments built by the Sui and Tang Dynasties by including them in the wall's western and southern parts, enlarging the eastern and northern parts. The edifice was built over an eight-year period and was well maintained during both the Ming Dynasty, and the Qing Dynasty, which followed.[1] The wall was initially built solely from tamped earth. During the Longqing Emperor's period (1568) the wall was strengthened by laying blue bricks on the top and exterior faces of the earthen walls. During the reign of Qianlong of the Qing Dynasty (1781), the wall was enlarged; drainage features, crenels and other modifications were made; and the structure as it is now seen came into existence.[1] By the end of the Qing dynasty rule, the structure had begun to deteriorate. In a limited degree the Republican Authorities carried out maintenance of the wall, which was in a poor state. In the first decade of the 20th century, the wall's defense system was considered to be of strategic importance, even though demolishing of similar walls in other regions of the country was undertaken following the 1911 Revolution. In 1926, the wall was attacked with bombs by enemy forces resulting in serious structural damage, but the city within the wall was not affected. During the Second World War, when the Japanese carried out air bombings from 1937 to 1940, the residents built around 1,000 bunkers, as anti-aircraft shelters within the wide base (thickness of more than 15 metres (49 ft)) of the wall. A few escape openings were also made through the wall as passageways. Even later, new gates to allow traffic through the Xian Wall were constructed during the Republican rule. According to the Shenboo Atlas of 1933, in the 1930s most people lived within the perimeter of the Xi'an Wall but still there were a lot of unoccupied open areas. Among the visitors who came to see the Xian Wall were American captain (later general) Stilwell in 1922 and the Czech sinologist Jaroslav Průšek (1906–1980) in 1933. In 1983, the administration of the Xi'an municipality carried out more renovations and additions to the wall. At that time, the Yangmacheng tower, the Zhalou sluice tower, the Kuixinglou dipper tower, the Jiaolou corner tower and the Dilou defense tower were all refurbished; the crumbling parts of the rampart were changed into gates; and the moat was restored. In May 2005, all of Xi'an's ramparts were inter-connected.[1] The Xi'an City Wall was proposed as a UNESCO World Heritage Site by the State Administration of Cultural Heritage of the People's Republic of China in 2008. UNESCO included the site in the tentative List of World Heritage Sites under the title "City Walls of the Ming and Qing Dynasties" as a cultural heritage designee under Criterion iii & iv.[1] In March 1961, the Xi'an City Wall was fully approved as a heritage site as a National Historical and Cultural Town.[1][8] Michelle Obama, the first lady of the United States, visited the Xi'an City Wall on 24 March 2014, describing it as "a wall that has withstood war and famine and the rise and fall of dynasties".[9] Features [ edit ] The Xi'an City Wall The Xi'an Wall is rectangular in shape and has a total length of 14 kilometres (8.7 mi), with almost all stretches subjected to some kind of restoration or rebuilding. Along the top of the wall is a walkway, which would typically take four hours to cover.[10] It is built in the Chinese architecture style.[1] As a defense fortification, it was constructed with a moat, drawbridges, watch towers, corner towers, parapet walls and gate towers. The wall is 12 metres (39 ft) in height with a width of 12–14 metres (39–46 ft) at the top and base width of 15–18 metres (49–59 ft). Ramparts are built at intervals of 120 metres (390 ft), projecting from the main wall. There are parapets on the outer side of the wall, built with 5,984 crenels, which form "altogether protruding ramparts". There are four watch towers, located at the corners and the moat that surrounds the wall has a width of 18 metres (59 ft) and depth of 6 metres (20 ft). The area within the wall is about 36 square kilometres (14 sq mi), enclosing the small area of 14 square kilometres (5.4 sq mi) occupied by the city.[12] Left: A South Gate Right: Another view of Xi'an City Wall : A South Gate barbican entrance of Xi'an: Another view of Xi'an City Wall The southern embrasured watchtower constructed in 1378, was destroyed by fire in 1926[8] during the civil war of 1926, and was restored in September 2014. This was done after a careful historical review of documents related to the historical features that existed before it was damaged. The other three watchtowers forming the northern, eastern and western gates of the wall were also examined during the planning phase of the modifications done for the South Tower. They were modified, without affecting the integrity of the wall, by an encompassing hall offering protection to the structures by using steel, wood work and the ancient-type tiles and bricks structure.[8] Major gates have ramp access except the South Gate which has entry outside the walls.[10] There is an "Archery Tower", which provides security to one of the four gates of the Xi'an wall. Created as a large trap-like chamber, capped by a tower filled with windows, it gave an advantageous position for archers to shoot arrows (in the initial years of building the wall) and later cannonballs at the opposing revolutionary forces. In the event that the enemy was able to breach the walls through the main gate they would become trapped in the small chamber that faced yet another gate and thus be easy targets for the defending troops.[13] References [ edit ]
// Command checks if the message was a command and if it was, returns the // command. If the Message was not a command, it returns an empty string. func (m *Message) Command() string { if !m.IsCommand() { return "" } entity := (*m.Entities)[0] command := m.Text[1:entity.Length] if i := strings.Index(command, "@"); i != -1 { command = command[:i] } return command }
Microstructure and Mechanical Properties of Ti-6Al-4V Manufactured by SLM The article presents results of a study of phase composition and microstructure of initial material and samples obtained by selective laser melting of titanium-based alloy, as well as samples after heat treatment. The effect of heat treatment on microstructure and mechanical properties of specimens was shown. It was studied mechanical behavior of manufactured specimens before and after heat treatment at room and elevated temperatures as well. The heat treatment allows obtaining sufficient mechanical properties of material at room and elevated temperatures such as increase in ductility of material. The fractography of samples showed that they feature ductile fracture with brittle elements.
<gh_stars>1-10 n = int(input()) factorial = 1 answer = 0 for i in range(1, n + 1): factorial *= i for i in range(0, len(str(factorial))): if factorial % 10 != 0: print(answer) break else: factorial = int(str(factorial)[0:len(str(factorial)) - 1]) answer += 1
The efficacy of laser-assisted in-office bleaching and home bleaching on sound and demineralized enamel. AIMS This study investigated the effectiveness of laser-assisted in-office bleaching and home-bleaching in sound and demineralized enamel. MATERIALS AND METHODS The sample consisted of 120 freshly-extracted bovine incisors. Half of the specimens were stored in a demineralizing solution to induce white spot lesions. Following exposure to a tea solution for 7.5 days, the specimens were randomly assigned to 4 groups of 30 according to the type of enamel and the bleaching procedure employed. Groups 1 and 2 consisted of demineralized teeth subjected to in-office bleaching and home bleaching, whereas in groups 3 and 4, sound teeth were subjected to in-office and home bleaching, respectively. A diode laser (810 nm, 2 W, continuous wave, four times for 15 seconds each) was employed for assisting the in-office process. The color of the specimens was measured before (T1) and after (T2) staining and during (T3) and after (T4) the bleaching procedures using a spectrophotometer. The color change (E) between different treatments stages was compared among the groups. RESULTS There were significant differences in the color change between T2 and T3 (E T2-T3) and T2 and T4 (E T2-T4) stages among the study groups (p<0.05). Pairwise comparison by Duncan test revealed that both ET2-T3 and ET2-T4 were significantly greater in demineralized teeth submitted to laser-assisted in-office bleaching (group 1) as compared to the other groups (P< 0.05). CONCLUSION Laser-assisted in-office bleaching could provide faster and greater whitening effect than home bleaching on stained demineralized enamel, but both procedures produced comparable results on sound teeth.
print('='*40) print(f'{"PRICE LISTING":^40}') print('='*40) products = ('Lápis', 1.75, 'Borracha', 2.00, 'Caderno', 15.90, 'Estojo', 25.00, 'Transferidor', 4.20, 'Compasso', 9.99, 'Mochila', 120.32, 'Canetas', 22.30, 'Livro', 34.90) for c in range (0, 18, 2): print(f'{products[c]:.<30}R${products[c+1]:>6.2f}') print('='*40)
In the ransacked and burnt-out remains of various security headquarters in al-Bab lie many clues to the means used by Bashar al-Assad's government to stay in power, revealing why life under the regime had become increasingly intolerable for its citizens. In the widely-hated building of military security, the formerly locked cupboards containing files on the town's "suspect” citizens and how to "manage" them are now all emptied of their contents. The caretaker there, a man who used to work in the Post Office and telephone exchange that is located on the ground floor - probably to faciliate alleged routine phone tapings - told us that some Free Syrian Army fighters had taken the files and burnt them. But in the office of Political Security, the situation is different. There, the cupboards are still stuffed with manila files and brown envelopes containing years of records documenting government-condoned snooping. Mostly handwritten, the files are the fruits of an East German style surveillance state. In Syria, it is believed that one third of the adult male population was in one way or another working for the government as "intelligence” agents. Informants were vetted for their loyalty to the regime, either because they were card-carrying members of the Ba'ath Party, or they proved themselves "helpful" by carrying out acts for the security services. Many of the documents have the same format: So-and-so "is a good man because he told us" such-and-such. So-and-so "can be relied upon to provide us with information". For people in the town of al-Bab, the greatest shock has been finding out that the situation was worse than their worst suspicions. Many people liked and believed to be "good men” by the town’s residents have been revealed as long-standing collaborators with the regime's security services. It was a massively corrosive process: A situation in which for decades trust was sold in exchange for money and influence. Primary suspect In an economy where there was no fair distribution of wealth or equitable access to services, any means of getting ahead became normalised. With the people governing at the top regarded as a "mafia elite”, the trickle-down was a kind of rotting amorality, where so much corruption was prevalent that there was no longer a social imperative to behave decently - even to members of one's own extended family. Osman Alosman is a local businessman in al-Bab, a successful pharmacist with two shops. He is one of the town's respected citizens, and while he could have sought a position with more power, he refused, he said, because he did not know how the regime might seek to use his promotion. He was told that to take on his new "leadership” role, he had to join the Ba'ath Party. He went through the motions, but did not attend the meetings. Despite this, he managed to keep his business going. "I come from a large tribe and have many friends in Aleppo province. I was charitable and generous - the regime could not shut me down, but I would never be extremely successful without being a member of the Ba'ath Party". Osman had never been a supporter of the regime. His family was historically allied with the Muslim Brotherhood, dating back to his grandfather's time. In 1982, at age 17, Osman went to Libya himself for two years, to escape political persecution. He himself is not involved in Muslim Brotherhood politics - he had long before turned into a general campaigner for freedom and representative democracy - but his family history, plus the fact that he has two wives - one Syrian and one Russian - was enough to put him at odds with Syrian security services. Once the uprising began, he was one of the primary suspects in al-Bab. He was arrested twice, the first time on July 24, 2011 by the Political Security Branch on suspicion of involvement in the uprising. After being held for one day, he was freed because his tribe gathered in al-Bab to demand his release. The second time was by the military security branch on November 8, 2011. He was taken to Aleppo and held in solitary confinement, blindfolded, for eight days. They threatened him with violence, accusing him - not without grounds - of fomenting revolution in al-Bab. Again, pressure from his own community secured his release. From then onwards, he never spent two nights under the same roof. He fled Syria at the end of April 2012, realizing that if he was arrested again, he might not be released. He only came back in July as the regime started to lose its grip in Aleppo province. Secret files When the state security offices were overrun on July 19, Osman immediately went to the buildings and salvaged as many files as he could. He knew that contained within those records was the story not just of his own political persecution, but also the clues to how the regime maintained its rule of fear over all Syrians. More from the files: A family mystery solved: Osman's distant cousin Hussein Osman al Rashid - a journalist working for SANA, the state news agency - had gone missing in the 1980s as part of the purge of Muslim Brotherhood sympathisers, many of whom were implicated in an assassination plot against Hafez al Assad, the current president's father. A small scrap of paper in Osman's personal file held some final remarks about the missing journalist: "He was executed." It is the only official information on his disappearance the family has ever seen. "I wanted to find out how the security apparatus worked in this country," he said. "Who made reports, how they were used. Who was doing these subversive activities. This is the story of the history of my country." At one of his apartments in al-Bab, one room is now given over to document storage, with piles of files all over the floor. He has only examined about 10 per cent of them so far, and he's still collecting more. Piece by piece, Osman is in the process of discovering who informed on him and what they said. The documents he has found so far are written by various security agencies, including the military security and general security in Damascus, and political security in Aleppo and Tartous. Political Security, Tartous, January 3, 2012 "We have received information that a number of people in the province of Aleppo are members of the terrorist armed gangs and they are participating in the incidents which are taking place in Syria… One of them is Osman from Aleppo uses the following mobile phone … He is a drug dealer and he incites people to participate in demonstrations and create chaos … ” General Security Branch 322, March 14, 2012 "Today there was a meeting in a shop in al-Bab belonging to … Osman Alosman was one of the people attending. He is a member of the activist network and one of the most prominent coordinators of opposition and the brother of the hidden terrorist Abdul Osman [a Free Syrian Army leader]." The document goes onto describe the discussion at the meeting and what the men attending said in detail. There were five men at that meeting, but clearly the author - anonymous in this intelligence report - was there to report on the proceedings. Osman still does not believe it could have been one of the five, as they were all very close friends. In another document, written on September 10, 2011 by the military security, Osman is described to be "evasive, crafty, clever, with an has an ulterior motive and a grudge because he lost his cousins and uncles in the Brotherhood organisation and he has a track record in buying smuggled medicines." The real shock came when Osman saw the name of the principal informer: Muhammed, one of his distant relatives. "He was one of my friends before the demonstrations began. But we had a difference of opinion. We have different ideologies. We went our separate ways. But I had no idea he was helping the intelligence services until I read this document." Osman said he saw Muhammed after seeing the files. "I could have him arrested", he said. "I could just ask one of the [Free Army] battalions and they would do it straight away. But I choose to forgive him. No one exempt In al-Bab, it seems that no one escaped surveillance. Another file deals with the town's "notable citizens". A “Top Secret” cover letter from the head office of political security in Damascus, addressed to the local office, instructed them to place the senior officials in the district - party officials, MPs, military officers, and religious figures - under surveillance, and to report back four times a year. It reads: "The report must include the performance of the character in terms of commitment to the rules of the Ba'ath party and disciplines, and any negatives aspects, like meetings, favouritism, illicit bribes and corruption, the promotion of relatives, abuse of powers, pursuits of personal interests, visits in secret, how open they are to citizens.. and what the individual's reactions are to TV channels like Al Jazeera. " There was even a letter of instruction to spy on the head of the al-Bab Ba'ath Party, who was himself the head of the intelligence agencies in the town. Despite all this, Osman tried to keep a positive outlook. "I'm actually surprised about how polite the intelligence services were about us. In many documents they talk about me as ‘a man of good reputation, or ‘an intelligent man.’” As he smiles, he says, "At least they didn't write lies about me." When I ask him how one fixes a society where neighbour has informed against neighbour, he said: "I have no answer to this. In every country there is evil as well as good. What to do?" Then, he smiles again: "All this security, all this controlling … and still we did it. Still we succeeded in our revolution."
/** * Created by vikramsingh on 16/01/18. */ public class Offers { private String offer_name,offer_location,distance_in_KM,image_url; private float latitude,longitude,distance; public Offers(String name,String location,float lati,float longi,String dist,String image_name) { offer_name = name; offer_location =location; latitude = lati; longitude = longi; distance_in_KM = dist; distance = toDistance(dist); image_url = image_name; } private float toDistance(String d) { float dist =0f; d =d.replaceAll("\\s",""); d = d.replace("km",""); return Float.parseFloat(d); } public String getOffer_name() { return offer_name; } public float getOffer_distance() { return distance; } public String getOffer_distanceInKM() {return String.valueOf(distance)+" km"; } public String getOffer_location() { return offer_location; } public float getLatitude() { return latitude; } public float getLongitude() { return longitude; } public String getImage_url() { return image_url; } }
Some UK High Streets and public spaces no longer have any council-run public toilets, the BBC has learned. At least 1,782 facilities have closed across the UK in the last decade, Freedom of Information requests found. Ten areas, including Newcastle, Merthyr Tydfil in south Wales and Wandsworth in south London, now have no council-run public toilets at all, data showed. The Local Government Association said councils were trying to keep toilets open but faced squeezed budgets. Public toilets have existed on UK High Streets for more than 150 years but there is no legal requirement for local authorities to provide toilets, meaning they are often closed down if councils feel they cannot afford the upkeep. Raymond Martin, of the British Toilet Association, said providing toilets was about health, wellbeing, equality and social inclusion. "It's also about public decency and public dignity - we don't want people being forced to urinate in the streets," he said. Reinventing the WC While most closed sites have been demolished or left empty, many have undergone extreme makeovers. A WC in Clapham, south London, was misused and lay derelict for 40 years. Now it is a wine bar and the WC stands for wine and charcuterie, not water closet. But planning permission for its conversion came with a condition. "If someone comes down, unsuspecting that it's a wine bar - and this happens every day - we let them use the toilet. That's what we have to do. And it works," says owner Jayke Mangion. Alongside a large number of village shops and cafes, more imaginative conversions include a dog grooming service in Portsmouth, a vodka bar and recording studio in Camden, north London, a nightclub in Boston, Lincolnshire, a noodle bar in Devon and fast food outlets in Eastbourne and Moray. Old toilets now house art galleries in the south London boroughs of Kingston and Lambeth, information centres in Hambleton, North Yorkshire, and Haringey, north London, and there is even a Burns National Heritage Centre in an old facility in South Ayrshire. Joan Dean said her husband Brian, who has Parkinson's Disease, was left humiliated when he wet himself after failing to find a toilet on a trip to Levenshulme, in Manchester, where 18 toilets have been closed in the last 10 years. She told BBC Breakfast she asked four High Street shops if her husband could use their facilities, but all refused. "Public toilets - no matter where you go, you can't get them. We've had the problem but how many people out there have had the problem and said nothing? I don't want anyone to go through what he went through," she added. Data supplied by 331 of the 435 councils contacted by BBC Breakfast also showed: 22 councils now only have one public toilet, including Manchester, Stockport and Tamworth The best served areas are mostly tourist destinations Highland Council has 127 public toilets, which cost more than £1m a year to maintain; Pembrokeshire 73; Cornwall 65 Four out of five councils have cut spending on public toilets since 2011 Overall expenditure has declined by almost a third in four years, with £21m less spent last year than in 2011 43 councils have slashed their budgets by more than 70% A Local Government Association spokesman said councils were doing everything they could to keep public toilets open, including running community toilet schemes to enable pubs, restaurants and shops to make their toilets available to the public. Cuts meant councils had less to spend on community services and the next few years would continue to be a challenge, he said.
def coverage(self): cov = self.data.get('coverage', None) if cov is not None: return cov self._set_coverage() return self.data['coverage']
The city of Washington is crawling with reporters. After lawyers, bureaucrats and crack dealers, journalism is probably the most common trade in our capital. Many of them are investigative reporters, who know how to dig through musty heaps of governmental records in search of an amazing fact. So I'm surprised that none have bothered to look into one of the most intriguing incidents in the life and times of Pat Buchanan, who has temporarily given up the loud-opinion business to become a presidential candidate. In interviews, Buchanan has said he used to be quite the two-fisted brawler. And he sounds proud of it. This has been confirmed by some of his old college chums, who said Buchanan was ready and eager to duke it out with anyone who dared give him some lip, or even those who didn't. This tough guy side of Buchanan probably impresses some people. But it might make others smirk. It would depend on who they are. To the Woody Allen types, the big-shouldered, steely-eyed Buchanan might seem like an intimidating figure. To the Woody Allen types, even Danny DeVito would be scary. But to a steelworker, let's say, or a fireman, or a furniture mover, the thought of Pat Buchanan as a toe-to-toe slugger could be amusing. That's the variable in being a two-fisted brawler. It all depends on where you do your brawling and with whom. Considering Buchanan's background, I doubt that he jumped off the bar stool in any shot-and-beer joint to take on guys with bottle scars on their faces and skull tattoos on their arms. He grew up in a wealthy household in a suburb of Washington and went to schools that aren't known for the ferocity of their student bodies. In some Chicago schools, young men tote guns. If Buchanan's schoolmates were fast on the draw, it was with credit cards. The military is a good testing ground for brawlers. Many a tooth has been dislodged out behind the barracks or enlisted men's club. So after college, he alternated between careers as a pundit, a White House aide, a pundit, a White House aide, a pundit and now a candidate. Washington journalism and White House speech writing: Those aren't environments known for broken noses, cracked knuckles, fat lips or chewed off ears. The weapon of choice is a verbal stiletto in the back. So I've always wondered about Buchanan's record as a brawler. Who's he fought? My goodness, his regular TV adversary was the squeaky-voiced Michael Kinsley. Although Kinsley admits to lifting weights, he doesn't seem the type who would swagger into Stash and Stella's Polka Saloon and say: "Hey, beer-belly, you're sitting on my favorite stool." Stella might deck him. Which brings me back to the question about Washington's investigative reporters. Buchanan, in boasting about his tough-guy exploits, says he once was arrested for picking a fight with two cops. That's right, not one cop, but two. On the face of it, that's impressive. However, Buchanan, to the best of my knowledge, has never provided any specifics or details. When he was simply a TV shouter, this omission didn't matter. But now that he's a presidential candidate, the public has a right to know more. The first question that comes to mind is, what kind of cops were they? Having been around Chicago cops all my life, I know that picking a fight with two of them might not be something you'd want to talk about, except maybe to the nurse who sticks the tubes in your arms. Anyone who chooses to engage in fisticuffs with two Chicago cops would go through life wincing and groaning at the memory. So somewhere there must be records, police reports, court documents, that could give us insights into Buchanan's ferocity or lack of same, when he engaged in this memorable brawl. At least it is memorable to Buchanan, since he's mentioned it so many times. The two cops might still be around. Or if they're retired, they can be tracked down. It would help us judge the candidate's character. The report might say something like: "The subject was restrained by the riot squad after knocking two officers unconscious for having failed to salute a passing flag." Then we would know that he's a genuine hard case. On the other hand, it could say: "The subject tried to pull the hair of Officer Jones and was put weeping into the back of the squad car, where he promptly fell asleep and remained so until his father arrived with bond money." And we would know that he's more of a hardship case. If Buchanan campaigns in Chicago, maybe I'll ask him for specifics. I hope the question doesn't make him mad enough to fight. Just in case, I'll bring along a couple of pillows.
Doing thousands of hypothesis tests at the same time The classical theory of hypothesis testing was fashioned for a scientific world of single inferences, small data sets, and slow computation. Exciting advances in scientific technology microarrays, imaging devices, spectroscopy have changed the equation. This article concerns the simultaneous testing of thousands of related situations. It reviews an empirical Bayes approach, encompassing both size and power calculations, based on Benjamini and Hochbergs False Discovery Rate criterion. The discussion precedes mainly by example, with technical details deferred to the references.
Traffic in mobile communications networks is expected to exponentially increase during the following years. However, this data boost is not equally distributed, as FIG. 2 illustrates. There are low-density areas 21, where the main target is to improve coverage by Radio Frequency (RF) optimization, while in high-density areas 22 reliable detection of coverage holes is essential to place low-power nodes that improve capacity, which is usually known as Small Cells Design. Not only, but especially in this latter scenario, high accuracy is required. Operators traditionally have performed these planning and optimization tasks by means of tools that mainly rely on pathloss models, sometimes adjusted by network counters. However, results have been found not accurate enough due to the complexity of capturing the actual propagation patterns, even using ray-tracing. An alternative is the use of drive-tests as disclosed in US 2009/0157342 A1 to sample the actual user experience. Unfortunately, this option, apart from being time-consuming and costly, is very limited in indoor environments, where most of the traffic is, particularly in dense urban areas. To overcome these limitations, current techniques are based on positioned RF data, either provided by the user with the help of Global Positioning System (GPS) or any other similar technology, i.e. mobile-based positioning, or taken from traces collected by the network, i.e. network-based positioning. However, not all mobiles support GPS and network-based positioning does not require user's consent. Network-based positioning is known and multiple techniques have been proposed, which are mainly based on reported signal strength or time-delay measurements to estimate the mobile location. A traditional approach is the trilateration based on Received Signal Strength (RSS), where the distance between the mobile and a measured Base Station (BS) is estimated by assuming certain propagation model. The mobile position is given by the intersection of the estimated distance of at least 3 BSs from different sites. Another possibility is the multilateration based on Observed Time Difference Of Arrival (OTDOA), which estimates the difference in distance between the mobile and two measured BSs by using time-delay measurements. This is mathematically represented by a hyperbola. The mobile position is given by the intersection of at least 2 hyperbolas, so measurements of at least 3 BSs from different sites are required. Another possibility is the use of Timing Advance (TA) or Propagation Delay (PD), which provides the distance to the service cell, combined with other techniques that estimate the Angle of Arrival (AoA), based, for instance, on comparing RSS differences to the antenna pattern. Contrary to previous methods, which try to analytically find the mobile position, the fingerprinting consists of building a signal strength map based on collected measurements of the area of study either from GPS or by drive-test campaigns. The mobile position is given by finding the best match to the pre-calculated map. Such fitting can be performed through deterministic or probabilistic approaches. The term “accuracy” is widely agreed as the Key Performance Indicator (KPI) to evaluate a positioning algorithm, but there is not a unique interpretation for it, so its definition plays here an essential role. At first sight, it seems reasonable to consider it point-to-point, e.g. error distribution (in meters) when tracking a certain user. However, from Small Cells Design point of view, what really matters is not the position of a punctual user, but an accurate overall view of signal strength and traffic in order to identify, for instance, areas with poor coverage or hotspots. It is obvious that very precise point-to-point positioning, i.e. few meters, will lead to very reliable coverage and traffic maps, but is also proved that a small random error, i.e. even lower than 80 m, for instance, due to granularity, leads to totally meaningfulness maps for Small Cells Design. Unfortunately, such high precision at a reasonable cost becomes very unlike, unless GPS is considered, due the nature of RF measurements. Trilateration based on RSS is prone to fading, multipath, building losses and other propagation distortions. Accurate results would require a very complex propagation model able to capture all these features, which has been proven to be, apart from very time consuming and costly, not realistic for dense urban scenarios. Regarding OTDOA, time-delay measurements are reported with granularity of 1 chip (i.e. ˜78 m). In an asynchronous network, as UMTS, relative time difference between BSs must be recovered in advance. This is a very challenging task that adds uncertainty. Besides, multipath, especially relevant in dense urban scenarios, can severely distort these time-delay values. Finally, mathematical limitations of the trilateration algorithm, due to geometry and other factors, can make the solution fall into local minima. Techniques using PD in UMTS are limited by availability because it is only sent at call establishment, and granularity, since it is reported in steps of 3 chips (i.e. ˜274 m). In case of LTE (Long-Term Evolution), frequency and accuracy is higher, but still not enough, since TA is reported with 78 m granularity. Besides, estimating the AoA with enough precision is not trivial, so some extra uncertainty is expected. Therefore, analytic models that rely on signal and/or time-delay measurements to estimate the user position are unable to provide, even under ideal conditions, enough accuracy for a Small Cells Design in dense urban scenarios. As an alternative, classic fingerprinting can improve accuracy, but requiring extensive surveying campaigns to collect data, which makes it very time consuming and costly. Accordingly, a need exists to accurately determine a position of a mobile entity in a mobile communications network in order to be able to identify areas with poor coverage or hotspots without using satellite based positioning methods.
def relationships(self): if self.__relationships is None: self.__relationships = tuple( Relationship(self.nodes[i], rel, self.nodes[i + 1]) for i, rel in enumerate(self.rels) ) return self.__relationships
package main import ( "fmt" "log" "net/http" "net/url" "os" "strings" "github.com/squat/berlinstrength/api" "github.com/squat/berlinstrength/version" "github.com/prometheus/client_golang/prometheus" pversion "github.com/prometheus/common/version" "github.com/sirupsen/logrus" flag "github.com/spf13/pflag" ) func main() { flags := struct { clientSecret string clientID string emails string file string logLevel string port int url string version bool }{ clientID: os.Getenv("GOOGLE_CLIENT_ID"), clientSecret: os.Getenv("GOOGLE_CLIENT_SECRET"), emails: "", file: "", logLevel: "info", port: 8080, url: "http://localhost:8080", version: false, } flag.StringVar(&flags.clientID, "client-id", flags.clientID, "OAuth client secret") flag.StringVar(&flags.clientSecret, "client-secret", flags.clientSecret, "OAuth client secret") flag.StringVarP(&flags.emails, "emails", "e", flags.emails, "comma-separated list of allowed emails") flag.StringVarP(&flags.file, "file", "f", flags.file, "file path to RFID scanner; leave empty to read from stdin") flag.StringVarP(&flags.logLevel, "loglevel", "l", flags.logLevel, "logging verbosity") flag.IntVarP(&flags.port, "port", "p", flags.port, "port on which to listen") flag.StringVarP(&flags.url, "url", "u", flags.url, "redirect URL to use for OAuth") flag.BoolVarP(&flags.version, "version", "v", flags.version, "print version and exit") flag.Parse() if len(os.Args) > 1 { command := os.Args[1] if flags.version || command == "version" { fmt.Println(version.Version) return } } level, err := logrus.ParseLevel(flags.logLevel) if err != nil { logrus.Fatalf("%q is not a valid log level", flags.logLevel) } logrus.SetLevel(level) if flags.clientID == "" { logrus.Fatalf("The %q flag is required", "--client-id") } if flags.clientSecret == "" { logrus.Fatalf("The %q flag is required", "--client-secret") } f := os.Stdin if flags.file != "" { f, err = os.Open(flags.file) if err != nil { logrus.Fatalf("Could not open the RFID scanner located at %q: %v", flags.file, err) } } u, err := url.Parse(flags.url) if err != nil { logrus.Fatalf("%q is not a valid URL", "flags.url") } if u.Scheme == "" { u.Scheme = "https" } cfg := api.Config{ ClientID: flags.clientID, ClientSecret: flags.clientSecret, Emails: strings.Split(flags.emails, ","), File: f, URL: &url.URL{Host: u.Host, Scheme: u.Scheme}, } reg := prometheus.NewRegistry() reg.MustRegister( pversion.NewCollector("berlin_strength"), prometheus.NewGoCollector(), prometheus.NewProcessCollector(prometheus.ProcessCollectorOpts{}), ) logrus.Infof("Starting Server listening on :%d\n", flags.port) if err := http.ListenAndServe(fmt.Sprintf(":%d", flags.port), api.New(&cfg, reg, reg)); err != nil { log.Fatal("ListenAndServe: ", err) } }
import React, { useGlobal } from 'reactn'; import { Flex, TextField } from '@adobe/react-spectrum'; import { LabelTop, LabelSideL, LabelSideM } from 'Label'; export const CameraWork: React.FC = () => { const cut = useGlobal('cut')[0]; return ( <> <LabelTop>Position</LabelTop> <Flex direction="row" gap="size-200" wrap> <LabelSideL>In</LabelSideL> <LabelSideM>X</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.position ? cut.cameraWork?.position?.in.x.toString() : ''} ></TextField> <LabelSideM>Y</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.position ? cut.cameraWork?.position?.in.y.toString() : ''} ></TextField> <LabelSideL>Out</LabelSideL> <LabelSideM>X</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.position ? cut.cameraWork?.position?.out.x.toString() : ''} ></TextField> <LabelSideM>Y</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.position ? cut.cameraWork?.position?.out.y.toString() : ''} ></TextField> <LabelSideL>Scale</LabelSideL> <LabelSideM>In</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.scale ? cut.cameraWork?.scale?.in.toString() : ''} ></TextField> <LabelSideM>Out</LabelSideM> <TextField width="68px" isQuiet value={cut.cameraWork?.scale ? cut.cameraWork?.scale?.out.toString() : ''} ></TextField> </Flex> </> ); };
<reponame>minlia-projects/minlia-rocket package com.minlia.rocket.security.security.jwt.extractor; public interface TokenExtractor { public String extract(String payload); }
Mr. Mustache and Friends: A Song Animation Video Development Based on Signalong Indonesia This research aims to produce a prototype of Signalong Indonesia based children's song animation video media for children with special needs as a solution for children with special needs in delays or communication constraints. Signalong media as a medium to facilitate the communication style of each individual. Moreover, Signalong Indonesia helps the understanding and interaction of children with special needs in communicating with others, teachers, parents or the surrounding community. Mr. Mustache and Friends this can provide effective and inclusive educational shows with animated videos for all people, especially Indonesian children. This study uses a Research and Development development model with the following development procedures. The results of this research and development are in the form of a prototype of an animated video media that has gone through a feasibility test in the form of a validation test, a media expert, a material expert, a product trial and a product revision stage so that the media is included in the appropriate category of use. Keywordssignalong Indonesia; mr mustache and friends; song animation video, childern with special seeds, inclusive school, R&D model
/// Update the frecency for that resource. pub async fn visit( &mut self, id: &ResourceId, visit: &VisitEntry, ) -> Result<(), ResourceStoreError> { let mut metadata = self.get_metadata(id).await?; metadata.modify_now(); self.evict_from_cache(id); metadata.update_scorer(visit); let scorer = metadata.db_scorer(); let modified = *metadata.modified(); // We only need to update the scorer, so not doing a full update here. sqlx::query!( "UPDATE OR REPLACE resources SET scorer = ?, modified = ? WHERE id = ?", scorer, modified, id ) .execute(&self.db_pool) .await?; // Update the metadata in the store. self.store.update(&metadata, None).await?; self.update_cache(&metadata); Ok(()) }
<filename>src/mlpack/methods/nca/nca.hpp /** * @file nca.hpp * @author <NAME> * * Declaration of NCA class (Neighborhood Components Analysis). */ #ifndef __MLPACK_METHODS_NCA_NCA_HPP #define __MLPACK_METHODS_NCA_NCA_HPP #include <mlpack/core.hpp> #include <mlpack/core/metrics/lmetric.hpp> #include <mlpack/core/optimizers/sgd/sgd.hpp> #include "nca_softmax_error_function.hpp" namespace mlpack { namespace nca /** Neighborhood Components Analysis. */ { /** * An implementation of Neighborhood Components Analysis, both a linear * dimensionality reduction technique and a distance learning technique. The * method seeks to improve k-nearest-neighbor classification on a dataset by * scaling the dimensions. The method is nonparametric, and does not require a * value of k. It works by using stochastic ("soft") neighbor assignments and * using optimization techniques over the gradient of the accuracy of the * neighbor assignments. * * For more details, see the following published paper: * * @code * @inproceedings{Goldberger2004, * author = {Goldberger, <NAME> <NAME> and <NAME> and * Salakhutdinov, Ruslan}, * booktitle = {Advances in Neural Information Processing Systems 17}, * pages = {513--520}, * publisher = {MIT Press}, * title = {{Neighbourhood Components Analysis}}, * year = {2004} * } * @endcode */ template<typename MetricType = metric::SquaredEuclideanDistance, template<typename> class OptimizerType = optimization::SGD> class NCA { public: /** * Construct the Neighborhood Components Analysis object. This simply stores * the reference to the dataset and labels as well as the parameters for * optimization before the actual optimization is performed. * * @param dataset Input dataset. * @param labels Input dataset labels. * @param stepSize Step size for stochastic gradient descent. * @param maxIterations Maximum iterations for stochastic gradient descent. * @param tolerance Tolerance for termination of stochastic gradient descent. * @param shuffle Whether or not to shuffle the dataset during SGD. * @param metric Instantiated metric to use. */ NCA(const arma::mat& dataset, const arma::Col<size_t>& labels, MetricType metric = MetricType()); /** * Perform Neighborhood Components Analysis. The output distance learning * matrix is written into the passed reference. If LearnDistance() is called * with an outputMatrix which has the correct size (dataset.n_rows x * dataset.n_rows), that matrix will be used as the starting point for * optimization. * * @param output_matrix Covariance matrix of Mahalanobis distance. */ void LearnDistance(arma::mat& outputMatrix); //! Get the dataset reference. const arma::mat& Dataset() const { return dataset; } //! Get the labels reference. const arma::Col<size_t>& Labels() const { return labels; } //! Get the optimizer. const OptimizerType<SoftmaxErrorFunction<MetricType> >& Optimizer() const { return optimizer; } OptimizerType<SoftmaxErrorFunction<MetricType> >& Optimizer() { return optimizer; } // Returns a string representation of this object. std::string ToString() const; private: //! Dataset reference. const arma::mat& dataset; //! Labels reference. const arma::Col<size_t>& labels; //! Metric to be used. MetricType metric; //! The function to optimize. SoftmaxErrorFunction<MetricType> errorFunction; //! The optimizer to use. OptimizerType<SoftmaxErrorFunction<MetricType> > optimizer; }; }; // namespace nca }; // namespace mlpack // Include the implementation. #include "nca_impl.hpp" #endif
Long-wave mid-infrared time-resolved dual-comb spectroscopy of short-lived intermediates. In this Letter, an electro-optic dual-comb spectrometer with a central tunable range of 7.77-8.22 m is demonstrated to perform transient absorption spectroscopy of the simplest Criegee intermediate (CH2OO), a short-lived species involved in many key atmospheric reactions, and its self-reaction product via comb-mode-resolved spectral sampling at microsecond temporal resolution. By combining with a Herriott-type flash photolysis cell, CH2OO can be probed with a detection limit down to ∼11011moleculescm-3. Moreover, pressure broadening of CH2OO absorption lines can be studied with spectrally interleaved dual-comb spectroscopy. This Letter holds promise for high-resolution precision measurements of transient molecules, especially for the study of large molecules in complex systems.
Pathways for creation and annihilation of nanoscale biomembrane domains reveal alpha and beta-toxin nanopore formation processes. Raft-like functional domains with putative sizes of 20-200 nm and which are evolving dynamically are believed to be the most crucial regions in cellular membranes which determine cell signaling and various functions of cells. While the actual sizes of these domains are believed to vary from cell to cell no direct determination of their sizes and their evolution when cells interact with external agents like toxins and relevant biomolecules exists. Here, we report the first direct determination of the size of these nanoscale regions in model raft-forming biomembranes using the method of super-resolution stimulated emission depletion nanoscopy coupled with fluorescence correlation spectroscopy (STED-FCS). We also show that the various pathways for creation and destruction of such nanoscale membrane regions due to interaction with prototypical and nanopore-forming toxins, can reveal the nature of the respective pore formation processes. The methodology, in turn, establishes a new nano-biotechnological protocol which could be very useful in preventing their cytotoxic effects in particular but also enable microscopic understanding of biomolecule-cell membrane interactions in general.
<reponame>jjlee3/openthread #pragma once #include <winsock2.h> #include <unordered_map> #include <unordered_set> #include <network/Ipv6.h> #include "detail/NotifyFun.h" #include "detail/ClientService.h" // server stores all ClientService here class Clients { public: using socket_t = mstc::network::Ipv6; using join_clients = std::vector<socket_t>; using left_clients = std::vector<SOCKET>; void join(join_clients&&, const notify_left_function&); void left(const left_clients&); protected: using clients_map_t = std::unordered_map<SOCKET, ClientService>; clients_map_t clientsMap_; };
Selves in Two Languages: Bilinguals' Verbal Enactments of Identity in French and Portuguese Bilinguals often report that they feel like a different person in their two languages. In the words of one bilingual in Kovens book, When I speak Portuguese, automatically, I'm in a different worldit's a different color. Although testimonials like this abound in everyday conversation among bilinguals, there has been scant systematic investigation of this intriguing phenomenon. Focusing on French-Portuguese bilinguals, the adult children of Portuguese migrants in France, this book provides an empirically grounded, theoretical account of how the same speakers enact, experience, and are perceived by others to have different identities in their two languages. This book explores bilinguals experiences and expressions of identity in multicultural, multilingual contexts. It is distinctive in its integration of multiple levels of analysis to address the relationships between language and identity. Koven links detailed attention to discourse form, to participants multiple interpretations how such forms become signs of identity, and to the broader macrosociolinguistic contexts that structure participants access to those signs. The study of how bilinguals perform and experience different identities in their two languages sheds light on the more general role of linguistic and cultural forms in local experiences and expressions of identity.
/* * balloon_page_alloc - allocates a new page for insertion into the balloon * page list. * * Driver must call this function to properly allocate a new balloon page. * Driver must call balloon_page_enqueue before definitively removing the page * from the guest system. * * Return: struct page for the allocated page or NULL on allocation failure. */ struct page *balloon_page_alloc(void) { struct page *page = alloc_page(balloon_mapping_gfp_mask() | __GFP_NOMEMALLOC | __GFP_NORETRY | __GFP_NOWARN); return page; }
Rancho Ojai Rancho Ojai was a 17,717-acre (71.70 km²) Mexican land grant in present-day Ventura County, California given in 1837 by Governor Juan Alvarado to Fernando Tico. Rancho Ojai is located on the east side of the upper Ventura River, across from the Rancho Santa Ana grant made in the same year. The grant encompassed present-day city of Ojai, at the foot of the Topatopa Mountains. History Fernando Tico (d. 1862) married Maria Margarita Lopez in 1821. By 1829, Tico had served as alcalde of Santa Barbara. Tico’s wife died in 1834, and he married Maria de Jesus Silvestra Ortega. Tico was granted the four square league Rancho Ojai grant in 1837. In 1845, Tico was granted 29 acres (0.1 km²) immediately to the west of the church at Mission San Buenaventura by Governor Pío Pico. In 1855 Tico (along with José Ramón Malo and Pablo de la Guerra) was elected to the first Santa Barbara County Board of Supervisors. With the cession of California to the United States following the Mexican-American War, the 1848 Treaty of Guadalupe Hidalgo provided that the land grants would be honored. As required by the Land Act of 1851, a claim for Rancho Ojai was filed with the Public Land Commission in 1852, and the grant was patented to Fernando Tico in 1870. In 1853, Tico sold the rancho to Henry Starrow Carnes of Santa Barbara. Carnes was a lieutenant in Stevenson's 1st Regiment of New York Volunteers. In 1856 Carnes sold the rancho to Juan Camarillo. In 1864 Camarillo sold the rancho to John Bartlett (Camarillo then bought Rancho Calleguas). In the first subdivision of the grant, Bartlett sold one third to John B. Church, and the remaining two thirds to John Wyeth in 1865. Church and Wyeth were associates of Thomas R. Bard, representing Thomas Alexander Scott of the Philadelphia and California Petroleum Company. In 1874, the valley's first settlement was named Nordhoff in honor of an east coast journalist Charles Nordhoff who had publicized this special area. Not until 1917 did the town become known as Ojai.
Reverse shoulder arthroplasty for proximal humeral fractures: better clinical midterm outcome after primary reverse arthroplasty versus secondary reverse arthroplasty after failed ORIF in the elderly: benefits of reverse shoulder arthroplasty for complex humeral fractures in the elderly Abstract Background : Joint replacement surgery as a treatment for complex proximal humeral fractures is an established option, especially in the elderly. In light of the increased attention to reverse total shoulder arthroplasty (rTSA), this study has analyzed the outcomes of patients with primary reverse arthroplasty and after secondary reverse arthroplasty for failed osteosynthesis. Methods : We retrospectively reviewed 57 patients with an average age of 76 years (min. 55; max. 94; SD 7) from 2010 and 2015 who underwent primary rTSA and secondary rTSA after the failure of plate osteosynthesis after proximal humeral fractures. The functional outcome of the operated shoulder was evaluated by clinical scores (Constant-Score, ASES, DASH and Oxford), range of motion (RoM), pain and activity level. Results : Primary rTSA had a significantly better functional outcome, mean-follow-up 37.3 months, measured by Constant-Score (57.13 vs 45.78 points; p=.015) compared to secondary RTSA, mean follow-up 42.1 months. A significantly better active abduction (p=.002), forward flexion (p=.003) and internal rotation (p=.037) was observed in the primary rTSA group, especially in the follow-up > 35 months. Conclusion : Reverse shoulder arthroplasty is an effective treatment for proximal humeral fractures as primary or revision surgery. The reliable clinical outcome especially in the follow-up to 40 months after primary reverse arthroplasty may suggest to prefer rTSA for complex humeral fractures in the elderly.
def async_request(request: Callable, *args: Any, **kwargs: Any) -> None: if not _putthread.is_alive(): with page_put_queue.mutex, suppress(AssertionError, RuntimeError): _putthread.start() page_put_queue.put((request, args, kwargs))
Distributed Identification of Central Nodes with Less Communication This paper is concerned with distributed detection of central nodes in complex networks using closeness centrality. Closeness centrality plays an essential role in network analysis. Evaluating closeness centrality exactly requires complete knowledge of the network; for large networks, this may be inefficient, so closeness centrality should be approximated. Distributed tasks such as leader election can make effective use of centrality information for highly central nodes, but complete network information is not locally available. This paper refines a distributed centrality computation algorithm by You et al. by pruning nodes which are almost certainly not most central. For example, in a large network, leave nodes can not play a central role. This leads to a reduction in the number of messages exchanged to determine the centrality of the remaining nodes. Our results show that our approach reduces the number of messages for networks which contain many prunable nodes. Our results also show that reducing the number of messages may I. INTRODUCTION Centrality metrics play an essential role in network analysis. For some types of centrality metrics such as betweenness centrality, evaluating network centrality exactly requires complete knowledge of the network; for large networks, this may be too costly computationally, so approximate methods (i.e. methods for building a view of a network to compute centrality) have been proposed. Centrality information for highly central nodes can be used effectively for distributed tasks such JFM thanks the AIMS Research Centre and the DST-CSIR HCD Inter-Bursary scheme for PhD funding. as leader election, but distributed nodes do not have complete network information. The relative centrality of nodes is important in problems such as selection of informative nodes, for example, in active sensing -i.e. the propagation time required to synchronize the nodes of a network can be minimized if the most central node is known. Here we consider closeness centrality-We wish to detect most central nodes in the network. network. We will use the term view as shorthand for view of a communication network. Our proposed method can be applied to arbitrary distributed networks, and is most likely to be valuable when nodes form very large networks: reducing the number of messages will be a more pressing concern in large-scale networks. Such applications include instrumented cars, monitoring systems, mobile sensor networks or general mobile ad-hoc networks. There are many reasons for reducing the number of messages in distributed systems. Here, we consider the following reason. A careful treatment of network communication of agents under weak signal conditions is crucial. Contributions. At each iteration of view construction, each node prunes some nodes in its neighbourhood once and thereafter interacts only with the unpruned nodes to construct its view. We refer to this approach as pruning. The more of these prunable nodes a network contains the better our algorithm performs relative to the algorithm in in terms of number of messages. We empirically evaluate our approach on a number of benchmark networks from and, as well as some randomly generated networks, and observe our method outperforms the benchmark method in terms of number of messages exchanged during interaction. We also observe some positive impact that pruning has on running time and memory usage. We make the following assumptions as in : nodes are uniquely identifiable; a node knows identifiers of its neighbours; communication is bidirectional, FIFO and asynchronous; each agent is equipped with its own round counter. The rest of the paper is organised as follows: Section II discusses the state of the art for decentralised computation of closeness centrality distribution of networks. The new algorithm will be discussed in Section III. Section IV discusses the results. In Section V, we conclude and propose further work. II. BACKGROUND AND RELATED WORK In a distributed system, the process of building a view of the network can be centralised or decentralised. It is centralised when the construction of the view of a network is performed by a single node, known as an initiator. Once the initiator has the view of a network, it may send it to the other nodes. If the initiator is not known in advance, the first stage of constructing a view of a network will involve a selection of the initiator. Decentralised methods to construct views can be exact or approximate. Recent literature on methods to construct views can be found in. Exhaustive methods build the complete topology of the communication graph-they involve an all-pairs shortest path computation. As a consequence, exact approaches suffer from problems of scalability. This can be a particular issue for large networks of nodes with constrained computational power and restricted memory resources. To overcome the problem mentioned above that exhaustive methods suffer from, approximate methods have been proposed. Unlike exhaustive methods, approximate methods do not result complete knowledge of the communication graph. Many distributed methods for view construction are centralised, i.e. they require a single initiator in the process of view construction. The disadvantage of approximate methods is that the structure of a view depends on the choice of the initiator. An interesting distributed approach for view construction can be found in, where an initiator constructs a tree as the view. To the best of our knowledge and according to, decentralised approximate methods for view construction are very scarce because many methods for view construction assume some prior information about the network, so centralised methods are more appropriate. The method proposed by You et al. seems to be the state of the art for decentralised approximate methods for view construction, i.e. views are constructed only from local interactions. This method simply runs breadth-first search on each node. We next show the decentralised construction of a view using the algorithm in. A. Decentralised view construction We consider the method proposed in You et al. -the "YTQ method"-as the state of the art for decentralised construction of a view of a network. The YTQ method was proposed for decentralised approximate computation of centrality measures (closeness, degree and betweenness centralities) of nodes in arbitrary networks. As treated in, these computations require a limited view. At the end of the interaction between nodes, each node can estimate its centrality based on its own view. In the following, we show how nodes construct views using the YTQ method. Here we consider connected and unweighted graphs, and we are interested in computation of closeness centrality. Let ij denote the path distance between the nodes v i and v j in an (unweighted) graph G with vertex set V and edge set E. The path distance between two nodes is the length of the shortest path between these nodes. Definition II.1. The closeness centrality of a node is the reciprocal of the average path distance from the node to all other nodes. Mathematically, the closeness centrality c i is given by Nodes with high closeness centrality score have short average path distances to all other nodes. Each node's view is gradually constructed based on message passing. Each node sends its neighbour information to all of its immediate neighbours which relay it onward through the network. Communication between nodes is asynchronous, i.e. there is no common clock signal between the sender and receiver. The YTQ method that each node v i uses to construct its view is given in Algorithm 1. Let N i be the set of neighbours of v i and N (t) i the set of nodes at distance t + 1 from a node v i, so N i = N i. The initial set of neighbours, N i, is assumed to be known. During each iteration, each node sends its neighbourhood information to all its immediate neighbours. We are restricted to peer-to-peer communication because nodes have limited communication capacity. Each node waits for communication from all of its direct neighbours after which it updates an internal round counter. A node v i stores messages received in a queue, represented Algorithm 1 Our presentation of the YTQ method in. The algorithm gives the code run on a single node v i. An example of pseudocode is given in the procedure 5: YTQObject.UPDATE() 6: end while 7: end procedure 8: 9: class DISTRIBUTEDYTQ 10: 22: 23: : where The algorithm terminates after at most D iterations, where D is an input of the algorithm. 2 In this paper, we consider a pre-set value of D. However, some nodes can also reach their equilibrium stage before the iteration D (e.g. nodes which are more central than others). Such nodes need to terminate when equilibrium is reached (see Line 57 in Algorithm 1). A node v i reaches equilibrium at iteration t when At the end, every node has a view of network, and so the required centralities can be calculated locally. This view construction method is approximate when the total number of iterations D is less than the diameter of the graph, otherwise the method is exhaustive, i.e. all views correspond to the exact correct information, assuming a failure-free scenario. With a decentralised approximate method, nodes may have different views at the end. Each node will evaluate its closeness centrality based on its own view of the network. III. DECENTRALISED VIEW CONSTRUCTION The idea behind pruning technique is that, during view construction, some nodes can be pruned (i.e. some nodes will stop relaying neighbour information). Pruned nodes are not involved in subsequent steps of the algorithm and their closeness centralities are treated as zero. Our approach thus applies pruning after each iteration t of communication of the YTQ method. During the pruning stage, each node checks whether it or any nodes in its one-hop neighbourhood should be pruned. Nodes can identify the other nodes in their neighbourhood being pruned so that they do not need to wait for or send messages to them in subsequent iterations. This reduces the number of messages exchanged between nodes. Given two direct neighbours, their sets of pruned nodes are not necessarily the same, and nodes do not need to exchange such information between themselves. A. Pruning Before describing our proposed pruning method, we argue that pruning preserves information of most central nodes of a graph using closeness centrality. 1) Theoretical justification: While we are aiming to estimate closeness centrality distribution on a graph using pruning, the concept of pruning can directly be related to eccentricity centrality. The eccentricity of a node is the maximum distance between the node and another node. Eccentricity and eccentricity centrality are reciprocal to each other. We consider the following points to achieve our goal. Pruned nodes have relatively high eccentricities (as will be discussed later in Lemma III.2). Previous studies show that eccentricity and closeness centralities are strongly positively correlated for various types of graphs. This is partly due to the fact that they both operate on the concepts of paths. From what precedes, our proposed pruning method is then recommended for approximations of closeness centralities for categories of graphs where eccentricity and closeness centralities are highly correlated. 2) Description: We will first show how a node identifies prunable nodes after each iteration. There are two types of objects (leaves, and nodes causing triangles) that a node can prune after the first iteration. When a node is found to be of one of these types, it is pruned. Since nodes have learnt about their 2-hop neighbours after the end of the first iteration, a node v i knows the neighbours N j of each of its direct neighbours v j. Our pruning method is decentralised, so each node is responsible to identify prunable nodes in its neighbourhood, including itself. Let d i denote the degree of node v i. Definition III.1 (A node causing a triangle). A non-leaf node v j causes a triangle if d j = 2 and its two immediate neighbours are immediate neighbours to each other. denote the set of pruned nodes known by a node v i at the end of iteration t (with t ≥ 1). Note that for complete graphs, pruning is not involved because, after the first iteration each node will realise that it its current view of the graph is complete. So far, we have described how elements of F i are identified by node v i. We now consider the case of further pruning which is straightforward: new nodes should be pruned when they have no new information to share with their other active neighbours. Thus a node stops relaying neighbouring information to neighbours from which it receives no new information. At the end of iteration t, a node v i considers itself as element of F (t) i if it gets all its new information from only one of its neighbours at that iteration. Also, node v i prunes v j if the neighbouring information N (t) j sent by v j to v i does not contain new information, i.e. Our hope is that the most central node is among the nodes which are not pruned on termination of the algorithm. Equation 4 indicates for a node v j to be pruned, there must be another node v i which is unpruned because a comparison needs to be done. This is true because there are always unpruned nodes which remain after the first iteration, except a complete graph of at most three nodes in which case pruning is not invoked. This means that at the end of our pruning method, there will always remain some unpruned nodes. for t ≥ 2 could be viewed as leaves or nodes causing triangles in the subgraph obtained after the removal of all previously pruned nodes. Recall that an unpruned node only interacts with its unpruned neighbours and the number of the unpruned neighbours of a node may get reduced over iterations. So at some iteration an unpruned node can be viewed as leaf if it remains only with one unpruned neighbour. The procedure for how a node v i detects elements of F (t) i at the end of each iteration t ≥ 2 is given in Algorithm 2 (see function FURTHERPRUNINGDETECTION). After describing pruning, we now connect it to eccentricity (see Lemma III.2) as mentioned above. Let ecc i denote the eccentricity of a node v i, i.e. Proof. A node v j is pruned if it has a direct neighbour v i from which it can receive new information while at the same time it can not provide new information to that neighbour. Given two direct neighbours v j and v i where v j has been pruned at iteration t by v i, we have, it is straightforward that ecc j ≥ ecc i. From Lemma III.2 it can be seen that prunable nodes are nodes with relatively high eccentricities. So pruning can not introduce errors when searching for a node of maximum eccentricity centrality. Example. Consider execution of Algorithm 2 on the communication graph in Figure 1, with D = 4. The results of our pruning method on this graph are presented in Table I and discussed below. After the first iteration, each node needs to identify prunable nodes in its neighbourhood, including itself. Using Algorithm 2, F and v 3 will also prune v 1. Algorithm 2 Our proposed pruning method in a failure-free scenario. The algorithm gives the code executed for a single node v i. An example of pseudo code is given in the procedure 71: Let v f, v g be the two immediate neighbours of v j 72: if v f ∈ Q ig then 73: I: Table indicating pruned nodes, identified at each node after each iteration using the graph in Figure 1. ⊥ indicates that the corresponding node has pruned itself and indicates that the node has reached an equilibrium. At the first iteration, all the leaves (i.e. v 5, v 6, v 9 and v 10 ) are pruned; they all have ecc i = 6. But, a non-leaf node, v 1 (with ecc i = 4), is also pruned on the first iteration. At the beginning of iteration t = 2, v 1, v 5, v 6, v 9 and v 10 are no longer involved since they have been identified as prunable nodes at the end of the previous iteration; F Table I. In our proposed distributed system, at the end of each iteration each node is aware of whether each of its direct neighbour is pruned or not). A pruned node neither sends a message nor waits for a message. So when a node is still unpruned, it knows which immediate neighbours to send messages to and which to wait for messages from. This prevents the nodes from suffering from starvation or deadlock in failure-free scenarios. B. Communication analysis In this section, we evaluate the impact of pruning on the communication requirements for view construction. Let u be the number of messages that the node v i receives according to Algorithm 1 and the number of messages v i receives through the use of pruning in Algorithm 2 for D rounds respectively. We expect the number of messages any node v i saves due to pruning to satisfy A node v i receives d i messages at the end of each iteration using the YTQ method. Recall that our proposed pruning and the YTQ methods can also terminate when an equilibrium is reached. Let H i denote the iteration after which a node v i applying the YTQ and our pruning methods reaches an equilibrium. This value is the same for both algorithms because at iteration t, a node v i (which should be an unpruned node using our proposed method) has the same view using both algorithms. Note that for our pruning method, a pruned node does not reach an equilibrium and it is not possible to prune all nodes before equilibrium. Let h (t) i be the number of neighbours of v i which have reached equilibrium at the end of iteration t. If at least one neighbour of an unpruned node v i has reached equilibrium by iteration t, then v i will reach equilibrium by iteration t + 1. For the YTQ method, Let L i denote the round at which a node v i is pruned (L i = +∞ for unpruned node v i ). Lemma III.3. The number of messages received by a node Proof. At the end of each iteration t, the node v i receives Also a node can stop interacting with other nodes after it is pruned. If the node v i is pruned at the end of iteration min(D, H i, L i ), then it stops receiving messages. Theorem III.4. The number of messages saved by a node v i ∈ V in a failure-free scenario is C. Communication failure We also extend our pruning method to take into account communication failures during view construction. For failure management, we simply incorporate the neighbour coordination approach proposed by Sheth et al. into our pruning method. We found the coordination approach for failure management most suitable for our pruning method because each node can monitor the behaviour of its immediate neighbours and report failures and recoveries if detected, which suits our decentralised approach well. Details of the extended version of pruning with communication failure can be found in. (It should be noted that we exclude details of failure management so that we can focus on the main contribution of this work). IV. EXPERIMENTAL INVESTIGATION For the comparison of our proposed method with the YTQ method in terms of the number of messages, we consider the total and the maximum number of messages received per node. We wish to see the impact of our pruning method on message complexity in the entire network. We wish to reduce the maximum number of messages per node because if the communication time per message is the bottleneck, reducing only the total number of messages may not be helpful. Our experiments considered the following cases, in an attempt to comprehensively test the proposed approach: Comparison of the number of messages received by nodes for each method on various networks. We also used a Wilcoxon signed-rank test and the effect size to verify whether the mean differences of the number of messages between pruning and the YTQ method are significantly different. Comparison of the approximated most central nodes obtained with our method to the YTQ method. A good approximation should choose a most central node with a small distance to the exact most central node. We also used a Wilcoxon signedrank test and the effect size to verify whether the mean differences of shortest path distances between approximate central nodes obtained using the YTQ and our pruning methods with respect to the exact most central node on some random graphs are significantly different. In Section III, we showed that pruning is related to node eccentricity which allows us to ensure approximation of closeness centrality using pruning because eccentricity and closeness centralities are positively and strongly correlated for various types of graphs. We run simulation experiments to determine the Spearman's and Kendall's coefficients between eccentricity and closeness centralities. We consider the Spearman's and Kendall's coefficients because they are appropriate correlation coefficients to measure the correspondence between two rankings. For the hypothesis tests, the significance level we use is 0.01. A. Experimental setup We implemented our pruning method using Python and NetworkX. Our simulation was run on two HPC (High Performance Computing) clusters hosted by Stellenbosch University. Our code can be found at https: //bitbucket.org/jmf-mas/codes/src/master/network. We ran several simulations with random graphs (generated as discussed below), as well as some realworld networks. 1) Randomly generated networks: We used a 200x200 grid with integer coordinates and generated 50 random connected undirected graphs as follows: We generated N uniformly distributed grid locations (sampling without replacement) as nodes. The number of nodes, N, was sampled uniformly from. Two nodes were connected by an edge if the Euclidean distance between them was less than a specified communication range d = 8. The number of edges and the diameter for these graphs were in the intervals and respectively-see Figure 2. 2) Real-world networks: The 34 real-world graphs we consider are a phenomenology collaboration network, a snapshot of the Gnutella peer-to-peer network, and 32 autonomous graphs. The phenomenology collaboration network represents research collaborations between authors of scientific articles submitted to the Journal of High Energy Physics. In the Gnutella peerto-peer network, nodes represent hosts in the Gnutella network and edges represent connections between the Gnutella hosts. Autonomous graphs are graphs composed of links between Internet routers. These graphs represent communication networks based on Border Gateway Protocol logs. Some characteristics of some of these networks are given in Table II. 1) Average and maximum number of messages: Our experiments illustrate the improved communication performance over the YTQ method in resulting from pruning. Figure 3 shows differences in the averages and in the maximum number of messages per node between the YTQ and our pruning methods on the 32 autonomous graphs. We see that the approach reduced communication by 30 − 50% on average for all network, with over 75% of networks reducing their maximum number of messages by 30% or more. Graph properties and the number of messages with each approach for five real-world networks (the phenomenology collaboration network, the Gnutella peer-to-peer network, and three autonomous networks). Y(Ymax) and P(Pmax) denote average(maximum) number of messages for the YTQ and pruning methods respectively. Table II shows the average and the maximum number of messages per node for five real-world networks respectively. The number of messages per node for each technique on one random network are contrasted in Figure 4. The results confirm that the pruning method is better than the YTQ method ( Figure 3). Hypothesis test: We observed a p-value of 7.96 10 −90 and an effect size of 21.1140 between the number of messages obtained with our pruning and the YTQ methods on 50 random graphs containing 500 nodes each. The p-value is less than the threshold 0.01, so the means of the number of messages using the YTQ method against pruning are significantly different. In terms of effect size, according to the classification in Gail and Richard, the effect size between our pruning and the YTQ methods is large (e ≥ 0.8). So the means of the number of messages using the YTQ method against pruning differ markedly. We also observed a reduction in total running time and memory usage from our approach. So no adverse effect on power usage from the approach. 2) Quality of selected most central node: First, for various graphs considered here, the averages and standard deviations of the Spearman's and Kendall's coefficients between eccentricity and closeness centralities are 0.9237 ± 0.0508 and 0.7839 ± 0.0728 respectively, and the correlation coefficients were all positive. This shows that there is predominantly a fairly strong level of correlation between eccentricity and closeness centralities for various graphs considered here. This confirms the results by Batool and Niazi, and Meghanathan. Note that we chose real-world graphs and random graphs modelled on what might be realistic for a sensor network-so no attempt to choose graphs from models with high correlation. Tables III shows the shortest path distances between the exact most central node and approximated most central nodes using our pruning method and the YTQ method for two random graphs. Figure 5 shows differences of shortest path distances between the exact most central node and approximated central nodes obtained with the YTQ and our pruning methods on two random graphs. For each of the graphs, we randomly vary D in a range of values smaller than the diameter of the graph. III: Shortest path distances between the exact most central node and approximated most central node using pruning and the YTQ method. We use two random graphs, one with 70 nodes and diameter of 35, and another with 72 nodes and diameter of 32. One method achieves better approximations than another if the distance of the selected node from the true most central node is smaller. Y i and P i indicate shortest path distances for the YTQ and pruning methods on the i-th random graph respectively. The evaluation of node centrality based on a limited view of the communication graph has an impact on the choice of the most central node. When using our pruning and the YTQ methods to choose a leader based on closeness centrality, the methods can yield different results under the same conditions. We found that (Table III and Figure 5) our pruning method generally gave better approximations to closeness centrality than the YTQ method when D is considerably smaller than the diameter, with the results of the YTQ method improving as D increases. This supports our claim that our pruning method effectively identifies nodes which should not be chosen as leaders as they are highly unlikely to have the highest closeness centrality. Note that, even though the two methods sometimes give the exact most central nodes for some D (for example for D = 26 in Table III), these exact most central nodes are not guaranteed. The reason why the YTQ method yields poor results when D is smaller than the diameter of the graph is as follows. When some of the nodes have different views of the communication graph and each evaluates its closeness centrality based only on its own view, a node with small but unknown exact closeness centrality may have a high estimated closeness centrality. This can lead to poor conclusions. In the YTQ method, the central node is selected from all nodes. The advantage of the pruning method is that only unpruned nodes compute their approximate closeness centralities, i.e. the many nodes that are pruned are no longer candidates for central nodes. This reduces the chance of yielding poor performance as the central node is selected from a shorter list of candidates, i.e. the unpruned nodes. Hypothesis test: We observed a p-value of 0.1197 between the results obtained with our pruning and the YTQ methods on 50 random graphs of 500 nodes each. The p-value is greater than the threshold 0.01, so there is no significant difference between the means for the two approaches. This means that the qualities of the selected most central nodes using both methods are almost the same. This is beneficial to pruning-though they both provide almost the same qualities of selected most central nodes, pruning reduces the number of messages significantly compared to the YTQ method. V. CONCLUSION We proposed an enhancement to a benchmark method for view construction. The main motivation of this enhancement was to reduce the amount of communication: we aim to reduce the number of messages exchanged between nodes during interaction. Given a network, some nodes can be identified early as being unlikely to be central nodes. Our main contribution was noting that we can identify such nodes and reduce communication by pruning them. Our proposed method improves the benchmark method in terms of number of messages. We found that reduction of the number of messages has a positive impact on running time and memory usage. Future work. Our message counting model ignores the fact that in large networks, messages comprise multiple packets. Analysis of the savings of our approach in terms of the actual amount of data communicated could be investigated in future. Further, it may be possible to identify further types of prunable nodes and consider richer classes of graphs for assessment.
Padrón’s unusually blunt comments, directed at four Miami-Dade Republican House members who he blamed for holding up the legislation, attracted national attention. In Miami, it energized some students and staff who saw their president as a courageous fighter speaking truth to power. Padrón started receiving standing ovations at his public appearances. But in the Legislature, the president’s remarks to the Miami Herald editorial board proved a disaster, scuttling the bill he had hoped to save. And Book believes Padrón has seriously hurt the college’s ability to pass legislation — or win extra funding — going forward. Those lawmakers who opposed the sales-tax idea turned up the criticism in retaliation, arguing that MDC is asking for the public to pay for upgrades and expansion it doesn’t necessarily need. The MDC bill wouldn’t have automatically raised taxes — it would have simply allowed for a voter referendum on the issue. Out of the proposed five-year, half-penny tax increase, the college says more than half of the $1 billion raised would go to repairs and renovations. Some money would also go to building new classrooms, hiring additional faculty and increasing student scholarships. But the college also wants to spend more than $200 million on “at least” two new campuses. Possible locations are Miami Beach, Aventura or northwest Miami-Dade. The college argues that additional, more-accessible campuses are essential in traffic-choked Miami, but that’s not an easy sell in the strongly antitax Legislature. Also politically problematic is that Padrón singled out Miami Lakes Rep. Jose Oliva — an up-and-coming Republican set to become House speaker in 2018. Angry that Oliva was leading the charge against the MDC bill, Padrón branded him a college “dropout” who had been born into privilege. Email records show that Padrón also requested a sit-down meeting with each of the four lawmakers he had insulted, in an attempt to mend fences. Oliva said he took Padrón up on the offer and “had a very nice meeting with him one Saturday.” But he also said he remains strongly opposed to a sales-tax increase. While Padrón argues that allowing the public to decide is the “democratic” thing to do, Oliva says that voters are sometimes too generous for their own good — and it is his duty to protect them. Because of Oliva’s fast-growing influence, his opposition alone could be enough to derail the proposal in future years. And, according to the college, local Republicans Carlos Trujillo, Frank Artiles and Michael Bileca have joined with Oliva in blocking the sales-tax proposal — a claim they deny, though they clearly do oppose the bill. In other words, voters shouldn’t expect it to be on their ballot anytime soon. Oliva pointed to a recent state audit that identifies about $508 million in “cash and cash equivalents” on MDC’s books. While the college complains that some of its facilities are in dilapidated shape — and has distributed photos to make its case — Oliva says the audit proves MDC is actually sitting on a half-billion dollars. MDC officials call Oliva’s criticisms unjustified. College provost Rolando Montoya said the audit cited by the lawmaker is in a format that can be misleading — lumping various cash funds together even though most of the money is in restricted accounts and can only be used for certain purposes. In another section of the audit, it lists MDC’s cash reserves as less than $53 million — a figure the college says reflects its rainy-day fund. Those cash reserves are a bit higher than the state minimum, MDC says, but it is still only enough to cover emergency expenses for about six weeks. Montoya responded that an in-house restaurant is a standard training tool at culinary schools. Should MDC’s students receive less, he asked, because they are generally low-income? In defense of its spending, MDC cites a state analysis showing it spends the least per student of any of Florida’s 28 community colleges: $4,734 per year. Thanks to that efficiency, administrators say they frequently have money left over from the operating budget, which has enabled MDC to sock away millions for construction and building repairs. Montoya said MDC is forced to do that because the state doesn’t provide enough construction dollars. Some years, the state provides none — for a school that serves some 165,000 students across eight campuses. According to this year’s MDC budget, the college has about $375 million in its construction account. Asked why this money can’t address the glaring problems at some campuses, MDC officials said the dollars are already spoken for — they’re earmarked for projects such as classroom renovations at the West Campus, and new parking garages at three campuses. At the Miami Herald’s request, Miami accountant Tony Argiz — chairman and CEO of Morrison, Brown, Argiz & Farra — reviewed the audit that some lawmakers say shows MDC is flush with cash. “Sure, this balance sheet looks large,” Argiz said. But upon closer inspection, MDC has relatively slim cash reserves for such a gigantic operation, said Argiz, who has served on a large number of local charitable boards, including the foundations of MDC and Florida International University. When told that MDC has squirreled away hundreds of millions of dollars into its construction fund, Argiz called it a sign of a “well-run shop” but said it hardly meant the college is rich. With the Legislature unwilling to back a sales-tax referendum, the college may need to keep squeezing money out of operations to pay for construction needs. Political consultant David Custin predicted that MDC’s general budget should fare OK in future years, as South Florida lawmakers will continue to gain clout. But Custin also called Padrón “the biggest loser of the session,” and he said it was the college president, not lawmakers, who had acted like a bully. Yet email records obtained by the Miami Herald show that Padrón received plenty of praise for his combative stance. Florida’s GOP leadership has for years been criticized for inadequately funding education, and lawmakers’ refusal to allow the college to seek out local dollars struck some as adding insult to injury. In a statement, Padrón said he was “disappointed” with the final outcome but grateful for all of the support.
Thank you for supporting the journalism that our community needs! For unlimited access to the best local, national, and international news and much more, try an All Access Digital subscription: We hope you have enjoyed your trial! To continue reading, we recommend our Read Now Pay Later membership. Simply add a form of payment and pay only 27¢ per article. *Introductory pricing schedule for 12 month: $0.99/month plus tax for first 3 months, $5.99/month for months 4 - 6, $10.99/month for months 7 - 9, $13.99/month for months 10 - 12. Standard All Access Digital rate of $16.99/month begins after first year. *Introductory pricing schedule for 12 month: $0.99/month plus tax for first 3 months, $5.99/month for months 4 - 6, $10.99/month for months 7 - 9, $13.99/month for months 10 - 12. Standard All Access Digital rate of $16.99/month begins after first year. *Introductory pricing schedule for 12 month: $0.99/month plus tax for first 3 months, $5.99/month for months 4 - 6, $10.99/month for months 7 - 9, $13.99/month for months 10 - 12. Standard All Access Digital rate of $16.99/month begins after first year. *Introductory pricing schedule for 12 month: $0.99/month plus tax for first 3 months, $5.99/month for months 4 - 6, $10.99/month for months 7 - 9, $13.99/month for months 10 - 12. Standard All Access Digital rate of $16.99/month begins after first year. Thank you for supporting the journalism that our community needs! For unlimited access to the best local, national, and international news and much more, try an All Access Digital subscription: We hope you have enjoyed your trial! To continue reading, we recommend our Read Now Pay Later membership. Simply add a form of payment and pay only 27¢ per article. Thank you for supporting the journalism that our community needs! For unlimited access to the best local, national, and international news and much more, try an All Access Digital subscription: We hope you have enjoyed your trial! To continue reading, we recommend our Read Now Pay Later membership. Simply add a form of payment and pay only 27¢ per article. The results stand in stark contrast to the support the Tories achieved in the last election, when 53 per cent of voters chose Pallister to replace the scandal-plagued NDP government of former premier Greg Selinger. Back then, Pallister’s chief opponents were left in ruin: the NDP could elicit the support of only 26 per cent of voters, with the Liberals trailing badly at 14 per cent. A Free Press-Probe Research poll shows the Pallister government with just 36 per cent of decided or leaning supporters, down from 42 per cent in a June poll. The NDP is in second at 30 per cent (unchanged), while the Manitoba Liberal Party trails closely with 24 per cent support (up four points). After 18 months of growing pains, squabbles with Ottawa, clandestine vacations in Costa Rica, questionable accounting and controversial changes to health care, it appears Premier Brian Pallister’s Progressive Conservative government has all but erased the lead in support it enjoyed in the 2016 election. Hey there, time traveller! This article was published 20/10/2017 (494 days ago), so information in it may no longer be current. Hey there, time traveller! This article was published 20/10/2017 (494 days ago), so information in it may no longer be current. After 18 months of growing pains, squabbles with Ottawa, clandestine vacations in Costa Rica, questionable accounting and controversial changes to health care, it appears Premier Brian Pallister’s Progressive Conservative government has all but erased the lead in support it enjoyed in the 2016 election. A Free Press-Probe Research poll shows the Pallister government with just 36 per cent of decided or leaning supporters, down from 42 per cent in a June poll. The NDP is in second at 30 per cent (unchanged), while the Manitoba Liberal Party trails closely with 24 per cent support (up four points). The results stand in stark contrast to the support the Tories achieved in the last election, when 53 per cent of voters chose Pallister to replace the scandal-plagued NDP government of former premier Greg Selinger. Back then, Pallister’s chief opponents were left in ruin: the NDP could elicit the support of only 26 per cent of voters, with the Liberals trailing badly at 14 per cent. The 17 per cent drop in overall support over such a relatively short period of time is not unprecedented, but it is highly unusual. It should be the source of significant concern when Tories gather in Winnipeg on Nov. 3-4 for their party’s annual general meeting. At that gathering, you can expect many influential Tories will be looking nervously at these poll results and trying to predict their party’s prospects in the 2020 election. At first blush, it’s not good news. No party can win government in Manitoba without making inroads in Winnipeg. The Tories triumphed in 2016 largely because they were able to capture 16 of the 31 seats available in the provincial capital. However, the current poll shows the Tories running third in Winnipeg. The NDP leads in the capital city with 33 per cent support, with the Liberals in second at 30 per cent; the Tories trail at 27 per cent. That is still largely within the margin of error (plus/minus three percentage points), but alarming nonetheless if you’re a Tory. Not surprisingly, the Tories enjoy the strongest support of all three parties among voters outside Winnipeg (51 per cent), those over 55 years of age (46 per cent), homeowners (42 per cent) and those with less than a high school education (48 per cent). The poll paints a scenario that’s rather remarkable: in just 18 months, the Pallister government has seen an erosion of support that would normally take many years, and probably multiple terms, to accomplish. The showings of the opposition parties are, in their own way, similarly remarkable. The NDP managed to hold firm in its support and retain the lead in Winnipeg, despite domestic assault allegations against newly minted leader Wab Kinew. Respondents were polled from Sept. 21 to Oct. 10, a week after a former partner publicly accused Kinew of assault. Not losing support in the wake of those allegations will likely be seen as a huge win by Kinew’s team. If the poll results serve as a source of concern at the Tory meeting in November, they should inject excitement into the Manitoba Liberal Party leadership convention, which takes place today. On the day following the leadership vote, one of the three candidates in the running — MLAs Jon Gerrard and Cindy Lamoureux, and longtime party organizer Dougald Lamont — will find themselves at the helm of a party with the potential to disrupt Manitoba’s traditional habit of turning to either the Tories or the NDP to form government. There are many caveats to poll results such as this. The poor showing by the Progressive Conservatives does not change the fact that they are the best organized, best funded and most stable of the three main parties in Manitoba. In the 2020 election, they will have a clear advantage both in terms of the money they can spend, but also the information they will have about voters in each riding. Those are formidable advantages the NDP or Liberal party will be unlikely to match. Want to get a head start on your day? Get the day’s breaking stories, weather forecast, and more sent straight to your inbox every morning. The Tories still have time on their side, although that advantage is becoming smaller and smaller by the day. In 30 months, much of the austerity that Pallister delivered in the early days of his administration, and the profound changes he has unleashed on health care, will be largely completed. If — and it’s a big if — he can show tangible evidence that he has made progress in improving the lives of Manitobans, he might be able to steal back a lot of the support he has lost to this point. As well, the poll results do not fundamentally change the challenges facing the two opposition parties. The NDP will continue to struggle to put Kinew’s troubled past behind him, and shed voter dissatisfaction with the Selinger government, which failed profoundly to deliver on both fiscal and program objectives. The new Liberal leader will have to show that he or she is better able to seize the moment than former leader Rana Bokhari in the 2016 election. Back then, Bokhari had a shot to position her party as a logical option for skeptical Tories and beleaguered New Democrats. She failed miserably to create a credible, competent alternative and had no choice but to leave politics. Heading into the dog days of winter, the poll reveals that Manitoba’s three political parties will continue to be faced with both challenges and opportunities. For the time being, it appears that politics in this province is a super tight horse race — and that’s not a bad thing in and of itself. [email protected]
Artificial Intelligence Pathologist: The use of Artificial Intelligence in Digital Healthcare Artificial intelligence is bringing revolutionary changes to so many industries, by introducing them to a new era, full of technological advancements. The healthcare industry has been one of the most beneficial to this change, by merging digital transformation and healthcare, to form digital healthcare. Thereby introducing digital pathology, which implements image processing algorithms to help pathologists analyze and examine a diagnosis faster and more efficiently. It not only reduces the long hours pathologists used to take in laboratory analysis but also reduces human error. Therefore, healthcare digitalization has allowed the integration of computer vision into the medical field, with the use of Artificial intelligence techniques such as deep learning and machine learning algorithms. However, past research work has been limited to using AI models to diagnosis one specific disease at a time. Whereas this research work aims to develop an AI model that will automatically perform pathological analysis, to determine the diagnosis for multiple diseases from a medical image, then provide the medical report, while securing the patients data, and assisting them with any questions they might have regarding the diagnosis. This research applies deep learning and machine learning algorithms for image classification via CNN architectures and feature extraction via Morphological properties. The model achieved great outcomes, with high accuracy and good F1-score results of 90.47% and 0.8332 respectively. The resultant model diagnoses 12 medical disorders, with an overall of 29 diagnostic cases, making it the only one of its kind in digitized healthcare applications.
Build watson: An overview of DeepQA for the Jeopardy! Challenge Computer systems that can directly and accurately answer peoples' questions over a broad domain of human knowledge have been envisioned by scientists and writers since the advent of computers themselves. Open domain question answering holds tremendous promise for facilitating informed decision making over vast volumes of natural language content. Applications in business intelligence, healthcare, customer support, enterprise knowledge management, social computing, science and government would all benefit from deep language processing. The DeepQA project (www.ibm.com/deepqa) is aimed at illustrating how the advancement and integration of Natural Language Processing (NLP), Information Retrieval (IR), Machine Learning (ML), massively parallel computation and Knowledge Representation and Reasoning (KR&R) can greatly advance open-domain automatic Question Answering. An exciting proof-point in this challenge is to develop a computer system that can successfully compete against top human players at the Jeopardy! quiz show (www.jeopardy.com). Attaining champion-level performance Jeopardy! requires a computer to rapidly answer rich open-domain questions, and to predict its own performance on any given category/question. The system must deliver high degrees of precision and confidence over a very broad range of knowledge and natural language content and with a 3-second response time. To do this DeepQA generates, evidences and evaluates many competing hypotheses. A key to success is automatically learning and combining accurate confidences across an array of complex algorithms and over different dimensions of evidence. Accurate confidences are needed to know when to buzz in against your competitors and how much to bet. Critical for winning at Jeopardy!, High precision and accurate confidence computations are just as critical for providing real value in business settings where helping users focus on the right content sooner and with greater confidence can make all the difference. The need for speed and high precision demands a massively parallel compute platform capable of generating, evaluating and combing 1000's of hypotheses and their associated evidence. In this talk I will introduce the audience to the Jeopardy! Challenge and describe our technical approach and our progress on this grand-challenge problem.
<gh_stars>1-10 package hex.genmodel.easy.prediction; /** * TODO */ public class DimReductionModelPrediction extends AbstractPrediction { public double[] dimensions; // contains the X factor/coefficient /** * This field is only used for GLRM and not for PCA. Reconstructed data, the array has same length as the * original input. The user can use the original input and reconstructed output to easily calculate eg. the * reconstruction error. Note that all values are either doubles or integers. Users need to convert * the enum columns from the integer columns if necessary. */ public double[] reconstructed; }
package cn.rui0.common.security.annotation; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; /** * Created by ruilin on 2018/11/28. */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface Access { String[] roles() default {}; }
Reliability and parasitic issues in GaN-based power HEMTs: a review Despite the potential of GaN-based power transistors, these devices still suffer from certain parasitic and reliability issues that limit their static and dynamic performance and the maximum switching frequency. The aim of this paper is to review our most recent results on the parasitic mechanisms that affect the performance of GaN-on-Si HEMTs; more specifically, we describe the following relevant processes: (i) trapping of electrons in the buffer, which is induced by off-state operation; (ii) trapping of hot electrons, which is promoted by semi-on state operation; (iii) trapping of electrons in the gate insulator, which is favored by the exposure to positive gate bias. Moreover, we will describe one of the most critical reliability aspects of Metal-Insulator-Semiconductor HEMTs (MIS-HEMTs), namely time-dependent dielectric breakdown.
Modulation of monocyte chemoattractant protein-1 expression by ischaemic preconditioning in a lung autotransplant model. OBJECTIVES Monocyte chemoattractant protein-1 (MCP-1) is believed to play a crucial role in lung ischaemia-reperfusion injury (LIRI). Ischaemic preconditioning (IP) has been shown to protect several organs from ischaemia-reperfusion (IR) injury, although less is known about IP's effect on MCP-1 modulation. The objective of this study was to investigate IP's effect on MCP-1 expression in lung tissue and its relationship with oxidative stress and proinflammatory cytokine production in an experimental LIRI model. METHODS Two groups (IP and control groups) of seven large white pigs underwent a lung autotransplant (left pneumonectomy, ex situ superior lobectomy and lower lobe reimplantation). Before pneumonectomy was performed in the study group, IP was induced with two cycles of 5 min of left pulmonary artery occlusion with a 5 min interval of reperfusion between the two occlusions. Blood samples and lung biopsies were obtained at prepneumonectomy (PPn), at prereperfusion (PRp) and up to 30 min after reperfusion of the implanted lobe (Rp-10' and Rp-30'). Haemodynamic and blood-gas measurements, evaluation of oxidative stress in lung tissue and MCP-1, tumour necrosis factor- (TNF-) and IL-1 protein and mRNA measurements in lung tissue were performed. Nonparametric tests were used to compare differences between groups. Data are expressed as mean ± SEM. RESULTS In control lungs, MCP-1 protein levels were found to be higher at PRp, Rp-10' and Rp-30' than at PPn (0.59 ± 0.1 vs. 0.21 ± 0.05, 0.47 ± 0.01 vs. 0.21 ± 0.05 and 0.56 ± 0.01 vs. 0.21 ± 0.05, respectively; P < 0.05). These differences were not evident in the IP group. MCP-1 levels at PRp, Rp-10' and Rp-30' were significantly higher in the control group than in the IP group (0.59 ± 0.1 vs. 0.15 ± 0.02, 0.47 ± 0.01 vs. 0.13 ± 0.01 and 0.56 ± 0.01 vs. 0.27 ± 0.01, respectively; P < 0.05). MCP-1, TNF- and IL-1 mRNA expressions were lower at PRp, Rp-10' and Rp-30' (control vs. IP group, P < 0.05) when IP was carried out. Lipid peroxidation metabolites and myeloperoxidase activity increase in lung tissue were prevented by IP. CONCLUSIONS In this model, LIRI induced the expression of MCP-1 and the proinflammatory proteins TNF- and IL-1 in control lungs. IP significantly reduced the expression of these chemokines and cytokines. These features may explain the reduction of oxidative stress observed with IP.
Tumor Cell Extrinsic Synaptogyrin 3 Expression as a Diagnostic and Prognostic Biomarker in Head and Neck Cancer. Over 70% of oropharyngeal head and neck squamous cell carcinoma (HNSC) cases in the United States are positive for human papillomavirus (HPV) yet biomarkers for stratifying oropharyngeal head and neck squamous cell carcinoma (HNSC) patient risk are limited. We used immunogenomics to identify differentially expressed genes in immune cells of HPV(+) and HPV(-) squamous carcinomas. Candidate genes were tested in clinical specimens using both quantitative RT-PCR and IHC and validated by IHC using the Carolina Head and Neck Cancer Study (CHANCE) tissue microarray of HNSC cases. We performed multiplex immunofluorescent staining to confirm expression within the immune cells of HPV(+) tumors, receiver operating characteristic (ROC) curve analyses, and assessed survival outcomes. The neuronal gene Synaptogyrin-3 (SYNGR3) is robustly expressed in immune cells of HPV(+) squamous cancers. Multiplex immunostaining and single cell RNA-seq analyses confirmed SYNGR3 expression in T cells, but also unexpectedly in B cells of HPV(+) tumors. ROC curve analyses revealed that combining SYNGR3 and p16 provides more sensitivity and specificity for HPV detection compared to p16 IHC alone. SYNGR3-high HNSC patients have significantly better prognosis with five-year OS and DSS rates of 60% and 71%, respectively. Moreover, combining p16 localization and SYNGR3 expression can further risk stratify HPV(+) patients such that high cytoplasmic, low nuclear p16 do significantly worse (Hazard Ratio, 8.6; P = 0.032) compared to patients with high cytoplasmic, high nuclear p16. SYNGR3 expression in T and B cells is associated with HPV status and enhanced survival outcomes of HNSC patients.
<filename>db/v1/vars.go package db //Vars a key/value collection type Vars struct { builder *SQLBuilder names []string } //WithNames set names func (vars *Vars) WithNames(names ...string) *Vars { if len(names) == 0 { return vars } if vars.names == nil { vars.names = make([]string, 0, len(names)) } for _, name := range names { vars.names = append(vars.names, name) } return vars } //WithValues set values func (vars *Vars) WithValues(values ...interface{}) { if len(values) == 0 || len(vars.names) == 0 { return } for i := 0; i < len(values) && i < len(vars.names); i++ { vars.builder.Var(vars.names[i], values[i], true) } }
<reponame>Secure-Labs/nextgen /* $OpenBSD: rand.c,v 1.10 2015/10/17 15:00:11 doug Exp $ */ /* ==================================================================== * Copyright (c) 1998-2001 The OpenSSL Project. All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in * the documentation and/or other materials provided with the * distribution. * * 3. All advertising materials mentioning features or use of this * software must display the following acknowledgment: * "This product includes software developed by the OpenSSL Project * for use in the OpenSSL Toolkit. (http://www.openssl.org/)" * * 4. The names "OpenSSL Toolkit" and "OpenSSL Project" must not be used to * endorse or promote products derived from this software without * prior written permission. For written permission, please contact * <EMAIL>. * * 5. Products derived from this software may not be called "OpenSSL" * nor may "OpenSSL" appear in their names without prior written * permission of the OpenSSL Project. * * 6. Redistributions of any form whatsoever must retain the following * acknowledgment: * "This product includes software developed by the OpenSSL Project * for use in the OpenSSL Toolkit (http://www.openssl.org/)" * * THIS SOFTWARE IS PROVIDED BY THE OpenSSL PROJECT ``AS IS'' AND ANY * EXPRESSED OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE OpenSSL PROJECT OR * ITS CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED * OF THE POSSIBILITY OF SUCH DAMAGE. * ==================================================================== * * This product includes cryptographic software written by <NAME> * (<EMAIL>). This product includes software written by <NAME> (<EMAIL>). * */ #include <ctype.h> #include <stdio.h> #include <string.h> #include "apps.h" #include <openssl/bio.h> #include <openssl/err.h> struct { int base64; int hex; char *outfile; } rand_config; struct option rand_options[] = { { .name = "base64", .desc = "Perform base64 encoding on output", .type = OPTION_FLAG, .opt.flag = &rand_config.base64, }, { .name = "hex", .desc = "Hexadecimal output", .type = OPTION_FLAG, .opt.flag = &rand_config.hex, }, { .name = "out", .argname = "file", .desc = "Write to the given file instead of standard output", .type = OPTION_ARG, .opt.arg = &rand_config.outfile, }, {NULL}, }; static void rand_usage() { fprintf(stderr, "usage: rand [-base64 | -hex] [-out file] num\n"); options_usage(rand_options); } int rand_main(int argc, char **argv) { char *num_bytes = NULL; int ret = 1; int badopt = 0; int num = -1; int i, r; BIO *out = NULL; if (single_execution) { if (pledge("stdio cpath wpath rpath", NULL) == -1) { perror("pledge"); exit(1); } } memset(&rand_config, 0, sizeof(rand_config)); if (options_parse(argc, argv, rand_options, &num_bytes, NULL) != 0) { rand_usage(); return (1); } if (num_bytes != NULL) { r = sscanf(num_bytes, "%d", &num); if (r == 0 || num < 0) badopt = 1; } else badopt = 1; if (rand_config.hex && rand_config.base64) badopt = 1; if (badopt) { rand_usage(); goto err; } out = BIO_new(BIO_s_file()); if (out == NULL) goto err; if (rand_config.outfile != NULL) r = BIO_write_filename(out, rand_config.outfile); else r = BIO_set_fp(out, stdout, BIO_NOCLOSE | BIO_FP_TEXT); if (r <= 0) goto err; if (rand_config.base64) { BIO *b64 = BIO_new(BIO_f_base64()); if (b64 == NULL) goto err; out = BIO_push(b64, out); } while (num > 0) { unsigned char buf[4096]; int chunk; chunk = num; if (chunk > (int) sizeof(buf)) chunk = sizeof(buf); arc4random_buf(buf, chunk); if (rand_config.hex) { for (i = 0; i < chunk; i++) BIO_printf(out, "%02x", buf[i]); } else BIO_write(out, buf, chunk); num -= chunk; } if (rand_config.hex) BIO_puts(out, "\n"); (void) BIO_flush(out); ret = 0; err: ERR_print_errors(bio_err); if (out) BIO_free_all(out); return (ret); }
// index into input of current character @Override public void consume() { p++; c = p < input.length() ? input.charAt(p) : EOF; }
Things are getting spicy on Arrakis. Stellan Skarsgard has joined the growing cast of Dune, Legendary's adaptation of the Frank Herbert novel being directed by Denis Villeneuve. Timothee Chalamet, Rebecca Ferguson and Dave Bautista are already on the call sheet for the big-budget feature that is headed toward a spring start and will shoot in Budapest and Jordan. Dune, considered a sci-fi literary classic, tells the complex story of a fallen noble family's attempt to control a desert planet named Arrakis and its export, a rare spice drug, while being betrayed by a galactic emperor. Chalamet is playing Paul Atreides, the son of the ruler of the family, who is forced to escape into the desert wastelands and partner with its nomadic tribes. Using enhanced mental abilities, he eventually rises to become their ruler, with the nomads believing he is their messiah, and leads an army to overthrow the empire. Skarsgard will play one of the villains of the piece, Baron Harkonnen, whose family previously ruled Arrakis and has a long hatred of the Atreides family, plotting with the galactic emperor to destroy it. He is also the uncle to the brutish character to be played by Bautista. The script was written by Villeneuve, Eric Roth and Jon Spaihts. Villeneuve is also producing, along with Mary Parent and Cale Boyter. Skarsgard was most recently seen in Mamma Mia! Here We Go Again and is known to audiences for his appearances in Marvel's Thor and Avengers as well as several Pirates of the Caribbean movies. He has several projects in the can, including the World War II drama The Painted Bird and the HBO miniseries Chernobyl. Skarsgard is repped by CAA and Curtis Brown Group.
For Kate, because she cried ## Contents Title Page Dedication Chapter One Chapter Two Chapter Three Chapter Four Chapter Five Chapter Six Chapter Seven Chapter Eight Chapter Nine Chapter Ten Chapter Eleven Chapter Twelve Chapter Thirteen Chapter Fourteen Chapter Fifteen Chapter Sixteen Chapter Seventeen Chapter Eighteen Chapter Nineteen Chapter Twenty Chapter Twenty-One Chapter Twenty-Two Chapter Twenty-Three Chapter Twenty-Four Chapter Twenty-Five Chapter Twenty-Six Chapter Twenty-Seven Chapter Twenty-Eight Chapter Twenty-Nine Chapter Thirty Chapter Thirty-One Chapter Thirty-Two Chapter Thirty-Three Chapter Thirty-Four Chapter Thirty-Five Chapter Thirty-Six Chapter Thirty-Seven Chapter Thirty-Eight Chapter Thirty-Nine Chapter Forty Chapter Forty-One Chapter Forty-Two Chapter Forty-Three Chapter Forty-Four Chapter Forty-Five Chapter Forty-Six Chapter Forty-Seven Chapter Forty-Eight Chapter Forty-Nine Chapter Fifty Chapter Fifty-One Chapter Fifty-Two Chapter Fifty-Three Chapter Fifty-Four Chapter Fifty-Five Chapter Fifty-Six Chapter Fifty-Seven Chapter Fifty-Eight Chapter Fifty-Nine Chapter Sixty Chapter Sixty-One Chapter Sixty-Two Chapter Sixty-Three Chapter Sixty-Four Chapter Sixty-Five Chapter Sixty-Six Chapter Sixty-Seven A Conversation with Maggie Stiefvater Acknowledgments About the Author Also Available Copyright I remember lying in the snow, a small red spot of warm going cold, surrounded by wolves. They were licking me, biting me, worrying at my body, pressing in. Their huddled bodies blocked what little heat the sun offered. Ice glistened on their ruffs and their breath made opaque shapes that hung in the air around us. The musky smell of their coats made me think of wet dog and burning leaves, pleasant and terrifying. Their tongues melted my skin; their careless teeth ripped at my sleeves and snagged through my hair, pushed against my collarbone, the pulse at my neck. I could have screamed, but I didn't. I could have fought, but I didn't. I just lay there and let it happen, watching the winter-white sky go gray above me. One wolf prodded his nose into my hand and against my cheek, casting a shadow across my face. His yellow eyes looked into mine while the other wolves jerked me this way and that. I held on to those eyes for as long as I could. Yellow. And, up close, flecked brilliantly with every shade of gold and hazel. I didn't want him to look away, and he didn't. I wanted to reach out and grab a hold of his ruff, but my hands stayed curled on my chest, my arms frozen to my body. I couldn't remember what it felt like to be warm. Then he was gone, and without him, the other wolves closed in, too close, suffocating. Something seemed to flutter in my chest. There was no sun; there was no light. I was dying. I couldn't remember what the sky looked like. But I didn't die. I was lost to a sea of cold, and then I was reborn into a world of warmth. I remember this: his yellow eyes. I thought I'd never see them again. They snatched the girl off her tire swing in the backyard and dragged her into the woods; her body made a shallow track in the snow, from her world to mine. I saw it happen. I didn't stop it. It had been the longest, coldest winter of my life. Day after day under a pale, worthless sun. And the hunger — hunger that burned and gnawed, an insatiable master. That month nothing moved, the landscape frozen into a colorless diorama devoid of life. One of us had been shot trying to steal trash off someone's back step, so the rest of the pack stayed in the woods and slowly starved, waiting for warmth and our old bodies. Until they found the girl. Until they attacked. They crouched around her, snarling and snapping, fighting to tear into the kill first. I saw it. I saw their flanks shuddering with their eagerness. I saw them tug the girl's body this way and that, wearing away the snow beneath her. I saw muzzles smeared with red. Still, I didn't stop it. I was high up in the pack — Beck and Paul had made sure of that — so I could've moved in immediately, but I hung back, trembling with the cold, up to my ankles in snow. The girl smelled warm, alive, human above all else. What was wrong with her? If she was alive, why wasn't she struggling? I could smell her blood, a warm, bright scent in this dead, cold world. I saw Salem jerk and tremble as he ripped at her clothing. My stomach twisted, painful — it had been so long since I'd eaten. I wanted to push through the wolves to stand next to Salem and pretend that I couldn't smell her humanness or hear her soft moans. She was so little underneath our wildness, the pack pressing against her, wanting to trade her life for ours. With a snarl and a flash of teeth, I pushed forward. Salem growled back at me, but I was rangier than him, despite my starvation and youth. Paul rumbled threateningly to back me up. I was next to her, and she was looking up at the endless sky with distant eyes. Maybe dead. I pushed my nose into her hand; the scent on her palm, all sugar and butter and salt, reminded me of another life. Then I saw her eyes. Awake. Alive. The girl looked right at me, eyes holding mine with such terrible honesty. I backed up, recoiled, starting to shake again — but this time, it wasn't anger that racked my frame. Her eyes on my eyes. Her blood on my face. I was tearing apart, inside and outside. Her life. My life. The pack fell back from me, wary. They growled at me, no longer one of them, and they snarled over their prey. I thought she was the most beautiful girl I'd ever seen, a tiny, bloody angel in the snow, and they were going to destroy her. I saw it. I saw her, in a way I'd never seen anything before. And I stopped it. I saw him again after that, always in the cold. He stood at the edge of the woods in our backyard, his yellow eyes steady on me as I filled the bird feeder or took out the trash, but he never came close. In between day and night, a time that lasted forever in the long Minnesota winter, I would cling to the frozen tire swing until I felt his gaze. Or, later, when I'd outgrown the swing, I'd step off the back deck and quietly approach him, hand forward, palm up, eyes lowered. No threat. I was trying to speak his language. But no matter how long I waited, no matter how hard I tried to reach him, he would always melt into the undergrowth before I could cross the distance between us. I was never afraid of him. He was large enough to tear me from my swing, strong enough to knock me down and drag me into the woods. But the ferocity of his body wasn't in his eyes. I remembered his gaze, every hue of yellow, and I couldn't be afraid. I knew he wouldn't hurt me. I wanted him to know I wouldn't hurt him. I waited. And waited. And he waited, too, though I didn't know what he was waiting for. It felt like I was the only one reaching out. But he was always there. Watching me watching him. Never any closer to me, but never any farther away, either. And so it was an unbroken pattern for six years: the wolves' haunting presence in the winter and their even more haunting absence in the summer. I didn't really think about the timing. I thought they were wolves. Only wolves. The day I nearly talked to Grace was the hottest day of my life. Even in the bookstore, which was air-conditioned, the heat crept in around the door and came in through the big picture windows in waves. Behind the counter, I slouched on my stool in the sun and sucked in the summer as if I could hold every drop of it inside of me. As the hours crept by, the afternoon sunlight bleached all the books on the shelves to pale, gilded versions of themselves and warmed the paper and ink inside the covers so that the smell of unread words hung in the air. This was what I loved, when I was human. I was reading when the door opened with a little ding, admitting a stifling rush of hot air and a group of girls. They were laughing too loudly to need my help, so I kept reading and let them jostle along the walls and talk about everything except books. I don't think I would've given the girls a second thought, except that at the edge of my vision I saw one of them sweep up her dark blonde hair and twist it into a long ponytail. The action itself was insignificant, but the movement sent a gasp of scent into the air. I recognized that smell. I knew immediately. It was her. It had to be. I jerked my book up toward my face and risked a glimpse in the girls' direction. The other two were still talking and gesturing at a paper bird I'd hung from the ceiling above the children's book section. She wasn't talking, though; she hung back, her eyes on the books all around her. I saw her face then, and I recognized something of myself in her expression. Her eyes flicked over the shelves, seeking possibilities for escape. I had planned a thousand different versions of this scene in my head, but now that the moment had come, I didn't know what to do. She was so real here. It was different when she was in her backyard, just reading a book or scribbling homework in a notebook. There, the distance between us was an impossible void; I felt all the reasons to stay away. Here, in the bookstore, with me, she seemed breathtakingly close in a way she hadn't before. There was nothing to stop me from talking to her. Her gaze headed in my direction, and I looked away hurriedly, down at my book. She wouldn't recognize my face but she would recognize my eyes. I had to believe she would recognize my eyes. I prayed for her to leave so I could breathe again. I prayed for her to buy a book so I would have to talk to her. One of the girls called, "Grace, come over here and look at this. Making the Grade: Getting into the College of Your Dreams — that sounds good, right?" I sucked in a slow breath and watched her long sunlit back as she crouched and looked at the SAT prep books with the other girls. There was a certain tilt to her shoulders that seemed to indicate only polite interest; she nodded as they pointed to other books, but she seemed distracted. I watched the way the sunlight streamed through the windows, catching the individual flyaway hairs in her ponytail and turning each one into a shimmering gold strand. Her head moved almost imperceptibly back and forth with the rhythm of the music playing overhead. "Hey." I jerked back as a face appeared before me. Not Grace. One of the other girls, dark-haired and tanned. She had a huge camera slung over her shoulder and she was looking right into my eyes. She didn't say anything, but I knew what she was thinking. Reactions to my eye color ranged from furtive glances to out-and-out staring; at least she was being honest about it. "Do you mind if I take your photo?" she asked. I cast around for an excuse. "Some native people think if you take their photo, you take their soul. It sounds like a very logical argument to me, so sorry, no pictures." I shrugged apologetically. "You can take photos of the store if you like." The third girl pushed up against the camera girl: bushy light brown hair, tremendously freckled and radiating so much energy that she exhausted me. "Flirting, Olivia? We don't have time for that. Here, dude, we'll take this one." I took Making the Grade from her, sparing a quick glance around for Grace. "Nineteen dollars and ninety-nine cents," I said. My heart was pounding. "For a paperback?" remarked the freckle girl, but she handed me a twenty. "Keep the penny." We didn't have a penny jar, but I put it on the counter next to the register. I bagged the book and receipt slowly, thinking Grace might come over to see what was taking so long. But she stayed in the biography section, head tipped to the side as she read the spines. The freckle girl took the bag and grinned at me and Olivia. Then they went to Grace and herded her toward the door. Turn around, Grace. Look at me, I'm standing right here. If she turned right now, she'd see my eyes, and she'd have to know me. Freckle girl opened the door — ding — and made an impatient sound to the rest of the herd: time to move along. Olivia turned briefly, and her eyes found me again behind the counter. I knew I was staring at them — at Grace — but I couldn't stop. Olivia frowned and ducked out of the store. Freckle girl said, "Grace, come on." My chest ached, my body speaking a language my head didn't quite understand. I waited. But Grace, the only person in the world I wanted to know me, just ran a wanting finger over the cover of one of the new hardcovers and walked out of the store without ever realizing I was there, right within reach. I didn't realize that the wolves in the wood were all werewolves until Jack Culpeper was killed. September of my junior year, when it happened, Jack was all anybody in our small town could talk about. It wasn't as though Jack had been this amazing kid when he was alive — apart from owning the most expensive car in the parking lot, principal's car included. Actually, he'd been kind of a jerk. But when he was killed — instant sainthood. With a gruesome and sensational undertow, because of the way it had happened. Within five days of his death, I'd heard a thousand versions of the story in the school halls. The upshot was this: Everyone was terrified of the wolves now. Because Mom didn't usually watch the news and Dad was terminally not home, the communal anxiety trickled down to our household slowly, taking a few days to really gain momentum. My incident with the wolves had faded from my mother's mind over the past six years, replaced by turpentine fumes and complementary colors, but Jack's attack seemed to refresh it perfectly. Far be it from Mom to funnel her growing anxiety into something logical like spending more quality time with her only daughter, the one who had been attacked by wolves in the first place. Instead, she just used it to become even more scatterbrained than usual. "Mom, do you need some help with dinner?" My mother looked guiltily at me, turning her attention from the television that she could just see from the kitchen back to the mushrooms she was obliterating on the cutting board. "It was so close to here. Where they found him," Mom said, pointing toward the television with the knife. The news anchor looked insincerely sincere as a map of our county appeared next to a blurry photo of a wolf in the upper right corner of the screen. The hunt for the truth, he said, continued. You'd think that after a week of reporting the same story over and over again, they'd at least get their simple facts straight. Their photo wasn't even the same species as my wolf, with his stormy gray coat and tawny yellow eyes. "I still can't believe it," Mom went on. "Just on the other side of Boundary Wood. That's where he was killed." "Or died." Mom frowned at me, delicately frazzled and beautiful as usual. "What?" I looked back up from my homework — comforting, orderly lines of numbers and symbols. "He could've just passed out by the side of the road and been dragged into the woods while he was unconscious. It's not the same. You can't just go around trying to cause a panic." Mom's attention had wandered back to the screen as she chopped the mushrooms into pieces small enough for amoeba consumption. She shook her head. "They attacked him, Grace." I glanced out the window at the woods, the pale lines of the trees phantoms against the dark. If my wolf was out there, I couldn't see him. "Mom, you're the one who told me over and over and over again: Wolves are usually peaceful." Wolves are peaceful creatures. This had been Mom's refrain for years. I think the only way she could keep living in this house was by convincing herself of the wolves' relative harmlessness and insisting that my attack was a one-time event. I don't know if she really believed that they were peaceful, but I did. Gazing into the woods, I'd watched the wolves every year of my life, memorizing their faces and their personalities. Sure, there was the lean, sickly-looking brindle wolf who hung well back in the woods, only visible in the coldest of months. Everything about him — his dull scraggly coat, his notched ear, his one foul running eye — shouted an ill body, and the rolling whites of his wild eyes whispered of a diseased mind. I remembered his teeth grazing my skin. I could imagine him attacking a human in the woods again. And there was the white she-wolf. I had read that wolves mated for life, and I'd seen her with the pack leader, a heavyset wolf that was as black as she was white. I'd watched him nose her muzzle and lead her through the skeleton trees, fur flashing like fish in water. She had a sort of savage, restless beauty to her; I could imagine her attacking a human, too. But the rest of them? They were silent, beautiful ghosts in the woods. I didn't fear them. "Right, peaceful." Mom hacked at the cutting board. "Maybe they should just trap them all and dump them in Canada or something." I frowned at my homework. Summers without my wolf were bad enough. As a child, those months had seemed impossibly long, just time spent waiting for the wolves to reappear. They'd only gotten worse after I noticed my yellow-eyed wolf. During those long months, I had imagined great adventures where I became a wolf by night and ran away with my wolf to a golden wood where it never snowed. I knew now that the golden wood didn't exist, but the pack — and my yellow-eyed wolf — did. Sighing, I pushed my math book across the kitchen table and joined Mom at the cutting board. "Let me do it. You're just messing it up." She didn't protest, and I hadn't expected her to. Instead, she rewarded me with a smile and whirled away as if she'd been waiting for me to notice the pitiful job she was doing. "If you finish making dinner," she said, "I'll love you forever." I made a face and took the knife from her. Mom was permanently paint-spattered and absentminded. She would never be my friends' moms: apron-wearing, meal-cooking, vacuuming, Betty Crocker. I didn't really want her to be like them. But seriously — I needed to get my homework done. "Thanks, sweetie. I'll be in the studio." If Mom had been one of those dolls that say five or six different things when you push their tummy, that would've been one of her prerecorded phrases. "Don't pass out from the fumes," I told her, but she was already running up the stairs. Shoving the mutilated mushrooms into a bowl, I looked at the clock hanging on the bright yellow wall. Still an hour until Dad would be home from work. I had plenty of time to make dinner and maybe, afterward, to try to catch a glimpse of my wolf. There was some sort of cut of beef in the fridge that was probably supposed to go with the mangled mushrooms. I pulled it out and slapped it on the cutting board. In the background, an "expert" on the news asked whether the wolf population in Minnesota should be limited or moved. The whole thing just put me in a bad mood. The phone rang. "Hello?" "Hiya. What's up?" Rachel. I was glad to hear from her; she was the exact opposite of my mother — totally organized and great on follow-through. She made me feel less like an alien. I shoved the phone between my ear and my shoulder and chopped the beef as I talked, saving a piece the size of my fist for later. "Just making dinner and watching the stupid news." She knew immediately what I was talking about. "I know. Talk about surreal, right? It seems like they just can't get enough of it. It's kind of gross, really — I mean, why can't they just shut up and let us get over it? It's bad enough going to school and hearing about it all the time. And you with the wolves and everything, it's got to be really bothering you — and, seriously, Jack's parents have got to be just wanting the reporters to shut up." Rachel was babbling so fast I could barely understand her. I missed a bunch of what she said in the middle, and then she asked, "Has Olivia called tonight?" Olivia was the third side of our trio, the only one who came anywhere near understanding my fascination with the wolves. It was a rare night when I didn't talk to either her or Rachel by phone. "She's probably out shooting photos. Isn't there a meteor shower tonight?" I said. Olivia saw the world through her camera; half of my school memories seemed to be in four-by-six-inch glossy black-and-white form. Rachel said, "I think you're right. Olivia will definitely want a piece of that hot asteroid action. Got a moment to talk?" I glanced at the clock. "Sorta. Just while I finish up dinner, then I have homework." "Okay. Just a second then. Two words, baby, try them out: es. cape." I started the beef browning on the stove top. "That's one word, Rach." She paused. "Yeah. It sounded better in my head. Anyway, so here's the thing: My parents said if I want to go someplace over Christmas break this year, they'll pay for it. I so want to go somewhere. Anywhere but Mercy Falls. God, anywhere but Mercy Falls! Will you and Olivia come over and help me pick something after school tomorrow?" "Yeah, sure." "If it's someplace really cool, maybe you and Olivia could come, too," Rachel said. I didn't answer right away. The word Christmas immediately evoked memories of the scent of our Christmas tree, the dark infinity of the starry December sky above the backyard, and my wolf's eyes watching me from behind the snow-covered trees. No matter how absent he was for the rest of the year, I always had my wolf for Christmas. Rachel groaned. "Don't do that silent staring-off-into-the-distance-thinking look, Grace! I can tell you're doing it! You can't tell me you don't want to get out of this place!" I sort of didn't. I sort of belonged here. "I didn't say no," I protested. "You also didn't say omigod yes, either. That's what you were supposed to say." Rachel sighed. "But you will come over, right?" "You know I will," I said, craning my neck to squint out the back window. "Now, I really have to go." "Yeah yeah yeah," Rachel said. "Bring cookies. Don't forget. Love ya. Bye." She laughed and hung up. I hurried to get the pot of stew simmering on the stove so it could occupy itself without me. Grabbing my coat from the hooks on the wall, I pulled open the sliding door to the deck. Cool air bit my cheeks and pinched at the tops of my ears, reminding me that summer was officially over. My stocking cap was stuffed in the pocket of my coat, but I knew my wolf didn't always recognize me when I was wearing it, so I left it off. I squinted at the edge of the yard and stepped off the deck, trying to look nonchalant as I did. The piece of beef in my hand felt cold and slick. I crunched out across the brittle, colorless grass into the middle of the yard and stopped, momentarily dazzled by the violent pink of the sunset through the fluttering black leaves of the trees. This stark landscape was a world away from the small, warm kitchen with its comforting smells of easy survival. Where I was supposed to belong. Where I should've wanted to be. But the trees called to me, urging me to abandon what I knew and vanish into the oncoming night. It was a desire that had been tugging me with disconcerting frequency these days. The darkness at the edge of the wood shifted, and I saw my wolf standing beside a tree, nostrils sniffing toward the meat in my hand. My relief at seeing him was cut short as he shifted his head, letting the yellow square of light from the sliding door fall across his face. I could see now that his chin was crusted with old, dried blood. Days old. His nostrils worked; he could smell the bit of beef in my hand. Either the beef or the familiarity of my presence was enough to lure him a few steps out of the wood. Then a few steps more. Closer than he'd ever been before. I faced him, near enough that I could have reached out and touched his dazzling fur. Or brushed the deep red stain on his muzzle. I badly wanted that blood to be his. An old cut or scratch earned in a scuffle. But it didn't look like that. It looked like it belonged to someone else. "Did you kill him?" I whispered. He didn't disappear at the sound of my voice, as I had expected. He was as still as a statue, his eyes watching my face instead of the meat in my hand. "It's all they can talk about on the news," I said, as if he could understand. "They called it 'savage.' They said wild animals did it. Did you do it?" He stared at me for a minute longer, motionless, unblinking. And then, for the first time in six years, he closed his eyes. It went against every natural instinct a wolf should have possessed. A lifetime of an unblinking gaze, and now he was frozen in almost-human grief, brilliant eyes closed, head ducked and tail lowered. It was the saddest thing I had ever seen. Slowly, barely moving, I approached him, afraid only of scaring him away, not of his scarlet-stained lips or the teeth they hid. His ears flicked, acknowledging my presence, but he didn't move. I crouched, dropping the meat onto the snow beside me. He flinched as it landed. I was close enough to smell the wild odor of his coat and feel the warmth of his breath. Then I did what I had always wanted to — I put a hand to his dense ruff, and when he didn't flinch, I buried both my hands in his fur. His outer coat was not soft as it looked, but beneath the coarse guard hairs was a layer of downy fluff. With a low groan, he pressed his head against me, eyes still closed. I held him as if he were no more than a family dog, though his wild, sharp scent wouldn't let me forget what he really was. For a moment, I forgot where — who — I was. For a moment, it didn't matter. Movement caught my eye: Far off, barely visible in the fading day, the white wolf was watching at the edge of the wood, her eyes burning. I felt a rumble against my body and I realized my wolf was growling at her. The she-wolf stepped closer, uncommonly bold, and he twisted in my arms to face her. I flinched at the sound of his teeth snapping at her. She never growled, and somehow that was worse. A wolf should have growled. But she just stared, eyes flicking from him to me, every aspect of her body language breathing hatred. Still rumbling, almost inaudible, my wolf pressed harder against me, forcing me back a step, then another, guiding me up to the deck. My feet found the steps and I retreated to the sliding door. He remained at the bottom of the stairs until I pushed the door open and locked myself inside the house. As soon as I was inside, the white wolf darted forward and snatched the piece of meat I'd dropped. Though my wolf was nearest to her and the most obvious threat for the food, it was me that her eyes found, on the other side of the glass door. She held my gaze for a long moment before she slid into the woods like a spirit. My wolf hesitated by the edge of the woods, the dim porch light catching his eyes. He was still watching my silhouette through the door. I pressed my palm flat against the frigid glass. The distance between us had never felt so vast. When my father got home, I was still lost in the silent world of the wolves, imagining again and again the feeling of my wolf's coarse hairs against my palms. Even though I'd reluctantly washed my hands to finish up dinner, his musky scent lingered on my clothing, keeping the encounter fresh in my mind. It had taken six years for him to let me touch him. Hold him. And now he'd guarded me, just like he'd always guarded me. I desperately wanted to tell somebody, but I knew Dad wouldn't share my excitement, especially with the newscasters still droning in the background about the attack. I kept my mouth shut. In the front hall, Dad stomped in. Even though he hadn't seen me in the kitchen, he called, "Dinner smells good, Grace." He came into the kitchen and patted me on the head. His eyes looked tired behind his glasses, but he smiled. "Where's your mother? Painting?" He chucked his coat over a chair. "Does she ever stop?" I narrowed my eyes at his coat. "I know you aren't going to leave that there." He retrieved it with an affable smile and called up the stairs, "Rags, time for dinner!" His use of Mom's nickname confirmed his good mood. Mom appeared in the yellow kitchen in two seconds flat. She was out of breath from running down the stairs — she never walked anywhere — and there was a streak of green paint on her cheekbone. Dad kissed her, avoiding the paint. "Have you been a good girl, my pet?" She batted her eyelashes. She had a look on her face like she already knew what he was going to say. "The best." "And you, Gracie?" "Better than Mom." Dad cleared his throat. "Ladies and gentlemen, my raise takes effect this Friday. So..." Mom clapped her hands and whirled in a circle, watching herself in the hall mirror as she spun. "I'm renting that place downtown!" Dad grinned and nodded. "And, Gracie girl, you're trading in your piece of crap car as soon as I find time to get you down to the dealership. I'm tired of taking yours into the shop." Mom laughed, giddy, and clapped her hands again. She danced into the kitchen, chanting some sort of nonsense song. If she rented the studio in town, I'd probably never see either of my parents again. Well, except for dinner. They usually showed up for food. But that seemed unimportant in comparison to the promise of reliable transportation. "Really? My own car? I mean, one that runs?" "A slightly less crappy one," Dad promised. "Nothing nice." I hugged him. A car like that meant freedom. That night, I lay in my room, eyes squeezed firmly shut, trying to sleep. The world outside my window seemed silenced, as though it had snowed. It was too early for snow, but every sound seemed muffled. Too quiet. I held my breath and focused on the night, listening for movement in the still darkness. I slowly became aware that faint clicks had broken the silence outside, pricking at my ears. It sounded for all the world like toenails on the deck outside my window. Was a wolf on the deck? Maybe it was a raccoon. Then came more soft scrabbling, and a growl — definitely not a raccoon. The hairs rose on the back of my neck. Pulling my quilt around me like a cape, I climbed out of bed and padded across bare floorboards lit by half a moon. I hesitated, wondering if I'd dreamed the sound, but the tack tack tack came through the window again. I lifted the blinds and looked out onto the deck. Perpendicular to my room, I could see that the yard was empty. The stark black trunks of the trees jutted like a fence between me and the deeper forest beyond. Suddenly, a face appeared directly in front of mine, and I jumped with surprise. The white wolf was on the other side of the glass, paws on the outside sill. She was close enough that I could see moisture caught in the banded hairs of her fur. Her jewel-blue eyes glared into mine, challenging me to look away. A low growl rumbled through the glass, and I felt as if I could read meaning into it, as clearly as if it were written on the pane. You're not his to protect. I stared back at her. Then, without thinking, I lifted my teeth into a snarl. The growl that escaped from me surprised both me and her, and she jumped down from the window. She cast a dark look over her shoulder at me and peed on the corner of the deck before loping into the woods. Biting my lip to erase the strange shape of the snarl, I picked up my sweater from the floor and crawled back into bed. Shoving my pillow aside, I balled up the sweater to use instead. I fell asleep to the scent of my wolf. Pine needles, cold rain, earthy perfume, coarse bristles on my face. It was almost like he was there. I could still smell her on my fur. It clung to me, a memory of another world. I was drunk with it, with the scent of her. I'd gotten too close. My instincts warned against it. Especially when I remembered what had just happened to the boy. The smell of summer on her skin, the half-recalled cadence of her voice, the sensation of her fingers on my fur. Every bit of me sang with the memory of her closeness. Too close. I couldn't stay away. For the next week, I was distracted in school, floating through my classes and barely taking any notes. All I could think of was the feel of my wolf's fur under my fingers and the image of the white wolf's snarling face outside my window. I snapped to attention, however, when Mrs. Ruminski led a policeman into the classroom and to the front of our Life Skills class. She left him alone at the front of the room, which I thought was pretty cruel, considering it was seventh period and most of us were restlessly anticipating escape. Maybe she thought that a member of law enforcement would be able to handle mere high school students. But criminals you can shoot, unlike a room full of juniors who won't shut up. "Hi," the officer said. Beneath a gun belt that bristled with holsters and pepper sprays and other assorted weaponry, he looked young. He glanced toward Mrs. Ruminski, who hovered unhelpfully in the open door of the classroom, and fingered the shiny name tag on his shirt: WILLIAM KOENIG. Mrs. Ruminski had told us that he was a graduate of our fine high school, but neither his name nor his face looked particularly familiar to me. "I'm Officer Koenig. Your teacher — Mrs. Ruminski — asked me last week if I'd come talk to her Life Skills class." I glanced over at Olivia in the seat next to me to see what she was making of this. As usual, everything about Olivia looked neat and tidy: straight-A report card made flesh. Her dark hair was plaited in a perfect French braid and her collared shirt was freshly pressed. You could never tell what Olivia was thinking by her mouth. It was her eyes you had to look at. "He's cute," Olivia whispered to me. "Love the shaved head. Do you think his mom calls him 'Will'?" I hadn't yet figured out how to respond to Olivia's new-found and very vocal interest in guys, so I just rolled my eyes. He was cute, but not my type. I didn't think I knew what my type was yet. "I became an officer of the law right after high school," Officer Will said. He looked very serious as he said it, frowning in a sort of serve-and-protect way. "It's a profession I always wanted to pursue and one I take very seriously." "Clearly," I whispered to Olivia. I didn't think his mother called him Will. Officer William Koenig shot a look at us and rested a hand on his gun. I guess it was habit, but it looked like he was considering shooting us for whispering. Olivia disappeared into her seat and a few of the other girls giggled. "It's an excellent career path and one of the few that doesn't require college yet," he pressed on. "Are — uh — any of you considering going into law enforcement?" It was the uh that did him in. If he hadn't hesitated, I think the class might have behaved. A hand whipped up. Elizabeth, one of the hordes of Mercy Falls High students still wearing black since Jack's death, asked, "Is it true that Jack Culpeper's body was stolen from the morgue?" The class erupted in whispers at her audacity, and Officer Koenig looked as if he really did have due cause to shoot her. But all he said was, "I'm not really authorized to talk about the details of any ongoing investigations." "It's an investigation?" a male voice called out from near the front. Elizabeth interrupted, "My mom heard it from a dispatcher. Is it true? Why would someone steal a body?" Theories flew in quick succession. "It's got to be a cover-up. For a suicide." "To smuggle drugs!" "Medical experimentation!" Some guy said, "I heard Jack's dad has a stuffed polar bear in his house. Maybe the Culpepers stuffed Jack, too." Someone took a swat at the guy who made the last comment; it was still taboo to say anything bad about Jack or his family. Officer Koenig looked aghast at Mrs. Ruminski, who stood in the open door of the classroom. She regarded him solemnly and then turned to the class. "Quiet down!" We quieted down. She turned back to Officer Koenig. "So was his body stolen?" she asked. He said again, "I'm not really authorized to discuss the details of any ongoing investigations." But this time, he sounded more helpless, like there might be a question mark at the end of his sentence. "Officer Koenig," Mrs. Ruminski said. "Jack was well loved in this community." Which was a patent lie. But being dead had done wonders for his reputation. I guess everyone else could forget the way he'd lose his temper in the middle of the hall or even during class. And just what those tempers looked like. But I hadn't. Mercy Falls was all about rumors, and the rumor on Jack was that he got his short fuse from his dad. I didn't know about that. It seemed like you ought to pick the sort of person you would be, no matter what your parents were like. "We are still in mourning," Mrs. Ruminski added, gesturing to the sea of black in the classroom. "This is not about an investigation. This is about giving closure to a close-knit community." Olivia mouthed at me: "Oh. My. God." I shook my head. Amazing. Officer Koenig crossed his arms over his chest; it made him look petulant, like a little kid being forced to do something. "It's true. We're looking into it. I understand the loss of someone so young" — this from someone who looked maybe twenty — "has a huge impact on the community, but I ask that everyone respect the privacy of the family and the confidentiality of the investigation process." He was getting back on firm footing here. Elizabeth waved her hand again. "Do you think the wolves are dangerous? Do you get lots of calls about them? My mom said you got lots of calls about them." Officer Koenig looked at Mrs. Ruminski, but he should have figured out by now that she wanted to know just as much as Elizabeth did. "I don't think the wolves are a threat to the populace, no. I — and the rest of the department — feel this was an isolated incident." Elizabeth said, "But she got attacked, too." Oh, lovely. I couldn't see Elizabeth pointing, but I knew she was, because everyone's faces turned toward me. I bit the inside of my lip. Not because the attention bothered me, but because every time someone remembered I was dragged from my tire swing, they remembered it could happen to anyone. And I wondered how many someones it would take before they decided to go after the wolves. To go after my wolf. I knew this was the real reason why I couldn't forgive Jack for dying. In between that and his checkered history at the school, it felt hypocritical to go into public mourning along with the rest of the school. It didn't feel right to ignore it, either, though; I wished I knew what I was supposed to be feeling. "That was a long time ago," I told Officer Koenig, and he looked relieved as I added, "Years. And it might have been dogs." So I was lying. Who was going to contradict me? "Exactly," Officer Koenig said emphatically. "Exactly. There's no point vilifying wild animals for a random incident. And there's no point creating panic when it's not warranted. Panic leads to carelessness, and carelessness creates accidents." My thoughts precisely. I felt a vague kinship with humorless Officer Koenig as he steered the conversation back to careers in law enforcement. After class was over, the other students started talking about Jack again, but Olivia and I escaped to our lockers. I felt a tug on my hair and turned to see Rachel standing behind me, looking mournfully at both of us. "Babes, I have to rain check on vacation planning this afternoon. Step-freak has demanded a family bonding trip to Duluth. If she wants me to love her, she's going to have to buy me some new shoes. Can we get together tomorrow or something?" I had barely nodded before Rachel flashed both of us a big smile and surged off through the hall. "Want to hang out at my place instead?" I asked Olivia. It still felt weird to ask. In middle school, she and Rachel and I had hung out every day, a wordless ongoing agreement. Somehow it had sort of changed after Rachel got her first boyfriend, leaving Olivia and me behind, the geek and the disinterested, and fracturing our easy friendship. "Sure," Olivia said, grabbing her stuff to follow me down the hall. She pinched my elbow. "Look." She pointed to Isabel, Jack's younger sister, a classmate of ours with more than her fair share of the Culpeper good looks, complete with a cherubic head of blonde curls. She drove a white SUV and had one of those handbag Chihuahuas that she dressed to match her outfits. I always wondered when she would notice that she lived in Mercy Falls, Minnesota, where people just didn't do that kind of thing. At the moment, Isabel was staring into her locker as if it contained other worlds. Olivia said, "She's not wearing black." Isabel snapped out of her trance and glared at us as if she realized we were talking about her. I looked away quickly, but I still felt her eyes on me. "Maybe she's not in mourning anymore," I said, after we'd gotten out of earshot. Olivia opened the door for me. "Maybe she's the only one who ever was." Back at my house, I made coffee and cranberry scones for us, and we sat at the kitchen table looking at a stack of Olivia's latest photos under the yellow ceiling light. To Olivia, photography was a religion; she worshipped her camera and studied the techniques as if they were rules to live by. Seeing her photos, I was almost willing to become a believer, too. She made you feel as though you were right there in the scene. "He was really cute. You can't tell me he wasn't," she said. "Are you still talking about Officer No-Smile? What is wrong with you?" I shook my head and shuffled to the next photo. "I've never seen you obsess over a real person." Olivia grinned and leaned at me over a steaming mug. Taking a bite of scone, she spoke around a mouthful, covering her mouth to keep from spraying me with crumbs. "I think I'm turning into one of those girls who likes uniformed types. Oh, c'mon, you didn't think he was cute? I'm feeling... I'm feeling the boyfriend urge. We should order pizza sometime. Rachel told me there's a really cute pizza boy." I rolled my eyes again. "All of a sudden you want a boyfriend?" Olivia didn't look up from the photos, but I got the idea she was paying a lot of attention to my response. "You don't?" I mumbled, "When the right guy comes along, I guess." "How will you know if you don't look?" "As if you have ever had the guts to talk to a guy. Other than your James Dean poster." My voice had gotten more combative than I'd intended; I added a laugh at the end to soften the effect. Olivia's eyebrows drew closer to each other, but she didn't say anything. For a long time we sat in silence, paging through her photos. I lingered on a close-up shot of me, Olivia, and Rachel together; her mother had come outside to take it right before school started. Rachel, her freckled face contorted into a wild smile, had one arm firmly wrapped around Olivia's shoulders and the other around mine; it looked like she was squeezing us into the frame. Like always, she was the glue that held our threesome together: the outgoing one who made sure us quiet ones stuck together through the years. In the photo, Olivia seemed to belong in the summer, with her olive skin bronzed and green eyes saturated with color. Her teeth made a perfect crescent moon smile for the photo, dimples and all. Next to the two of them, I was the embodiment of winter — dark blonde hair and serious brown eyes, a summer girl faded by cold. I used to think Olivia and I were so similar, both introverts permanently buried in books. But now I realized my seclusion was self-inflicted and Olivia was just painfully shy. This year, it felt like the more time we spent together, the harder it was to stay friends. "I look stupid in that one," Olivia said. "Rachel looks insane. And you look angry." I looked like someone who wouldn't take no for an answer — petulant, almost. I liked it. "You don't look stupid. You look like a princess and I look like an ogre." "You don't look like an ogre." "I was bragging," I told her. "And Rachel?" "No, you called it. She does look insane. Or at least highly caffeinated, as per usual." I looked at the photo again. Really, Rachel looked like a sun, bright and exuding energy, holding us two moons in parallel orbit by the sheer force of her will. "Did you see that one?" Olivia interrupted my thoughts to point at another one of the photos. It was my wolf, deep in the woods, halfway hidden behind a tree. But she'd managed to get a little sliver of his face perfectly in focus, and his eyes stared right into mine. "You can keep that one. In fact, keep the whole stack. We can put the good ones in a book next time." "Thanks," I replied, and meant it more than I could say. I pointed at the picture. "This is from last week?" She nodded. I stared at the photo of him — breathtaking, but flat and inadequate in comparison to the real thing. I lightly ran my thumb over it, as if I'd feel his fur. Something knotted in my chest, bitter and sad. I felt Olivia's eyes on me, and they only made me feel worse, more alone. Once upon a time I would've talked to her about it, but now it felt too personal. Something had changed — and I thought it was me. Olivia handed me a slender stack of prints that she'd separated from the rest. "This is my brag pile." Distracted, I paged through them slowly. They were impressive: a fall leaf floating on a puddle, students reflected in the windows of a school bus, an artfully smudgy black-and-white self-portrait of Olivia. I oohed and aahed and then slid the photo of my wolf back on top of them to look at it again. Olivia made a sort of irritated sound in the back of her throat. I hurriedly shuffled back to the one of the leaf floating on the puddle. I frowned at it for a moment, trying to imagine the sort of thing Mom would say about a piece of art. I managed, "I like this one. It's got great... colors." She snatched them out of my hands and flicked the wolf photo back at me with such force that it bounced off my chest and onto the floor. "Yeah. Sometimes, Grace, I don't know why I even..." Olivia didn't end the sentence, just shook her head. I didn't get it. Did she want me to pretend to like the other photos better than the one of my wolf? "Hello! Anyone home?" It was John, Olivia's older brother, sparing me from the consequences of whatever I'd done to irritate Olivia. He grinned at me from the front hall, shutting the door behind him. "Hey, good-looking." Olivia looked up from her seat at the kitchen table with a frosty expression. "I hope you're talking about me." "Of course," John said, looking at me. He was handsome in a very conventional way: tall, dark-haired like his sister, but with a face quick to smile and befriend. "It would be in very bad taste to hit on your sister's best friend. So. It's four o'clock. How time flies when you're" — he paused, looking at Olivia leaning over the table with a pile of photographs and me across from her with another stack — "doing nothing. Can't you do nothing by yourselves?" Olivia silently straightened up her pile of photos while I explained, "We're introverts. We like doing nothing together. All talk, no action." "Sounds fascinating. Olive, we've got to leave now if you want to make it to your lesson." He punched my arm lightly. "Hey, why don't you come with us, Grace? Are your parents home?" I snorted. "Are you kidding? I'm raising myself. I should get a head of household bonus on my taxes." John laughed, probably more than my comment warranted, and Olivia shot me a look imbued with enough venom to kill small animals. I shut up. "Come on, Olive," said John, seemingly oblivious to the daggers flying from his sister's eyes. "You pay for the lesson whether you get there or not. You coming, Grace?" I looked out the window, and for the first time in months, I imagined disappearing into the trees and running until I found my wolf in a summer wood. I shook my head. "Not this time. Rain check?" John flashed a lopsided smile at me. "Yep. Come on, Olive. Bye, good-looking. You know who to call if you're looking for some action with your talk." Olivia swung her backpack at him; it made a solid thuk as it hit his body. But it was me who got the dark look again, like I'd done anything to encourage John's flirting. "Go. Just go. Bye, Grace." I showed them to the door and then returned aimlessly to the kitchen. A pleasantly neutral voice followed me, an announcer on NPR describing the classical piece I'd just heard and introducing another one; Dad had left the radio on in his study next to the kitchen. Somehow, the sounds of my parents' presence only highlighted their absence. Knowing that dinner would be canned beans unless I made it, I rummaged in the fridge and put a pot of leftover soup on the stove to simmer until my parents got home. I stood in the kitchen, illuminated by the slanting cool afternoon light through the deck door, feeling sorry for myself, more because of Olivia's photo than because of the empty house. I hadn't seen my wolf in person since that day I'd touched him, nearly a week ago, and even though I knew it shouldn't, his absence still stabbed. It was stupid, the way I needed his phantom at the edge of the yard to feel complete. Stupid but completely incurable. I went to the back door and opened it, wanting to smell the woods. I padded out onto the deck in my sock feet and leaned against the railing. If I hadn't gone outside, I don't know if I would have heard the scream. From the distance beyond the trees, the scream came again. For a second I thought it was a howl, and then the cry resolved itself into words: "Help! Help!" I swore the voice sounded like Jack Culpeper's. But that was impossible. I was just imagining it, remembering it from the cafeteria, where it had always seemed to carry over the others around him as he catcalled girls in the hallway. Still, I followed the sound of the voice, moving impulsively across the yard and through the trees. The ground was damp and prickly through my sock feet; I was clumsier without my shoes. The crashing of my own steps through fallen leaves and tangled brush drowned out any other sounds. I hesitated, listening. The voice was gone, replaced by just a whimper, distinctly animal-sounding, and then by silence. The relative safety of the backyard was far behind me now. I stood for a long moment, listening for any indication of where the first scream had come from. I knew I hadn't imagined it. But there was nothing but silence. And in that silence, the smell of the woods seeped under my skin and reminded me of him. Crushed pine needles and wet earth and wood smoke. I didn't care how idiotic it was. I'd come into the woods this far. Going a little farther to try to see my wolf again wouldn't hurt anybody. I retreated to the house, just long enough to get my shoes, and headed back out into the cool autumn day. There was a bite behind the breeze that promised winter, but the sun shone bright, and under the shelter of the trees, the air was warm with the memory of hot days not so long ago. All around me, leaves were dying gorgeously in red and orange; crows cawed to each other overhead in a vibrant, ugly soundtrack. I hadn't been this far into these woods since I was eleven, when I'd awoken surrounded by wolves, but strangely, I didn't feel afraid. I stepped carefully, avoiding the little streams that snaked through the underbrush. This should have been unfamiliar territory, but I felt confident, assured. Silently guided, as though by a weird sixth sense, I followed the same worn paths that the wolves used over and over again. Of course I knew it wasn't really a sixth sense. It was just me, acknowledging that there was more to my senses than I normally let on. I gave in to them and they became efficient, sharpened. As it reached me, the breeze seemed to carry the information of a stack of maps, telling me which animals had traveled where and how long ago. My ears picked up faint sounds that before had gone unnoticed: the rustling of a twig as a bird built a nest overhead, the soft step of a deer dozens of feet away. I felt like I was home. The woods rang with an unfamiliar cry, out of place in this world. I hesitated, listening. The whimper came again, louder than before. Rounding a pine tree, I came upon the source: three wolves. It was the white wolf and the black pack leader; the sight of the she-wolf made my stomach twist with nerves. The two of them had pounced on a third wolf, a scraggly young male with an almost-blue tint to his gray coat and an ugly, healing wound on his shoulder. The other two wolves were pinning him to the leafy ground in a show of dominance; they all froze when they saw me. The pinned male twisted his head to stare at me, eyes entreating. My heart thudded in my chest. I knew those eyes. I remembered them from school; I remembered them from the local news. "Jack?" I whispered. The pinned wolf whistled pitifully through his nostrils. I just kept staring at those eyes. Hazel. Did wolves have hazel eyes? Maybe they did. Why did they look so wrong? As I stared at them, that one word just kept singing through my head: human, human, human. With a snarl in my direction, the she-wolf let him up. She snapped at his side, pushing him away from me. Her eyes were on me the entire time, daring me to stop her, and something in me told me that maybe I should have tried. But by the time my thoughts stopped spinning and I remembered the pocketknife in my jeans, the three wolves were already dark smudges in the distant trees. Without the wolf's eyes before me, I had to wonder if I'd imagined the likeness to Jack's. After all, it had been two weeks since I'd seen Jack in person, and I'd never really paid close attention to him. I could have been misremembering his eyes. What was I thinking, anyway? That he'd turned into a wolf? I let out a deep breath. Actually, that was what I was thinking. I didn't think I had forgotten Jack's eyes. Or his voice. And I hadn't imagined the human scream or the desperate howl. I just knew it was Jack, in the way I'd known how to find my way through the trees. There was a knot in my stomach. Nerves. Anticipation. I didn't think Jack was the only secret these woods held. That night I lay in bed and stared at the window, my blinds pulled up so I could see the night sky. One thousand brilliant stars punched holes in my consciousness, pricking me with longing. I could stare at the stars for hours, their infinite number and depth pulling me into a part of myself that I ignored during the day. Outside, deep in the woods, I heard a long, keening wail, and then another, as the wolves began to howl. More voices pitched in, some low and mournful, others high and short, an eerie and beautiful chorus. I knew my wolf's howl; his rich tone sang out above the others as if begging me to hear it. My heart ached inside me, torn between wanting them to stop and wishing they would go on forever. I imagined myself there among them in the golden wood, watching them tilt their heads back and howl underneath a sky of endless stars. I blinked a tear away, feeling foolish and miserable, but I didn't go to sleep until every wolf had fallen silent. "Do you think we need to take the book home — you know, Exploring Guts, or whatever it's called?" I asked Olivia. "For the reading? Or can I leave it here?" She shoved her locker shut, her arms full of books. She was wearing reading glasses, complete with a chain on the ear pieces so that she could hang them around her neck. On Olivia, the look kind of worked, in a sort of charming librarian way. "It's a lot of reading. I'm bringing it." I reached back into my locker for the textbook. Behind us, the hall hummed with noise as students packed up and headed home. All day long, I'd tried to work up the nerve to tell Olivia about the wolves. Normally I wouldn't have had to think about it, but after our almost-fight the day before, the moment hadn't seemed to come up. And now the day was over. I took a deep breath. "I saw the wolves yesterday." Olivia paged idly through the book on top of her stack, not realizing how momentous my confession was. "Which ones?" "The nasty she-wolf, the black one, and a new one." I debated again whether or not to tell her. She was way more interested in the wolves than Rachel was, and I didn't know who else to talk to. Even inside my head, the words sounded crazy. But since the evening before, the secret had surrounded me, tight around my chest and throat. I let the words spill out, my voice low. "Olivia, this is going to sound stupid. The new wolf — I think something happened when the wolves attacked Jack." She just stared at me. "Jack Culpeper," I said. "I know who you meant." Olivia frowned at the front of her locker. Her knotted eyebrows were making me regret starting the conversation. I sighed. "I thought I saw him in the woods. Jack. As a..." I hesitated. "Wolf?" Olivia clicked her heels together — I'd never known anyone to actually do that, outside of The Wizard of Oz — and spun on them to face me with a raised eyebrow. "You're crazy." I could barely hear her over the students pressed all around us in the hall. "I mean, it's a nice fantasy, and I can see why you'd want to believe it — but you're crazy. Sorry." I leaned in close, although the hall was so loud that even I had to struggle to hear our conversation. "Olive, I know what I saw. They were Jack's eyes. It was his voice." Of course, her doubt made me doubt, but I wasn't about to admit that. "I think the wolves turned him into one of them. Wait — what do you mean? About me wanting to believe it?" Olivia gave me a long look before setting off toward our homeroom. "Grace, seriously. Don't think I don't know what this is about." "What is this about?" She answered with another question. "Are they all werewolves then?" "What? The whole pack? I don't know. I didn't think about that." It hadn't occurred to me. It should have, but it hadn't. It was impossible. That those long absences were because my wolf vanished into human form? The idea was immediately unbearable, only because I wanted it to be true so badly that it hurt. "Yeah, sure you didn't. Don't you think this obsession is getting kind of creepy, Grace?" My reply sounded more defensive than I meant it to. "I'm not obsessed." Students shot annoyed looks at us as Olivia stopped in the hall and put a finger on her chin. "Hmm, it's all you think about, all you talk about, and all you want us to talk about. What in the world would we call something like that? Oh, yeah! An obsession!" "I'm just interested," I snapped. "And I thought you were, too." "I am interested in them. Just not like all-consuming, involving, whatever, interested. I don't fantasize about being one." Her eyes were narrowed behind her reading glasses. "We're not thirteen anymore, but you haven't seemed to figure that out yet." I didn't say anything. All I could think was that she was being tremendously unfair, but I didn't feel like telling her that. I didn't want to say anything to her. I wanted to walk away and leave her standing there in the hallway. But I didn't. Instead, I kept my voice super flat and even. "Sorry to have bored you for so long. Must've killed you to look entertained." Olivia grimaced. "Seriously, Grace. I'm not trying to be a jerk. But you're being impossible." "No, you're just telling me that I'm creepy obsessed with something that's important to me. That's very" — the word I wanted took too long to surface in my head and ruined the effect — "philanthropic of you. Thanks for the help." "Oh, grow up," snapped Olivia, and pushed around me. The hallway seemed too quiet after she'd gone, and my cheeks felt hot. Instead of heading home, I trailed back into my empty homeroom, flopped into a chair, and put my head in my hands. I couldn't remember the last time I'd fought with Olivia. I'd looked at every photograph she'd ever taken. I'd listened to countless rants about her family and the pressure to perform. She owed it to me to at least hear me out. My thoughts were cut short by the sound of cork heels squelching into the room. The scent of expensive perfume hit me a second before I lifted my eyes to Isabel Culpeper standing over my desk. "I heard that you guys were talking about the wolves yesterday with that cop." Isabel's voice was pleasant, but the expression in her eyes belied her tone. The sympathy conjured up by her presence vanished at her words. "I'm giving you the benefit of the doubt and assuming you're innocently misinformed and not out-and-out retarded. I heard you're telling people the wolves aren't a problem. You must not have heard the newsflash: Those animals killed my brother." "I'm sorry about Jack," I said, automatically wanting to jump to my wolf's defense. For a second, I thought about Jack's eyes and what a revelation like that might mean to Isabel, but I discounted the idea almost immediately. If Olivia thought I was crazy for believing in werewolves, Isabel would probably be on the phone to the local mental institution before I could even finish a sentence. "Shut. Up," Isabel interrupted my thoughts. "I know you're about to tell me the wolves aren't dangerous. Well, obviously they are. And obviously, someone's going to have to do something about that." My mind flicked to the conversation in the classroom: Tom Culpeper and his stuffed animals. I imagined my wolf, stuffed and glassy-eyed. "You don't know that the wolves did it. He could've been —" I stopped. I knew the wolves had done it. "Look, something went really wrong. But it could've been just one wolf. The odds are that the rest of the pack had nothing to do with —" "How beautiful objectivity is," Isabel snapped. She just looked at me for a long moment. Long enough for me to wonder what it was she was thinking. And then she said, "Seriously. Just get the last of your Greenpeace wolf-love done soon, because they won't be around much longer, whether you like it or not." My voice was tight. "Why are you telling me this?" "I'm sick of you telling people they're harmless. They killed him. But you know what? It's over now. Today." Isabel tapped my desk. "Ta." I grabbed her wrist before she could go; I had a handful of fat bracelets. "What's that supposed to mean?" Isabel stared at my hand on her wrist but didn't pull it away. She'd wanted me to ask. "What happened to Jack is never happening again. They're killing the wolves. Today. Now." She slipped out of my now-slack grip and glided through the door. For a single moment, I sat at the desk, my cheeks burning, pulling her words apart and putting them back together again. And then I jumped from my chair, my notes fluttering to the floor like listless birds. I left them where they fell and ran for my car. I was breathless by the time I slid behind the wheel of my car, Isabel's words playing over and over again in my head. I'd never thought of the wolves as vulnerable, but once I started imagining what a small-town attorney and big-time egomaniac like Tom Culpeper was capable of — fueled by pent-up anger and grief, helped along by wealth and influence — they suddenly seemed terribly fragile. I shoved my key in the ignition, feeling the car rattle reluctantly to life as I did. My eyes were on the yellow line of school buses waiting at the curb and the knots of loud students still milling on the sidewalk, but my brain was picturing the chalk-white lines of the birches behind my house. Was a hunting party going after the wolves? Hunting them now? I had to get home. My car stalled, my foot uncertain on the dodgy clutch. "God," I said, glancing around to see how many people had seen my car gasp to a halt. It wasn't as if it were difficult to stall my car these days, now that the heat sensor was crapping out, but usually I could finesse the clutch and get on the road without too much humiliation. I bit my lip, pulled myself together, and managed to restart. There were two ways to get home from the school. One was shorter but involved stoplights and stop signs — impossible today, when I was too distracted to baby my car. I didn't have time to sit by the side of the road. The other route was slightly longer, but with only two stop signs. Plus, it ran along the edge of Boundary Wood, where the wolves lived. As I drove, pushing my car as hard as I dared, my stomach twisted, sick with nerves. The engine gave an unhealthy shudder. I checked the dials; the engine was starting to overheat. Stupid car. If only my father had taken me to the dealership like he kept promising he would. As the sky began to burn brilliantly red on the horizon, turning the thin clouds to streaks of blood above the trees, my heart thumped in my ears, and my skin felt tingly, electric. Everything inside me screamed that something was wrong. I didn't know what bothered me most — the nerves that shook my hands or the urge to curl my lips and fight. Up ahead, I spotted a line of pickup trucks parked by the side of the road. Their four-ways blinked in the failing light, sporadically illuminating the woods next to the road. A figure leaned over the truck at the back of the line, holding something I couldn't quite make out at this distance. My stomach turned over again, and as I eased off the gas, my car gasped and stalled, leaving me coasting in an eerie quiet. I turned the key, but between my jittery hands and the redlining heat sensor, the engine just shuddered under the hood without turning over. I wished I'd just gone to the dealership myself. I had Dad's checkbook. Growling under my breath, I braked and let the car drift to a stop behind the pickup trucks. I called Mom's studio on my cell, but there was no answer — she must have been at her gallery opening already. I wasn't really worried about getting home; it was close enough to walk. What I was worried about was those trucks. Because they meant that Isabel had been telling the truth. As I climbed out onto the shoulder of the road, I recognized the guy standing next to the pickup ahead. It was Officer Koenig, out of uniform, drumming his fingers on the hood. When I got closer, my stomach still churning, he looked up and his fingers stilled. He was wearing a bright orange cap and held a shotgun in the crook of his arm. "Car problems?" he asked. I turned abruptly at the sound of a car door slamming behind me. Another truck had pulled up, and two orange-capped hunters were making their way down the side of the road. I looked past them, to where they were heading, and my breath caught in my throat. Dozens of hunters were knotted on the shoulder, all carrying rifles, visibly restless, voices muffled. Squinting into the dim trees beyond a shallow ditch, I could see more orange caps dotting the woods, infesting them. The hunt had already begun. I turned back to Koenig and pointed at the gun he held. "Is that for the wolves?" Koenig looked at it as if he'd somehow forgotten it was there. "It's —" There was a loud crack from the woods behind him; both of us jerked at the sound. Cheers rose from the group down the road. "What was that?" I demanded. But I knew what it was. It was a gunshot. In Boundary Wood. My voice was steady, which surprised me. "They're hunting the wolves, aren't they?" "With all due respect, miss," Koenig said, "I think you should wait in your car. I can give you a ride home, but you'll have to wait a little bit." There were shouts in the woods, distant, and another popping sound, farther away. God. The wolves. My wolf. I grabbed Koenig's arm. "You have to tell them to stop! They can't shoot back there!" Koenig stepped back, pulling his arm from my grip. "Miss —" There was another distant pop, small and insignificant sounding. In my head, I saw a perfect image of a wolf rolling, rolling, a gaping hole in its side, eyes dead. I didn't think. The words just came out. "Your phone. You have to call them and tell them to stop. I have a friend in there! She was going to take photos this afternoon. In the woods. Please, you have to call them!" "What?" Koenig froze. "There's someone in there? Are you sure?" "Yes," I said, because I was sure. "Please. Call them!" God bless humorless Officer Koenig, because he didn't ask me for any more details. Pulling his cell phone from his pocket, he punched a quick number and held the phone to his ear. His eyebrows made a straight, hard line, and after a second, he pulled the phone away and stared at the screen. "Reception," he muttered, and tried again. I stood by the pickup truck, my arms crossed over my chest as cold seeped into me, watching the gray dusk take over the road as the sun disappeared behind the trees. Surely they had to stop when it got dark. But something told me that just because they had a cop standing watch by the road didn't make what they were doing legal. Staring at his phone again, Koenig shook his head. "It's not working. Hold on. You know, it'll be fine — they're being careful — I'm sure they wouldn't shoot a person. But I'll go and warn them. Let me lock my gun up. It will only take a second." As he started to put his shotgun in the pickup truck, there was another gunshot from the woods and something buckled inside me. I just couldn't wait anymore. I jumped the ditch and scrambled up into the trees, leaving Koenig behind. I heard him calling after me, but I was already well into the woods. I had to stop them — warn my wolf — do something. But as I ran, slipping between trees and jumping over fallen limbs, all I could think was I'm too late. We ran. We were silent, dark drops of water, rushing over brambles and around the trees as the men drove us before them. The woods I knew, the woods that protected me, were punched through by their sharp odors and their shouts. I scrambled here and there amongst the other wolves, guiding and following, keeping us together. The fallen trees and underbrush felt unfamiliar beneath my feet; I kept from stumbling by flying — long, endless leaps, barely touching the ground. It was terrifying to not know where I was. We traded simple images amongst ourselves in our wordless, futile language: dark figures behind us, figures topped with bright warnings; motionless, cold wolves; the smell of death in our nostrils. A crack deafened me, shook me out of balance. Beside me, I heard a whimper. I knew which wolf it was without turning my head. There was no time to stop; nothing to do even if I had. A new smell hit my nostrils: earthy rot and stagnant water. The lake. They were driving us to the lake. I formed a clear image in my head at the same time that Paul, the pack leader, did. The slow, rippling edge of the water, thin pines growing sparsely in the poor soil, the lake stretching forever in both directions. A pack of wolves, huddled on the shore. No escape. We were the hunted. We slid before them, ghosts in the woods, and we fell, whether or not we fought. The others kept running, toward the lake. But I stopped. These were not the woods that I'd walked through just a few days earlier, painted all the vivid hues of autumn. These were close woods made of a thousand dark tree trunks turned black by dusk. The sixth sense I'd imagined guiding me before was gone; all the familiar paths destroyed by crashing hunters in orange caps. I was completely disoriented; I had to keep stopping to listen for shouts and faraway footsteps through the dry leaves. My breath was burning my throat by the time I saw the first orange cap, glowing distantly out of the twilight. I shouted, but the cap didn't even turn; the figure was too far away to hear me. And then I saw the others — orange dots scattered through the woods, all moving slowly, relentlessly, in the same direction. Making a lot of noise. Driving the wolves ahead of them. "Stop!" I shouted. I was close enough to see the outline of the nearest hunter, shotgun in his hands. I closed the distance between us, my legs protesting, stumbling a little because I was tired. He stopped walking and turned, surprised, waiting until I approached. I had to get very close to see his face; it was so close to night in these trees. His face, older and lined, seemed vaguely familiar to me, though I couldn't remember where in town I'd seen him before. The hunter frowned a strange frown at me; I thought he looked guilty, but I could've been reading into it. "Well, what are you doing here?" I started to speak before realizing that I was so out of breath that I could hardly get the words out. Seconds ticked by as I struggled to find my voice. "You — have — to — stop. I have a friend in the woods here. She was going to take photographs." He squinted at me, and then looked at the darkening woods. "Now?" "Yes, now!" I said, trying not to snap. I saw a black box at his waist — a walkie-talkie. "You've got to call them and tell them to stop. It's almost dark. How would they see her?" The hunter stared at me for an agonizingly long moment before nodding. He reached for his walkie-talkie and unstrapped it and lifted it up and brought it toward his mouth. It felt like he was doing everything in slow motion. "Hurry!" Anxiety shot through me, a physical pain. The hunter clicked the button down on the walkie-talkie to speak. And suddenly a volley of shots snapped and snarled, not far away. Not little pops, like they were from the roadside, but crackling fireworks, unmistakably gunshots. My ears rang. In a weird way, I felt totally objective, like I was standing outside my own body. So I could feel that my knees were weak and trembling without knowing why, and I heard my heartbeat racing inside me, and I saw red trickling down behind my eyes, like a dream of crimson. Like a viciously clear nightmare of death. There was such a convincing metallic taste in my mouth that I touched my lips, expecting blood. But there was nothing. No pain. Just the absence of feeling. "There's someone in the woods," the hunter said into his walkie-talkie, as if he couldn't see that part of me was dying. My wolf. My wolf. I couldn't think of anything but his eyes. "Hey! Miss." This voice was younger than the hunter's, and the hand that took my shoulder was firm. Koenig said, "What were you thinking, taking off like that? There are people with guns here." Before I could reply to that, Koenig turned to the hunter. "And I heard those shots. I'm fairly sure everyone in Mercy Falls heard those shots. It's one thing, doing this" — he jerked a hand toward the gun in the hunter's hands — "and something else flaunting it." I started to twist out from under Koenig's hand; he tightened his fingers reflexively and then released me when he realized what he was doing. "You're from the school. What's your name?" "Grace Brisbane." Recognition dawned on the hunter's face. "Lewis Brisbane's daughter?" Koenig looked at him. "The Brisbanes have a house right over there. On the edge of the woods." The hunter pointed in the direction of home. The house was invisible behind a black tangle of trees. Koenig seized upon this bit of information. "I'll escort you back there and then come back to find out what's going on with your friend. Ralph, use that thing to tell them to stop shooting things." "I don't need an escort," I said, but Koenig walked with me anyway, leaving Ralph the hunter talking into his walkie-talkie. The cold air was beginning to bite and prickle on my cheeks, the evening getting cold quickly as the sun disappeared. I felt as frozen on the inside as I was on the outside. I could still see the curtain of red falling over my eyes and hear the crackling gunfire. I was so sure that my wolf had been there. At the edge of the woods, I stopped, looking at the dark glass of the back door on the deck. The entire house looked shadowed, unoccupied, and Koenig sounded dubious as he said, "Do you need me to —" "I can make it back from here. Thanks." He hesitated until I stepped into our yard, and then I heard him go crashing back the way we'd come. For a long moment, I stood in the silent twilight, listening to the faraway voices in the woods and the wind rattling the dry leaves in the trees above me. And as I stood there in what I had thought was silence, I started to hear sounds that I hadn't before. The rustling of animals in the woods, turning over crisp leaves with their paws. The distant roar of trucks on the highway. The sound of fast, ragged breathing. I froze. I held my breath. But the uneven gasps weren't mine. I followed the sound, climbing cautiously onto the deck, painfully aware of the sound of each stair sighing beneath my weight. I smelled him before I saw him, my heart instantly revving up into high gear. My wolf. Then the motion detector light above the back door clicked on and flooded the porch with yellow light. And there he was, half sitting, half lying against the glass back door. My breath caught painfully in my throat as I moved still closer, hesitant. His beautiful ruff was gone and he was naked, but I knew it was my wolf even before he opened his eyes. His pale yellow eyes, so familiar, flicked open at the sound of my approach, but he didn't move. Red was smeared from his ear to his desperately human shoulders — deadly war paint. I can't tell you how I knew it was him, but I never doubted it. Werewolves didn't exist. Despite telling Olivia I'd seen Jack, I hadn't really believed it. Not like this. The breeze carried the smell to my nostrils again, grounding me. Blood. I was wasting time. I pulled out my keys and reached over the top of him to open the back door. Too late, I saw one of his hands reach out, snatching air, and he crashed inside the open door, leaving a smear of red on the glass. "I'm sorry!" I said. I couldn't tell if he'd heard me. Stepping over him, I hurried into the kitchen, hitting light switches as I did. I grabbed a wad of dishcloths from a drawer; as I did, I noticed my dad's car keys on the counter, hastily thrown next to a pile of papers from work. So I could use Dad's car, if I had to. I ran back to the door. I was afraid the boy might've disappeared while my back was turned, a figment of my imagination, but he hadn't moved. He lay half in and half out, shaking violently. Without thinking, I grabbed him under his armpits and dragged him far enough inside that I could shut the door. In the light of the breakfast area, blood smearing a path across the floor, he seemed tremendously real. I crouched swiftly. My voice was barely a whisper. "What happened?" I knew the answer, but I wanted to hear him speak. His knuckles were white where his hand was pressed against his neck, brilliant red leaking around his fingers. "Shot." My stomach squeezed with nerves, not from what he said, but the voice that said it. It was him. Human words, not a howl, but the timbre was the same. It was him. "Let me see." I had to pry his hands away from his neck. There was too much blood to see the wound, so I just pressed one of the dishcloths over the mess of red that stretched from his chin to his collarbone. It was well beyond my first-aid abilities. "Hold this." His eyes flicked to me, familiar but subtly different. The wildness was tempered with a comprehension that had been absent before. "I don't want to go back." The agony in his words immediately transported me to a memory: a wolf standing in silent grief before me. The boy's body jerked, a weird, unnatural movement that hurt to think about. "Don't — don't let me change." I laid a second, bigger dishcloth over his body, covering the goose bumps as best I could. In any other context, I would've been embarrassed by his nakedness, but here, his skin smeared with blood and dirt, it just made his condition seem more pitiful. My words were gentle, as though he might still leap up and run. "What's your name?" He groaned softly, one hand shaking just a bit as he held the cloth against his neck. It was already soaked through with his blood, and a thin red trail ran along his jaw and dripped to the floor. Lowering himself slowly to the floor, he laid his cheek against the wood, his breath clouding the shiny finish. "Sam." He closed his eyes. "Sam," I repeated. "I'm Grace. I'm going to go start my dad's car. I have to take you to the hospital." He shuddered. I had to lean very close to hear his voice. "Grace — Grace, I —" I only waited a second for him to finish. When he didn't, I jumped up and grabbed the keys from the counter. I still couldn't quite believe that he wasn't my own invention — years of wishing made real. But whatever he was, he was here now, and I wasn't about to lose him. I was not a wolf, but I wasn't Sam yet, either. I was a leaking womb bulging with the promise of conscious thoughts: the frozen woods far behind me, the girl on the tire swing, the sound of fingers on metal strings. The future and the past, both the same, snow and then summer and then snow again. A shattered spider's web of many colors, cracked in ice, immeasurably sad. "Sam," the girl said. "Sam." She was past present future. I wanted to answer, but I was broken. It's rude to stare, but the great thing about staring at a sedated person is that they don't know you're doing it. And the truth was, I couldn't stop staring at Sam. If he'd gone to my school, he probably would've been dismissed as an emo kid or maybe a long-lost member of the Beatles. He had that sort of mop-top black hair and interestingly shaped nose that a girl could never get away with. He looked nothing like a wolf, but everything like my wolf. Even now, without his familiar eyes open, a little part of me kept jumping with irrational glee, reminding myself — it's him. "Oh, honey, are you still here? I thought you'd left." I turned as the green curtains parted to admit a broad-shouldered nurse. Her name tag read SUNNY. "I'm staying until he wakes up." I held on to the side of the hospital bed as if to prove how difficult it would be to remove me. Sunny smiled pityingly at me. "He's been heavily sedated, hon. He won't wake up until the morning." I smiled back at her, my voice firm. "Then that's how long I'm staying." I'd already waited hours while they removed the bullet and stitched the wound; it had to be after midnight by now. I kept waiting to feel sleepy, but I was wired. Every time I saw him it was like another jolt. It occurred to me, belatedly, that my parents hadn't bothered to call my cell phone when they got back from Mom's gallery opening. They probably hadn't even noticed the bloody towel I'd used to hurriedly wipe up the floor, or the fact that Dad's car was missing. Or maybe they just hadn't gotten home yet. Midnight was early for them. Sunny's smile stayed in place. "Okay, then," she said. "You know, he's awfully lucky. For the bullet to just graze him?" Her eyes glittered. "Do you know why he did it?" I frowned at her, nerves prickling. "I don't follow. Why he was in the woods?" "Hon, you and I both know he wasn't in the woods." I raised an eyebrow, waiting for her to say something else, but she didn't. I said, "Uh, yeah. He was. A hunter accidentally shot him." It wasn't a lie. Well, all but the "accidentally" part. I was pretty confident it was no accident. Sunny clucked. "Look — Grace, isn't it? Grace, are you his girlfriend?" I grunted in a way that could be interpreted as either yes or no, depending on how the listener was leaning. Sunny took it as a yes. "I know you're really close to the situation, but he does need help." Realization dawned on me. I almost laughed. "You think he shot himself. Look — Sunny, isn't it? Sunny, you're wrong." The nurse glared at me. "Do you think we're stupid? That we wouldn't notice this?" On the other side of the bed, she took Sam's limp arms and turned them so his palms faced toward the ceiling in a silent entreaty. She gestured at the scars on his wrists, memories of deep, purposeful wounds that should've been lethal. I stared at them, but they were like words in a foreign language. They meant nothing to me. I shrugged. "Those are from before I knew him. I'm just telling you he didn't try and shoot himself tonight. It was some insane hunter." "Sure, hon. Fine. Let me know if you need anything." Sunny glared at me before backing out of the curtain and leaving me alone with Sam. Face flushed, I shook my head and stared at my white-knuckled grip on the bed. Of all my pet peeves, condescending adults were probably at the top of the list. A second after Sunny was gone, Sam's eyes flicked open, and I jumped out of my skin, heart pounding in my ears. It took a long moment of staring at him for my pulse to return to normal. Logic told me to read his eyes as hazel, but really, they were still yellow, and they were definitely fixed on me. My voice came out a lot quieter than I meant it to. "You're supposed to be asleep." "Who are you?" His voice had the same complicated, mournful tone I remembered from his howl. He narrowed his eyes. "Your voice seems so familiar." Pain flickered through me. It hadn't occurred to me that he might not remember his time as a wolf. I didn't know what the rules were for this. Sam reached his hand toward mine, and I automatically put my fingers in his. With a guilty little smile, he pulled my hand toward his nose and took a sniff, and then another one. His smile widened, though it was still shy. It was absolutely adorable, and my breath got caught somewhere in my throat. "I know that smell. I didn't recognize you; you look different. I'm sorry. I feel stupid for not remembering. It takes a couple hours for me — for my brain — to come back." He didn't release my fingers, and I didn't take them away, even though it was hard to concentrate with his skin against mine. "Come back from what?" "Come back from when," he corrected. "Come back from when I was..." Sam waited. He wanted me to say it. It was harder than I thought it would be, to admit it out loud, even though it shouldn't have been. "When you were a wolf," I whispered. "Why are you here?" "Because I was shot," he said pleasantly. "I meant like this." I gestured toward his body, so clearly human underneath the silly hospital gown. He blinked. "Oh. Because it's spring. Because it's warm. Warm makes me me. Makes me Sam." I finally pulled my hand away and closed my eyes, trying to gather what was left of my sanity for a moment. When I opened my eyes and spoke, I said the most mundane thing possible. "It's not spring. It's September." I'm not the best at reading people, but I thought I saw a glimmer of anxiety behind his eyes before they cleared. "That's not good," he remarked. "Can I ask you a favor?" I had to close my eyes again at the sound of his voice, because it shouldn't have been familiar, but it was, speaking to me on some deep level just like his eyes always had as a wolf. It was turning out to be more difficult to accept this than I'd thought. I opened my eyes. He was still there. I tried again, closing and then opening them once more. But he was still there. He laughed. "Are you having an epileptic fit? Maybe you should be in this bed." I glared at him, and he turned bright red as he realized another meaning for his words. I spared him from his mortification by answering his question. "What's the favor?" "I, uh, need some clothing. I need to get out of here before they figure out I'm a freak." "How do you mean? I didn't see a tail." Sam reached up and began to pry at the edge of the dressings on his neck. "Are you crazy?" I reached forward and grabbed at his hand, too late. He peeled away the gauze to reveal four new stitches dotting a short line through old scar tissue. There was no fresh wound still oozing blood, no evidence of the gunshot except for the pink, shiny scar. My jaw dropped. Sam smiled, clearly pleased by my reaction. "See, don't you think they'd suspect something?" "But there was so much blood —" "Yeah. My skin just couldn't heal when it was bleeding so much. Once they stitched me up —" He shrugged and made a little gesture with his hands, like he was opening a small book. "Abracadabra. There are some perks to being me." His words were light, but his expression was anxious, watching me, seeing how I was taking all this. How I was taking the fact of his existence. "Okay, I just have to see something here," I told him. "I just —" I stepped forward and touched the end of my fingers to the scar tissue on his neck. Somehow feeling the smooth, firm skin convinced me in a way that his words couldn't. Sam's eyes slid to my face and away again, unsure of where to look while I felt the lump of old scar beneath the prickling black sutures. I let my hand linger on his neck for slightly longer than necessary, not on the scar, but on the smooth, wolf-scented skin beside it. "Okay. So obviously you need to leave before they look at it. But if you sign out against medical advice or just take off, they'll try to track you down." He made a face. "No, they won't. They'll just figure I'm some derelict without insurance. Which is true. Well, the insurance part." So much for being subtle. "No, they'll think you left to avoid counseling. They think you shot yourself because of —" Sam's face was puzzled. I pointed to his wrists. "Oh, that. I didn't do that." I frowned at him again. I didn't want to say something like, "It's okay, you have an excuse" or "You can tell me, I won't judge," because, really, that'd be just as bad as Sunny, assuming that he'd tried to kill himself. But it wasn't as though he could've gotten those scars tripping on the stairs. He rubbed a thumb over one of his wrists, thoughtful. "My mom did this one. Dad did the other one. I remember they counted backward so they'd do it at the same time. I still can't stand to look at a bathtub." It took me a moment to process what he meant. I don't know what did it — the flat, emotionless way he said it, the image of the scene that swam in my head, or just the shock of the evening in general, but I suddenly felt dizzy. My head whirled, my heartbeat crashed in my ears, and I hit the sticky linoleum floor hard. I don't know how many seconds I was out, but I saw the curtain slide open at the same time that Sam thumped back down on the bed, slapping the bandage back over his neck. Then a male nurse was kneeling beside me, helping me sit up. "Are you okay?" I'd fainted. I'd never fainted in my life. I closed my eyes and opened them again, until the nurse had one head instead of three heads floating side by side. Then I began to lie. "I just thought about all the blood when I found him... ohhhh..." I still felt woozy, so the ohhhh sounded very convincing. "Don't think about it," suggested the nurse, smiling in a very friendly way. I thought his hand was slightly too close to my boob for casual contact, and that fact steeled my resolve to follow through with the humiliating plan that had just popped into my head. "I think — I need to ask an embarrassing question," I muttered, feeling my cheeks heat. This was almost as bad as if I was telling the truth. "Do you think I could borrow a pair of scrubs? I — uh — my pants —" "Oh!" cried the poor nurse. His embarrassment at my condition was probably sharpened by his earlier flirtatious smile. "Yes. Absolutely. I'll be right back." Good as his word, he returned in a few minutes, holding a folded pair of sick-green scrubs in his hands. "They might be a little big, but they have strings that you can — you know." "Thanks," I mumbled. "Uh, do you mind? I'll just change here. He's not looking at anything at the moment." I gestured toward Sam, who was looking convincingly sedated. The nurse vanished behind the curtains. Sam's eyes flashed open again, distinctly amused. He whispered, "Did you tell that man you went potty on yourself?" "You. Shut. Up," I hissed back furiously and chucked the scrubs at his head. "Hurry up before they find out I didn't wet myself. You seriously owe me." He grinned and slid the scrubs beneath the thin hospital sheet, wrestling them on, then tugged the dressing from his neck and the blood pressure cuff from his arm. As the cuff dropped to the bed, he ripped off his gown and replaced it with the scrubs top. The monitor squealed in protest, flatlining and announcing his death to the staff. "Time to go," he said, and led the way out behind the curtains. As he paused, quickly taking in the room around us, I heard nurses rustling into his curtained area behind us. "He was sedated." Sunny's voice rose above the others. Sam reached out and grabbed my hand, the most natural thing in the world, and pulled me into the bright light of the hall. Now that he was clothed — in scrubs, no less — and not drowning in blood, nobody blinked an eye as he wended his way past the nurses' station and on toward the exit. All the while, I could see his wolf's mind analyzing the situation. The tilt of his head told me what he was listening to, and the lift of his chin hinted of the scents he was gathering. Agile despite his lanky, loose-jointed build, he cut a deft path through the clutter until we were crossing the general lobby. A syrupy country song was playing over the speaker system as my sneakers scrubbed across the ugly dark-blue tartan carpet; Sam's bare feet made no sound. At this time of night, the lobby was empty, without even a receptionist at the desk. I felt so high on adrenaline I thought I could probably fly to Dad's car. The eternally pragmatic corner of my mind reminded me that I needed to call the tow company to get my own car off the side of the road. But I couldn't really work up proper annoyance about it, because all I could think about was Sam. My wolf was a cute guy and he was holding my hand. I could die happy. Then I felt Sam's hesitation. He held back, eyes fixed on the darkness that pressed against the glass door. "How cold is it out there?" "Probably not too much colder than it was when I brought you. Why — will it make that much of a difference?" Sam's face darkened. "It's right on the edge. I hate this time of year. I could be either." I heard the pain in his voice. "Does it hurt to change?" He looked away from me. "I want to be human right now." I wanted him to be human, too. "I'll go start the car and get the heater going. That way you'll only be in the cold for a second." He looked a little helpless. "But I don't know where to go." "Where do you normally live?" I was afraid he'd say something pitiful, like the homeless shelter downtown. I assumed he didn't live with the parents who had cut his wrists. "Beck — one of the wolves — once he changes, a lot of us stay at his house, but if he's not changed, the heat might not be turned up. I could —" I shook my head and let go of his hand. "No. I'm getting the car and you're coming home with me." His eyes widened. "Your parents —?" "What they don't know won't kill them," I said, pushing open the door. Wincing at the blast of cold night air, Sam backed away from the door, wrapping his arms around himself. But even as he shuddered with the cold, he bit his lip and gave me a hesitant smile. I turned toward the dark parking lot, feeling more alive and more happy and more afraid than I ever had before. "Are you sleeping?" Sam's voice was barely a whisper, but in the dark room where he didn't belong, it was like a shout. I rolled in my bed toward where he lay on the floor, a dark bundle curled in a nest of blankets and pillows. His presence, so strange and wonderful, seemed to fill the room and press against me. I didn't think I'd ever sleep again. "No." "Can I ask you a question?" "You already have." He paused, considering. "Can I ask you two questions, then?" "You already have." Sam groaned and threw one of the small sofa pillows in my direction. It arced through the moonlit room, a blackened projectile, and thumped harmlessly by my head. "So you're a smart-ass, then." I grinned in the darkness. "Okay, I'll play. What do you want to know?" "You were bitten." But it wasn't a question. I could hear the interest in his voice, sense the tension in his body, even across the room. I slid down into my blankets, hiding from what he'd said. "I don't know." Sam's voice rose above a whisper. "How can you not know?" I shrugged, though he couldn't see it. "I was young." "I was young, too. I knew what was happening." When I didn't answer, he asked, "Is that why you just lay there? You didn't know they were going to kill you?" I stared at the dark square of night through the window, lost in the memory of Sam as a wolf. The pack circled around me, tongues and teeth, growls and jerks. One wolf stood back, ice-decked ruff bristling all along his neck, quivering as he watched me in the snow. Lying in the cold, under a white sky going dark, I kept my eyes on him. He was beautiful: wild and dark, yellow eyes filled with a complexity I couldn't begin to fathom. And he gave off a scent the same as the other wolves around me — rich, feral, musky. Even now, as he lay in my room, I could smell the wolf on him, though he was wearing scrubs and a new skin. Outside, I heard a low, keening howl, and then another. The night chorus rose, missing Sam's plaintive voice but gorgeous nonetheless. My heart quickened, sick with abstract longing, and on the floor, I heard Sam give a low whimper. The miserable sound, caught halfway between human and wolf, distracted me. "Do you miss them?" I whispered. Sam climbed from his makeshift bed and stood by the window, an unfamiliar silhouette against the night, his arms clutched around his lanky body. "No. Yeah. I don't know. It makes me feel — sick. Like I don't belong here." Sounds familiar. I tried to think of something to say to comfort him, but couldn't settle on anything that would sound genuine. "But this is me," he insisted, his chin jerking to refer to his body. I didn't know if he meant to convince me or himself. He remained by the window as the wolves' howls reached a crescendo, pricking my eyes to tears. "Come up here and talk to me," I said, to distract both of us. Sam half turned, but I couldn't see his expression. "It's cold down there on the floor and you'll get a crick in your neck. Just come up here." "What about your parents?" he said, the same question he'd asked in the hospital. I was about to ask him why he worried about them so much, when I remembered Sam's story about his own parents and the shiny, puckered scars on his wrists. "You don't know my parents." "Where are they?" Sam asked. "Gallery opening, I think. My mom's an artist." His voice was dubious. "It's three o'clock in the morning." My voice was louder than I'd meant for it to be. "Just get in. I trust you to behave. And to not hog the sheets." When he still hesitated, I said, "Hurry up, before there's no more night left." Obediently, he retrieved one of the pillows from the floor, but hesitated again on the opposite side of the bed. In the dim light, I could just make out his mournful expression as he regarded the forbidden territory of the bed. I wasn't sure if I was charmed by his reluctance to share a bed with a girl or insulted that, apparently, I wasn't hot enough for him to charge the mattress like a bull. Finally, he climbed in. The bed creaked under his weight, and he winced before settling on the very far edge of it, not even under the blanket. I could smell the faint wolf scent better now, and I sighed with a strange contentedness. He sighed, too. "Thank you," he said. Formal, considering he was lying in my bed. "You're welcome." The truth of it struck me then. Here I was with a shape-shifting boy in my bed. Not just any shape-shifting boy, but my wolf. I kept reliving the memory of the deck light clicking to life, revealing him for the first time. A weird combination of excitement and nervous ness tingled through me. Sam turned his head to look at me, as though my thrill of nerves had sent up a flare. I could see his eyes glinting in the dim light, a few feet away. "They bit you. You should've changed, too, you know." In my head, the wolves circled a body in the snow, their lips bloody, teeth bared, growling over the kill. A wolf, Sam, dragged the body from the circle of wolves. He carried it through the trees on two legs that left human footprints in the snow. I knew I was falling asleep, so I shook myself awake; I couldn't remember whether I'd answered Sam. "Sometimes I wish I had," I told him. He closed his eyes, miles away on the other side of the bed. "Sometimes I do, too." I woke up all in a rush. For a moment, I lay still, blinking, trying to determine what had woken me. The events of the previous night rushed back to me as I realized it wasn't a sound that had woken me, but a sensation: a hand resting on my arm. Grace had rolled over in her sleep, and I couldn't stop staring at her fingers resting on my skin. Here, lying next to the girl who had rescued me, my simple humanity felt like a triumph. I rolled onto my side and for a while, I just watched her sleep, long, even breaths that moved the flyaway hairs by her face. In slumber, she seemed utterly certain of her safety, utterly unconcerned by my presence beside her. That felt like a subtle victory, too. When I heard her father get up, I lay perfectly still, heart beating fast and silent, ready to leap from the edge of the mattress in case he came to wake her for school. But he left for work in a cloud of juniper-scented aftershave that billowed toward me from under the door. Her mother left soon after, noisily dropping something in the kitchen and swearing in a pleasant voice as she shut the door behind her. I couldn't believe they wouldn't glance into Grace's room to make sure she was still alive, especially considering they hadn't seen her when they came home in the dead of the night. But the door stayed shut. Anyway, I felt foolish in the scrubs, and they were useless to me in this awful in-between weather, so I slipped out while Grace slept; she didn't even stir as I left. I hesitated on the back deck, looking at the frost-tipped blades of grass. Even though I'd borrowed a pair of her father's boots, the early morning air still bit at the skin of my bare ankles beneath the rubber. I could almost feel the nausea of the change rolling over in my stomach. Sam, I told myself, willing my body to believe. You're Sam. I needed to be warmer; I retreated inside to find a coat. Damn this weather. What had happened to summer? In an overstuffed closet that smelled of stale memories and mothballs, I found a puffy, bright blue jacket that made me look like a blimp and ventured out into the backyard with more confidence. Grace's father had feet the size of a yeti, so I tramped into the woods with all the grace of a polar bear in a dollhouse. Despite the chilly air that made ghosts of my breath, the woods were beautiful this time of year, all bold primary colors: crisp leaves in startling yellow and red, bright cerulean sky. Details I never noticed as a wolf. But as I made my way toward my stash of clothing, I missed all the things I didn't notice as a human. Though I still had heightened senses, I couldn't smell the many subtle tracks of animals in the underbrush or the damp promise of warmer weather later in the day. Normally, I could hear the industrial symphony of cars and trucks on the distant highway and detect the size and speed of each vehicle. But now all I could smell was the smokiness of autumn, its burning leaves and half-dead trees, and all I could hear was the low, barely audible hum of traffic far in the distance. As a wolf, I would have smelled Shelby's approach long before she'd come into sight. But not now. She was nearly on top of me when I got the feeling that something was close. The tiny hairs on my neck stood at attention, and I had the uneasy sense that I was sharing my breath with someone else. I turned and saw her, big for a female, white coat ordinary and yellowish in this full daylight. She seemed to have survived the hunt without so much as a scratch. Ears slightly back, she observed my ridiculous apparel with a cocked head. "Shhh," I said, and held my hand out, palm up, letting what was left of my scent waft toward her. "It's me." Her muzzle curled in distaste as she backed slowly away, and I guessed she recognized Grace's scent layered on top of mine. I knew I did; even now, her spare, soapy aroma clung to my hair where I'd lain on her bed and to my hand where she'd held it. Wariness flashed in Shelby's eyes, mirroring her human expression. This was how it was with Shelby and me — I couldn't remember a time we hadn't been subtly at odds. I clung to my humanity — and to my obsession with Grace — like a drowning man, but Shelby welcomed the forgetting that came with her lupine skin. Of course, she had plenty of reasons to forget. Now, in these September woods, we regarded each other. Her ears tipped toward me and away, collecting dozens of sounds that escaped my human ears, and her nostrils worked, discovering where I'd been. I found myself remembering the sensation of dried leaves beneath my paws and the sharp, rich, slumber-heavy scent of these autumn woods when I was a wolf. Shelby stared into my eyes — a very human gesture, considering my rank in the pack was too high for wolves other than Paul or Beck to challenge me like that — and I imagined her human voice saying to me, as it had so many times before, Don't you miss it? I closed my eyes, shutting out the vividness of her gaze and the memory of my wolf body, and instead thought of Grace, back at the house. There was nothing in my wolf experience that could ever compare to the feeling of Grace's hand in mine. I immediately turned this thought over in my head, creating lyrics. You're my change of skin / my summer-winter-fall / I spring to follow you / this loss is beautiful. In the second it took me to compose the lyric and imagine the guitar riff that would go with it, Shelby had vanished into the woods, soft as a whisper. That she could disappear with the same silent stealth as she had arrived reminded me of my vulnerable state, and I clumped hurriedly to the shed where my clothing was stashed. Years ago, Beck and I had dragged the old shed, piece by piece, from his backyard to a small clearing deep in the woods. Inside were a space heater, a boat battery, and several plastic bins with names written on the sides. I opened the bin marked with my name and pulled out the stuffed backpack inside. The other bins were loaded with food and blankets and spare batteries — equipment for holing up in this shack, waiting for other pack members to change — but mine contained supplies for escape. Everything I kept here was designed to get me back to humanity as quickly as possible, and for that, Shelby couldn't forgive me. I hurriedly changed into my several layers of long-sleeved shirts and a pair of jeans and traded Grace's father's oversized boots for wool socks and my scuffed leather shoes, getting my wallet with my summer-job money in it and stuffing everything left over into the backpack. As I shut the shed door behind me, I caught dark movement out of the corner of my eye. "Paul," I said, but the black wolf, our wolf pack leader, was gone. I doubted he even knew me now: To him, I was just another human in these woods, despite my vaguely familiar scent. The knowledge prickled a kind of regret somewhere in the back of my throat. Last year, Paul hadn't become human until the end of August. Maybe he wouldn't change at all this year. I knew my own remaining shifts were numbered, too. Last year I had changed in June, a frighteningly huge jump from the previous year's shift in early spring, when there had still been snow on the ground. And this year? How late would I have gotten my body back if Tom Culpeper hadn't shot me? I didn't even really understand how being shot had given me back my human form in this cool weather. I thought of how frigid it had been when Grace knelt over me, pressing a cloth to my neck. It hadn't been summer for a long time. The brilliant colors of the brittle leaves all around the shed mocked me then, evidence that a year had lived and died without my being aware of it. I knew with sudden, chilling certainty that this was my last year. To meet Grace only now seemed like an intensely cruel twist of fate. I didn't want to think about it. Instead, I jogged back to the house, checking to make sure that Grace's parents' cars were still gone. Letting myself back in, I hovered outside the bedroom door for a second, then loitered for a long time in the kitchen, looking through the cabinets even though I wasn't really hungry. Admit it. You're too nervous to go back in there. I wanted so badly to see her again, this iron-willed ghost that had haunted my years in the woods. But I was afraid, too, of how seeing her face-to-face in damning daylight might change things. Or worse, wouldn't change things. Last night, I'd been bleeding to death on her back deck. Anyone might have saved me. Today, I wanted more than saving. But what if I was just a freak to her? You're an abomination to God's creation. You're cursed. You're the Devil. Where is my son? What have you done with him? I closed my eyes, wondering why, considering all the things I had lost, memories of my parents couldn't have been among them. "Sam?" I jerked, hearing my name. Grace called again in her room, barely above a whisper, wondering where I was. She didn't sound afraid. I pushed open her door and looked around her room. In the strong late-morning light, I could see now that it was a grown-up's room. No leftover pink whimsy or stuffed animals for Grace, if she'd ever had them. Framed photographs of trees on the walls, all matching black frames with no frills. Matching black furniture, all very square and useful looking. Her towel and washcloth tidily folded on top of the dresser next to another clock — black-and-white, all smooth lines — and a stack of library books, mostly narrative nonfiction and mysteries, judging by the titles. Probably alphabetized or organized according to length. I was suddenly struck by how dissimilar we were. It occurred to me that if Grace and I were objects, she would be an elaborate digital clock, synced up with the World Clock in London with technical perfection, and I'd be a snow globe — shaken memories in a glass ball. I struggled to find something to say that wouldn't sound like the greeting of an interspecies stalker. "Good morning," I managed. Grace sat up, her hair frizzy on one side and flat against her head on the other, her dark eyes filled with open delight. "You're still here! Oh. You have clothes. I mean, instead of scrubs." "I went to get them while you were sleeping." "What time is it? Ohhh — I'm really late for school, aren't I?" "It's eleven." Grace groaned and then shrugged. "You know what? I haven't missed class since I started high school. I got an award for it last year. And a free pizza or something." She climbed out of bed; in the daylight, I could see just how clingy and unbearably sexy her camisole top was. I turned away. "You don't have to be so chaste, you know. It's not like I'm naked." Pausing in front of her closet, she looked back at me, her expression canny. "You haven't seen me naked, have you?" "No!" My answer came out distinctly rushed. She grinned at my lie and pulled some jeans from the closet floor. "Well, unless you want to see me now, you'd better turn around." I lay down on the bed, face buried in the cool pillows that smelled of her. I listened to the rustling sounds she made as she pulled on her clothing, my heart pounding a million miles an hour. I sighed, guilty, unable to contain the lie. "I didn't mean to." The mattress groaned as she crashed onto it, her face close to mine. "Are you always this apologetic?" My voice was muffled by her pillow. "I'm trying to make you think I'm a decent person. Telling you I saw you naked while I was another species does not help my case." She laughed. "I'll grant you leniency, since I should've pulled the blinds." There was a long silence, filled with a thousand unspoken messages. I could smell her nervousness, faintly wafting from her skin, and could hear the fast beat of her heart carried through the mattress to my ear. It would have been so easy for my lips to span the inches between our mouths. I thought I could hear the hope in her heartbeat: kiss me kiss me kiss me. Normally I was good at sensing others' feelings, but with Grace, everything I thought I knew was clouded by what I wanted. She giggled quietly; it was a terribly cute noise, and also completely at odds with how I normally thought of her. "I'm starving," she said finally. "Let's go find breakfast. Or brunch, I guess." I rolled out of bed and she rolled after me. I was acutely aware of her hands on my back, pushing me through the bedroom door. Together we padded softly out into the kitchen. Sunlight, too bright, blared in the glass door to the deck, reflecting off the white counter and tile in the kitchen, covering us both with white light. Because of my previous exploration, I knew where things were, so I started to take out supplies. As I moved about the kitchen, Grace shadowed me, her fingers finding my elbow and her palm brushing along my back, finding excuses to touch me. Out of the corner of my eye, I could see her staring unabashedly at me when she thought I wouldn't notice. It was as though I had never changed, as though I still gazed at her from the woods and she still sat on her tire swing and watched me with admiring eyes. Peeling off my skin / leaving just my eyes behind / You see inside my head / Still know that you are mine. "What are you thinking?" I asked, cracking an egg into a skillet and pouring her a glass of orange juice with human fingers that seemed suddenly precious. Grace laughed. "That you're making me breakfast." It was too simple an answer; I wasn't sure if I could believe it. Not when I had a thousand thoughts competing for space in my head at the same moment. "What else are you thinking?" "That it's very sweet of you. That I hope you know how to cook eggs." But her eyes lifted from the skillet to my mouth, just for a second, and I knew she wasn't only thinking about eggs. She whirled away and pulled the blinds, instantly changing the mood in the kitchen. "And it's too bright in here." The light filtered through the blinds, casting horizontal stripes across her wide brown eyes and the straight line of her lips. I turned back to the scrambled eggs and tipped them onto a plate just as the toast popped out of the toaster. I reached for it at the same time as Grace, and it was just one of those perfect movie moments where the hands touch and you know the characters are going to kiss. Only this time it was my arms somehow accidentally circling her, pinning her against the counter as I reached for the toast, and bracing against the edge of the fridge as I leaned forward. Lost in embarrassment over my bumbling, I didn't even realize it was the perfect moment until I saw Grace's eyes close, face lifted toward mine. I kissed her. Just the barest brush of my lips against hers, nothing animal. Even in that moment, I deconstructed the kiss: her possible reactions to, her possible interpretations of, the way it made a shudder tighten my skin, the seconds between when I touched her lips and when she opened her eyes. Grace smiled at me. Her words were taunting, but her voice was gentle. "Is that all you've got?" I touched my lips to hers again, and this time, it was a very different sort of kiss. It was six years' worth of kissing, her lips coming to life under mine, tasting of orange and of desire. Her fingers ran through my sideburns and into my hair before linking around my neck, alive and cool on my warm skin. I was wild and tame and pulled into shreds and crushed into being all at once. For once in my human life, my mind didn't wander to compose a song lyric or store the moment for later reflection. For once in my life, I was here and nowhere else. And then I opened my eyes and it was just Grace and me — nothing anywhere but Grace and me — she pressing her lips together as though she were keeping my kiss inside her, and me, holding this moment that was as fragile as a bird in my hands. Some days seem to fit together like a stained glass window. A hundred little pieces of different color and mood that, when combined, create a complete picture. The last twenty-four hours had been like that. The night at the hospital was one pane, sickly green and flickering. The dark hours of the early morning in Grace's bed were another, cloudy and purple. Then the cold blue reminder of my other life this morning, and finally the brilliant, clear pane that was our kiss. In the current pane, we sat on the worn bench seat of an old Bronco at the edge of a run-down, overgrown car lot on the outskirts of town. It seemed like the complete picture was starting to come into focus, a shimmering portrait of something I thought I couldn't have. Grace ran her fingers over the Bronco's steering wheel with a thoughtful, fond touch, and then turned to me. "Let's play twenty questions." I was lying back in the passenger seat, eyes closed, and letting the afternoon sun cook me through the windshield. It felt good. "Shouldn't you be looking at other cars? You know, car shopping usually involves... shopping." "I don't shop very well," Grace said. "I just see what I need and I get it." I laughed at that. I was beginning to see how very Grace such a statement was. She narrowed her eyes at me in mock irritation and crossed her arms over her chest. "So, questions. These aren't optional." I glanced out across the car lot to make sure that the owner hadn't returned from towing her car yet — here in Mercy Falls, the towing company and the used car company were one and the same. "Okay. Better not be anything embarrassing." Grace slid over a little closer to me on the bench seat and slouched down in a mirror image of my posture. I felt like this was the first question: her leg pressed against my leg, her shoulder pressed against my shoulder, her tightly laced shoe resting on top of my scuffed leather one. My pulse raced, a wordless answer. Grace's voice was pragmatic, as if she didn't know the effect she was having on me. "I want to know what makes you a wolf." That one was easy. "When the temperature drops, I become a wolf. When it's cold at night and warm during the day, I can feel it coming on, and then, finally, it's cold enough that I shift into a wolf until spring." "The others, too?" I nodded. "The longer you're a wolf, the warmer it has to be for you to become human." I paused for a moment, wondering if now was the time to tell her. "Nobody knows how many years you get of switching back and forth. It's different for every wolf." Grace just looked at me — the same long look she'd given me when she was younger, lying in the snow, looking up at me. I couldn't read it any better now than I could then. I felt my throat tighten in anticipation of her reply, but, mercifully, she changed her line of questioning. "How many of you are there?" I wasn't sure, just because so many of us didn't become humans anymore. "About twenty." "What do you eat?" "Baby bunnies." She narrowed her eyes, so I grinned and said, "Adult bunnies, too. I'm an equal-opportunity bunny-eater." She didn't skip a beat. "What was on your face the night you let me touch you?" Her voice stayed the same for this question, but something around her eyes tightened, as though she wasn't sure she wanted to hear the answer. I had to struggle to remember that night — her fingers in my ruff, her breath moving the fine hairs on the side of my face, the guilty pleasure of being so close to her. The boy. The one who was bitten. That was what she was really asking. "Do you mean there was blood on my face?" Grace nodded. Part of me felt a little sad that she had to ask, but of course she did. She had every reason not to trust me. "It wasn't his — that boy's." "Jack," she said. "Jack," I repeated. "I knew the attack happened, but I wasn't there for it." I had to dig deeper into my memory to trace the source of the blood on my muzzle. My human brain supplied logical answers — rabbit, deer, roadkill — all of them instantly stronger than my actual wolf memories. Finally, I snatched the real answer from my thoughts, though I wasn't proud of it. "It was a cat. The blood. I'd caught a cat." Grace let out a breath. "You aren't upset that it was a cat?" I asked. "You have to eat. If it wasn't Jack, I don't care if it was a wallaby," she said. But it was obvious her mind was still on Jack. I tried to remember what little I knew of the attack, hating for her to think badly of my pack. "He provoked them, you know," I said. "He what? You weren't there, were you?" I shook my head and struggled to explain. "We can't — the wolves — when we communicate, it's with images. Nothing complicated. And not across great distances. But if we're right by each other, we can share an image with another wolf. And so the wolves that attacked Jack, they showed me images." "You can read each other's minds?" Grace asked, incredulous. I shook my head vigorously. "No. I — it's hard to explain as a hu — as me. It's just a way of talking, but our brains are different as wolves. There's no abstract concepts, really. Things like time, and names, and complicated emotions are all out of the question. Really, it's for things like hunting or warning each other of danger." "And what did you see about Jack?" I lowered my eyes. It felt strange, recalling a wolf memory from a human mind. I flipped through the blurry images in my head, recognizing now that the red blotches on the wolves' coats were bullet wounds, and that the stains on their lips were Jack's blood. "Some of the wolves showed me something about being hit by him. A — gun? He must have had a BB gun. He was wearing a red shirt." Wolves saw color poorly, but red we could see. "Why would he do that?" I shook my head. "I don't know. That's not the sort of thing we told each other." Grace was quiet, still thinking about Jack, I suppose. We sat in the close silence until I started to wonder whether she was upset. Then she spoke. "So you never get to open Christmas presents." I looked at her, not knowing how to respond. Christmas was something that happened in another life, one before the wolves. Grace looked down at the steering wheel. "I was just thinking that you were never around in the summer, and I always loved Christmas, because I knew you'd always be there. In the woods. As a wolf. I guess it's because it's cold, right? But that must mean that you never get to open Christmas presents." I shook my head. I changed too early now to even see Christmas decorations in stores. Grace frowned at the steering wheel. "Do you think of me when you're a wolf?" When I was a wolf, I was a memory of a boy, struggling to hold on to meaningless words. I didn't want to tell her the truth: that I couldn't remember her name. "I think of the way you smell," I said, truthfully. I reached over and lifted a few strands of her hair to my nose. The scent of her shampoo reminded me of the scent of her skin. I swallowed and let her hair fall back down to her shoulder. Grace's eyes followed my hand from her shoulder to my lap, and I saw her swallow, too. The obvious question — when I would change back again — hung between us, but neither of us put words to it. I wasn't ready to tell her yet. My chest ached at the thought of leaving all this behind. "So," she said again, and put her hand on the steering wheel. "Do you know how to drive?" I pulled my wallet from my jeans pocket and proffered it. "The State of Minnesota seems to think so." She extracted my driver's license, held it up against the steering wheel, and read out loud: "Samuel K. Roth." She added, with some surprise, "This is an actual license. You must really be real." I laughed. "You still doubt it?" Instead of answering, Grace handed my wallet back and asked, "Is that your real name? Aren't you supposedly dead, like Jack?" I wasn't sure I wanted to talk about this, but I answered anyway. "It wasn't the same. I wasn't bitten as badly, and some strangers saved me from being dragged off. Nobody pronounced me dead, like they did with Jack. So, yes, that's my real name." Grace looked thoughtful, and I wondered what she was thinking. Then, abruptly, she looked at me, expression dark. "So your parents know what you are, right? That's why they —" She stopped and sort of half closed her eyes. I could see her swallowing again. "It makes you sick for weeks afterward," I said, rescuing her from finishing the sentence. "The wolf toxin, I guess. While it's changing you. I couldn't stop shifting back and forth, no matter how warm or cold I was." I paused, the memories flickering through my head like photos from someone else's camera. "They thought I was possessed. Then it got warm and I improved — became stable, I mean, and they thought I was cured. Saved, I suppose. Until winter. For a while they tried to get the church to do something about me. Finally they decided to do something themselves. They're both serving life sentences now. They didn't realize that we're harder to kill than most people." Grace's face was nearing a pale shade of green and the knuckles on her hand clutching the steering wheel had turned white. "Let's talk about something else." "I'm sorry," I said, and I really was. "Let's talk about cars. Is this one your betrothed? I mean, assuming it runs okay? I don't know anything about cars, but I can at least pretend. 'Runs okay' sounds like something someone would say if they knew what they were talking about, right?" She seized the subject, petting the steering wheel. "I do like it." "It's very ugly," I said generously. "But it looks as though it would laugh at snow. And, if you hit a deer, it would just hiccup and keep going." Grace added, "Plus, it's got a pretty appealing front seat. I mean, I can just —" Grace leaned across the bench seat toward me, lightly resting one of her hands on my leg. Now she was an inch away from me, close enough that I felt the heat of her breath on my lips. Close enough that I could feel her waiting for me to lean into her, too. In my head, an image flashed of Grace in her backyard, her hand outstretched, imploring me to come to her. But I couldn't, then. I was in another world, one that demanded I keep my distance. Now, I couldn't help but wonder whether I still lived in that world, bound by its rules. My human skin was only mocking me, taunting me with riches that would vanish at the first freeze. I sat back from her, and looked away before I could see her disappointment. The silence was thick around us. "Tell me about after you were bitten," I said, just to say something. "Did you get sick?" Grace leaned back in her seat and sighed. I wondered how many times I'd disappointed her before. "I don't know. It seems like such a long time ago. I guess — maybe. I remember having the flu right afterward." After I was bitten, it had felt like the flu, too. Exhaustion, hot and cold shakes, nausea burning the back of my throat, bones aching to change form. Grace shrugged. "That was the year I got locked in the car, too. It was a month or two after the attack. It was spring, but it was really hot. My dad took me along with him to run some errands, because I guess I was too young to leave behind." She glanced at me to see if I was listening. I was. "Anyway, I had the flu, I guess, and I was just stupid with sleep. So on the way home I fell asleep in the backseat... and the next thing I remember was waking up in the hospital. I guess Dad had gotten home and gotten the groceries out and forgotten about me. Just left me locked in the car, I guess. They said I tried to get out, but I don't remember that, really. I don't remember anything until the hospital, where the nurse was saying that it was the hottest May day on record for Mercy Falls. The doctor told my dad the heat in the car should've killed me, so I'm a miracle girl. How's that for responsible parenting?" I shook my head in disbelief. There was a brief silence that gave me enough time to notice the consternation in her expression and remind me that I sincerely regretted not kissing her a moment ago. I thought about saying Show me what you meant earlier, when you said that you liked this front seat. But I couldn't imagine my mouth forming those words, so instead I just took her hand and ran my finger along her palm and between her fingers, tracing the lines in her hand and letting my skin memorize her fingerprints. Grace made a small sound of appreciation and closed her eyes as my fingers whispered circles on her skin. Somehow this was almost better than kissing. Both of us jerked when someone tapped on the glass on my side of the car. The tow-truck driver and car-lot owner stood there, peering in at us. His voice came through, muffled by the glass. "You find what you were looking for?" Grace reached across and rolled down the window. She was talking to him but looking at me, gaze intense, when she said, "Absolutely." That night, Sam stayed in my bed again, chastely perched on the farthest edge of the mattress, but somehow, during the night, our bodies migrated together. I half woke early in the morning, long before dawn, the room washed clean by pale moonlight, and found that I was pressed up against Sam's back, my hands balled up to my chest like a mummy. I could just barely see the dark curve of his shoulder, and something about the shape it made, the gesture it suggested, filled me with a sort of fierce, awful affection. His body was warm and he smelled so good — like wolf, and trees, and home — that I buried my face in his shoulder and closed my eyes again. He made a soft noise and rolled his shoulders back against me, pressing closer. Right before I drifted back to sleep again, my breathing slowing to match his, I had a brief, burning thought: I can't live without this. There had to be a cure. The next day was unseasonably fair, too beautiful to be going to school, but I couldn't skip a second day without coming up with a really good excuse. It wasn't that I'd get too far behind; it just seemed that when you never miss school for a certain length of time, people tend to notice when you do. Rachel had already called twice and left an ominous voicemail saying I'd picked the wrong day to cut class, Grace Brisbane! Olivia hadn't called since our argument in the hall, so I guessed that meant we weren't on speaking terms. Sam drove me to school in the Bronco while I hastily caught up on some of my English homework I hadn't done the day before. Once he'd parked, I opened the door, letting in a gust of unseasonably warm air. Sam turned his face toward the open door, his eyes half-closed. "I love this weather. I feel so me." Watching him bask in the sun, winter seemed a million miles away, and I couldn't imagine him leaving me. I wanted to memorize the crooked line of his nose for later daydreaming. For a moment, I felt an irrational stab of guilt that my feelings for Sam were replacing those that I'd had for my wolf — until I remembered that he was my wolf. All over again, I had the weird sensation of the ground shifting beneath me at the fact of his existence, immediately followed by relief. My obsession was so — easy now. The only thing I had to explain to my friends was where my new boyfriend had come from. "I guess I have to go," I said. "I don't want to." Sam's eyes opened the rest of the way and focused on me. "I'll be here when you come back, promise." He added, very formal, "May I use your car? I'd like to see if Beck's still human, and if not, whether his house has the power turned on." I nodded, but part of me hoped the power would be off at Beck's house. I kind of wanted Sam back in my bed, where I could keep him from disappearing like the dream that he was. I climbed out of the Bronco with my backpack. "Don't get any tickets, speed racer." As I came around the front of the vehicle, Sam rolled down his window. "Hey!" "What?" Shyly, he said, "Come here, Grace." I smiled at the way he said my name and returned to the window, smiling wider when I realized what he wanted. His careful kiss didn't fool me; as soon as I parted my lips slightly, he sighed and pulled back. "I'll make you late for school." I grinned. I was on top of the world. "You'll be back at three?" "Wouldn't miss it." I watched him pull out of the lot, already feeling the length of the school day stretching before me. A notebook smacked my arm. "Who was that?!" I turned to Rachel and tried to think of something that was easier than the truth. "My ride?" Rachel didn't push the issue, mostly because her brain was already on to something else. She grabbed my elbow and began steering me toward the school. Surely, surely, there had to be some kind of eternal reward waiting for me for going to school on a gorgeous day like this with Sam in my car. Rachel wiggled my arm to get my attention. "Grace. Focus. There was a wolf outside of the school yesterday. In the parking lot. Like, everyone saw it when school got out." "What?" I turned and looked over my shoulder at the lot, trying to imagine a wolf amongst the cars. The sparse pine trees that bordered the lot didn't connect with Boundary Wood; the wolf would've had to cross several streets and yards to get to the parking lot. "What did it look like?" Rachel gave me a weird look. "The wolf?" I nodded. "Like a wolf. Gray." Rachel saw my withering look and shrugged. "I don't know, Grace. Bluish-gray? With mucky gross scratches on its shoulder. It looked scruffy." So it was Jack. It had to be. "It must have been total chaos," I said. "Yeah, you should've been here, wolf-girl. Seriously. Nobody got hurt, thank God, but Olivia completely freaked out. The whole school was freaked out. Isabel was totally hysterical and made a huge scene." Rachel squeezed my arm. "So why didn't you pick up your phone, anyway?" We walked into the school; the doors were propped open to let in the balmy air. "Battery died." Rachel made a face and spoke louder to be heard over the crush of students in the halls. "So, are you sick? I never thought I'd live to see the day that you didn't make it to class. Between you not being in class and wild animals roaming the parking lot, I thought the world was coming to an end. I was waiting for the rains of blood." "I think I got some sort of twenty-four-hour bug," I replied. "Ew, should I not touch you?" But instead of moving away, Rachel slammed her shoulder into mine with a grin. I laughed and shoved her off, and as I did, I saw Isabel Culpeper. My smile faded. She was leaning against the wall by one of the drinking fountains, her shoulders hunched forward. At first I thought she was looking at her cell phone, but then I realized her hands were empty and she was just staring at the ground. If she hadn't been such an ice princess, I would've thought she was crying. I wondered if I should talk to her. As if reading my thoughts, Isabel looked up then, and her eyes, so similar to Jack's, met mine. I could read the challenge in them: So what are you looking at, huh? I looked away quickly and kept walking with Rachel, but I had the uncomfortable sense of things left unsaid. As I lay in Grace's bed that night, jarred by the news of Jack's appearance at the school, I stared, sleepless, out into a blackness interrupted only by the dim halo of her hair on her pillow. And I thought about wolves who didn't act like wolves. And I thought about Christa Bohlmann. It had been years since the memory of Christa had crossed my mind, but Grace's frowning account of Jack lurking where he didn't belong had brought it all back. I remembered the last day I saw her, when Christa and Beck were fighting in the kitchen, the living room, the hall, the kitchen again, growling and shouting at each other like circling wolves. I'd been young, about eight, so Beck had seemed like a giant then — a narrow, furious god barely containing his anger. Round and round the house he went with Christa, a heavyset young woman with a face made blotchy by rage. "You killed two people, Christa. When are you going to face up to that?" "Killed? Killed?" Her voice was shrill to my ears, claws on glass. "What about me? Look at me. My life is over." "It's not over," Beck snapped. "You're still breathing, aren't you? Your heart's still beating? I can't say the same for your two victims." I remember shrinking back at Christa's voice — a throaty, barely understandable scream. "This is not a life!" Beck raged at her about selfishness and responsibility, and she shot back with a string of profanity that I was shocked by; I'd never heard the words before. "How about that guy in the basement?" Beck snapped. I could just see Beck's back from my vantage point in the hall. "You bit him, Christa. You've ruined his life now. And you killed two people. Just because they called you some nasty words. I keep waiting to see some remorse. Hell, I'll just take a guarantee that this won't happen again." "Why would I guarantee you anything? What have you ever given me?" Christa snarled. Her shoulders hunched and twitched. "You call yourselves a pack? You're a coven. You're an abomination. You're a cult. I'll do what I want. I'll get through this life how I want." Beck's voice was terribly, terribly even. I remember being suddenly sorry for Christa then, because Beck stopped sounding angry when he was at his worst. "Promise me this won't happen again." She looked straight at me then — no, not at me. Through me. Her mind was someplace far away, escaping the reality of her changing body. I could see a vein standing out right down the middle of her forehead, and I noticed that her fingernails were claws. "I don't owe you anything. Go to hell." Beck said, very quietly, "Get out of my house." She did. She slammed the glass door so hard that the dishes in the kitchen cabinets rattled. A few moments later, I heard the door open and shut again, much quieter, as Beck went after her. I remembered that it had been cold enough out that I was worried Beck would change for the winter and leave me alone in the house. That fear was enough to make me slide out of the hallway into the living room, just as I heard a massive crack. Beck quietly let himself back into the house, shivering with the cold and the threat of the change, and he carefully laid a gun on the counter as though it was made of glass. Then he noticed me, standing in the living room, arms across my chest, my fingers clutching my biceps. I still remembered the way his voice sounded when he said, "Don't touch that, Sam." Hollow. Ragged. He'd gone into his office and laid his head down on his arms for the rest of the day. At dusk, he and Ulrik had gone outside, voices low and hushed; through the window, I'd seen Ulrik get a shovel from the garage. And now, here I was, lying in Grace's bed, and somewhere out there was Jack. Angry people didn't make good werewolves. While Grace was in school, I had driven by Beck's house. The driveway was empty and the windows were dark; I hadn't the heart to go inside and see how long it had been unoccupied. Without Beck to enforce the pack's safety, who was supposed to keep Jack in line? An unwelcome sense of responsibility was starting to pinch at the back of my throat. Beck had a cell phone, but I couldn't remember the number, no matter how long I riffled through my memories. I pressed my face against the pillow and prayed that Jack wouldn't bite anyone, because if he became a problem, I didn't think I was strong enough to do what would have to be done. When Grace's alarm went off the next morning at 6:45 for school, screaming electronic obscenities into my ear, I instantly shot straight up into the air, heart pounding, just as I had the day before. My head was stuffed full of dreams: wolves and humans and blood smeared on lips. "Ummmm," Grace mumbled, unconcerned, and pulled up the sheets around her neck. "Turn that off, would you? I'm getting up. I'll... be up in a second." She rolled over, her blonde head barely visible above the edge of the blanket, and sank into the bed as if she had grown into the mattress. And that was it. She was asleep and I was not. I leaned back against her headboard and let her lie by my side, warm and dreaming, for a few minutes more. I stroked her hair with careful fingers, tracing a line from her forehead around her ear and down to just the top of her long neck, where her hair stopped being hair proper and was instead little baby fluffs that went every which way. They were fascinating, these soft feathers that would grow up to be her hair. I was incredibly tempted to bend down and bite them, ever so softly, to wake her up and kiss her and make her late for school, but I couldn't stop thinking about Jack and Christa and people who made bad werewolves. If I went to the school, would I still be able to follow Jack's trail with my weaker sense of smell? "Grace," I whispered. "Wake up." She made a soft noise that, roughly translated, meant piss off in sleep language. "Time to wake up," I said, and stuck my finger in her ear. Grace squealed and smacked at me. She was up. Our mornings together were beginning to have the comfort of routine. While Grace, still dogged by sleep, stumbled toward the shower, I put a bagel in the toaster for each of us and convinced the coffeemaker to do something that sounded like making coffee. Back in her bedroom, I listened to Grace sing tunelessly in the shower while I pulled on my jeans and checked her drawers for socks that didn't look too girly for me to borrow. I heard my breathing stop without feeling it. Photographs, nestled amongst her neatly folded socks. Pictures of the wolves. Of us. Carefully, I lifted the stack out of the drawer and retreated to the bed. Turning my back to the door as if I were doing something illicit, I paged through the pictures with slow fingers. There was something fascinating about seeing these images with my human eyes. Some of the wolves I could attach human names to; the older ones who had always changed before me. Beck, big, bulky, blue-gray. Paul, black and clean-looking. Ulrik, brownish-gray. Salem, with his notched ear and running eye. I sighed, though I didn't know why. The door behind me opened, letting in a gust of steam that smelled like Grace's soap. Grace stepped behind me and rested her head on my shoulder; I breathed in the scent of her. "Looking at yourself?" she asked. My fingers, flicking between the photos, froze. "I'm in here?" Grace came round the side of the bed and sat down facing me. "Of course. Most of them are of you — you don't recognize yourself? Oh. Of course you wouldn't. Tell me who's who." Slower, I paged through the images again as she shifted to sit next to me, the bed groaning with her movements. "That's Beck. He's always taken care of the new wolves." Though there'd only been two newly made wolves since me: Christa and the wolf that she'd created, Derek. The fact was, I wasn't used to younger newcomers — our pack usually grew by other, older wolves finding us, not by the addition of savagely born newbies like Jack. "Beck's like a father to me." It sounded weird to say it like that, even if it was true. I'd never had to explain it to anyone before. He had been the one to take me under his wing after I'd escaped from my house, and the one who carefully glued the fragments of my sanity back together. "I could tell how you felt about him," Grace said, and she sounded surprised at her own intuition. "Your voice is different whenever you talk about him." "It is?" Now it was my turn to be surprised. "Different how?" She shrugged, looking a little shy. "I dunno. Proud, I guess. I think it's sweet. Who's that?" "Shelby," I said, and there was no pride in my voice for her. "I told you about her before." Grace watched my face. The memory of the last time Shelby and I had seen each other made my gut twist uncomfortably. "She and I don't see things the same way. She thinks being a wolf is a gift." Beside me, Grace nodded, and I was grateful to leave it at that. I flipped through the next few photographs, more of Shelby and Beck, until I paused at Paul's black form. "That's Paul. He's our pack leader when we're wolves. That's Ulrik next to him." I pointed to the brown-gray wolf beside Paul. "Ulrik's like a crazy uncle, sort of. A German one. He swears a lot." "Sounds great." "He's a lot of fun." Actually, I should've said was a lot of fun. I didn't know if this had been his last year, or if he might still have another summer in him. I remembered his laugh, like a flock of crows taking off, and the way he held on to his German accent, like he couldn't be Ulrik without it. "Are you okay?" Grace asked, frowning at me. I shook my head, staring at the wolves in the photographs, so clearly animals when seen through my human eyes. My family. Me. My future. Somehow, the photographs blurred a line I wasn't ready to cross yet. I realized Grace had her arm around my shoulder, her cheek leaning against me, comforting me even though she couldn't possibly understand what was bothering me. "I wish you could've met them," I said, "when every body was human." I didn't know how to explain to her what an enormous part of me they were, their voices and faces as humans, and their scents and forms as wolves. How lost I felt now, the only one wearing human skin. "Tell me something about them," Grace said, her voice muffled against my T-shirt. I let my mind flit over memories. "Beck taught me how to hunt when I was eight. I hated it." I remembered standing in Beck's living room, staring out at the first ice-covered tree branches of the winter, brilliant and winking in the morning sun. The backyard seemed like a dangerous and alien planet. "Why did you hate it?" Grace asked. "I didn't like the sight of blood. I didn't like hurting things. I was eight." In my memories, I seemed small, ribby, innocent. I had spent all of the previous summer letting myself believe that this winter, with Beck, would be different, that I wouldn't change and that I'd go on eating the eggs Beck cooked for me forever. But as the nights grew colder and even short trips outside made my muscles shake, I knew the time was coming soon when I wouldn't be able to avoid the change, and that Beck wouldn't be around to cook much longer. But that didn't mean I would go willingly. "Why hunt, then?" Grace asked, ever logical. "Why not just leave food out for yourselves?" "Ha. I asked Beck that same question, and Ulrik said, 'Ja, and the raccoons and possums, too?'" Grace laughed, unduly delighted by my lousy impression of Ulrik's accent. I felt a rush of warmth in my cheeks; it felt good to talk to her about the pack. I loved the glow in her eyes, the curious quirk in her mouth — she knew what I was and she wanted to know more. But that didn't mean it was right to tell her, someone outside the pack. Beck had always said, The only people we have to protect us is us. But Beck didn't know Grace. And Grace wasn't only human. She may not have changed, but she had been bitten. She was wolf on the inside. She had to be. "So what happened?" Grace asked. "What did you hunt?" "Bunnies, of course," I replied. "Beck took me out while Paul waited in a van to collect me afterward in case I was unstable enough to change back." I couldn't forget how Beck had stopped me by the door before we went out, bending double so he could look into my face. I was motionless, trying not to think about changing bodies and snapping a rabbit's neck between my teeth. About saying good-bye to Beck for the winter. He had taken my thin shoulder in his hand and said, "Sam, I'm sorry. Don't be scared." I hadn't said anything, because I was thinking it was cold, and Beck wouldn't change back after the hunt, and then I'd have no one who knew how to cook my eggs right. Beck made perfect eggs. More than that. Beck kept me Sam. Back then, with the scars on my wrists still so fresh, I'd been so dangerously close to fracturing into something that was neither human nor wolf. "What are you thinking about?" Grace asked. "You stopped talking." I looked up; I hadn't realized I'd looked away from her. "Changing." Grace's chin pressed into my shoulder as she looked into my face; her voice was hesitant. She asked me a question she'd asked me before. "Does it hurt?" I thought of the slow, agonizing process of the change, the bending of muscles, the bulging of skin, the grinding of bones. The adults had always tried to hide their shifts from me, wanting to protect me. But it wasn't seeing them change that scared me — the sight only made me pity them, since even Beck groaned with the pain of it. It was changing myself that terrified me, even now. Forgetting Sam. I was a bad liar, so I didn't bother to try. "Yes." "It kind of makes me sad to think of you having to do that as a little kid," Grace said. She was frowning at me, blinking too-shiny eyes. "Actually, it bothers me a lot. Poor little Sam." She touched my chin with a finger; I leaned into her hand. I remembered being so proud that I hadn't cried while I changed that time, unlike when I was younger and my parents had watched me, eyes round with horror. I remembered Beck the wolf, bounding away and leading me into the woods, and I remembered the warm, bitter sensation of my first kill on my muzzle. I had changed back again after Paul, bundled up in a coat and hat, had retrieved me. It was in the van on the way home that loneliness hit me. I was alone; Beck wouldn't be human again that year. Now, it was like I was eight years old all over again, alone and newly scarred. My chest ached, my breath squeezed out of me. "Show me what I look like," I asked Grace, tilting the photos toward her. "Please." I let her take the stack from my hand and watched her face light up as she flipped through the pictures, looking for one in particular. "There. That one's my favorite of you." I looked at the photo she had handed me. A wolf looked back at me, wearing my eyes, a still wolf watching from the woods, sunlight touching the edges of its fur. I looked and looked, waiting for it to mean something. Waiting for a prickling of recognition. It seemed unfair that the other wolves' identities were so clear to me in their photographs, but that mine was hidden. What was it in this photo, in that wolf, that made Grace's eyes light up? What if it wasn't me? What if she was in love with some other wolf and she only thought it was me? How would I ever know? Grace was oblivious to my doubts and misread my silence for fascination. She unfolded her legs and stood up, facing me, then ran a hand through my hair. She lifted her palm to her nose, inhaling deeply. "You know, you still smell like you do when you're a wolf." And just like that, she'd said maybe the one thing that could've made me feel better. I handed her the photo on her way out. Grace stopped in the door, dimly silhouetted by the dull gray morning light, and looked back at me, at my eyes, my mouth, my hands, in a way that made something inside me knot and unknot unbearably. I didn't think I belonged here in her world, a boy stuck between two lives, dragging the dangers of the wolves with me, but when she said my name, waiting for me to follow, I knew I'd do anything to stay with her. I spent too long after dropping Grace off circling the parking lot, frustrated with Jack, frustrated with the rain, frustrated with the limitations of my human body. I could smell that a wolf had been there — just a faint, musky trace of wolf odor — but I couldn't pinpoint a direction or even say for sure that it had been Jack. It was like being blind. I gave up finally and, after sitting in the car for several minutes, decided to give in to the pull of Beck's house. I couldn't think of anywhere else in particular to start a search for Jack, but the woods behind the house were a logical place to find wolves in general. So I headed back toward my old summer home. I didn't know if Beck had been a human at all this year; I couldn't even clearly recall my own summer months. Memories blurred into each other until they became a composite of seasons and scents, their origins obscured. Beck had been shifting for more years than I had, so it seemed unlikely that he'd been human this year when I hadn't. But it also felt like I should have had more years of changing back and forth than this. I hadn't been shifting for that long. Where had my summers gone? I wanted Beck. I wanted his guidance. I wanted to know why the gunshot had made me human. I wanted to know how long I had with Grace. I wanted to know if this was the end. "You're the best of them," he had told me once, and I still remembered the way his face looked when he said it. Square, trustworthy, solid. An anchor in a churning sea. I had known what he meant: the most human of the pack. That was after they'd pulled Grace from her tire swing. But when I drove up to the house, it was still empty and dark, and my hopes dissipated. It occurred to me that all of the other wolves must've already shifted for the winter; there weren't many young wolves left. Except for Jack, now. The mailbox was stuffed with envelopes and slips from the post office advising Beck to pick up more at the main office. I took all of it out and put it in Grace's car. I had a key for his post office box, but I'd get it later. I refused to think I wouldn't see Beck again. But the fact remained that if Beck wasn't around, Jack hadn't been shown the ropes. And someone had to get him away from the school and civilization until he stopped the unpredictable shifting that came with being a new wolf. His death had done enough damage to the pack. I wasn't going to let him expose us, either through shifting in public or through biting someone. Since Jack had already paid a visit to the school, I decided to operate under the assumption that he had tried going home as well, and so I headed over toward the Culpepers' place. It wasn't any secret where they lived; everybody in town knew the gigantic Tudor mansion that could be just glimpsed from the highway. The only mansion in Mercy Falls. I didn't think anybody would be home at this time of the day, but I parked Grace's Bronco about a half mile away just in case and cut through the pine woods on foot. Sure enough, the house was empty, towering over me like a massive structure out of an old folktale. A quick poking around the doors turned up the unmistakable odor of wolf. I couldn't tell whether he'd gotten inside already, or if, like me, he'd come while everyone was away and returned to the woods already. Remembering how vulnerable I was in my human form, I whirled around and sniffed the air, scanning the surrounding pines for signs of life. Nothing. Or at least nothing close enough that my human senses could pick it up. In the cause of thoroughness, I broke into the house to see whether Jack was there, already sequestered in a locked room reserved for monsters. I wasn't tidy about my breaking-and-entering job, either; I shattered a window in the back door with a brick and reached through the jagged hole to turn the knob. Inside, I scented the air again. I thought I smelled wolf, but it was faint and somewhat stale. I wasn't sure why Jack would smell that way, but I followed the scent through the house. My path led to a massive set of oak doors; I felt sure the trail was leading to the other side. Carefully I pushed them open, then inhaled sharply. The massive foyer in front of me was filled with animals. Stuffed ones. And not the cuddly kind. The dim, high-ceilinged room had the feel of a museum exhibit: Animals of North America, or some sort of shrine to death. My mind snatched for song lyrics, but could only settle on a single line: We bear the grins of the smiling dead. I shuddered. In the half-light that filtered through the round windows high above my head, it seemed as though there were enough animals to populate Noah's ark. Here was a fox, stiffly holding a stuffed quail in its mouth. There, a black bear, rising above me with claws outstretched. A lynx, creeping eternally along a log. And a polar bear, complete with stuffed fish in his paws. Could you stuff a fish? I hadn't ever considered it. And then, amidst a herd of deer of all sizes and shapes, I saw the source of the smell I had detected earlier: A wolf stared over its shoulder at me, teeth bared, glass eyes menacing. I walked toward it, reaching out to touch its brittle fur. Under my fingers, the stale smell blossomed, releasing secrets in my nostrils, and I recognized the unique scent of my woods. I curled my fingers into a fist, stepping back from the wolf with crawling skin. One of us. Maybe not. Maybe just a wolf. Except I'd never met a normal wolf in our woods before. "Who were you?" I whispered. But the only common feature between a werewolf's two forms — the eyes — had long since been gouged out in favor of a pair of glass ones. I wondered whether Derek, riddled with bullets the night I was shot, would join this wolf in this macabre menagerie. The thought twisted my stomach. I glanced around the hall once more and retreated toward the front door. Every bit of animal still left in me was screaming to get away from the dull odor of death that filled the hall. Jack wasn't here. I didn't have any reason to stay. "Good morning." Dad glanced at me as he poured coffee into a travel mug. He was very sharply dressed for a Saturday; he must be trying to sell a resort to some rich investor. "I have to meet Ralph at the office at eight-thirty. About the Wyndhaven resort." I blinked a few times, eyes bleary. My whole body felt sticky and slow from sleep. "Don't talk to me yet. I'm not awake." Through my fog, I felt a twinge of guilt for not being more friendly; I hadn't really seen him for days, much less properly spoken with him. Sam and I had spent last night talking about the strange room of stuffed animals at the Culpepers' and wondering, with the constant irritation of a scratchy sweater, where Jack was going to make his next appearance. This ordinary morning with Dad felt like an abrupt return to my pre-Sam life. Dad gestured at me with the coffeepot. "Want some of this?" I cupped my hands and held them toward him. "Just pour it in there. I'll splash some on my face. Where's Mom?" I didn't hear her crashing around upstairs. Mom's getting ready to leave the house normally required a lot of indiscriminate banging and shoe-scraping noises from the bedroom. "Some gallery down in Minneapolis." "Why'd she leave so early? It's practically yesterday." Dad didn't answer; he was looking over the top of my head at the TV, which was blaring some morning talk show. The show's guest, dressed in khaki, was surrounded by all sorts of baby animals in boxes and cages. It reminded me vividly of the room of animals that Sam had described. Dad frowned as one of the two hosts gingerly petted a baby possum, who hissed. I cleared my throat. "Dad. Focus. Get me a coffee mug and fill it or I'll die. And I'm not cleaning up my body if I do." Dad, still watching the TV, felt around in the cabinet for a mug. His fingers found my favorite — a robin egg's blue mug that one of Mom's friends had made — and pushed it and the coffeepot across the counter to me. The steam rushed into my face as I poured. "So, Grace, how's school?" I asked myself. Dad nodded, eyes on the baby koala now struggling in the guest's arms. "Oh, it's fine," I continued, and Dad made a mumbling noise of agreement. I added, "Nothing special, aside from the load of pandas they brought in, and the teachers abandoning us to cannibalistic savages —" I paused to see if I'd caught his attention yet, then pressed on. "The whole building caught fire, then I failed drama, and then sex sex sex sex." Dad's eyes abruptly focused, and he turned to me and frowned. "What did you say they were teaching you in school?" Well, at least he'd caught more of the beginning than I'd given him credit for. "Nothing interesting. We're writing short stories for English. They're hateful. I have absolutely no talent for writing fiction." "Fiction about sex?" he asked doubtfully. I shook my head. "Go to work, Dad. You're going to be late." Dad scratched his chin; he'd missed a hair shaving. "That reminds me. I need to take that cleaner back to Tom. Have you seen it?" "You need to take cleaner back to who?" "The gun cleaner. I think I put it on the counter. Or maybe under it —" He crouched and began to rummage in the cabinet under the sink. I frowned at him. "Why did you have gun cleaner?" He gestured toward his study. "For the gun." Little warning bells were going off in my head. I knew my dad had a rifle; it hung on the wall in his study. But I couldn't remember him ever cleaning it before. You cleaned guns after you'd used them, right? "Why were you borrowing cleaner?" "Tom loaned it to me to clean my rifle after we were out. I know I should clean it more, but I just don't think about it when I'm not using it." "Tom Culpeper?" I said. He withdrew his head from the cabinet, bottle in hand. "Yes." "You went shooting with Tom Culpeper? That was you the other day?" My cheeks were beginning to feel hot. I prayed for him to say no. Dad gave me a look. The sort that was usually followed by him saying something like Grace, you're usually so reasonable. "Something had to be done, Grace." "You were part of that hunting party? The one that went after the wolves?" I demanded. "I can't believe that you —" The image of Dad creeping through the trees, rifle in hand, the wolves fleeing before him, was suddenly too strong, and I had to stop. "Grace, I did it for you, too," he said. My voice came out very low. "Did you shoot any of them?" Dad seemed to realize that the question was important. "Warning shots," he said. I didn't know if it was true or not, but I didn't want to talk to him anymore. I shook my head and turned away. "Don't sulk," Dad said. He kissed my cheek — I remained motionless as he did — and gathered up his coffee and briefcase. "Be good. See you later." Standing in the kitchen, hands cupped around the blue mug, I listened as Dad's Taurus rumbled to life in the driveway and then faded slowly away. After he'd gone, the house settled into its familiar silence, both comforting and depressing. It could've been any other morning, just the quiet and the coffee in my hands — but it wasn't. Dad's voice — warning shots — still hung in the air. He knew how I felt about the wolves, and he'd gone behind my back and made plans with Tom Culpeper, anyway. The betrayal stung. A soft noise from the doorway caught my attention. Sam stood in the hallway, his hair wet and spiky from a shower, his eyes on me. There was a question written on his face, but I didn't say anything. I was wondering what Dad would do if he knew about Sam. I spent the better part of the morning and afternoon slogging through my English homework while Sam stretched on the couch, a novel in hand. It was a vague sort of torture to be in the same room with him but separated quite effectively by an English textbook. After several hours only punctuated by a brief lunch break, I couldn't take it anymore. "I feel like I'm wasting our time together," I confessed. Sam didn't answer, and I realized he hadn't heard me. I repeated my statement, and he blinked, eyes slowly focusing on me as he returned from whatever world he'd been in. He said, "I'm happy just to be here with you. That's enough." I studied his face for a long moment, trying to decide if he really meant it. Noting his page number, Sam folded the novel shut with careful fingers and said, "Do you want to go somewhere? If you've gotten enough done, we can go poke around Beck's house, to see if Jack's made his way back over there." I liked the idea. Ever since Jack's appearance at school, I'd felt uneasy about where and how he might turn up next. "Do you think he'll be there?" "I don't know. The new wolves always seemed to find their way there, and that's where the pack tends to live, in that stretch of Boundary Wood behind the house," Sam said. "It'd be nice to think he'd finally found his way to the pack." His face looked worried then, but he stopped short of saying why. I knew why I wanted Jack to fit in with the pack — I didn't want anyone exposing the wolves for what they were. But Sam seemed to be concerned about something more, something bigger and more nameless. In the golden afternoon light, I drove the Bronco to Beck's house while Sam navigated. We had to follow the winding road around Boundary Wood for a good thirty-five minutes to get to the house. I hadn't realized how far the wood stretched until we drove all the way around it. I guess it made sense; how could you hide an entire pack of wolves without hundreds of unpopulated acres to help? I pulled the Bronco into the driveway, squinting up at the brick facade. The dark windows looked like closed eyes; the house was overwhelmingly empty. When Sam cracked his door open, the sweet smell of the pines that stood guard around the yard filled my nostrils. "Nice house." I stared at the tall windows glinting in the afternoon sun. A brick house of this size could easily look imposing, but there was an at mo sphere about the property that seemed disarming — maybe the sprawling, unevenly cut hedges out front or the weathered bird feeder that looked as if it had grown out of the lawn. It was a comfortable sort of place. It looked like the sort of place that would create a boy like Sam. I asked, "How did Beck get it?" He frowned. "The house? He used to be a lawyer for rich old guys, so he's got money. He bought it for the pack." "That's awfully generous of him," I said. I shut the car door. "Crap." Sam leaned over the hood of the Bronco toward me. "What?" "I just locked the keys in the car. My brain was on autopilot." Sam shrugged dismissively. "Beck's got a slim-jim in the house. We can get it when we get back from the woods." "A slim-jim? How intriguing," I said, grinning at him. "I like a man with hidden depths." "Well, you've got one," Sam replied. He jerked his head toward the trees in the backyard. "Are you ready to head in?" The idea was both compelling and terrifying. I hadn't been in the woods since the night of the hunt, and before that, the evening I'd seen Jack pinned by the other wolves. It seemed like my only memories of these woods were of violence. I realized Sam was holding his hand out toward me. "Are you afraid?" I wondered if there was a way to take his hand without admitting my fear. Not fear, really. Just some emotion that crawled along my skin and lifted the hairs on my arms. It was cool weather, not the barren dead of winter. Plenty of food for the wolves without them having to attack us. Wolves are shy creatures. Sam took my hand; his grip was firm and his skin warm against mine in the cool autumn air. His eyes studied me, large and luminescent in the afternoon glow, and for a moment I was caught in his gaze, remembering those eyes studying me from a wolf's face. "We don't have to look for him now," he said. "I want to go." It was true. Part of me wanted to see where Sam lived in these cold months, when he wasn't lingering at the edge of our yard. And part of me, the part that ached with loss when the pack howled at night, was begging to follow that faint scent of the pack into the woods. All of that outweighed any bit of me that was anxious. To prove my willingness, I headed toward the backyard, nearing the edge of the woods, still holding Sam's hand. "They'll stay away from us," Sam said, as if he still had to convince me. "Jack's the only one who would approach us." I looked over to him with a crooked eyebrow. "Yeah, about that. He's not going to come at us all slathering and horror movie, is he?" "It doesn't make you a monster. It just takes away your inhibitions," Sam said. "Did he slather a lot when he was in school?" Like the rest of the school, I had heard the story about how Jack had put some kid in the hospital after a party; I had dismissed it as gossip until I'd seen the guy for myself, walking the halls with half his face still swollen. Jack didn't need a transformation to become a monster. I made a face. "He slathered a bit, yeah." "If it makes you feel any better," Sam said, "I don't think he's here. But I still hope he is." So we went into the woods. This was a different sort of forest from the one that bordered my parents' yard. These trees were pressed tightly together, the underbrush crammed between the trunks as if holding them upright. Brambles caught on my jeans, and Sam kept stopping to pick burrs off our ankles. We saw no sign of Jack, or any of the wolves, during our slow progress. In truth, I didn't think Sam was doing a very good job of scanning the woods around us. I made a big show of looking around so I could pretend I didn't notice him glancing at me every few seconds. It didn't take me long to get a headful of burrs, tugging my hairs painfully as they worked their way into knots. Sam stopped me to pick at the burrs. "It gets better," he promised. It was sweet that he thought I would get put out enough to go back to the car. As if I had anything better to do than feel him carefully worry the barbs of the burrs out of my hair. "I'm not worried about that," I assured him. "I'm just thinking we'd never know if there was anyone else here. The woods go on forever." Sam ran his fingers through my hair as if he were checking for more burrs, though I knew they were all gone, and he probably did, too. He paused, smiling at me, and then inhaled deeply. "Doesn't smell like we're alone." He looked at me, and I knew he was waiting for me to verify — to admit that if I tried, I could smell the scent of the pack's hidden life all around us. Instead, I reached for his hand again. "Lead the way, bloodhound." Sam's expression turned a bit wistful, but he led me through the underbrush, up a gradual hill. As he promised, it got better. The thorns thinned out and the trees grew taller and straighter, their branches not beginning until a few feet over our heads. The white, peeled bark of the birches looked buttery in the long, slanting afternoon light, and their leaves were a delicate gold. I turned to Sam, and his eyes reflected the same brilliant yellow back at me. I stopped in my tracks. It was my woods. The golden woods I'd always imagined running away to. Sam, watching my face, dropped his hand out of mine and stepped back to look at me. "Home," he said. I think he was waiting for me to say something. Or maybe he wasn't waiting for me to say something. Maybe he saw it on my face. I didn't have anything to say — I just looked around at the shimmering light and the leaves hanging on the branches like feathers. "Hey." Sam caught my arm, looking at my face sideways, as if searching for tears. "You look sad." I turned in a slow circle; the air seemed dappled and vibrant around me. I said, "I used to always imagine coming here, when I was younger. I just can't figure out how I would've seen it." I probably wasn't making any sense, but I kept talking, trying to reason it out. "The woods behind my house don't look like this. No birches. No yellow leaves. I don't know how I would recognize it." "Maybe someone told you about it." "I think I would remember someone telling me every little detail about this part of the woods, down to the color of the glittering air. I don't even know how someone could've told me all that." Sam said, "I told you. Wolves have funny ways of communicating. Showing each other pictures when they're close to one another." I turned back to where he was standing, a dark blot against the light, and gave him a look. "You aren't going to stop, are you?" Sam just gazed at me steadily, the silent lupine stare that I knew so well, sad and intent. "Why do you keep bringing it back up?" "You were bitten." He walked in a slow circle around me, scuffing up leaves with his foot, glancing at me underneath his dark eyebrows. "So?" "So it's about who you are. It's about you being one of us. You couldn't have recognized this place if you weren't a wolf, too, Grace. Only one of us would've been able to see what I showed you." His voice was so serious, his eyes so intense. "I couldn't — I couldn't even talk to you right now if you weren't like us. We aren't supposed to talk about who we are with regular people. It's not as if we have a ton of rules to live by, but Beck told me that's one rule we just don't break." That didn't make sense to me. "Why not?" Sam didn't say anything, but his fingers touched his neck where he'd been shot; as he did, I saw the pale, shiny scars on his wrist. It seemed wrong for someone as gentle as Sam to have to always wear evidence of human violence. I shivered in the growing chill of the afternoon. Sam's voice was soft. "Beck's told me stories. People kill us in all kinds of awful ways. We die in labs and we get shot and we get poisoned. It might be science that changes us, Grace, but all people see is magic. I believe Beck. We can't tell people who aren't like us." I said, "I don't change, Sam. I'm not really like you." Disappointment stuck a lump in my throat that I couldn't swallow. He didn't answer. We stood together in the wood for a long moment before he sighed and spoke again. "After you were bitten, I knew what would happen. I waited for you to change, every night, so I could bring you back and keep you from getting hurt." A chilly gust of wind lifted his hair and sent a shower of golden leaves glimmering down around him. He spread out his arms, letting them fall into his hands. He looked like a dark angel in an eternal autumn wood. "Did you know you get one happy day for every one you catch?" I didn't know what he meant, even after he opened his fist to show me the quivering leaves crumpled in his palm. "One happy day for every falling leaf you catch." Sam's voice was low. I watched the edges of the leaves slowly unfold, fluttering in the breeze. "How long did you wait?" It would've been unbearably romantic if he'd had the courage to look into my face and say it, but instead, he dropped his eyes to the ground and scuffed his boot in the leaves — countless possibilities for happy days — on the ground. "I haven't stopped." And I should've said something romantic, too, but I didn't have the courage, either. So instead, I watched the shy way he was chewing his lip and studying the leaves, and said, "That must've been very boring." Sam laughed, a funny, self-deprecating laugh. "You did read a lot. And spent too much time just inside the kitchen window, where I couldn't see you very well." "And not enough time mostly naked in front of my bedroom window?" I teased. Sam turned bright red. "That," he said, "is so not the point of this conversation." I smiled sweetly at his embarrassment, beginning to walk again, kicking up golden leaves. I heard him scuffing leaves behind me. "And what was the point of it again?" "Forget it!" Sam said. "Do you like this place or not?" I stopped in my tracks, spinning to face him. "Hey." I pointed at him; he raised his eyebrows and stopped in his tracks. "You didn't think Jack would be here at all, did you?" His thick dark eyebrows went up even farther. "Did you really intend to look for him at all?" He held his hands up as if in surrender. "What do you want me to say?" "You were trying to see if I would recognize it, weren't you?" I took another step, closing the distance between us. I could feel the heat of his body, even without touching him, in the increasing cold of the day. "You told me about this wood somehow. How did you show it to me?" "I keep trying to tell you. You won't listen. Because you're stubborn. It's how we speak — it's the only words we have. Just pictures. Just simple little pictures. You have changed, Grace. Just not your skin. I want you to believe me." His hands were still raised, but he was starting to grin at me in the failing light. "So you only brought me here to see this." I stepped forward again, and he stepped back. "Do you like it?" "Under false pretenses." Another step forward; another back. The grin widened. "So do you like it?" "When you knew we wouldn't come across anybody else." His teeth flashed in his grin. "Do you like it?" I punched my hands into his chest. "You know I love it. You knew I would." I went to punch him again, and he grabbed my wrists. For a moment we stood there like that, him looking down at me with the grin half-caught on his face, and me looking up at him: Still Life with Boy and Girl. It would've been the perfect moment to kiss me, but he didn't. He just looked at me and looked at me, and by the time I realized I could just as easily kiss him, I noticed that his grin was slipping away. Sam slowly lowered my wrists and released them. "I'm glad," he said, very quietly. My arms still hung by my sides, right where Sam had put them. I frowned at him. "You were supposed to kiss me." "I thought about it." I just kept looking at the soft, sad shape of his lips, looking just like his voice sounded. I was probably staring, but I couldn't stop thinking about how much I wanted him to kiss me and how stupid it was to want it so badly. "Why don't you?" He leaned over and gave me the lightest of kisses. His lips, cool and dry, ever so polite and incredibly maddening. "I have to get inside soon," he whispered. "It's getting cold." For the first time I paid attention to the icy wind that cut through my long sleeves. One of the frigid gusts hurled thousands of fallen leaves back into the air, and for a single second, I thought I smelled wolf. Sam shuddered. Squinting at his face in the dim light, I realized suddenly that his eyes were afraid. We didn't run back to the house. Running would've meant acknowledging something that I wasn't ready to face in front of her — something that I was. Instead, we walked with a giant's strides, dried leaves and branches snapping under our feet, our breaths drowning out the other sounds of the evening. Cold snaked under my collar, tightening my skin into goose bumps. If I didn't let go of her hand, I'd be all right. A wrong turn would lead us away from the house, but I couldn't concentrate on the trees around me. My vision flashed with jerky memories of humans shifting into wolves, hundreds of shifts over my years with the pack. The memory of the first time I'd seen Beck shift was vivid in my mind — more real than the screaming red sunset through the trees in front of Grace and me. I remembered the frigid white light streaming in the living room windows of Beck's house, and I remembered the shaking line of his shoulders as he braced his arms against the back of the sofa. I stood beside him, looking up, no words in my mouth. "Take him out!" Beck shouted, his face toward the hallway but his eyes half-closed. "Ulrik, take Sam out of here!" Ulrik's fingers around my arm then were as tight as Grace's fingers around my hand were now, pulling me through the woods, leading us back over the trail we'd left earlier. Night crouched in the trees, waiting to overtake us, cold and black. But Grace didn't look away from the sun glowing through the trees as she headed toward it. The brilliant nimbus of the sun half blinded me, making stark silhouettes of the trees, and suddenly I was seven again. I saw the star pattern of my old bedspread so clearly that I stumbled. My fingers clutched the fabric, balling and tearing it under my grip. "Mama!" My voice broke on the second syllable. "Mama, I'm going to be sick!" I was tangled on the floor in blankets and noise and puke, shaking and clawing at the floor, trying to hold on to something, when my mother came to the bedroom door, a familiar silhouette. I looked at her, my cheek resting against the floor, and I started to say her name, but no sound came out. She dropped to her knees and she watched me change for the first time. "Finally," Grace said, tearing my brain back to the woods around us. She sounded out of breath, as if we'd been running. "There it is." I couldn't let Grace see me change. I couldn't change now. I followed Grace's gaze to the back of Beck's house, a flash of warm red-brown in this chilly blue evening. And now I ran. Two steps from the car, all my hopes of getting warm in the Bronco were crushed in the moment it took for Grace to uselessly tug the locked door handle. Inside, the keys swung from the ignition with her effort. Grace's face twisted with frustration. "We'll have to try the house," she said. We didn't have to break into Beck's house. He always left a spare key stuck in the weather lining of the back door. I tried not to think of the car keys hanging in the Bronco's ignition; if we had them, I would've been warm again already. My hands shook as I pulled the spare key from the lining and tried to slide it into the dead bolt. I was hurting already. Hurry up, you idiot. Hurry up. I just couldn't stop shaking. Grace carefully took the key from me, with not even a hint of fear, though she had to know what was happening. She closed one of her warm hands over my cold, shuddering ones, and with the other she shoved the key into the knob and unlocked it. God, please let the power be on. Please let the heat be on. Her hand on my elbow pushed me inside the dark kitchen. I couldn't shed the cold; it clung to every bit of me. My muscles began to cramp and I put my fingers over my face, shoulders hunched. "No," Grace said, her voice even and firm, just like she was answering a simple question. "No, come on." She pulled me away from the door and shut it behind me. Her hand slid along the wall by the door, finding the light switches, and miraculously, the lights flickered on, coming to ugly, fluorescent life above us. Grace pulled on me again, dragging me farther away from the door, but I didn't want to move. I just wanted to curl in on myself and give in. "I can't, Grace. I can't." I didn't know if I'd said it out loud or not, but she wasn't listening to me if I had. Instead, she sat me on the floor directly on top of an air vent, and she pulled off her jacket to wrap around my shoulders and over the top of my head. Then she crouched in front of me and gathered my cold hands against her body. I shook and clenched my teeth to keep them from chattering, trying to focus on her, on being human, on getting warm. She was saying something; I couldn't understand her. She was too loud. Everything was too loud. It smelled in here. This close, her scent was exploding in my nostrils. I hurt. Everything hurt. I whined, very softly. She leaped up and ran down the hall, her hands smacking light switches as she did, and then she disappeared. I groaned and put my head down on my knees. No, no, no, no. I didn't even know what I was supposed to be fighting anymore. The pain? The shuddering? She was back. Her hands were wet. She grabbed my wrists and her mouth moved, her voice ringing out, indecipherable. Sounds meant for someone else's ears. I stared at her. She pulled again; she was stronger than I thought she was. I got to my feet; my height somehow surprised me. I shivered so violently that her jacket fell from my shoulders. The cold air hitting my neck racked me with another shudder and I nearly went to my knees. The girl got a better grip on my arms and pulled me along, talking all the time, low, soothing sounds with an edge of iron beneath them. She pushed me into a doorway; heat emanated from inside it. God, no. No. No. I pulled and fought against her hold, eyes locked on the far wall of the little tiled room. A bathtub lay in front of me like a tomb. Steam rolled off the water, the heat tempting and wonderful, but every part of my body resisted. "Sam, don't fight me! I'm sorry. I'm sorry, I don't know what else to do." Eyes fixed on the tub, I hooked my fingers on the edge of the door. "Please," I whispered. In my head, the hands held me down in the tub, hands that smelled of childhood and familiarity, of hugs and clean sheets and everything I'd ever known. They pushed me into the water. It was warm, the temperature of my body. The voices counted together. They didn't say my name. Cut. Cut. Cut. Cut. They were poking holes in my skin, letting what was inside get out. The water turned red in little wispy strands. I gasped, struggled, cried. They didn't speak. The woman cried into the water as she held me down. I'm Sam, I told them, holding my face above the red water. I'm Sam. I'm Sam. I'm "Sam!" The girl ripped me from the door and pushed off the wall against me; I stumbled and fell toward the tub. She shoved me as I fought to regain my balance, sending my head smacking against the wall and into the steaming water. I lay perfectly still, sinking, water closing over my face, scalding my skin, boiling my body, drowning my shudders. Grace gently lifted my head above water, cradling it in her arms, one foot in the tub behind me. She was sopping wet and shivering. "Sam," she said. "God, I'm sorry. I'm so sorry. I'm sorry. I didn't know what else to do. Please forgive me. I'm sorry." I couldn't stop shaking, my fingers gripped on the side of the tub. I wanted out. I wanted her to hold me, so I could feel safe. I wanted to forget the blood running from the scars on my wrists. "Get me out," I whispered. "Please get me out." "Are you warm enough?" I couldn't answer. I was bleeding to death. I balled my hands into fists and drew them to my chest. Every caress of water over my wrists sent a new wave of shivers through me. Her face was full of pain. "I'm going to find the thermostat and turn the heat up. Sam, you have to stay in there until I come back with towels. I'm so sorry." I closed my eyes. I passed a lifetime with my head held barely above water, unable to move, and then Grace came back, holding a stack of mismatched towels. She knelt by the tub and reached past me; I heard a gurgle behind my head. I felt myself slipping down the drain with the water in red circling swirls. "I can't get you out if you don't help. Please, Sam." She stared at me as if she was waiting for me to move. The water drained away from my wrists, my shoulders, my back, until I lay in an empty tub. Grace laid a towel on top of me; it was very warm, as if she'd heated it somehow. Then she took one of my scarred wrists in her hands and looked at me. "You can come out now." I looked back at her, unblinking, my legs folded up the side of the tiled wall like a giant insect. She reached down and traced my eyebrows. "You do have really beautiful eyes." "We get to keep them," I said. Grace started at my voice. "What?" "It's the one thing we keep. Our eyes stay the same." I unclenched my fists. "I was born with these eyes. I was born for this life." As if there was no bitterness in my voice, Grace replied, "Well, they're beautiful. Beautiful and sad." She reached down and took my fingers, her eyes locked on mine, holding my gaze. "Do you think you can stand up now?" And I did. Looking at her brown eyes and nothing else, I stepped out of the tub, and she led me out of the bathroom and back into my life. I couldn't keep my thoughts together. I stood in the kitchen, staring at the cabinets, which were covered with pinned-up photographs of smiling people — the pack members as humans. Normally, I would've looked through them to find Sam's face, but I kept seeing the broken shape of his body in the bathtub and hearing the terror in his voice. The vision of him shaking in the woods right before I realized what was happening to him replayed over and over in my head. Saucepan. Can of soup. Bread from freezer. Spoons. Beck's kitchen was obviously stocked by someone who was familiar with a werewolf's peculiar schedule; it was full of canned goods and boxed foods with long shelf lives. I lined up all of the ingredients for a makeshift dinner on the counter, forcing myself to concentrate on the task at hand. In the next room, Sam sat on the couch under a blanket, his clothing running through the wash. My jeans were still soaking, but they'd have to wait. Turning on a burner for the soup, I tried to focus on the slick black controls, the shiny aluminum surface. But instead I remembered Sam convulsing on the floor, eyes vacant, and the animal whimper he made as he realized that he was losing himself. My hands shook as I tipped the soup from the can to the saucepan. I couldn't keep it together. I would keep it together. I saw the look on his face as I shoved him into the bathtub, just like his parents must have — God, I couldn't think about that. Opening the fridge, I was surprised to see a gallon of milk, the first perishable food I'd found in the house. It looked so out of place that I felt my thoughts sharpen. Checking the expiration date — only three weeks ago — I poured the odiferous milk down the drain and frowned into the fridge for other signs of recent life. Sam was still curled on the couch when I emerged from the kitchen to hand him a bowl of soup and some toast. He accepted it with a more mournful look than usual. "You must think I'm a total freak." I sat on a plaid chair across from him, tucking my legs beneath me, and held my bowl of soup against my chest for warmth. The living room ceiling went all the way up to the roof and the room was still drafty. "I am so sorry." Sam shook his head. "It was the only thing you could do. I just — I shouldn't have lost it that way." I winced, remembering the crack of his head hitting the wall and his splayed fingers, reaching through the air as he careened into the tub. "You did really well," Sam said, glancing at me as he picked at the toast. He seemed to consider his words, and then just repeated, "You did really well. Are you —" He hesitated and then looked to where I sat, several feet away from him. Something in his glance made the empty stretch of couch next to him painfully obvious. "I'm not afraid of you!" I said. "Is that what you think? I just thought you'd like some elbow room while you ate." Actually, any other time I'd have happily crawled under the blanket with him — especially with him looking warm and sexy in a set of old sweats he'd gotten from his room. But I just wanted — I just needed to put my thoughts in order, and didn't think I could do that while sitting next to him just yet. Sam smiled, relief all over his face. "The soup's good." "Thanks." It wasn't actually that good — in fact, it tasted completely canned and bland, but I was hungry enough that I didn't care. And the mechanical action of eating helped dull the images of Sam in the bathtub. "Tell me more about the mind-meld thing," I said, wanting to keep him talking, to hear his human voice. Sam swallowed. "The what?" "You said you showed me the woods, when you were a wolf. And that the wolves talked to each other that way. Tell me more about it. I want to know how it works." Sam leaned forward to set his bowl on the floor, and when he sat back and looked at me, his face looked tired. "It's not like that." "I didn't say it was like anything!" I said. "Not like what?" "It's not a superpower," he replied. "It's a consolation prize." When I just looked at him, he added, "It's the only way we get to communicate. We can't remember words. We couldn't say them even if we could wrap our wolf brains around them. So all we get are little images that we can send to each other. Simple images. Postcards from the other side." "Can you send me one now?" Sam slouched down on the couch, tightening the blanket around himself. "I can't even remember how to do it now. While I'm me. I only do it when I'm a wolf. Why would I need it now? I have words. I can say anything I want to you." I thought about saying But words aren't enough, but just thinking it made me ache in an unfamiliar way. So instead I said, "But I wasn't a wolf when you showed me the woods. So can the wolves talk to other pack members when those members are human?" Sam's heavy-lidded eyes flicked over my face. "I don't know. I don't think I ever tried with anyone else. Just wolves." He said, again, "Why would I need to?" There was something bitter and tired in his voice. I set my bowl down on the end table and joined him on the couch. He lifted the blanket so that I could press myself against his side, and then he leaned his forehead against mine, closing his eyes. For a long moment, he just rested there, and then he opened his eyes again. "All I cared about was showing you how to get home," he said, voice low. His breath warmed my lips. "When you changed, I wanted to make sure you knew how to find me." I ran my fingers across the triangle of bare chest that was visible above the loose collar of his sweatshirt. My voice came out a little uneven. "Well, I found you." The dryer buzzed from down the hall, a strange sound of occupation in this empty house. Sam blinked and leaned back. "I should get my clothing." He opened his mouth as if he was going to say something else and blushed instead. "The clothing's not going anywhere," I said. "Neither are we, if we don't break into the Bronco to get the keys," Sam pointed out. "I'm thinking sooner rather than later for that. Especially since it's going to have to be you doing it. I can't stand out there that long." I reluctantly moved back so that he could stand, holding the blanket around him like some sort of primitive chieftain. I could see the outline of his square shoulders underneath it and thought about the feel of his skin underneath my fingers. He saw me looking and held my gaze for half a second before vanishing into the dark hallway. Something gnawed inside me, hungry and wanting. I sat on the couch after he left, debating whether or not to follow him to the laundry room, until reason won over. I took the plates to the kitchen, then returned to the living room to poke around the bits and pieces on the mantel. I wanted to get a handle on the werewolf he called Beck, the one who owned the house. The one who had raised Sam. The living room, like the exterior of the house, looked comfortable and lived in. It was all tartans and rich reds and dark wood accents. One wall of the living room was almost entirely made up of tall windows, and the now-dark winter night seemed to enter the room without permission. I turned my back on the windows and looked at a photo on the mantel: a loosely posed group of faces smiling at the camera. It made me think of the picture of Rachel, Olivia, and me, and I felt a twinge of loss before focusing on the people in this photo. Out of the six figures in the photo, my eyes immediately found Sam. This was a slightly younger version of him, with summer-tanned skin. The one girl in the photograph stood next to him, about his age, her white-blonde hair reaching beyond her shoulders. She was the only one not smiling at the camera. Instead, she was looking at Sam in an intense way that made my stomach churn. A soft touch on my neck made me whirl around, defensive, and Sam jumped back, laughing, hands up in the air. "Easy!" I swallowed the growl in my throat, feeling stupid, and rubbed the still-tingling skin on my neck where he'd kissed it. "You should make some noise." I gestured to the photo, still feeling uncharitable toward the unnamed girl beside him. "Who's that?" Sam lowered his hands and stood behind me, wrapping his arms around my stomach. His clothing smelled clean and soapy; his skin gave off hints of wolf from his near-transformation earlier. "Shelby." He leaned his head on my shoulder, his cheek against mine. I kept my voice light. "She's pretty." Sam growled in a soft, wild way that made my gut tense with longing. He pressed his lips against my neck, not quite a kiss. "You've met her, you know." It didn't take rocket science to figure it out. "The white she-wolf." And then I just asked it, because I wanted to know. "Why is she looking at you like that?" "Oh, Grace," he said, taking his lips from my neck. "I don't know. She's — I don't know. She thinks she's in love with me. She wants to be in love with me." "Why?" I asked. He gave a little laugh, not at all amused. "Why do you ask such hard questions? I don't know. She had a bad life, I think, before she came to the pack. She likes being a wolf. She likes belonging. I guess maybe she sees how Beck and I are around each other and thinks that being with me would make her belong even more." "It is possible to be in love with you just because of who you are," I pointed out. Sam's body tensed behind me. "But it's not because of who I am. It's... obsession." "I'm obsessed," I said. Sam let out a long breath and pulled away from me. I sighed. "Shhhhh. You didn't have to move." "I'm trying to be a gentleman." I leaned back against him, smiling at his worried eyes. "You don't have to try so hard." He sucked in his breath, waited a long moment, and then carefully kissed my neck, just underneath my jawbone. I turned around in his arms so I could kiss his lips, still charmingly hesitant. "I was thinking about the refrigerator," I whispered. Sam pulled back, ever so slightly, without removing himself from my arms. "You were thinking about the refrigerator?" "Yes. I was thinking about how you didn't know if the power would be turned on here for the winter. But it is." He frowned at me, and I rubbed the crease between his eyebrows. "So who pays the power bill? Beck?" When he nodded, I went on, "There was milk in the fridge, Sam. It was only a few weeks old. Someone has been in here. Recently." Sam's arms around me had loosened and his sad eyes had gone even sadder. His entire expression was complicated, his face a book in a language I didn't understand. "Sam," I said, wanting to bring him back to me. But his body had gone stiff. "I should get you home. Your parents will be worried." I laughed, short and humorless. "Yeah. I'm sure. What's wrong?" "Nothing." Sam shook his head, but he was clearly distracted. "I mean, not nothing. It's been a hell of a day, that's all. I'm just — I'm just tired, I guess." He did look tired, something dark and somber in his expression. I wondered if almost changing had affected him, or if I should've just stayed quiet about Shelby and Beck. "You're coming home with me, then." He jerked his chin toward the house around him. "C'mon," I said. "I'm still worried that you'll disappear." "I won't disappear." Inadvertently, I thought of him on the floor in the hallway, curled up, making a soft noise as he struggled to stay human. I immediately wished I hadn't. "You can't promise that. I don't want to go home. Not unless you're coming with me." Sam groaned softly. His palms brushed the bare skin at the bottom edge of my T-shirt, his thumbs tracing desire on my sides. "Don't tempt me." I didn't say anything; just stood in his arms looking up at him. He pushed his face against my shoulder and groaned again. "It's so hard to behave myself around you." He pushed away from me. "I don't know if I should keep staying with you. God, you're only, what — you're only seventeen." "And you're so old, right?" I said, suddenly defensive. "Eighteen," he said, as if it were something to be sad about. "At least I'm legal." I actually laughed, though nothing was funny. My cheeks felt hot and my heart pounded in my chest. "Are you kidding me?" "Grace," he said, and the sound of my name slowed my heart immediately. He took my arm. "I just want to do things right, okay? I only get this one chance to do things right with you." I looked at him. The room was silent except for the rattle of leaves blowing up against the windows. I wondered what my face looked like just then, turned up at Sam. Was it the same intense gaze that Shelby wore in the photograph? Obsession? The frigid night pressed up against the window beside us, a threat that had become abruptly real tonight. This wasn't about lust. It was about fear. "Please come back with me," I said. I didn't know what I'd do if he said no. I couldn't stand to return here tomorrow and find him a wolf. Sam must have seen it in my eyes, because he just nodded and picked up the slim-jim. Grace's parents were home. "They're never home," Grace said, her voice clearly spelling out her annoyance. But there they were, or at least their cars: her father's Taurus, looking either silver or blue in the moonlight, and her mother's little VW Rabbit tucked in front of it. "Don't even think of saying 'I told you so,'" Grace said. "I'm going to go inside and see where they are, and then I'll come back out to debrief." "You mean, for me to debrief you," I corrected, tensing my muscles to keep from shivering. Whether from nerves or the memory of cold, I didn't know. "Yes," Grace replied, turning off the headlights. "That. Right back." I watched her run in the house and slunk down into my seat. I couldn't quite believe that I was hiding in a car in the middle of a freezing cold night, waiting for a girl to come running back out and tell me the coast was clear to come sleep in her room. Not just any girl. The girl. Grace. She appeared at the front door and made an elaborate gesture. It took me a moment to realize she meant for me to turn off the Bronco and come in. I did so, sliding out of the car as quickly as possible and hurrying quietly up into the front hallway; cold tugged and bit at my exposed skin. Without even letting me pause, Grace gave me a shove, launching me down the hall while she shut the front door and headed in toward the kitchen. "I forgot my backpack," she announced loudly in the other room. I used the cover of their conversation to creep into Grace's bedroom and softly shut the door. Inside the house, it was easily thirty degrees warmer, a fact for which I was very grateful. I could still feel the trembling in my muscles from being outside; the sensation of in between that I hated. The cold exhausted me and I didn't know how long Grace would be up with her parents, so I climbed into bed without turning on the light. Sitting there in the dim moonlight, leaning against the pillows, I rubbed life back into my frozen toes and listened to Grace's distant voice down the hall. She and her mother were having some amiable conversation about the romantic comedy that had just been on TV. I'd already noticed that Grace and her parents had no problem talking about unimportant things. They seemed to have an endless capacity for laughing pleasantly together about inane topics, but I'd never once heard them talk about anything meaningful. It was so strange to me, coming from the environment of the pack. Ever since Beck had taken me under his wing, I'd been surrounded by family, sometimes suffocatingly so, and Beck had never failed to give me his undivided attention when I wanted it. I'd taken it for granted, but now I felt spoiled. I was still sitting up in bed when the doorknob turned quietly. I froze, absolutely still, and then exhaled when I recognized the sound of Grace's breathing. She shut the door behind her and turned toward the window. I saw her teeth in the low light. "You in here?" she whispered. "Where are your parents? Are they going to come in here and shoot me?" Grace went silent. In the shadows, without her voice, she was invisible to me. I was about to say something to dispel the strangely awkward moment when she said, "No, they're upstairs. Mom's making Dad sit for her to paint him. So you're clear to go brush your teeth and stuff. If you do it fast. Just sing in a high-pitched voice, so they think it's me." Her voice hardened when she said Dad, though I couldn't imagine why. "A tone-deaf voice," I corrected. Grace passed by me on the way to the dresser, swatting at my butt. "Just go." Leaving my shoes in her room, I padded quietly down the hall to the downstairs bathroom. It only had a stand-up shower, for which I was intensely grateful, and Grace had made sure to pull the curtain shut so that I wouldn't have to look into it, anyway. I brushed my teeth with her toothbrush. Then I stood there, a lanky teenager in a big green T-shirt she had borrowed from her father, looking at my floppy hair and yellow eyes in the mirror. What are you doing, Sam? I closed my eyes as if hiding my pupils, so wolflike even when I was a human, would change what I was. The fan for the central heating hummed, sending subtle vibrations through my bare feet, reminding me that it was the only thing keeping me in this human form. The new October nights were already cold enough to rip my skin from me, and by next month, the days would be, too. What was I going to do, hide in Grace's house all winter, fearing every creeping draft? I opened my eyes again, staring at them in the mirror until their shape and color didn't mean anything. I wondered what Grace saw in me, why I fascinated her. What was I without my wolf skin? A boy stuffed so full of words that they spilled out of me. Right now, every phrase, every lyric, that I had in my head ended with the same word: love. I had to tell Grace that this was my last year. I peered into the hallway for signs of her parents and crept back into the bedroom, where Grace was already in bed, a long, soft lump under the covers. For a moment, I let my imagination run wild as to what she was wearing. I had a dim wolf memory of her climbing out of bed one spring morning, wearing just an oversized T-shirt, her long legs exposed as she slid them out from under the covers. So sexy it hurt. Immediately, I felt embarrassed for fantasizing. I sort of paced around at the end of the bed for a few minutes, thinking about cold showers and barre chords and other things that weren't Grace. "Hey," she whispered, voice muzzy as if she had been asleep already. "What're you doing?" "Shhh," I said, my cheeks flushing. "Sorry I woke you up. I was just thinking." Her reply was broken by a yawn. "Stop thinking then." I climbed into bed, keeping to the edge of the mattress. Something about this evening had changed me — something about Grace seeing me at my worst, immobile in the bathtub, ready to give up. Tonight, the bed seemed too small to escape her scent, the sleepy sound of her voice, the warmth of her body. I discreetly stuffed a bunch of blankets between us and rested my head on the pillow, willing my doubts to fly away and let me sleep. Grace reached over and began stroking her fingers through my hair. I closed my eyes and let her drive me crazy. She draws patterns on my face / These lines make shapes that can't replace / the version of me that I hold inside / when lying with you, lying with you, lying with you. "I like your hair," she said. I didn't say anything. I was thinking about a melody to go with the lyrics in my head. "Sorry about tonight," she whispered. "I don't mean to push your boundaries." I sighed as her fingers curled around my ears and neck. "It's just so fast. I want you to" — I stopped short of saying love me, because it seemed presumptive — "want to be with me. I've wanted it forever. I just never thought it would actually happen." It felt too serious, so I added, "I am just a mythological creature, after all. I technically shouldn't exist." Grace laughed, low, just for me. "Silly boy. You feel very real to me." "You do, too," I whispered. There was a long pause in the darkness. "I wish I changed," she said finally, barely audible. I opened my eyes, needing to see the way her face looked when she said that. It was more descriptive than any expression I'd ever seen her wear: immeasurably sad, lips set crookedly with longing. I reached out for her, cupped the side of her face with my hand. "Oh, no, you don't, Grace. No, you don't." She shook her head against the pillow. "I feel so miserable when I hear the howling. I felt so awful when you disappeared for the summer." "Oh, angel, I would take you with me if I could," I said, and I was simultaneously surprised that the word angel came out of my mouth and that it felt right to call her that. I ran a hand over her hair, fingers catching in the strands. "But you don't want this. I lose more of myself every year." Grace's voice was strange. "Tell me what happens, at the end." It took me a moment to figure out what she meant. "Oh, the end." There were one thousand ways to tell her, a thousand ways to color it. Grace wouldn't fall for the rose-colored version that Beck had told me at first, so I just told it straight. "I become me — become human — later in the spring every year. And one year — I guess I just won't change. I've seen it happen to the older wolves. One year, they don't become human again, and they're just... a wolf. And they live a little longer than natural wolves. But still — fifteen years, maybe." "How can you talk about your own death like that?" I looked at her, eyes glistening in the dim light. "How else could I talk about it?" "Like you regret it." "I regret it every day." Grace was silent, but I felt her processing what I'd said, pragmatically putting everything into its proper place in her head. "You were a wolf when you got shot." I wanted to press my fingers to her lips, push the words she was forming back into her mouth. It was too soon. I didn't want her to say it yet. But Grace went on, her voice low. "You missed the hottest months this year. It wasn't that cold when you got shot. It was cold, but not winter cold. But you were a wolf. When were you a human this year?" I whispered, "I don't remember." "What if you hadn't been shot? When would you have become you again?" I closed my eyes. "I don't know, Grace." It was the perfect moment to tell her. This is my last year. But I couldn't say it. Not yet. I wanted another minute, another hour, another night of pretending this wasn't the end. Grace inhaled a slow, shaky breath, and something in the way she did it made me realize that somehow, on some level, she knew. She'd known all along. She wasn't crying, but I thought I might. Grace put her fingers back into my hair, and mine were in hers. Our bare arms pressed against each other in a cool tangle of skin. Every little movement against her arm rubbed off a tiny spark of her scent, a tantalizing mix of flowery soap, faint sweat, and desire for me. I wondered if she knew how transparent her scent made her, how it told me what she was feeling when she didn't say it out loud. Of course, I'd seen her smelling the air just as often as I did. She had to know that she was driving me crazy right now, that every touch of her skin on mine tingled, electric. Every touch pushed the reality of the oncoming winter further away. As if to prove me right, Grace moved closer, kicking away the blankets between us, pressing her mouth to mine. I let her part my lips and sighed, tasting her breath. I listened to her almost inaudible gasp as I wrapped my arms around her. Every one of my senses was whispering to me over and over to get closer to her, closer to her, as close as I could. She twined her bare legs in mine and we kissed until we had no more breath and got closer until distant howls outside the window brought me back to my senses. Grace made a soft noise of disappointment as I disentangled my legs from hers, aching with wanting more. I shifted to lie next to her, my fingers still caught in her hair. We listened to the wolves howling outside the window, the ones who hadn't changed. Or who would never change again. And we buried our heads against each other so we couldn't hear anything but the racing of our hearts. School felt like an alien planet on Monday. It took me a long moment of sitting behind the wheel of the Bronco, watching the students milling on the sidewalks and the cars circling the lot and the buses filing neatly into place, to realize that school hadn't changed. I had. "You have to go to school," Sam said, and if I hadn't known him, I wouldn't have heard the hopeful questioning note. I wondered where he would go while I was sitting in class. "I know," I replied, frowning at the multicolored sweaters and scarves trailing into the school, evidence of winter's approach. "It just seems so..." What it seemed was irrelevant, disconnected from my life. It was hard to remember what was important about sitting in a classroom with a stack of notes that would be meaningless by next year. Beside me, Sam jumped in surprise as the driver's-side door came open. Rachel climbed into the Bronco with her backpack, shoving me across the bench seat to make room for herself. She slammed the door shut and let out a big sigh. The car seemed very full with her in it. "Nice truck." She leaned forward and looked over at Sam. "Ooh, a boy. Hi, Boy! Grace, I'm so hyper. Coffee! Are you mad at me?" I leaned back in surprise, blinking. "No?" "Good! Because when you didn't call me in forever, I figured you'd either died or were mad at me. And you're obviously not dead, so I thought it was the mad thing." She drummed her fingers on the steering wheel. "But you are pissed at Olivia, right?" "Yes," I said, although I wasn't sure if it was still true. I remembered why we fought, but I couldn't really remember why it had been meaningful. "No. I don't think so. It was stupid." "Yeah, I thought so," Rachel said. She leaned forward and rested her chin on the steering wheel so that she could look at Sam. "So, Boy, why are you in Grace's car?" Despite myself, I smiled. I knew what Sam was needed to be a secret, but Sam himself didn't have to be, did he? I was suddenly filled with the need for Rachel to approve of him. "Yeah, Boy," I said, craning my neck to see Sam right beside me. He wore an expression caught somewhere between amusement and doubt. "Why are you in my car?" "I'm here for visual interest," Sam said. "Wow," Rachel replied. "Like, long-term, or short-term?" "For as long as I'm interesting." He turned his face into my shoulder for a moment in a wordless gesture of affection. I tried not to smile like an idiot. "Oh, it's that way, is it? Well, then, I'm Rachel, and I'm hyper, and I'm Grace's best friend," she said, and stuck her hand out to him. She was wearing rainbow-colored fingerless gloves that stretched up to her elbows. Sam shook her hand. "Sam." "Nice to meet you, Sam. Do you go here?" When he shook his head, Rachel took my hand and said, "Yeah, I didn't think so. Well, then, I'm going to steal this nice person from you and take her to class because we're going to be late and I have lots of stuff to talk to her about and she's missed out on so much freaky wolf stuff because she's not talking to her other best friend. So you can see we have to go. I would say I'm not normally this hyper, but I kinda am. Let's go, Grace!" Sam and I exchanged looks, his eyes fleetingly worried, and then Rachel opened the door and pulled me out. Sam slid behind the wheel. For a second I thought he might kiss me good-bye, but instead he glanced at Rachel before resting his fingers on my hand for a moment. His cheeks were pink. Rachel didn't say anything, but she smiled crookedly before pulling me toward the school. She wiggled my arm. "So that's why you haven't been calling, huh? The Boy is supercute. What's he, homeschooled?" As we pushed through the school doors, I looked over my shoulder at the Bronco. I saw Sam lift a hand in a wave before he started to back out of the parking space. "Yeah, he is, on both counts," I said. "More on that later. What is going on with the wolves?" Rachel dramatically clutched her arms around my shoulders. "Olivia saw one. It was up on their front porch and there were claw marks, Grace. On the door. Creep. Factor." I halted in the middle of the hallway; students behind us made irritated noises and pushed around us. I said, "Wait. At Olivia's house?" "No, at your mom's." Rachel shook her head and peeled off her rainbow gloves. "Yes, at Olivia's house. If you guys would stop fighting, she could tell you herself. What are you fighting about, anyway? It pains me to see my peeps not playing nice with each other." "I told you, it's just stupid stuff," I said. I kind of wanted her to stop talking so I could try and think about the wolf at Olivia's house. Was it Jack again? Why at Olivia's? "Well, you guys need to start getting along because I want you both to go with me over Christmas break. And that's not that far off, you know. I mean, not really, once you start planning stuff. Come on, Grace, just say yes!" Rachel wailed. "Maybe." It wasn't really the wolf at Olivia's that bothered me. It was the claw marks bit. I needed to talk to Olivia and find out how much of this was real and how much of it was Rachel's love of a good story. "Is this about The Boy? He can come! I don't care!" Rachel said. The hall was slowly emptying; the bell rang overhead. "We'll talk about it later!" I said, and hurried with Rachel into first period. I found my usual seat and began sorting through my homework. "We need to talk." I jerked to attention at the sound of an entirely different voice: Isabel Culpeper's. She slid her giant cork heels the rest of the way under the other desk and leaned toward me, highlighted hair framing her face in perfect, shiny ringlets. "We're sort of in class right now, Isabel," I said, gesturing toward the taped morning announcements playing on the TV at the front of the classroom. The teacher was already at the front of the class, bent over her desk. She wasn't paying attention, but I still wasn't thrilled with the idea of a conversation with Isabel. Best-case scenario was that she needed help with her homework or something; I had a reputation for being good at math, so it was sort of possible. Worst case was that she wanted to talk about Jack. Sam had said that the only rule the pack had was that they didn't talk about werewolves to outsiders. I wasn't about to break that rule. Isabel's face was still wearing a pretty pout, but I saw storms destroying small villages in her eyes. She glanced toward the front of the room and leaned closer to me. I smelled perfume — roses and summer in this Minnesota cold. "It will only take a second." I looked over at Rachel, who was frowning at Isabel. I really didn't want to talk to Isabel. I didn't really know much about her, but I knew she was a dangerous gossip who could quickly reduce my standing in the school to cafeteria target practice. I wasn't really one who tried to be popular, but I remembered what had happened to the last girl who had gotten on Isabel's bad side. She was still trying to get out from under a convoluted rumor that involved lap dancing and the football team. "Why?" "Privately," hissed Isabel. "Across the hall." I rolled my eyes as I pushed out of my desk and tiptoed out the back of the room. Rachel gave me a brief, pained look. I was sure I wore a matching one. "Two seconds. That's it," I told Isabel as she shuffled me across the hall into an empty classroom. The corkboard on the opposite wall was covered with anatomical drawings; someone had pinned a thong over one of the figures. "Yeah. Whatever." She shut the door behind us and eyed me as if I would spontaneously break into song or something. I didn't know what she was waiting for. I crossed my arms. "Okay. What do you want?" I'd thought I was prepared for it, but when she said, "My brother. Jack," my heart still raced. I didn't say anything. "I saw him while I was running this morning." I swallowed. "Your brother." Isabel pointed at me with a perfect nail, glossier than the hood of the Bronco. Her ringlets bounced. "Oh, don't give me that. I talked to him. He's not dead." I briefly wrestled with the image of Isabel jogging. I couldn't see it. Maybe she meant running from her Chihuahua. "Um." Isabel pressed on. "There was something screwed up with him. And don't say 'That's because he's dead.' He's not." Something about Isabel's charming personality — and maybe the fact that I knew Jack was actually alive — made it very difficult to empathize with her. I said, "Isabel, it seems to me like you don't need me to have this conversation. You're doing a great job all by yourself." "Shut up," Isabel said, which only supported my theory. I was about to tell her so, but her next words stopped me cold. "When I saw Jack, he said he hadn't really died. Then he started — twitching — and said he had to go right then. When I tried to ask him what was wrong with him, he said that you knew." My voice came out a little strangled sounding. "Me?" But I remembered his eyes imploring me as he lay pinned beneath the she-wolf. Help me. He had recognized me. "Well, it's not exactly a shock, is it? Everyone knows that you and Olivia Marx are freaks for those wolves, and clearly this has something to do with them. So what's going on, Grace?" I didn't like the way she asked the question — like maybe she already knew the answer. Blood was rushing in my ears; I was in way over my head. "Look. You're upset, I get that. But seriously, get help. Leave me and Olivia out of this. I don't know what you saw, but it wasn't Jack." The lie left a bad taste in my mouth. I could see the reasoning behind the pack's secrecy, but Jack was Isabel's brother. Didn't she have a right to know? "I wasn't seeing things," Isabel snapped as I opened the door. "I'm going to find him again. And I'm going to find out what your part is in all this." "I don't have a part," I said. "I just like the wolves. Now I need to get to class." Isabel stood in the doorway, watching me go, and I wondered what, at the beginning of all this, she had thought I was going to say. She looked almost forlorn, or maybe it was just an act. In any case, I said, "Isabel, just get help." She crossed her arms. "I thought that's what I was doing." While Grace was at school, I spent a long time in the parking lot, thinking about meeting wild Rachel and wondering what she'd meant by the wolf comment. I debated hunting for Jack, but I wanted to hear what Grace found out at school before I went on any wild-goose chase. I didn't quite know how to occupy my time without Grace and without my pack. I felt like someone who has an hour until his bus arrives — not really enough time to do anything important, but too much time to just sit and wait. The subtle cold bite behind the breeze told me that I couldn't put off getting on my bus forever. I finally drove the Bronco to the post office. I had the key to Beck's post office box, but mostly, what I wanted to do was conjure memories and pretend that I'd run into him there. I remembered the day Beck had brought me there to pick up my books for school — even now, I remembered it had been a Tuesday, because back then, Tuesdays were my favorite day. I don't remember why — it was just something about the way that u looked like when it was next to e that seemed very friendly. I always loved going to the post office with Beck; it was a treasure cave with rows and rows of little locked boxes holding secrets and surprises only for those with the proper key. With peculiar clarity, I remembered that conversation clearly, down to the expression on Beck's face: "Sam. Come on, bucko." "What's that?" Beck shoved his back ineffectually against the glass door, suffering under the weight of a huge box. "Your brain." "I already have a brain." "If you did, you'd have opened the door for me." I shot him a dark look and let him shove against the door a moment longer before I ducked under his arms to push it open. "What is it really?" "Schoolbooks. We're going to educate you properly, so you don't grow up to be an idiot." I remembered being intrigued by the idea of school-in-a-box, just-add-water-and-Sam. The rest of the pack was equally intrigued. I was the first in the pack to be bitten before finishing school, so the novelty of educating me was fascinating to the others. For several summers, they all took turns with the massive lesson manual and the lovely, ink-smelling new textbooks. They would stuff my brain full all day long: Ulrik for math; Beck for history; Paul for vocabulary, and later, science. They shouted test questions at me across the dinner table, invented songs for the timelines of dead presidents, and converted one of the dining room walls into a giant whiteboard that was always written with words of the day and dirty jokes that no one would cop to. When I was done with the first box of books, Beck packed them up and another box came to take its place. When I wasn't studying my school-in-a-box, I was surfing the Internet for a different sort of education. I surfed for photos of circus freaks and synonyms for the word intercourse and for answers to why staring at the stars in the evening tore my heart with longing. With the third box of books came a new pack member: Shelby, a tanned, slender girl covered in bruises and stumbling under the weight of a heavy Southern accent. I remembered Beck telling Paul, "I couldn't just leave her there. God! Paul, you didn't see where she came from. You didn't see what they were doing to her." I'd felt sorry for Shelby, who'd made herself inaccessible to the others. I'd been the only one who had managed to float a life raft to the island that was Shelby, coaxing words out of her and, sometimes, a smile. She was strange, a breakable animal that would do anything to reassert control over her life. She'd steal things from Beck so that he would have to ask where they'd gone, play with the thermostat to watch Paul get up from the couch to fix it, hide my books so that I would talk with her instead of reading. But we were all broken in that house, weren't we? After all, I was the kid who couldn't bear to look into a bathroom. Beck had picked up another box of books from the post office for Shelby, but they didn't mean the same thing to her that they did to me. She left them to collect dust and looked up wolf behavior online instead. Now, here in the post office, I stopped in front of Beck's P.O. box, 730. I touched the chipped paint of the numbers; the three was nearly gone and had been for as long as I'd been coming here. I put the key into the box, but I didn't turn it. Was it so wrong to want this so bad? An ordinary life of ordinary years with Grace, a couple of decades of turning keys in P.O. boxes and lying in bed and putting up Christmas trees in winter? And now I was thinking of Shelby, again, and the memories bit, sharp as cold next to memories of Grace. Shelby had always thought my attachment to my human life was ludicrous. I still remembered the worst fight we had about it. Not the first, or the last, but the most cruel. I was lying on my bed, reading a copy of Yeats that Ulrik had bought for me, and Shelby jumped onto the mattress and stepped on the pages of the book, wrinkling them beneath her bare foot. "Come listen to the howls I found online," she said. "I'm reading." "Mine's more important," Shelby said, towering above me, her toes curling and crinkling the pages further. "Why do you bother reading that stuff?" She gestured to the stack of schoolbooks on the desk beside my bed. "That's not what you're going to be when you grow up. You're not going to be a man. You're going to be a wolf, so you should be learning wolf things." "Shut up," I said. "Well, it's true. You're not going to be Sam. All those books are a waste. You're going to be alpha male. I read about that. And I'll be your mate. The alpha female." Her face was excited, flushed. Shelby wanted nothing more than to leave her past behind. I ripped Yeats out from beneath her foot and smoothed the page. "I will be Sam. I'm never going to stop being Sam." "You won't be!" Shelby's voice was getting louder. She jumped off my bed and shoved my stack of books over; thousands of words crashed onto the floor. "This is just pretending! We won't have names, we'll just be wolves!" I shouted, "Shut up! I can still be Sam when I'm a wolf!" Beck burst into the room, then, looking at the scene in his silent way: my books, my life, my dreams, spread under Shelby's feet, and me on my bed, clutching my wrinkled Yeats in white-knuckled hands. "What's going on here?" Beck said. Shelby jerked a finger at me. "Tell him! Tell him he's not going to be Sam anymore, when we're wolves. He can't be. He won't even know his name. And I won't be Shelby." She was shaking, furious. Beck's voice was so quiet I could barely hear him. "Sam will always be Sam." He took Shelby's upper arm and marched her out of the room, her feet skidding on my books. Her face was shocked; Beck had been careful to never lay a hand on her since she'd come. I'd never seen him so angry. "Don't you ever tell him differently, Shelby. Or I will take you back where you came from. I will take you back." In the hallway, Shelby began to scream, and she didn't stop until Beck slammed her bedroom door. He walked back past my room and paused in the doorway. I was gently stacking my books back on the desk. The words shook in my hands as I did. I thought Beck would say something, but he just picked up a book by his feet and added it to my pile before he left. Later, I heard Ulrik and Beck; they didn't realize there weren't many places in the house a werewolf couldn't hear. "You were too hard on Shelby," Ulrik said. "She has a point. What is it you think he's going to do with all this wonderful book learning, Beck? It's not as if he'll ever be able to do what you do." There was a long pause and Ulrik said, "What, you can't be surprised. It doesn't take a genius to figure out what you were thinking. But tell me, how did you think Sam would go to college?" Another pause. Beck said, "Summer school. And some online credits." "Right. Let's say Sam gets his degree. What's he going to do with it? Go to law school online, too? And then what kind of lawyer would he be? People put up with your eccentric gone-for-the-winter routine because you were established when you were bitten. Sam will have to try to get jobs that ignore his unscheduled disappearance every year. For all the learning you're stuffing in his head, he's going to have to get jobs at gas stations like the rest of us. If he even makes it past twenty." "You want to tell him to give up? You tell him. I'll never tell him that." "I'm not telling him to give up. I'm telling you to give up." "Sam doesn't do anything he doesn't want to. He wants to learn. He's smart." "Beck. You're going to make him miserable. You can't give him all the tools to succeed and then let him discover — poof — that he can't use any of them. Shelby's right. In the end, we're wolves. I can read him German poetry and Paul can teach him about past participles and you can play Mozart for him, but in the end, it's a long, cold night and those woods for all of us." Another pause before Beck answered, sounding tired and unlike himself. "Just leave me alone, Ulrik, okay? Just leave me alone." The next day Beck told me I didn't have to do my school-work if I didn't want to, and he went driving by himself. I waited until he was gone, and then I did the work, anyway. Now, I wished more than anything that Beck was here with me. I turned the key in the lock, knowing what I'd find — a box stuffed with months' worth of envelopes and probably a slip to collect more from behind the desk. But when I opened the box, there were two lonely letters and some junk fliers. Someone had been here. Recently. "Do you mind if I go by Olivia's?" Grace asked, climbing into the car, bringing in a rush of cold air with her. In the passenger seat, I recoiled, and she hurriedly shut the door behind her. She said, "Sorry about that. It got really cold, didn't it? Anyway, I don't want to, you know, actually go inside. Just drive by. Rachel said that a wolf had been scratching around Olivia's house. So maybe we could pick up a trail near there?" "Go for it," I said. Taking her hand from where it rested, I kissed her fingertips before replacing it on the wheel. I slouched down in my seat and got my translation of Rilke I'd brought to read while I waited for her. Grace's lips lifted slightly at my touch, but she didn't say anything as she pulled out of the lot. I watched her face, etched into concentration, mouth set in a firm line, and waited to see if she was ready to say what was on her mind. When she didn't, I picked up the volume of Rilke and slouched down in my seat. "What are you reading?" Grace asked, after a long space of silence. I was fairly certain that pragmatic Grace would not have heard of Rilke. "Poetry." Grace sighed and gazed out at the dead white sky that seemed to press down on the road before us. "I don't get poetry." She seemed to realize her statement might offend, because she hurriedly added, "Maybe I'm reading the wrong stuff." "You're probably just reading it wrong," I said. I'd seen Grace's to-be-read pile: nonfiction, books about things, not about how things were described. "You have to listen to the pattern of the words, not just what they're saying. Like a song." When she frowned, I paged through my book and scooted closer to her on the bench seat, so that our hip bones were pressed together. Grace glanced down at the page. "That's not even in English!" "Some of them are," I said. I sighed, remembering. "Ulrik was using Rilke to teach me German. And now I'm going to use it to teach you poetry." "Clearly a foreign language," Grace said. "Clearly," I agreed. "Listen to this. 'Was soll ich mit meinem Munde? Mit meiner Nacht? Mit meinem Tag? Ich habe keine Geliebte, kein Haus, keine Stelle auf der ich lebe.'" Grace's face was puzzled. She chewed her lip in a cute, frustrated sort of way. "So what's it mean?" "That's not the point. The point is what it sounds like. Not just what it means." I struggled to find words for what I meant. What I wanted to do was remind her of how she'd fallen in love with me as a wolf. Without words. Seeing beyond the obvious meaning of my wolf skin to what was inside. To whatever it was that made me Sam, always. "Read it again," Grace said. I read it again. She tapped her fingers against the steering wheel. "It sounds sad," she said. "You're smiling — I must be right." I flipped to the English translation. "'What then would I do with my lips? With my night? With my day? I have no' — bah. I don't like this translation. I'm going to get my other one from the house tomorrow. But yeah, it's sad." "Do I get a prize?" "Maybe," I said, and slid my hand underneath one of hers, twining our fingers. Without looking away from the road, she lifted our tangled fingers to her mouth. She kissed my index finger and then put it between her teeth, biting down softly. She glanced over at me, her eyes holding an unspoken challenge. I was completely caught. I wanted to tell her to pull over right then because I needed to kiss her. But then I saw a wolf. "Grace. Stop — stop the car!" She jerked her head around, trying to see what I saw, but the wolf had already jumped the ditch on the side of the road and headed into the sparse woods. "Grace, stop," I said. "Jack." She hit the brakes; the Bronco shimmied back and forth as she guided it to the shoulder. I didn't wait for the car to stop. Just shoved open the door and stumbled out, my ankles crying out as I slammed onto the frozen ground. I scanned the woods in front of me. Clouds of sharp-smelling smoke drifted through the trees, mingling with the heavy white clouds that pushed down from above; someone was burning leaves on the other side of the woods. Through the smoke, I saw the blue-gray wolf hesitating in the woods ahead of me, not sure he was being pursued. Cold air clawed at my skin, and the wolf looked over his shoulder at me. Hazel eyes. Jack. It had to be. And then he was gone, just like that, plunging into the smoke. I jumped after him, taking the ditch by the side of the road in one leap and running over the cold, hard stubble of the dying winter woods. As I leaped into the forest, I heard Jack crashing ahead of me, more interested in escape than stealth. I could smell the stink of fear as he bolted ahead of me. The wood smoke was heavier here, and it was hard to tell where the smoke ended and the sky began, snared in the bare branches overhead. Jack was half-invisible in front of me, faster and nimbler than me on his four legs, and impervious to the cold. My fingers, half-numb, stabbed with pain, and cold pinched the skin of my neck and twisted my gut. I was losing sight of the wolf ahead of me; the one inside me seemed closer all of a sudden. "Sam!" Grace shouted. She grabbed the back of my shirt, pulling me to a stop, and threw her coat around me. I was coughing, gasping for air and trying to swallow the wolf rising up in me. Wrapping her arms around me as I shuddered, she said, "What were you thinking? What were you —" She didn't finish. She pulled me back through the woods, both of us stumbling, my knees buckling. I slowed, especially when we got to the ditch, but Grace didn't falter, hooking my elbow to haul me up to the Bronco. Inside, I buried my cold face into the hot skin of her neck and let her wrap her arms around me as I shook uncontrollably. I was acutely aware of the tips of my fingers, of each little pin-prick of pain throbbing individually. "What were you doing?" Grace demanded, squeezing me hard enough to force the breath out of me. "Sam, you can't do that! It's freezing out there! What did you think you were going to do?" "I don't know," I said into her neck, balling my hands into fists between us to get them warm. I didn't know. I just knew that Jack was an unknown, and that I didn't know what kind of person he was, what sort of a wolf he was. "I don't know," I said again. "Sam, it's not worth it," Grace said, and she pressed her face, hard, against my head. "What if you'd changed?" Her fingers were tight on the sleeves of my shirt, and now her voice was breathy. "What were you thinking?" "I wasn't," I said, truthfully. I sat back, finally warm enough to stop shivering. I pressed my hands against the heating vents. "I'm sorry." For a long moment, there wasn't any sound but the uneven rumbling of the idling engine. Then Grace said, "Isabel talked to me today. She's Jack's sister." She paused. "She said she'd talked to him." I didn't say anything, just curled my fingers tighter over the vents as if I could physically grab the heat. "But you can't just go running after him. It's getting too cold, and it's not worth the risk. Promise me you won't do anything like that again?" I dropped my eyes. I couldn't look at her when she sounded like she did now. I said, "What about Isabel? Tell me what she said." Grace sighed. "I don't know. She knows Jack's alive. She thinks the wolves have something to do with it. She thinks I know something. What should we do?" I pressed my forehead against my hands. "I don't know. I wish Beck were here." I thought about the two lonely envelopes in the post office box and the wolf in the woods and my still-tingling fingertips. Maybe Beck was here. Hope hurt more than the cold. Maybe it wasn't Jack I should've been looking for. Once I'd let myself think that Beck might still be human, the idea possessed me. I slept badly, my mind skipping over all the ways I could try to track him down. Doubts crowded in there, too — it could've been any of the pack members that had gotten the mail or bought milk — but I couldn't help it. Hope won over all of it. At breakfast the next morning, I chatted with Grace about her calculus homework — it looked entirely incomprehensible to me — and about her rich, hyper friend Rachel and about whether or not turtles had teeth, but really, what I was thinking about was Beck. After I dropped Grace off at school, I tried for a brief moment to pretend that I wasn't heading straight back to Beck's house. He wasn't there. I already knew that. But it couldn't hurt to just check again. On the way over, I kept thinking about what Grace had said the other night about the electricity and the milk in the fridge. Maybe, just maybe, Beck would be there, relieving me of the responsibility of Jack and eliminating the unbearable weight of being the last one of my kind. Even if the house was still empty, I could still get some more clothing and my other copy of Rilke and walk through the rooms, smelling the memories of kinship. I remembered three short years ago, back when more of us were in our prime, able to return to our real, human forms at the first kiss of spring's warmth. The house was full then — Paul, Shelby, Ulrik, Beck, Derek, and even crazy Salem were human at the same time. Spiraling through insanity together made it seem more sane. I slowed as I headed down Beck's road, my heart jumping as I saw a vehicle pulling into his driveway, and then sinking when I saw that it was an unfamiliar Tahoe. Brake lights glowed dully in the gray day, and I rolled down my window to try and catch a bit of scent. Before I'd caught anything, I heard the driver's-side door open and shut on the far side of the SUV. Then the breeze played the driver's scent right to me, clean and vaguely smoky. Beck. I parked the Bronco on the side of the road and jumped out, grinning as I saw him come around the side of the SUV. His eyes widened for a moment, and then he grinned, too, an expression that his smile-lined face fell into easily. "Sam!" Beck's voice held something weird — surprise, I think. His grin widened. "Sam, thank God. Come here!" He hugged me and patted my back in that touchy-feely way that he always managed to pull off without seeming gropey. Must've come from being a lawyer; he knew how to schmooze people. I couldn't help but notice that he was wider around the middle; not from fat. I don't know how many shirts he must've been wearing underneath his coat to keep himself warm enough to be human, but I saw the mismatched collars of at least two. "Where have you been?" "I —" I was about to tell him the whole story in a nutshell of getting shot, meeting Grace, seeing Jack, but I didn't. I don't know why I didn't. Certainly it wasn't because of Beck, who was watching me earnestly with his intense blue eyes. It was something, some strange scent, faint but familiar, that was making my muscles clench and pasting my tongue to the top of my mouth. This wasn't how it was supposed to be. It wasn't supposed to feel like this. My answer came out more guarded than I'd intended. "I've been around. Not here. You weren't here, either, I noticed." "Nope," Beck admitted. He headed around to the back of the Tahoe. I noticed then that the van was filthy — thick with dirt. Dirt that smelled of somewhere else, stuffed up into the wheel wells and splattered along the fenders. "Salem and I were up in Canada." So that's why I hadn't seen Salem anywhere recently. Salem had always been problematic: He wasn't quite right as a human, so he wasn't quite right when he was a wolf, either. I was pretty sure Salem was the one who had dragged Grace from her swing. How Beck had managed a car trip with him was beyond me. Why he managed a car trip with him was even further beyond me. "You smell like hospital." Beck squinted at me. "And you look like hell." "Thanks," I said. Guess I was telling after all. I really didn't think the hospital smell could still linger after a week, but Beck's wrinkled nose said otherwise. "I was shot." Beck pushed his fingers against his lips and spoke through them. "God. Where? Nowhere that'd make me blush, I hope." I gestured to my neck. "Nowhere near that interesting." "Is everything okay?" He meant were we still okay? Did anybody know? There's a girl. She's amazing. She knows, but it's okay. I tried out the words in my head, but there wasn't any way to make them sound all right. I just kept hearing Beck tell me how we couldn't trust our secret with anyone but us. So I just shrugged. "As okay as we ever are." And then my stomach dropped out from under me. He was going to smell Grace in the house. "God, Sam," Beck said. "Why didn't you call my cell? When you were shot?" "I don't have your number. For this year's phone." Every year, we got new phones, since we didn't use them over the winter. Another look that I didn't like. Sympathy. No, pity. I pretended not to see it. Beck fumbled in his pocket and pulled out a cell phone. "Here, take this. It's Salem's. Like he's going to use it anymore." "Bark once for yes, twice for no?" Beck grinned. "Exactly. Anyway, it's got my number in its brain already. So use it. You might have to buy a charger for it." I thought he was about to ask me where I'd been staying, and I didn't want to answer. So instead I jerked my chin toward the Tahoe. "So why all the dirt? Why the trip?" I knocked a fist on the side of the car, and to my surprise, something knocked back inside. More like a thud. Like a kick. I raised an eyebrow. "Is Salem in here?" "He's back in the woods. He changed in Canada, the bastard, I had to bring him back like that and he sheds like it's going out of style. And you know, I think he's crazy." Beck and I both laughed at that — as if that needed to be said. I looked back to the place where I'd felt the thump against my fist. "So what's thumping?" Beck raised his eyebrows. "The future. Want to see?" I shrugged and stepped back so he could open the doors to the back. If I thought I was prepared for what was inside, I was wrong in about forty different ways. The backseats of the Tahoe were folded down to make more room, and inside the extended trunk were three bodies. Humans. One was sitting awkwardly against the back of the seats, one was curled into a fetal position, and the other lay crookedly alongside the door. Their hands were all zip tied. I stared, and the boy sitting against the seats stared back, his eyes bloodshot. My age, maybe a little younger. Red was smeared along his arms, and I saw now that it continued all over the inside of the vehicle. And then I smelled them: the metallic stink of blood, the sweaty odor of fear, the earthy scent that matched the dirt on the outside of the Tahoe. And wolf, wolf, every where — Beck, Salem, and unfamiliar wolves. The girl curled into a ball was shuddering, and when I squinted at the boy, staring back at me in the darkness, I saw that he was shivering, too, his fingers clenching and unclenching one another in a tangled knot of fear. "Help," he said. I fell back, several feet into the driveway, my knees weak beneath me. I covered my mouth, then came closer to stare at them. The boy's eyes pleaded. I was vaguely aware that Beck was standing nearby, just watching me, but I couldn't stop looking back at those kids. My voice didn't sound like mine. "No. No. These kids have been bitten. Beck, they've been bitten." I spun, laced my hands behind my head, spun back to look at the three of them again. The boy shuddered violently, but his eyes never left mine. Help. "Oh, hell, Beck. What have you done? What the hell have you done?" "Are you finished yet?" Beck asked calmly. I turned again, squeezing my eyes shut and then open again. "Finished? How can I be finished? Beck, these kids are changing." "I'm not going to talk to you until you're done." "Beck, are you seeing this?" I leaned against the Tahoe, looking in at the girl, fingers clawed into the bloodstained carpet of the back. She was maybe eighteen, wearing a tight tie-dyed shirt. I pushed off, backing away, as if that would make them disappear. "What is going on?" In the back of the car, the boy began to groan, pushing his face into his bound wrists. His skin was dusky as he began to change in earnest. I turned away. I couldn't watch. Not remembering what it was like, those first days. I just kept my fingers laced behind my head and pressed my arms against my ears like a vise grip, saying, Oh hell oh hell oh hell, over and over until I convinced myself I couldn't hear his wails. They weren't even calls for help; maybe he already sensed that Beck's house was too isolated for anyone to hear him. Or maybe he'd given up. "Will you help me take them inside?" Beck asked. I spun to face him, seeing a wolf stepping from the too-large zip ties and a shirt, growling and starting back as tie-dye-girl moaned at his feet. In an instant, Beck had leaped into the back of the SUV, lithe and animal, and had thrown the wolf onto its back. He grabbed its jaws with one hand and stared into the wolf's eyes. "Don't even think of fighting," he snarled at the wolf. "You aren't in charge here." Beck dropped the wolf's muzzle, and its head hit the carpet with a dull thud, unprotesting. The wolf was beginning to shake again; already getting ready to change back again. God. I couldn't watch this. It was as bad as going through it myself all over again, never sure which skin I'd be wearing. I looked away, to Beck. "You did this on purpose, didn't you?" Beck sat on the tailgate as if there wasn't a spasming wolf behind him and a wailing girl beside him. And that other one — still not moving. Dead? "Sam, it's probably my last year. I don't think I'll change next year. It took a lot of quick thinking this year to keep myself human once I finally had changed." He saw my eyes looking at the different-colored collars at his neck and he nodded. "We need this house. The pack needs this house. And the pack needs protectors still able to change. You already know. We can't rely on humans. We are the only ones who can protect us." I didn't say anything. He sighed heavily. "This is your last year, too, isn't it, Sam? I didn't think you would change at all this year. You were still a wolf when I changed, and it should've been the other way around. I don't know why you got so few years. Maybe because of what your parents did to you. It's a damn shame. You're the best of them." I didn't say anything, because I had no breath to say it with. All I could focus on was how his hair had a little bit of blood in it. I hadn't noticed it before, because his hair was dark auburn, but the blood had dried just one lock into a stiff cowlick. "Sam, who was supposed to watch over the pack, huh? Shelby? We had to have more wolves. More wolves at the beginning of their years, so this isn't a problem again for another eight or ten years." I stared at the blood in his hair. My voice was dull. "What about Jack?" "The kid with the gun?" Beck grimaced. "We can thank Salem and Shelby for that. I can't go looking for him. It's too cold. He's going to have to find us. I just hope to hell he doesn't do anything stupid before then. Hopefully, he'll have the brains God gave him and stay away from people until he's stable." Beside him, the girl screamed, a high, thin wail lacking any force, and between one shudder and the next, her skin was the creamy blue of a black wolf's. Her shoulders rippled, arms forcing her upward, onto new toes where fingers had been. I remembered the pain as clearly as if I were shifting — the pain of loss. I felt the agony of the single moment that I lost myself. Lost what made me Sam. The part of me that could remember Grace's name. I rubbed a tear out of one of my eyes, watching her struggle. Part of me wanted to shake Beck for doing this to them. And part of me was just thinking, Thank God Grace never had to go through this. "Beck," I said, blinking before looking at him. "You're going to hell for this." I didn't wait to see what his reaction was. I just left. I wished I'd never come. That night, like every other night since I'd met her, I curled Grace into my arms, listening to her parents' muffled movements in the living room. They were like busy little brainless birds, fluttering in and out of their nest at all hours of the day or night, so involved in the pleasure of nest building that they hadn't noticed that it had been empty for years. They were noisy, too, laughing, chatting, clattering dishes in the kitchen although I'd never seen evidence of either of them cooking. They were college kids who had found a baby in a rush basket and didn't know what to do with it. How would Grace have been different if she'd had my family — the pack? If she'd had Beck. In my head, I heard Beck acknowledging what I'd feared. It really was true, that this was my last year. I breathed, "The end." Not really out loud. Just trying out the shape of the words in my mouth. In the cautious fortress of my arms, Grace sighed and pressed her face into my chest. She was already asleep. Unlike me, who had to stalk sleep with poisoned arrows, Grace could fall asleep in a second. I envied her. All I could see was Beck and those kids, a thousand different permutations of the scene dancing before my eyes. I wanted to tell Grace about it. I didn't want to tell her about it. I was ashamed of Beck, torn between loyalty to him and loyalty to me — and I hadn't even realized until now they could be two different things. I didn't want Grace to think badly of him — but I wanted a confessional, someplace to put this unbearable weight in my chest. "Go to sleep," she murmured, barely audible, hooking her fingers in my T-shirt in a way that didn't make me think of sleep. I kissed her closed eyes and sighed. She made an appreciative noise and whispered, eyes still closed, "Shh, Sam. Whatever it is will keep till morning. And if it doesn't, it isn't worth it anyway. Sleep." Because she told me to, I could. The first thing Sam said to me the next day was, "It's time to take you on a proper date." Actually, the very first thing he said was, "Your hair is all funky in the morning." But the very first lucid thing he said (I refused to believe my hair looked funky in the morning) was the date statement. It was a "work day" for the teachers at school, so we had the entire day to ourselves — which felt indulgent. He said this while stirring some oatmeal and looking over his shoulder toward the front door. Even though my parents had disappeared early for some sort of business outing of my dad's, Sam still seemed worried that they would reappear and hunt him down with pitchforks. I joined him at the counter and leaned against it, peering down into the pan. I wasn't thrilled by the prospect of oatmeal. I had tried to make it before, and it had tasted very... healthy. "So about this date. Where are you taking me? Someplace exciting, like the middle of the woods?" He pressed his finger against my lips, right where they parted. He didn't smile. "On a normal date. Food and fun fun fun." I turned my face so his hand was against my hair instead. "Yeah, sounds like it," I said, sarcastically, because he still wasn't smiling. "I didn't think you did normal." "Get me two bowls, would you?" Sam said. I set them on the counter and Sam divided the oatmeal between them, releasing a sweet scent. "I just really want to do a proper date, so you'll have something real to rem —" He stopped and looked down into the bowls, arms braced against the counter, shoulders shrugged up by his ears. Finally, he turned and said, "I want to do things right. Can we try to do normal?" With a nod, I accepted one of the bowls and tried a spoonful — it was all brown sugar and maple and something sort of spicy. I pointed an oatmeal-covered spoon at Sam. "I have no problem doing normal. This stuff is sticky." "Ingrate," Sam said. He looked dolefully at his bowl. "You don't like it." "It's actually okay." Sam said, "Beck used to make it for me, after I got over my egg fixation." "You had an egg fixation?" "I was a peculiar child," Sam said. He gestured to my bowl. "You don't have to eat it if you don't like it. When you're done, we'll go." "Go where?" "Surprise." That was all I needed to hear. That oatmeal was gone instantly and I had my hat, coat, and backpack in hand. For the first time that morning, Sam laughed, and I was ridiculously glad to hear it. "You look like a puppy. Like I'm jingling my keys and you're jumping by the door waiting for your walk." "Woof." Sam patted my head on the way out and together we ventured into the cold pastel morning. Once we were in the Bronco and on the road, I pressed again, "So you won't tell me where we're going?" "Nope. The only thing I'll tell you is to pretend that this is what I did with you the first day I met you, instead of being shot." "I don't have that much imagination." "I do. I'll imagine it for you, so strongly that you'll have to believe it." He smiled to demonstrate his imagining, a smile so sad that my breath caught in my throat. "I'll court you properly and then it won't make my obsession with you so creepy." "Seems to me that mine's the creepy one." I looked out the window as we pulled out of the driveway. The sky was relinquishing one slow snowflake after another. "I have that, you know, what's it called? That syndrome where you identify with the people who save you?" Sam shook his head and turned the opposite way from school. "You're thinking of that Munchausen syndrome, where the person identifies with their kidnapper." I shook my head. "That's not the same. Isn't Munchausen when you invent sicknesses to get attention?" "Is it? I just like saying 'Munchausen.' I feel like I can actually speak German when I say it." I laughed. "Ulrik was born in Germany," Sam said. "He has all kinds of interesting children's stories about werewolves." He turned onto the main road through downtown and started looking for a parking space. "He said people would get bitten willingly, back in the old days." I looked out the window at Mercy Falls. The shops, all shades of brown and gray, seemed even more brown and gray under the leaden sky, and for October, it felt ominously close to winter. There were no green leaves left on the trees that grew by the side of the street, and some were missing their leaves entirely, adding to the bleak appearance of the town. It was concrete as far as the eye could see. "Why would they want to do that?" "In the folktales, they'd turn into wolves and steal sheep and other animals when food was scarce. And some of them changed just for the fun of it." I studied his face, trying to read his voice. "Is there fun in it?" He looked away — ashamed of his answer, I thought, until I realized he was just looking over his shoulder to parallel park in front of a row of shops. "Some of us seem to like it, maybe better than being human. Shelby loves it — but like I said, I think her human life was pretty awful. I don't know. The wolf half of my life is such a part of me now, it's hard to imagine living without it." "In a good way or a bad way?" Sam looked at me, yellow eyes catching and holding me. "I miss being me. I miss you. All the time." I dropped my eyes to my hands. "Not now you don't." Sam reached across the bench seat and touched my hair, running a hand down it until he caught just the ends of it between his fingers. He studied the hairs like they might contain the secrets of Grace in their dull blonde strands. His cheeks flushed slightly; he still blushed when he complimented me. "No," he admitted, "right in this moment, I can't even remember what unhappy feels like." Somehow that made tears prick at the corners of my eyes. I blinked, glad he was still looking at my hair. There was a long pause. He said, "You don't remember being attacked." "What?" "You don't remember being attacked at all, do you?" I frowned and pulled my backpack onto my lap, startled by the seemingly random change of topic. "I don't know. Maybe. It seems like there were a lot of wolves, way more than I think there actually could've been. And I remember you — I remember you standing back, and then just touching my hand" — Sam touched my hand — "and my cheek" — he touched my cheek — "when the others were rough with me. I guess they wanted to eat me, right?" His voice was soft. "You don't remember what happened after that? How you survived?" I tried to remember. It was all a flash of snow, and red, and breath on my face. Then Mom screaming. But there must've been something between all that. I must've gotten from the woods to the house somehow. I tried to imagine walking, stumbling through the snow. "Did I walk?" He looked at me, waiting for me to answer my own question. "I know I didn't. I can't remember. Why can't I remember?" I was frustrated now, with my own brain's inability to comply. It seemed like such a simple request. But I only remembered the scent of Sam, Sam every where, and then the unfamiliar sound of Mom's panic as she scrambled for the phone. "Don't worry about it," Sam said. "It doesn't matter." But I thought it probably did. I closed my eyes, recalling the scent of the woods that day and the jolting feeling of moving back toward the house, arms tight around me. I opened my eyes again. "You carried me." Sam looked at me abruptly. It was coming back, in the way you remember fever dreams. "But you were human," I said. "I remember seeing you as a wolf. But you must've been human to carry me. How did you do that?" He shrugged, helplessly. "I don't know how I shifted. It's the same as when I was shot, and I was human when you found me." I felt something fluttering in my chest, like hope. "You can make yourself change?" "It's not like that. It was only two times. And I haven't been able to do it again, ever, no matter how badly I've wanted to. And believe me, I've wanted it pretty badly." Sam turned off the Bronco with an air of ending the conversation, and I reached into my backpack to pull out a hat. As he locked the car, I stood on the sidewalk and waited. Sam came around the back of the car and stopped dead when he saw me. "Oh my God, what is that?" I used my thumb and middle finger to flick the multicolored pom-pom on top of my head. "In my language, we call it a hat. It keeps my ears warm." "Oh my God," Sam said again, and closed the distance between us. He cupped my face in his hands and studied me. "It's horribly cute." He kissed me, looked at the hat, and then he kissed me again. I vowed never to lose the pom-pom hat. Sam was still holding my face; I was sure everyone in town was looking now. But I didn't want to pull away, and I let him kiss me one more time, this time soft as the snow, barely a touch, and then he released me and took my hand instead. It took me a moment to find my voice, and when I did, I couldn't stop grinning. "Okay. Where are we going?" It was cold enough that I knew it had to be close; we couldn't stay out here much longer. Sam's fingers were laced tightly with mine. "To a Grace-shop first. That's what a proper gentleman would do." I giggled, completely unlike me, and Sam laughed because he knew it. I was drunk with Sam. I let him walk me down the stark concrete block to The Crooked Shelf, a little independent bookstore; I hadn't been there for a year. It seemed stupid that I hadn't, given how many books I read, but I was just a poor high schooler with a very limited allowance. I got my books from the library. "This is a Grace-shop, right?" Sam pushed open the door without waiting for my answer. A wonderful wave of new-book smell came rushing out, reminding me immediately of Christmas. My parents always got me books for Christmas. With a melodic ding, the shop door swung shut behind us, and Sam released my hand. "Where to? I'll buy you a book. I know you want one." I smiled at the stacks, inhaling again. Hundreds of thousands of pages that had never been turned, waiting for me. The shelves were a warm, blond wood, piled with spines of every color. Staff picks were arranged on tables, glossy covers reflecting the light back at me. Behind the little cubby where the cashier sat, ignoring us, stairs covered with rich burgundy carpet led up to worlds unknown. "I could just live here," I said. Sam watched my face with obvious pleasure. "I remember watching you reading books on the tire swing. Even in the most stupid weather. Why didn't you read inside when it was so cold?" My eyes followed the rows and rows of books. "Books are more real when you read them outside." I bit my lip, eyes flitting from shelf to shelf. "I don't know where to go first." "I'll show you something," Sam said. The way he said it made me believe that it was not only something but a very amazing something that he had waited all day to show me. He took my hand again and led me through the store, past the uninterested cashier, and up the silent stairs that swallowed the sounds of our footsteps and kept them. Upstairs was a little loft, less than half the size of the store below, with a railing to keep us from tumbling back down to the ground floor. "One summer, I worked here. Sit. Wait." Sam guided me to a battered burgundy love seat that took up a large part of the floor space. I took off my hat and sat, charmed by his orders, and checked out his butt while he searched on the shelves for whatever he was looking for. Unaware of my stare, he crouched, running his fingers along spines like they were old friends. I watched the slope of his shoulders, the tilt of his head, the way one hand braced, fingers spread crablike on the floor, as he knelt by the shelves. Finally he found what he was looking for and he came over to the love seat. "Close your eyes," he said. Without waiting for me, he pressed his hand over my eyelids, shutting them for me. I felt the love seat shift as he slid in beside me, heard the inexplicably loud sound of the cover opening, the pages inside scraping against each other as he turned them. Then I felt his breath on my ear as he said, voice barely audible, "'I am alone in the world, and yet not alone enough to make each hour holy. I am lowly in this world, and yet not lowly enough for me to be just a thing to you, dark and shrewd. I want my will and I want to go with my will as it moves towards action.'" He paused, long, the only sound his breath, a little ragged, before he went on, "'And I want, in those silent, somehow faltering times, to be with someone who knows, or else alone. I want to reflect everything about you, and I never want to be too blind or too ancient to keep your profound wavering image with me. I want to unfold. I don't want to be folded anywhere, because there, where I'm folded, I am a lie.'" I turned my face toward his voice, eyes still fast shut, and he put his mouth on mine. I felt his lips pull from mine slightly, just for a moment, and heard the rustle of the book laid gently on the floor, and then he wrapped his arms around me. His lips tasted cool and sharp, peppermint, winter, but his hands, soft on the back of my neck, promised long days and summer and forever. I felt light-headed, like I wasn't getting enough air, as if my breath was stolen as soon as I took it. Sam lay back on the couch, just a little, and pulled me into the circle his body made, and kissed me and kissed me, so careful, like my lips were a flower and if he touched them too roughly, they might bruise. I don't know how long we were curled against each other on the couch, silently kissing, before Sam noticed that I was crying. I felt him hesitate, salt water on his tongue, before he realized what the taste meant. "Grace. Are you — crying?" I didn't say anything, because that would only make the reason for my tears more real. Sam rubbed them away with his thumb, then pulled his sleeve over his fist to wipe the tracks away with the fabric. "Grace, what's wrong? Did I do something wrong?" Sam's yellow eyes were flickering over my face, looking for clues as I shook my head. Downstairs, I heard the cashier ringing up another customer. It seemed very far away. "No," I said finally. I rubbed another tear out of my eye before it could fall. "No, you did everything right. It's just that —" I couldn't say it. I couldn't. Sam didn't flinch. "— that this is my last year." I bit my lip, hard, and rubbed away another tear. "I'm not ready. I'll never be ready." He didn't say anything. Maybe there wasn't anything to say. Instead, he wrapped his arms around me again, only this time he guided my cheek onto his chest and ran his hand over the back of my head, clumsy but comforting. I closed my eyes and listened to the thud of his heart until mine matched pace with his. Finally, he rested his cheek on the top of my head and whispered, "We don't have time to be sad." The sun had become brilliant by the time we walked out of the bookstore, and with a shock I realized how much time had passed. On cue, my stomach pinched with hunger. "Lunch," I said. "Immediately. I'm going to wither away to absolutely nothing. Then you'll be racked with guilt." "I don't doubt it." Sam took my little bag of new books and turned to put them in the Bronco, but he froze partway toward the car, his eyes fixed somewhere behind me. "Crap. Incoming." He turned his back to me and unlocked the car, shoving the books onto the passenger seat, trying to look inconspicuous. I turned around and found Olivia, looking disheveled and tired. Then John appeared behind her and gave me a big grin. I hadn't seen him since before I met Sam, and in comparison, I couldn't fathom how I'd ever imagined he was good-looking. He looked dusty and ordinary in comparison beside Sam's black flop of hair and golden eyes. "Hey, gorgeous," John said. That turned Sam around in a hurry. He didn't move toward me, but he didn't have to — his yellow eyes stopped John in his tracks. Or maybe it was just Sam's stance beside me, shoulders stiff. In the space of a second, I had a flashing thought that Sam might be dangerous — that maybe he normally quieted the wolf inside him far more than he let on. John had a weird, unreadable expression that made me wonder if all those months of pretend flirting had been more real than I'd thought. "Hi," Olivia said. She glanced at Sam, whose gaze had been fixed on the camera slung over her shoulder. He looked down and rubbed his eyes as though he'd gotten something in one of them. Sam's discomfort was catching, and my smile felt insincere. "Hi. Funny bumping into you guys here." "We're just running some errands for Mom." John's eyes flicked toward Sam and he smiled a little too pleasantly. My cheeks warmed at the silent testosterone battle waging; it was kind of flattering, if a little weird. "And Olivia wanted to hit up the bookstore while we were out. It's friggin' cold out here. I'm going to go on in." "They let illiterate people in there?" I teased, like old times. John grinned then, all tension gone, and grinned at Sam, too, like, Yeah, good luck with that, before heading into the store. Sam sort of smiled back, eyes squinted shut, still acting like he had something in them. Olivia remained on the sidewalk just outside the door, arms hugged around herself. "I never thought I'd see you out of the house this early on a non-schoolday," she told me. Talking to me, but looking at Sam. "I thought you hibernated on days off." "Nope, not today," I said. After this much time not talking to her, it felt like I didn't know how to do it anymore. "Up early to see what it feels like." "Amazing," Olivia said. She was still looking at Sam, an unasked question hanging in the air. I didn't want to introduce them, since Sam seemed so uncomfortable around Olivia and her camera, but I was hyperaware of the way she was looking at us: the space between the two of us, how it shifted as either of us moved, connected by invisible strings. And the casual contact. Her eyes followed his hand to my arm as he touched my sleeve lightly, and then moved to his other hand, still rested on the handle of the car door — comfortable, like he'd opened it many times before. Like he belonged with the Bronco and with me. Finally, Olivia said, "Who's this?" I glanced at Sam, for approval. His eyelids were still lowered, shadowing his eyes. "Sam," he said softly. There was something wrong with the tenor of his voice. He wasn't looking at the camera, but it seemed like I could feel his attention on it. My voice inadvertently echoed his anxiety when I said, "This is Olivia. Olive, Sam and I are going out. I mean, dating." I expected her to comment, but instead she said, "I recognize you." Beside me, Sam stiffened until she added, "From the bookstore, right?" Sam flicked his eyes up to her, and she nodded, almost imperceptibly. "Yes. From the bookstore." Olivia, arms still crossed, fingered the edge of her sweater but didn't take her eyes from Sam's. She seemed to be struggling to find words. "I — do you wear contacts? Sorry to be so blunt. You must get asked a lot." "I do," Sam said. "Get asked a lot. And I do wear them." Something like disappointment flashed across Olivia's face. "Well, they're really cool. Um. It was nice to meet you." Turning to me, she said, "I'm sorry. It was a really stupid thing to fight over." Whatever I had been planning to say disappeared when she said I'm sorry. "I'm sorry, too," I replied, a little feebly, because I wasn't really sure what I was apologizing for. Olivia looked at Sam and then back at me. "Yeah. I just... Could you call me? Later on?" I blinked with surprise. "Yeah, of course! When?" "I — actually, can I call you? I don't know when will be a good time. Is that okay? Can I just call your cell?" "Anytime. You sure you don't want to go somewhere and talk now?" "Um, no, not now. I can't, because of John." She shook her head and looked at Sam again. "He wants to hang out. Later will be good, though, definitely. Thanks, Grace. I mean it. I'm so sorry about our stupid argument." I pressed my lips together. Why was she thanking me? John stuck his head out of the bookstore's door. "Olive? Are you coming, or what?" Olivia waved at us and disappeared into the bookstore with a little ding from the bookstore's doorbell. Sam cupped his hands around the back of his head and heaved a huge, shaky sigh. He paced a small circle on the sidewalk without lowering his hands. I stepped past him and pulled open the passenger-side door. "Are you going to tell me what's going on? Are you just camera shy, or is it something more?" Sam came around the other side of the Bronco and got in, slamming the door shut, as if shutting Olivia and all the weirdness of the conversation out. "I'm sorry. I just — I saw one of the wolves the other day and this Jack thing just has me on edge. And Olivia — she took pictures of all of us. As wolves. And my eyes... I was afraid that Olivia knew more about me than she was saying and I just — freaked out. I know. I acted totally whacked, didn't I?" "Yeah, you did. You're lucky that she was acting more whacked than you. I hope she calls later." Unease crept through me. Sam touched my arm. "Do you want to go someplace to eat or just head home?" I groaned and put my forehead into my hand. "Let's just go home. Man. I feel so weird, not finding out what she was talking about." Sam didn't say anything, but it was all right. I was going over and over what Olivia had said, trying to figure out why the conversation seemed so awkward. Trying to figure out what wasn't being said. I should've said more to her after she told me that she was sorry. But what else was there to say? We traveled along in silence back toward the house, until I realized how intensely selfish I was being. "I'm sorry, I'm ruining our date." I reached over and took Sam's free hand; he squeezed his fingers around mine. "First I bawled — which I never do, for the record — and now I'm totally distracted by Olivia." "Shut up," Sam said pleasantly. "We've got plenty of day left. And it's nice to see you... emote... for once. Instead of being so damn stoic." I smiled at the thought. "Stoic? I like it." "Figured you would. But it was nice to not be the wishy-washy one for once." I burst out laughing. "Those aren't the words I'd use to describe you." "You don't think of me as a delicate flower in comparison to you?" When I laughed again, he pressed, "Okay, what words would you use, then?" I leaned back in the seat, thinking, as Sam looked at me doubtfully. He was right to look doubtful. My head didn't work with words very well — at least not in this abstract, descriptive sort of way. "Sensitive," I tried. Sam translated: "Squishy." "Creative." "Dangerously emo." "Thoughtful." "Feng shui." I laughed so hard I snorted. "How do you get feng shui out of 'thoughtful'?" "You know, because in feng shui, you arrange furniture and plants and stuff in thoughtful ways." Sam shrugged. "To make you calm. Zenlike. Or something. I'm not one hundred percent sure how it all works, besides the thoughtful part." I playfully punched his arm and looked out the window as we got closer to home. We were driving through a stand of oak trees on the way to my parents' house. Dull orange-brown leaves, dry and dead, clung to the branches and fluttered in the wind, waiting for the gust of wind that would knock them to the ground. That was what Sam was: transient. A summer leaf clinging to a frozen branch for as long as possible. "You're beautiful and sad," I said finally, not looking at him when I did. "Just like your eyes. You're like a song that I heard when I was a little kid but forgot I knew until I heard it again." For a long moment there was only the whirring sound of the tires on the road, and then Sam said softly, "Thank you." We went home and slept on my bed all afternoon, our jean-covered legs tangled together and my face buried in his neck, the radio murmuring in the background. Around dinnertime, we wandered out to the kitchen to find food. As Sam carefully assembled sandwiches, I tried calling Olivia. John answered. "Sorry, Grace. She's out. Do you want me to tell her anything, or just to call you?" "Just have her call me," I said, somehow feeling like I'd let Olivia down. I hung up the phone and ran a finger along the counter absently. I kept thinking about what she had said: Stupid thing to argue about. "Did you notice," I asked Sam, "when we came in, that it smelled out front? By the front step?" Sam handed me a sandwich. "Yeah." "Like pee," I said. "Like wolf pee." Sam's voice sounded unhappy. "Yeah." "Who do you think it was?" "I don't think," Sam said. "I know. It's Shelby. I can smell her. She peed on the deck again, too. I smelled it when I was out there yesterday." I remembered her eyes, looking at mine through my bedroom window, and made a face. "Why is she doing this?" Sam shook his head, and he sounded uncertain when he said, "I just hope it's about me and not about you. I hope she's just following me." His eyes slid toward the front hallway; distantly, I heard a car coming down the road. "I think that's your mom. I'm going to vanish." I frowned after him as he retreated into my room with his sandwich, the door closing softly behind him, leaving all the questions and doubts about Shelby out here with me. Out front, the car's tires rolled into the driveway. I got my backpack and settled down so that by the time Mom came in, I was sitting at the kitchen table staring at a problem set. Mom whirled in and tossed a pile of papers on the kitchen counter, dragging a rush of cold air in with her. I winced, hoping Sam was impervious behind my bedroom door. Her keys jangled as they slid onto the floor. She picked them up, swearing lightly, and threw them back onto the papers. "Have you eaten yet? I'm feeling snacky. We did paintball on the outing! I mean, his work paid for it." I frowned at her. Half of my brain was still thinking about Shelby, lurking around the house, watching Sam, or watching me. Or watching us together. "What, for group bonding, I guess?" Mom didn't answer. She opened the fridge and asked, "Do we have anything I can eat while I watch TV? God! What is this?" "It's a pork loin, Mom. It's for the slow cooker tomorrow." She shuddered and closed the fridge. "It looks like a giant, chilled slug. Do you want to watch a movie with me?" I looked past her toward the hall, looking for Dad, but the hall was empty. "Where's Dad?" "He went out for wings with the new guys from work. You act like I'd only ask you because he's not here." Mom banged around the kitchen, pouring herself granola and leaving the box open on the counter before retreating toward the sofa. Once upon a time, I would've leaped at the rare opportunity of curling up with Mom on the couch. But now, it sort of felt like too little, too late. I had someone else waiting for me. "I'm feeling a little off," I told Mom. "I think I'd rather just go to sleep early." I hadn't realized that I'd wanted her face to fall until it didn't. She just jumped onto the couch and grabbed the remote control. As I turned to go, she said, "By the way, don't leave trash bags on the back deck, okay? Animals are getting into it." "Yeah," I said. I had a feeling I knew which animal in particular. I left her watching the movie on the couch, swept up my homework, and carried it all to my room. Opening my bedroom door, I found Sam curled on my bed, reading a novel by the light of my bedside lamp, looking like he belonged there. I knew he must've heard me enter, but he didn't glance up from his book for a moment, finishing his chapter. I loved looking at the shape his body made while he read, from the curved slope of his neck bent over the pages to the long forms of his sock feet. Finally, he stuck his finger in the book and closed it, smiling up at me, his eyebrows tipped together in their permanently mournful way. He reached out an arm as an invitation, and I dumped my textbooks at the end of the bed and joined him. He held his novel with one hand and stroked my hair with the other, and together we read the last three chapters. It was a strange book where everyone had been taken from Earth except for the main character and his lover, and they had to choose whether to make their ultimate mission finding the ones who had been taken or having Earth all to themselves and repopulating at their leisure. When we were done, Sam rolled onto his back and stared at the ceiling. I drew slow circles on his flat stomach with my fingers. "Which would you choose?" he asked. In the book, the characters had searched for the others, only to get separated and end up alone. For some reason, Sam's question made my heart beat a little faster, and I gripped a handful of his T-shirt in my fist. "Duh," I said. Sam's lips curled up. It wasn't until later that I realized that Olivia hadn't returned my call. When I called her house, her mother told me she was still out. A little voice inside me said Out where? Where is there to be out in Mercy Falls? That night when I fell asleep, I dreamed of Shelby's face in my window and Jack's eyes in the woods. That night, for the first time in a long time, I dreamed of Mr. Dario's dogs. I woke, sweaty and shuddering, the taste of blood in my mouth. I rolled away from Grace, feeling like my pounding heart would wake her, and licked my bloody lips. I'd bitten my tongue. It was so easy to forget the primitive violence of my world when I was human, safe in Grace's bed. It was easy to see us as she must see us: ghosts in the woods, silent, magical. And if we were only wolves, maybe she would be right. Real wolves wouldn't be a threat. But these weren't real wolves. The dream whispered that I was ignoring the signs. The ones that said I was bringing the violence of my world to Grace's. Wolves at her school, her friend's house, and now hers. Wolves that hid human hearts within their pelts. Lying there in Grace's bed in the dark room, I strained my ears, listening. I thought I could hear toenails on the deck, and imagined I could smell Shelby's scent even through the window. I knew she wanted me — wanted what I stood for. I was the favorite of Beck, the human pack leader, and also of Paul, the wolf pack leader, and the logical successor to both. In our little world, I had a lot of power. And, oh, Shelby wanted power. Dario's dogs proved that. When I was thirteen and living in Beck's house, our nearest neighbor (some seventy-five acres away) moved out and sold his gigantic house to a wealthy eccentric by the name of Mr. Dario. Personally, I didn't find Mr. Dario himself very impressive. He had a peculiar smell that suggested he'd died and then been preserved. He spent most of the time we were in his house explaining the complicated alarm device he'd installed to protect his antiques business ("He means drugs," Beck told me later) and waxing poetic about the guard dogs he turned out of his house while he was gone. Then he showed them to us. They were gargoyles come to life, snarling masks of froth and wrinkled, pale skin. A South American breed meant to guard cattle, Mr. Dario said. He looked pleased when he explained that they would rip a man's face off and eat it. Beck's expression was dubious as he said he hoped Mr. Dario didn't let them off the property. Pointing to collars with metallic prongs on the inside ("Shocks the hell out of the dogs," Beck said later, and made a jiggling motion to indicate voltage), Mr. Dario assured us that the only people getting their faces ripped off would be the ones sneaking onto the property at night to steal his antiques. He showed us the power box that controlled the dogs' shock collars and kept them near the house; it was covered with a powdery black paint that left dark smudges on his hands. Nobody else seemed to think about those dogs, but I was obsessed with them. All I could think about was them getting loose and tearing Beck or Paul to pieces, ripping one of their faces off and eating it. For weeks, I was preoccupied with the idea of the dogs, and in the heat of summer, I found Beck in the kitchen, in shorts and a T-shirt, basting ribs for the barbecue. "Beck?" He didn't look up from his careful painting. "What do you need, Sam?" "Would you show me how to kill Mr. Dario's dogs?" Beck spun to face me, and I added, "If I had to?" "You won't have to." I hated to beg, but I did it, anyway. "Please?" Beck winced. "You don't have the stomach for that sort of work." It was true — as a human, I had an agonizing sensitivity to the sight of blood. "Please?" Beck made a face and told me no, but the next day, he brought home half a dozen raw chickens and taught me how to find the weak part of the joints and break them. When I didn't pass out at the sight of snapping chickens, he brought red meat that oozed blood and made my jaw slack with nausea. The bones were hard, cold, unforgiving under my hands, impossible to break without finding the joint. "Tired of this yet?" Beck asked after a few days. I shook my head; the dogs haunted my dreams and ran through the songs that I wrote. So we kept on. Beck found home videos of dog-fights; together we watched the dogs tear each other apart. I kept a hand pressed over my mouth, my stomach churning at the sight of gore, and watched how some dogs went for the jugular and some went for the front legs, snapping them and rendering their opponents powerless. Beck pointed out one particularly unequal fight, a huge pit bull and a little mixed terrier. "Look at the little dog. That would be you. When you're human, you're stronger than most people, but you're still not going to be as strong as one of Dario's dogs. Look how the little one fights. He weakens the big dog. Then suffocates him." I watched the little terrier kill the bigger dog. And then Beck and I went outside and fought — big dog, little dog. Summer vanished. We began to change, one by one, the oldest and most careless of us first. Soon there was just a handful of humans left: Beck, out of stubbornness, Ulrik, from sheer cunning, Shelby, to be closer to Beck and me. Me, because I was young and not yet fragile. I will never forget the sounds of a dogfight. Someone who hasn't heard it can't imagine the sort of primal savagery of two dogs bent on destroying each other. Even as a wolf, I never came across that sort of struggle — pack members fought for dominance, not to kill. I was in the woods; Beck had told me not to leave the house, so of course I was out walking in the evening. I had half an idea that I was going to write a song in the exact moment between day and night, and I had just seized a scrap of a lyric when I heard the dogfight. The sound was close, here in the woods, not near Mr. Dario's, but I knew it couldn't be wolves. I recognized that rippling snarl immediately. And then they came into sight. Two giant white ghosts of dogs in the dim evening: Dario's monsters. With them, a black wolf, struggling, bleeding, rolling in the underbrush. The wolf, Paul, was doing everything pack behavior dictated — ears back, tail down, half-turned head — everything he did screamed submission. But the dogs knew no pack behavior; all they knew was attack. And so they began to pull Paul to shreds. "Hey!" I shouted, my voice not as strong as I'd expected. I tried again, and this time it was halfway to a growl, "Hey!" One of the dogs broke off and rushed me; I spun and rolled, my eyes on the other white demon, its teeth clasped on the black wolf's throat. Paul was gasping for breath, and the side of his face was soaked with crimson. I threw myself against the dog that held him, and the three of us crashed to the ground. The monster was heavy, blood-streaked, and all muscle. I grabbed for its throat with a pitifully weak human hand and missed. Dead weight hit my back and I felt hot drool on my neck. I twisted just in time to avoid a killing bite from one dog and got the other's teeth in my shoulder instead. I felt bone grate against bone — the sick, fiery sensation of the dog's tooth sliding up against my collarbone. "Beck!" I yelled. It was maddeningly hard to think through the pain and with Paul dying in front of me. Still, I remembered that little terrier — fast, deadly, brutal. I snaked a hand forward to the dog that had the murder grip on Paul's neck. I grabbed the front leg, found the joint, and I didn't think about the blood. I didn't think about the sound it was going to make. I didn't think about anything but the mechanical action of snap. The dog's eyes rolled. It whistled through its nose but didn't release its grip. My survival instinct was screaming at me to get the other animal off me; it was shaking and grinding my shoulder in jaws that felt iron-heavy and fire-hot. I imagined I could feel my bones wrenching free from their proper positions. I imagined my arm was being torn from its socket. But Paul couldn't wait. I couldn't feel my right arm very well, but with my left I grabbed a handful of dog throat in my hand and twisted, tightened, suffocated, until I heard the monster gasping. I was that little terrier. The dog was tireless in its grip on Paul's neck, but I was equally tireless in mine. Reaching up from under the other dog that was grinding my shoulder down, I flopped my dead right hand over the first dog's nose and pressed its nostrils closed. I didn't think of anything — my mind was far away, in the house, someplace warm, listening to music, reading a poem, anywhere but here, killing. For a terrible minute nothing happened. Sparks flashed before my eyes. Then the dog flopped to the ground, and Paul fell out of its grip. There was blood every where — mine, Paul's, the dog's. "Don't let go!" It was Beck's voice, and now I heard the dull crash of footsteps in the woods. "Don't let go — he's not dead yet!" I couldn't feel my hands anymore — couldn't feel anything anymore — but I thought I was still clutching the dog's neck, the one that had been biting Paul. And then I felt the teeth in my shoulder jerk as the dog gripping my neck lurched. A wolf, Ulrik, was snarling, going for its neck, dragging it off me. There was a pop, and I realized it was a gun. Another pop again, much closer, and a jerk beneath my fingers. Ulrik backed away from us, breathing hard, and then there was so much silence that my ears rang. Beck gently peeled my hands off the dead dog's throat and pressed them against my shoulder instead. The blood flow slowed; immediately I started to feel better as my incredible, messed-up body started to heal itself. Beck knelt in front of me. He was shaking with the cold, his skin gray, the bend of his shoulders wrong. "You had it right, didn't you? You saved him. Those poor damn chickens didn't go to waste." Behind him, Shelby stood silently, arms crossed, watching Paul gasping in the dry, dead leaves. Watching me and Beck with our heads together. Her hands were fists, and one of them had a black, powdery smear on it. Now, in the soft darkness of Grace's room, I rolled over and pressed my face into her shoulder. Strange that my most violent moments had been as a human, not as a wolf. Outside, I heard the distinct scratching of toenails on the deck. I closed my eyes and tried to concentrate on the sound of Grace's beating heart. The taste of blood in my mouth reminded me of winter. I knew Shelby had let those dogs out. She wanted me at the top, with her beside me, and Paul was in my way. And now Grace was in hers. Days blurred into a collage of common images: cool walks across the school parking lot, Olivia's empty seat in class, Sam's breath in my ear, pawprints in our yard's frosted blades of grass. By the time the weekend arrived, I felt breathless with waiting, although I wasn't sure what I was waiting for. Sam had tossed and turned the night before, plagued by a nightmare, and he looked so terrible on Saturday morning that instead of making any plans to go out, I just parked him on the couch after my parents had gone to brunch at a friend's house. I lay in the curve of Sam's arm as he flipped between various bad made-for-TV movies. We settled on a sci-fi thriller that had probably cost less to produce than the Bronco. Rubbery tentacles were every where when Sam finally said something. "Does it bother you? That your parents are the way they are?" I nuzzled my face into his armpit. It smelled very Sam in there. "Let's not talk about them." "Let's do talk about them." "Oh, why? What's there to tell? It's fine. They're fine. They're the way they are." Sam's fingers gently found my chin and lifted my face up. "Grace, it's not fine. I've been here for — how many weeks now? I don't even know. But I know how it is, and it's not fine." "They are who they are. I never knew anybody's parents were any different until I started school. Until I started reading. But seriously, Sam, it's okay." My skin felt hot. I pulled my chin away from his hand and looked at the screen, where a compact car was drowning in slime. "Grace," Sam said softly. He was sitting so still, as if, for once, I was the wild animal that might vanish if he moved a muscle. "You don't have to pretend around me." I watched the car crumble into pieces, along with the driver and the passenger. It was hard to tell what was going on with the sound turned down, but it looked like the pieces were reforming into tentacles. There was a guy walking a dog in the background, and he didn't even seem to notice. How could he not notice? I didn't look at Sam, but I knew he was watching me, not the television. I didn't know what he thought I was going to say. I had nothing to say. This was not a problem. It was a way of life. The tentacles on the screen began to drag along the ground, looking for the original tentacled monster so that they could reattach themselves. There was no way they would be able to; the original alien was on fire in Washington, DC, melting around a model of the Washington Monument. The new tentacles were just going to have to torment the world on their own. "Why can't I make them love me any more than they do?" Did I say that? It didn't sound like my voice. Sam's fingers brushed my cheek, but there weren't any tears. I was nowhere close to tears. "Grace, they love you. It's not about you. It's their problem." "I've tried so hard. I never get into trouble. I always do my homework. I cook their damn meals, when they're home, which is never —" Definitely not my voice. I didn't swear. "And I nearly got killed, twice, but that didn't change anything. It's not like I want them to jump all over me. I just want, one day, just want —" I couldn't finish the sentence, because I didn't know how it ended. Sam dragged me into his arms. "Oh, Grace, I'm sorry. I didn't mean to make you cry." "I'm not crying." He wiped my cheeks with his thumb, carefully, and showed me the tear trapped on his fingertip. Feeling foolish, I let him ball me up in his lap and tuck me under his chin. I had my own voice back again, here in the muffled shelter of his arms. "Maybe I'm too good. If I got into trouble at school or burned down people's garages, they'd have to notice me." "You're not like that. You know you're not," he said. "They're just silly, selfish people, that's all. I'm sorry I asked, okay? Let's just watch this dumb movie." I laid my cheek against his chest and listened to the thump-thump of his heart. It sounded so normal, just a regular human heart. He'd been human long enough now that I almost couldn't detect the faint odor of the woods on him or remember what it felt like to bury my fingers in his ruff. Sam turned up the volume on the aliens and we sat like that, one creature in two bodies, for a long time, until I forgot what I'd been upset about and I was myself again. "I wish I had what you have," I said. "What do I have?" "Your pack. Beck. Ulrik. When you talk about them, I can see how important they are to you," I said. "They made you this person." I pushed a finger into his chest. "They're wonderful, so you're wonderful." Sam closed his eyes. "I don't know about that." He opened them again. "Anyway, your parents made you who you are, too. Do you think you'd be so independent if they were around more? At least you're someone when they're not around. I feel like I'm not who I was before. Because so much of being me is being with Beck and Ulrik and the others." I heard a car pull into the driveway and straightened up. I knew Sam had heard it, too. "Time to vanish," he said. But I held on to his arm. "I'm tired of sneaking around. I think it's time for you to meet them." He didn't argue, but he threw a worried glance in the direction of the front door. "And now we come to the end," he said. "Don't be melodramatic. They won't kill you." He looked at me. Heat flushed my cheeks. "Sam, I didn't mean it like — God. I'm sorry." I wanted to look away from his face, but I couldn't seem to, like watching a car crash. I kept waiting for the collision, but his expression never changed. It was as if there was a little disconnect between the memories of Sam's parents and his emotions, a slight misfire that mercifully kept him whole. Sam rescued me by changing the subject, which was incredibly generous. "Should I play the friendly boyfriend or are we just friends?" "Boyfriend. I'm not pretending." Sam edged two inches away from me and pulled his arm from behind my head, resting it on the back of the couch behind me instead. To the wall, he said, "Hello, Grace's parents. I'm Grace's boyfriend. Please notice the chaste distance between us. I am very responsible and have never had my tongue in your daughter's mouth." The door cracked open and both of us jumped with matching nervous laughs. "Is that you, Grace?" Mom's voice called lightly from the hallway. "Or are you a burglar?" "Burglar," I called back. "I'm going to wet myself," Sam whispered in my ear. "Are you sure that's you, Grace?" Mom sounded suspicious; she wasn't used to me laughing. "Is Rachel here?" Dad came first into the living room doorway and stopped, immediately spotting Sam. In a barely perceptible movement, Sam turned his head just enough that the light didn't catch his yellow eyes, an automatic gesture that made me realize for the first time that Sam had been an oddity even before he'd been a wolf. Dad's eyes were on Sam, just looking. Sam was looking back, tense but not terrified. Would he be sitting so calmly if he knew that Dad had been one of the hunting party in the woods? I was suddenly ashamed of my father, just another human that the wolves had to fear; I was glad I hadn't said anything to Sam. My voice was tight. "Dad, this is Sam. Sam, this is Dad." Dad looked at him for a split second more, and then smiled widely. "Please tell me you're a boyfriend." Sam's eyes became perfectly round and I let out a big breath. "Yes, he's a boyfriend, Dad." "Well, that's nice. I was beginning to think you didn't do that kind of thing." "Dad." "What's going on in there?" Mom's voice was distant. She was already in the kitchen, rummaging in the fridge. The food at the brunch must've been bad. "Who's Sam?" "My boyfriend." With Mom's presence came an ever-present cloud of turpentine vapors; she had paint smeared on her lower arms. Knowing Mom, I guessed she'd intentionally left herself that way when she went out. She looked from me to Sam and back to me again, her expression quizzical. "Mom, this is Sam. Sam, Mom." I smelled emotions rolling off both of them, though I couldn't tell which ones, exactly. Mom was staring at Sam's eyes, just staring and staring, and Sam seemed fixed in place. I punched his arm. "Nice to meet you," he said, voice automatic. "Mom," I hissed. "Mom. Earth to Mom." To her credit, she looked slightly abashed when she snapped out of it. She said to Sam, apologetic, "Your face looks very familiar." Yeah. Right. As if even an infant couldn't tell it was a transparent excuse for staring at his eyes. "I used to work at the bookstore downtown?" Sam's voice was hopeful. Mom wagged a finger at him. "I'll bet that's it." She beamed at Sam then, used her hundred-watt smile, erasing any social atrocity she may have just committed. "Well, it's nice to meet you. I'm going to go upstairs and work for a while." She displayed her painted arms, indicating what she meant by "work," and I felt a brief flash of irritation toward her. I knew her serial flirtation was just habitual, a knee-jerk reaction to any unfamiliar guy who had reached puberty, but still. Grow up. Sam surprised me by saying, "I'd like to see the studio, while I'm here, if you don't mind. Grace told me a little bit about your art and I'd love to see it." This was partially true. I'd told him about a particularly nauseating show of hers I'd gone to where all of the paintings were named after types of clouds but were portraits of women in bathing suits. "Meaningful" art sailed over my head. I didn't get it. I didn't want to get it. Mom smiled in a plastic sort of way. She probably thought Sam's understanding of meaningful art was similar to mine. I looked at Sam dubiously. This sort of sucking up seemed unlike him. After Mom had vanished upstairs and Dad had vanished into his study, I demanded, "Are you a sucker for punishment?" Sam unmuted the television in time for a woman to be eaten by something with tentacles. All that was left after the attack was a fake-looking severed arm lying on the sidewalk. "I just think I need to make her like me." "The only person in this house who has to like you is me. Don't worry about them." Sam picked up a sofa cushion and hugged it to himself, pressing his face into it. His voice was muffled. "She might have to put up with me for a long time, you know?" "How long?" His smile was amazingly sweet. "The longest." "Forever?" Sam's lips smiled, but above his grin, his yellow eyes turned sad, as if he knew it was a lie. "Longer." I closed the distance between us and settled into the crook of his arm, and we went back to watching the tentacled alien slowly creep through the sewer system of an unsuspecting town. Sam's eyes flickered around the screen, as if he was actually watching the futile intergalactic battle, but I sat there and tried to figure out why Sam had to change and I didn't. After the sci-fi flick ended (the world was saved, but civilian casualties were high), I sat with Grace at the little breakfast table near the door to the deck and watched her do her homework for a while. I was unimaginably tired — the colder weather gnawed at me like an ache, even when it couldn't get a tight enough grip to change me — and I would've liked to crawl into Grace's bed or onto the couch for a nap. But the wolf side of me felt restless and unable to sleep with unfamiliar people around. So to keep myself awake, I left Grace downstairs doing her homework in the dying light from the windows and went upstairs to see the studio. It was easy to find; there were only two doors in the hallway upstairs and an orange, chemical smell wafted out from one of them. The door was slightly ajar. I pushed it open and blinked. The entire room was brilliantly lit by lamps fitted with bulbs meant to mimic natural light, and the effect was a cross between a desert at noon and a Wal-Mart. The walls were hidden behind towering canvases that leaned against every available surface. Gorgeous riots of color, realistic figures in unrealistic poses, normal shapes in abnormal colors, the unexpected in ordinary places. The paintings were like falling into a dream, where everything you know is presented in an unfamiliar way. Anything's possible in this lush rabbit hole / Is it mirror or portrait you've given to me? / All of these permutations of dreams will patrol / this lovely wasteland of color I see. I stood before two larger-than-life paintings leaning against one of the walls. Both were of a man kissing a woman's neck, poses identical but colors radically different. One was shot through with reds and purples. It was bright, ugly, commercial. The other was dark, blue, lavender, hard to read. Understated and lovely. It reminded me of kissing Grace in the bookstore, how she felt in my arms, warm and real. "Which one do you like?" Her mom's voice sounded bright and approachable. I imagined it as her gallery voice. The one she used to lure viewers' wallets into sight so that she could shoot them. I tilted my head toward the blue one. "No contest." "Really?" She sounded genuinely surprised. "No one has ever said that before. That one's much more popular." She stepped into my view so that I could see that she was pointing at the red one. "I've sold hundreds of prints of it." "It's very pretty," I said kindly, and she laughed. "It's hideous. Do you know what they're called?" She pointed to the blue one, then the red one. "Love and Lust." I smiled at her. "Guess I failed my testosterone test, didn't I?" "Because you chose Love? I don't think so, but that's just me. Grace told me it was stupid of me to paint the same thing twice. She said his eyes are too close together in both of them, anyway." I grinned. "Sounds like something she would say. But she's not an artist." Her mouth twisted into a rueful shape. "No. She's very practical. I don't know where she got that from." I walked slowly to the next set of paintings — wildlife walking through clothing racks, deer perched on high-rise windows, fish peering up through storm drains. "That disappoints you." "Oh, no. No. Grace is just Grace, and you just have to take her the way she is." She hung back, letting me look, years of good sales training in subconscious practice. "And I suppose she'll have an easier time in life because she'll get a nice normal job and be good and stable." I didn't look at her when I answered. "Methinks the mom doth protest too much." I heard her sigh. "I guess everyone wants their kid to turn out like them. All Grace cares about is numbers and books and the way things work. It's hard for me to understand her." "And vice versa." "Yes. But you're an artist, aren't you? You must be." I shrugged. I had noticed a guitar case sitting close to the door of her studio, and I was itching to find chords for some of the tunes in my head. "Not with paint. I play a little guitar." There was a long pause as she watched me looking at a painting of a fox peering out from beneath a parked car, and then she said, "Do you wear contacts?" I'd been asked the question so many times that I didn't even wonder anymore at how much nerve it had taken to ask it. "Nope." "I'm having a terrible painter's block right now. I would love to do a quick study of you." She laughed. It was a very self-conscious sound. "That's why I was ogling you downstairs. I just thought it would make an amazing color study, your black hair and your eyes. You remind me of the wolves in our woods. Did Grace tell you about them?" My body stiffened. It felt too close, like she was prying, especially after the run-in with Olivia. My immediate wolfish instinct was to bolt. Tear down the stairs, rip open the door, and melt into the safety of the trees. It took me several long moments to battle the desire to run and convince myself that she couldn't possibly know, and that I was reading too much into her words. Another long moment to realize that I had been standing for too long not saying anything. "Oh — I don't mean to make it awkward for you." Her words tumbled over each other. "You don't have to sit for me. I know some people feel really self-conscious. And you probably want to be getting back downstairs to Grace." I felt obliged to make up for my rudeness. "No — no, that's okay. I mean, I do feel sort of self-conscious about it. Can I do something while you paint me? I mean, so I don't have to just sit and stare off into space?" She literally ran over to her easel. "No! Of course not. Why don't you play the guitar? Oh, this is going to be great. Thank you. You can just sit over there, under those lights." While I retrieved the guitar case, she ran across her studio several more times, getting a chair for me, adjusting the spotlights, and draping a yellow sheet to reflect golden light on one side of my face. "Do I have to try to stay still?" She waved a paintbrush at me, as if that would answer my question, then propped a new canvas against her easel and squeezed gobs of black paint onto a palette. "No, no, just play away." So I tuned the guitar, and I sat there in the golden light and played and hummed the songs under my breath, thinking of all the times I'd sat on Beck's couch and played songs for the pack, of Paul playing his guitar with me and us singing harmonies. In the background, I heard the scrape, scrape of the palette knife and the whuff of the brush on the canvas and wondered what she was doing with my face while I wasn't paying attention. "I can hear you humming," she said. "Do you sing?" I grunted, still fingerpicking idly. Her brush never ceased moving. "Are those your songs?" "Yup." "Have you written one for Grace?" I had written a thousand songs for Grace. "Yes." "I'd like to hear it." I didn't stop playing, just modulated carefully into a major key. For the first time this year, I sang out loud. It was the happiest tune I'd ever written, and the simplest. I fell for her in summer, my lovely summer girl From summer she is made, my lovely summer girl I'd love to spend a winter with my lovely summer girl But I'm never warm enough for my lovely summer girl It's summer when she smiles, I'm laughing like a child It's the summer of our lives; we'll contain it for a while She holds the heat, the breeze of summer in the circle of her hand I'd be happy with this summer if it's all we ever had. She looked at me. "I don't know what to say." She showed me her arm. "I have goose bumps." I set the guitar down, very carefully, so the strings wouldn't make any sound. Suddenly it seemed very pressing to spend my moments, so precious and numbered, with Grace. And in the moment I made that decision, there was a terrific crash from downstairs. It was so loud and so wrong that for a moment her mother and I just frowned at each other as if we couldn't believe that the sound had happened. Then there was the scream. Right after, I heard a snarl, and was out of the room before I could hear any more. I remembered Shelby's face when she asked, "Would you like to see my scars?" "From what?" I replied. "From when I was attacked. From the wolves." "No." She showed me anyway. Her belly was lumpy with scar tissue that disappeared under her bra. "It looked like hamburger after they bit me." I didn't want to know. Shelby didn't pull her shirt back down. "It must be hell when we kill something. We must be the worst way to die." A riot of sensations assaulted me as soon as I got into the living room. Viciously cold air stung my eyes and twisted my stomach. My eyes quickly found the ragged hole in the door to the back deck; partially cracked glass hung precariously in the frame and thin, pink-stained shards lay all over the floor, winking light back up at me. The chair at the breakfast nook was knocked over. It looked like someone had splattered red paint on the floor, endless erratic shapes dropped and smeared from the door to the kitchen. Then I smelled Shelby. For a moment I stood there, frozen by the absence of Grace and the frigid air and the stench of blood and wet fur. "Sam!" It had to be Grace, though her voice sounded strange and unrecognizable — someone pretending to be Grace. I scrambled, slipping in the spots of blood, gripping the doorjamb to pull myself into the kitchen. The scene was surreal in the pleasant light of the kitchen. Bloody pawprints pointed the direction to where Shelby shook and twisted, Grace pinned to the cupboards. Grace was struggling, kicking, but Shelby was massive and reeked of adrenaline. I saw a flash of pain in Grace's eyes, honest and wide, before Shelby jerked her body away. I'd seen this image before. I didn't feel the cold anymore. I saw an iron skillet sitting on the stove and grabbed it; my arm ached with the weight of it. I didn't want to hit Grace — I smashed it on Shelby's hip. Shelby snarled back at me, teeth snapping together. We didn't have to speak the same language to know what she was telling me. Stay back. An image filled my field of vision, clear, perfect, riveting: Grace lying on the kitchen floor, flopping, dying, while Shelby watched. I was paralyzed by this clarion picture dropped into my thoughts — this is how it must've felt when I showed Grace the image of the golden wood. It felt like a razor-sharp memory, a memory of Grace gasping for breath. I dropped the skillet and threw myself at Shelby. I found her muzzle where she was clamped onto Grace's arm, and I felt back to her jaw. Pressing my fingers into the tender skin, I jammed upward, into her windpipe, until Shelby yelped. Her grip loosened enough for me to push off the cabinets with my feet and roll her off Grace. We scrabbled across the floor, her nails clicking and scraping on the tile and my shoes squeaking and slipping in the blood she dripped. She snarled beneath me, furious, snapping at my face but stopping short of biting me. The image of Grace lifeless on the floor just kept going through my head. I remembered snapping chicken bones. In my mind, I could see perfectly what it would look like to kill Shelby. She jerked away from me, out of my hands, as if she'd read my thoughts. "Dad, no, watch out!" Grace shouted. A gun exploded, close by. For a brief moment, time stood still. Not really still. It sort of danced and shimmered in place, the lights flickering and dimming before reappearing. If that moment had been a real thing, it would've been a butterfly, flapping and fluttering toward the sun. Shelby fell out of my grip, deadweight, and I fell back into the cabinets behind me. She was dead. Or at least close, because she was jerking. But all I could seem to think about was how I'd made a mess of the kitchen floor. I just stared at the white squares of linoleum, my eyes following the streaky lines my shoes had made through the blood and finding the one red pawprint in the center of the kitchen that had somehow been perfectly preserved. I couldn't figure how I could smell the blood so strongly, and then I looked down at my shaking arms and saw the red smeared on my hands and over my wrists. I had to struggle to remember that it was Shelby's blood. She was dead. This was her blood. Not mine. Hers. My parents counted backward, slowly, and blood welled up from my veins. I was going to throw up. I was ice. I "We have to move him!" The girl's voice was piercingly loud in the silence. "Get him someplace warm. I'm all right. I'm all right. I just — help me move him!" Their voices tore into my head, too loud and too many. I sensed movement all around me, their bodies and my skin whirling and spinning, but deep inside me, there was a part that held completely still. Grace. I held on to that one name. If I kept that in my head, I would be okay. Grace. I was shaking, shaking; my skin was peeling away. Grace. My bones squeezed, pinched, pressed against my muscles. Grace. Her eyes held me even after I stopped feeling her fingers gripping my arms. "Sam," she said. "Don't go." "Who could do that to a child?" Mom made a face. I wasn't sure if the face was because of what I'd just told her or because of the pee and antiseptic smell of the hospital. I shrugged and wriggled uncomfortably on the hospital bed. I didn't really need to be here. The gash on my arm hadn't even needed stitches. I just wanted to see Sam. "So he's really messed up then." Mom frowned at the television above the hospital bed, though it was turned off. She didn't wait for me to respond. "Well, of course. Of course he is. He would have to be. You don't live through that without being messed up. Poor kid. He looked like he was really in pain." I hoped Mom would quit babbling about this by the time Sam was done talking to the nurse. I didn't want to think about the curve of his shoulders, the unnatural shape that his body had formed in response to the cold. And I hoped Sam would understand why I'd told Mom about his parents — her knowing about them had to be better than her knowing about the wolves. "I told you, Mom. It really bothers him to remember. Of course he freaked out when he saw the blood on his arms. It's classical conditioning, or whatever they call it. Google it." Mom squeezed her arms around herself. "If he hadn't been there, though..." "Yes, I would've died, blah blah blah. But he was there. Why is everyone more worked up about this than I am?" Many of Shelby's teeth marks had already become ugly bruises instead — though I didn't heal nearly as quickly as Sam had when he was shot. "Because you have no survival instinct, Grace. You're like a tank, you just chug along, thinking nothing can stop you, until you meet up with a bigger tank. Are you sure you want to go out with someone with that kind of history?" Mom seemed to warm to her theory. "He could have a psychotic break. I read that people get those when they're twenty-eight. He could be almost normal and then suddenly go slasher. I mean, you know I've never told you what to do with your life before now. But what if — what if I asked you to not see him?" I hadn't expected that. My voice was brittle. "I would say that by virtue of your not acting parental up to this point, you've relinquished your ability to wield any power now. Sam and I are together. It's not an option." Mom threw her hands up as if trying to stop the Grace-tank from running over her. "Okay. Fine. Just be careful, okay? Whatever. I'm going to go get a drink." And just like that, her parental energies were expended. She had played Mom by driving us to the hospital, watching the nurse tend to my wounds, and warning me off my psychotic boyfriend, and now she was done. It was obvious I was going to live, so she was off duty. A few minutes after she'd left, the door clicked open, and Sam came to the side of my bed, looking pale and tired under the greenish lights. Tired, but human. "What did they do to you?" I asked. His mouth quirked into a smile completely without humor. "Gave me a bandage for a cut that has healed since they put it on. What did you tell her?" He glanced around for Mom. "I told her about your parents and said that's what was wrong with you. She believed me. It's cool. Are you all right? Are you —" I wasn't sure what I was asking. Finally, I said, "Dad said she was dead. Shelby. I guess she couldn't heal like you did. It was too fast." Sam laid his palms on either side of my neck and kissed me. He pressed his forehead against mine so that we were staring at each other and it looked like he had only one eye. "I'm going to hell." "What?" His one eye blinked. "Because I should be feeling bad about her being dead." I pulled back so I could see his expression; it was strangely empty. I wasn't sure what to say in light of that information, but Sam saved me by taking my hands and squeezing them tightly. "I know I should be upset right now. But I just feel like I've dodged this huge missile. I didn't change, you're all right, and for the moment, she's just one less thing for me to worry about. I just feel — I feel drunk." "Mom thinks you're damaged goods," I told him. Sam kissed me again, closed his eyes for a moment, and then kissed me a third time, lightly. "I am. Do you want to run away?" I didn't know if he meant from the hospital, or from him. "Mr. Roth?" a nurse appeared in the door. "You can stay in here, but you should sit down for this." Like me, Sam had to get a series of rabies shots — standard hospital procedure for unprovoked animal attacks. It wasn't like we could tell the staff that Sam knew the animal personally and that said animal had been homicidal, not rabid. I shuffled over to make room for Sam, who sat beside me with an uneasy glance toward the syringe in the nurse's hands. "Don't look at the needle," the nurse advised as she pushed up his bloody sleeve with rubber-gloved hands. Sam looked away, to my face, but his eyes were distant and unfocused, his mind somewhere else as the nurse stuck the needle into his skin. As I watched her depress the syringe, I fantasized that it was a cure for Sam — liquid summer injected right into his veins. There was a knock on the door and another nurse stuck her face in. "Brenda, are you done?" the second nurse asked. "I think they need you in 302. There's a girl going crazy in there." "Oh, wonderful," Brenda said, with deep sarcasm. "You two are done." To me, she said, "I'll get your paperwork to your mom when I'm done." "Thanks," Sam said, and took my hand. Together we walked down the hall, and for a strange moment, it felt like the first night that we'd met, like no time at all had passed. "Wait," I said as we passed through the emergency room waiting area, and Sam let me pull him to a halt. I squinted across the busy room, but the woman I thought I'd seen was gone. "Who are you looking for?" "I thought I saw Olivia's mom." I squinted across the waiting room again, but there were only unfamiliar faces. I saw Sam's nostrils flare and his eyebrows draw a little closer to his eyes, but he didn't say anything as we made our way to the glass hospital doors. Outside, Mom had already pulled the car up to the curb, not knowing what a favor she had done for Sam. Beyond the car, tiny snowflakes swirled, the cold delicately embodied. Sam's eyes were on the trees on the other side of the parking lot, barely visible in the streetlights. I wondered if he was thinking about the deadly chill that seeped through the cracks in the door, or about Shelby's broken body that would never be human again, or if, like me, he was still thinking about that imaginary syringe full of liquid summer. My patchwork life: quiet Sunday, coffee on Grace's breath, the unfamiliar landscape of the lumpy new scar on my arm, the dangerous smell of snow in the air. Two different worlds circling each other, getting closer and closer, knotting together in ways I'd never imagined. My near-change of the day before still hung over me, the dusky memory of wolf odor caught in my hair and on the tips of my fingers. It would've been so easy to give in. Even now, twenty-four hours later, I felt like my body was still fighting it. I was so tired. I tried to lose myself in a novel, curled in a squashy leather chair, half dozing. Ever since the evening temperatures had begun to pitch sharply downward in the last few days, we'd been spending our free time in her father's largely unused study. Other than her bedroom, it was the warmest and least drafty place in the house. I liked the room. The walls were lined with dark-spined encyclopedias, too old to be useful, and stacked with dark wooden award plaques for marathon running, too old to be meaningful. The entire study was very small and brown, a rabbit hole made of dark leather, smoky-smelling wood, and manila folders: It was a place to be safe and productive. Grace sat at the desk doing homework, her hair illuminated like an old painting by a couple of dull gold desk lamps. The way she sat, head bent in stubborn concentration, held my attention in the way that my book didn't. I realized that Grace's pen hadn't moved in a long while. I asked, "What are you thinking about?" She spun the desk chair around to face me and tapped her pen on her lip; it was a charming gesture that made me want to kiss her. "Washer and dryer. I was thinking about how when I move out, I'll either have to use the laundromat or buy a washer and dryer." I just looked at her, equal parts entranced and horrified by this strange look into the workings of her mind. "That was distracting you from your homework?" "I was not distracted," Grace said stiffly. "I was giving myself a break from reading this stupid short story for English." She whirled back around and leaned back over the desk. There was quiet for several long moments; she still didn't put pen to paper. Finally, without lifting her head, she said, "Do you think there's a cure?" I closed my eyes and sighed. "Oh, Grace." Grace persisted, "Tell me, then. Is it science? Or is it magic? What you are?" "Does it matter which?" "Of course," she said, and her voice was frustrated. "Magic would be intangible. Science has cures. Haven't you ever wondered how it all started?" I didn't open my eyes. "One day a wolf bit a man and the man caught it. Magic or science, it's all the same. The only thing magical about it is that we can't explain it." Grace didn't say anything more, but I could feel her disquiet. I sat there silently, hiding behind my book, knowing that she needed words from me — words I wasn't willing to give. I wasn't sure which of us was being more selfish — her, for wanting something that no one could promise, or me, for not promising her something that was too painfully impossible to want. Before either of us could break the uneasy silence, the door to the study pushed open and her father came in, his wire frames fogged from the temperature change. He scanned the room, taking in the changes we'd made to it. The under-used guitar from her mother's studio leaning against my chair. My pile of tattered paperbacks on the side table. The neat stack of sharpened pencils on his desk. His eyes lingered on the coffeemaker Grace had brought in to satisfy her caffeine cravings; he seemed as fascinated by it as I had been. A child-sized coffeemaker. For toddlers who needed a quick pick-me-up. "We're home. Have you guys taken over my room?" "It was being neglected," Grace said, without looking up from her homework. "It was too useful to let it go to waste. And now you can't have it back." "Obviously," he observed. He looked at me, sunk into his chair. "What are you reading?" I said, "Bel Canto." "I've never heard of it. What's it about?" He squinted at the cover; I held it out so that he could see it. "Opera singers and chopping onions. And guns." To my surprise, her father's expression cleared and filled with understanding. "Sounds like something Grace's mother would read." Grace turned around in the desk chair. "Dad, what did you do with the body?" He blinked. "What?" "After you shot it. What did you do with the body?" "Oh. I put it on the deck." "And?" "And what?" Grace pushed away from the desk, exasperated. "And what did you do with it after that? I know you didn't leave it to rot on the deck." A slow, sick feeling was beginning to knot in the bottom of my stomach. "Grace, why is this such an issue? I'm sure Mom took care of it." Grace pressed her fingers into her forehead. "Dad, how can you think that Mom moved it? She was with us at the hospital!" "I didn't really think about it. I was going to call animal control to pick it up, but it was gone the next morning, so I thought one of you guys must've called them." Grace made a little strangled noise. "Dad! Mom can't even call to order pizza! How would she call animal control?" Her father shrugged and stirred his soup. "Stranger things have happened. It's not worth getting worked up about, anyway. So it was dragged off the deck by a wild animal. I don't think other animals can catch rabies from a dead animal." Grace just crossed her arms and glared at him, as if this comment was just too stupid to dignify with a response. "Don't sulk," he said, and pushed the door farther open with his shoulder to leave. "It's not becoming." Her voice was ice-cold. "I have to take care of everything myself." He smiled at her fondly, somehow reducing the value of her anger. "We'd be lost without you, obviously. Don't stay up too late." The door softly clicked shut behind him, and Grace stared at the bookshelves, the desk, the closed door. Anything but my face. I closed my novel without noting the page. "She's not dead." "Mom might've called animal control," Grace said to the desk. "Your mom didn't call animal control. Shelby's alive." "Sam. Shut up. Please. We don't know. One of the other wolves could've dragged her body off the deck. Don't jump to conclusions." She looked at me, finally, and I saw that Grace, despite her complete inability to read people, had puzzled out what Shelby was to me. My past clawing out at me, trying to steal me even before winter did. I felt like things were getting away from me. I'd found heaven and grabbed it as tightly as I could, but it was unraveling, an insubstantial thread sliding between my fingers, too fine to hold. And so I looked for them. Every day that Grace was at school, I searched for them, the two wolves I didn't trust, the ones who were supposed to be dead. Mercy Falls was small. Boundary Wood was — not as small, but more familiar, and maybe more willing to give up its secrets to me. I would find Shelby and Jack and I'd confront them on my own terms. But Shelby had left no trail off the deck, so maybe she really was gone. And Jack, too, was nowhere — a dead, cold trail. A ghost that left no corpse behind. I felt like I had combed the entire county for signs of him. I thought — vaguely hoped — that he'd died, too, and ceased to be a problem. Been hit by some Department of Transportation vehicle and scooped into a dump somewhere. But there were no tracks leading to roads, no trees marked, no scent of a new-made wolf lingering at the school parking lot. He had disappeared as completely as snow in summer. I should've been glad. Disappearing meant discreet. Disappearing meant he wasn't my problem anymore. But I just couldn't accept it. We wolves did many things: change, hide, sing underneath a pale, lonely moon — but we never disappeared entirely. Humans disappeared. Humans made monsters out of us. Sam and I were like horses on a merry-go-round. We followed the same track again and again — home, school, home, school, bookstore, home, school, home, etc. — but really, we were circling the big issue without ever getting any closer to it. The real heart of it: Winter. Cold. Loss. We didn't talk about the looming possibility, but I felt I could always sense the chill of the shadow it cast over us. I'd read a story once, in a really dire collection of Greek myths, about a man called Damocles who had a sword dangling over his throne, hung by a single hair. That was us — Sam's humanity dangling by a tight thread. On Monday, as per the merry-go-round, it was back to school as usual. Although it had only been two days since Shelby attacked me, even the bruising had disappeared. It seemed I had a little bit of the werewolf healing in me after all. I was surprised to find Olivia absent. Last year, she'd never missed a single day. I kept waiting and waiting for her to walk into one of the two classes we shared before lunch, but she didn't. I kept looking at her empty desk in class. She could've been just sick, but a part of me that I was trying to ignore said it was more. In fourth period, I slid into my usual seat behind Rachel. "Rachel, hey, have you seen Olivia?" Rachel turned to face me. "Huh?" "Olivia. Doesn't she have Science with you?" She shrugged. "I haven't heard from her since Friday. I tried calling her and her mom said she was sick. But what about you, buttercup? Where were you this weekend? You never call, you never write." "I got bitten by a raccoon," I said. "I had to get rabies shots and I took Sunday to sleep it off. To make sure I didn't start foaming at the mouth and savaging people." "Gross. Where did it bite you?" I gestured toward my jeans. "Ankle. It doesn't look like much. I'm worried about Olive, though. I haven't been able to get her on the phone." Rachel frowned and crossed her legs; she was, as ever, wearing stripes, this time, striped tights. She said, "Me, neither. Do you think she's avoiding us? Is she still mad at you?" I shook my head. "I don't think so." Rachel made a face. "We're okay, though, right? I mean, we haven't really been talking. About stuff, I mean. Stuff's been happening. But we haven't been, you know, talking. Or over at each other's houses. Or whatever." "We're okay," I said firmly. She scratched her rainbow tights and bit her lip before saying, "Do you think we should, you know, go over to her house and see if we can catch her?" I didn't answer right away, and she didn't push it. This was unfamiliar territory for both of us: We'd never had to really work to make our trio stick together. I didn't know if tracking Olivia down was the right thing or not. It seemed kind of drastic, but how long had it been since we'd seen her or talked to her, really? I said, slowly, "How about we wait until the end of the week? If we haven't heard from her by then, then we... ?" Rachel nodded, looking relieved. "Coolio." She turned back around in her seat as Mr. Rink, at the front of the classroom, cleared his throat to get our attention. He said, "Okay, you guys will probably hear this several times today from the teachers, but don't go around licking the water fountains or kissing perfect strangers, okay? Because the Health Department has reported a couple of cases of meningitis in this part of the state. And you get that from — anyone? Snot! Mucus! Kissing and licking! Don't do it!" There was appreciative hooting in the back of the classroom. "Since you can't do any of that, we'll do something almost as good. Social studies! Open up your books to page one hundred and twelve." I glanced at the doorway again for the thousandth time, hoping to see Olivia come through it, and opened my book. When classes broke for lunch, I snuck into the hall and phoned Olivia's house. It rang twelve times and went to voicemail. I didn't leave a message; if she was cutting class for a reason other than sickness, I didn't want her mother to get a message asking where she was during the school day. I was about to shut my locker when I noticed that the smallest pouch of my backpack was partially unzipped. A piece of paper jutted out with my name written on it. I unfolded it, my cheeks warming unexpectedly when I recognized Sam's messy, ropy handwriting. 'AGAIN AND AGAIN, HOWEVER, WE KNOW THE LANGUAGE OF LOVE, AND THE LITTLE CHURCHYARD WITH ITS LAMENTING NAMES AND THE STAGGERINGLY SECRET ABYSS IN WHICH OTHERS FIND THEIR END: AGAIN AND AGAIN THE TWO OF US GO OUT UNDER THE ANCIENT TREES, MAKE OUR BED AGAIN AND AGAIN BETWEEN THE FLOWERS, FACE TO FACE WITH THE SKIES.' THIS IS RILKE. I WISH I HAD WRITTEN IT FOR YOU. I didn't understand it entirely, but, thinking of Sam, I read it out loud, whispering the words to myself. In my mouth, the shapes of the words became beautiful. I felt a smile on my face, even with no one around to see it. My worries were still there, but for the moment, I floated above them, warm with the memory of Sam. I didn't want to dispel my quiet, buoyant feelings in the noisy cafeteria, so I retreated back to my next period's empty classroom and took a seat. Dropping my English text on the desk, I flattened the note on my desk to read it again. Sitting in the empty classroom and listening to the faraway sounds of noisy students in the cafeteria, I was reminded of feeling sick in class and being sent to the school nurse. The nurse's office had that same muffled sense of distance, like a satellite to the loud planet that was the school. I had spent a lot of time there after the wolves attacked me, suffering from that flu that probably hadn't really been a flu. For a measureless amount of time, I stared at the open cell phone, thinking about getting bitten. About getting sick from it. About getting better. Why was I the only one who had? "Have you changed your mind?" My chin jerked up at the sound of the voice, and I found myself facing Isabel at the desk next to mine. To my surprise, she didn't look quite as perfect as usual; she had bags under her eyes that were only partially hidden by makeup, and there was nothing to disguise her bloodshot eyes. "Excuse me?" "About Jack. About knowing anything about him." I looked at her, wary. I had heard once that lawyers never ask a question they didn't already know the answer to, and Isabel's voice was surprisingly sure. She reached a long, unnaturally tanned arm into her bag and pulled out a sheaf of paper. She tossed it on top of my poetry book. "Your friend dropped these." It took me a moment to realize that it was a stack of glossy photo paper and that these images in front of me must've been digital prints of Olivia's. My stomach flip-flopped. The first few photos were of woods, nothing particularly remarkable. Then there were the wolves. The crazy brindle wolf, half-hidden by trees. And that black wolf — had Sam told me his name? I hesitated, my fingers on the edge of the page, ready to flip to the next one. Isabel had tensed visibly next to me, preparing for me to see what was on the next sheet. I knew whatever Olivia had caught on film was going to be difficult to explain. Finally, impatient, Isabel leaned across the aisle and snatched the top few prints from the stack. "Just turn the page." It was a photo of Jack. Jack as a wolf. A close-up of his eyes in a wolf's face. And the next one was of Jack himself. As a person. Naked. The shot had a kind of raw, artistic power, almost posed-looking, the way Jack's arms curled around his body, his head turned back over his shoulder toward the camera, showing scratches on the long, pale curve of his back. I chewed my lip and looked at his face in both of them. No shot of him changing, but the similarity of the eyes was devastating. That close-up of the wolf's face — that was the money shot. And then it hit me, what these photos really meant, the true importance. Not that Isabel knew. But that Olivia did. Olivia had taken these photos, so of course she must know. But for how long, and why hadn't she told me? "Say something." Finally, I looked up from the photos to Isabel. "What do you want me to say?" Isabel made an irritated little noise. "You see the photos. He's alive. He's right there." I looked back at Jack, staring out of the woods. He looked cold in his new skin. "I don't know what you want me to say. What do you want from me?" She seemed to be struggling with herself. For a second, she looked like she might snap at me, and then she closed her eyes. She opened them and looked away, at the whiteboard. "You don't have a brother, do you? Any siblings, right?" "No. I'm an only child." Isabel shrugged. "Then I don't know how I can explain. He's my brother. I thought he was dead. But he's not. He's alive. He's right there, but I don't know where there is. I don't know what that is. But I think — I think you do. Only you won't help me." She looked at me and her eyes flashed, fierce. "What have I ever done to you?" I stumbled over the words. The truth was, Jack was her brother. It seemed like she ought to know. If only it wasn't Isabel asking. I said, "Isabel... you have to know why I'm afraid to talk to you. I know you haven't done anything to me personally. But I know people you've destroyed. Just... tell me why I should trust you." Isabel snatched back the photos and stuffed them back in her bag. "What you said. Because I've never done anything to you. Or maybe because I think whatever's wrong with Jack — I think that's what's wrong with your boyfriend, too." I was abnormally paralyzed by the thought of the photos that I hadn't seen in that stack. Was Sam in there? Maybe Olivia had known about the wolves for longer than I had — I tried to replay exactly what Olivia had said during our argument, trying to remember any double meaning. Isabel was staring at me, waiting for me to say something, and I didn't know what to say. Finally, I snapped, "Okay, stop staring at me. Let me think." The classroom door thumped as students began strolling in for class. I ripped a page out of my notebook and jotted my phone number on it. "That's my cell. Call me after school sometime and we'll figure out someplace to meet. I guess." Isabel took the number. I expected to see satisfaction on her face, but to my surprise, she looked as sick as I felt. The wolves were a secret no one wanted to share. "We have a problem." Sam turned in the driver's seat to look at me. "Aren't you supposed to still be in class?" "I got out early." Last class was Art. Nobody was going to miss me and my hideous clay-and-wire sculpture, anyway. "Isabel knows." Sam blinked, slowly. "Who's Isabel?" "Jack's sister, remember?" I turned down the heat — Sam had it set to hell — and shoved my backpack down by my feet. I explained the confrontation to him, leaving out how creepy the Jack-human photo was. "I have no idea what the other photos were." Sam immediately bypassed the Isabel question. "They were Olivia's photos?" "Yeah." Worry was written all over his face. "I wonder if this has something to do with the way Olivia was at the bookstore. With me." When I didn't answer, he looked at the steering wheel, or at something just past it. "If she knew what we were, it makes her entire eye comment very logical. She was trying to get us to confess." I said, "Yeah, actually. That would make a lot of sense." He sighed heavily. "Suddenly I'm thinking about what Rachel said. About the wolf that was at Olivia's house." I closed my eyes and opened them again, still seeing the image of Jack with his arms wrapped around himself. "Ugh. I don't want to think about that. What about Isabel? I can't really avoid her. And I can't keep lying; I just look like an idiot." Sam half smiled at me. "Well, I would ask you what sort of person she is and what you thought we ought to do —" "— but I suck at reading people," I finished for him. "You said it, not me. Just remember that." "Okay, so what do we do? Why do I feel like I'm the only one in panic mode here? You're completely... calm." Sam shrugged. "Total lack of preparedness for such a thing, probably. I don't think I know what to plan for without meeting her. If I had talked to her when she had the photos, maybe I'd be worried, but right now, I can't think of it concretely. I don't know, Isabel sounds like a pleasant sort of name." I laughed. "Barking up the wrong tree there." He made a melodramatic face, and the twisted rueful agony in it was so overdone that it made me feel better. "Is she awful?" "I used to think so. Now?" I shrugged. "Jury's still out. So what do we do?" "I think we have to meet her." "Both of us? Where?" "Yes, both. This isn't just your problem. I dunno. Someplace quiet. Someplace I can get a feel for her before we decide what to tell her." He frowned. "She wouldn't be the first family member to find out." I knew from his frown that he couldn't be talking about his parents — his expression wouldn't have changed if he had. "She wouldn't?" "Beck's wife knew." "Past tense?" "Breast cancer. It was long before me. I never knew her. I only found out about her from Paul, and by accident then. Beck didn't want me to know about her. I guess because most people don't do well with us, and he didn't want me thinking I could just go out and get me a nice little wife of my own, or something." It seemed unfair, that two such tragedies should strike a couple. I realized, too late to comment on it, that I'd almost missed the unfamiliar bitterness in his voice. I thought about saying something, asking him about Beck, but the moment was gone, lost in noise as Sam turned up the radio and hit the accelerator. He backed the Bronco out of the parking space, his forehead furrowed with thought. "To heck with the rules," Sam said. "I want to meet her." The first words I ever heard Isabel say were: "Can I ask why the hell we're making quiche instead of talking about my brother?" She had just climbed out of a massive white SUV that basically took over the Brisbanes' entire driveway. My first impression of her was tall — probably because of the five-inch heels on the ass-kicking boots she wore — followed by ringlets — because her head had more of them than a porcelain doll. "No," Grace said, and I loved her because of the way she said it, no negotiation allowed. Isabel made a noise that, if converted into a missile, had enough vitriol to obliterate a small country. "So can I ask who he is?" I glanced at her in time to see her checking out my butt. She looked away quickly as I echoed, "No." Grace led us into the house. Turning to Isabel in the front hallway, she said, "Don't ask any questions about Jack. My mom's home." "Is that you, Grace?" Grace's mom called from upstairs. "Yes! We're making quiche!" Grace hung up her coat and motioned for us to do the same. "I brought some stuff back from the studio, just shove it out of your way!" her mom shouted back. Isabel wrinkled her nose and kept her fur-lined jacket on, stuffing her hands in the pockets and standing back while Grace shoved boxes toward the walls of the room to clear a path through the clutter. Isabel looked profoundly out of place in the comfortably crowded kitchen. I couldn't decide whether her perfect artificial ringlets made the not-quite-white linoleum floor look more pathetic or whether the old cracked floor made her hair look more perfect and fake. Until now, I hadn't ever seen the kitchen as shabby. Isabel shuffled back even farther as Grace shoved up her sleeves and washed her hands at the sink. "Sam, turn on that radio and find something good, will you?" I found a little boom box on the counter amongst some tins of salt and sugar and turned it on. "God, we really are going to make quiche," Isabel moaned. "I thought it was code for something else." I grinned at her and she caught my eye and made an anguished face. But her expression was too much — I didn't believe her angst entirely. Something in her eyes made me think she was at least curious about the situation. And the situation was this: I wasn't going to confide in Isabel until I was damn certain what kind of person she was. Grace's mom came in then, smelling of orange-scented turps. "Hi, Sam. You're making quiche, too?" "Trying," I said earnestly. She laughed. "How fun. Who's this?" "Isabel," Grace said. "Mom, do you know where that green cookbook is? I had it right here forever. It's got the quiche recipe in it." Her mom shrugged helplessly and knelt by one of the boxes on the floor. "It must've walked off. What in the world is on the radio? Sam, you can make it do something better than that." While Grace fumbled through some cookbooks tucked away on a corner of the counter, I clicked through the radio stations until Grace's mom said, "Stop right there!" when I got to some rather funky-sounding pop station. She stood, holding a box. "I think my work here is done. Have fun, kids. I'll be back... sometime." Grace barely seemed to notice her leaving. She gestured at me. "Isabel, eggs and cheese and milk are in the fridge. Sam, we need to make plain old piecrusts. Would you preheat the oven to four-fifty and get us some pans?" Isabel was staring inside the fridge. "There's, like, eight thousand kinds of cheese in here. It all looks the same to me." "You do the oven, let Sam get the cheese and stuff. He knows food," Grace said. She was standing on her tiptoes to get flour out of an overhead cupboard; it stretched her body gorgeously and made me want in the worst way to touch the bare skin exposed on her lower back. But then she heaved the flour down and I'd missed my chance, so I traded places with Isabel, grabbed some sharp cheddar and eggs and milk, and threw it all on the counter. Grace was already involved with cutting shortening and flour in a bowl by the time I'd finished cracking eggs and whisking in some mayonnaise. The kitchen was suddenly full of activity, as if we were legion. "What the hell is this?" Isabel demanded, staring at a package Grace had handed her. Grace snorted with laughter. "It's a mushroom." "It looks like it came out of a cow's rear end." "I'd like that cow," Grace said, leaning past Isabel to slap some butter into a saucepan. "Its butt would be worth a million. Sauté those in there for a few minutes till they're nice and yummy." "How long?" "Till they're yummy," I repeated. "You heard the boy," Grace said. She reached out a hand. "Pan!" "Help her," I told Isabel. "I'll take care of yummy, since you can't." "I'm already yummy," muttered Isabel. She handed two pans to Grace, and Grace deftly unfolded the pie pastry — magic — into the bottom of each. She began to show Isabel how to crimp the edges. The entire process seemed very well-worn; I got the idea that Grace could've done this whole thing a lot faster without me and Isabel in her way. Isabel caught me smiling at the sight of the two of them crimping piecrusts. "What are you smiling at? Look at your mushrooms!" I rescued the mushrooms in time and added the spinach that Grace pushed into my hands. "My mascara." Isabel's voice rose above the increasing clamor, and I looked to see her and Grace laughing and crying while cutting onions. Then the little onions' powerful odor hit my nose and burned my eyes, too. I offered my sauté pan to them. "Throw them in here. It'll kill it a bit." Isabel scraped them off a cutting board into the pan and Grace slapped my butt with a flour-covered hand. I craned my neck, trying to see if she'd left a print, while Grace rubbed her hand in leftover flour to get better coverage and tried again. "This is my song!" Grace suddenly announced. "Turn it up! Turn it up!" It was Mariah Carey in the worst possible way, but it was so right at the moment. I turned it up until the little speakers buzzed against the tins next to them. I grabbed Grace's hand and tugged her over to me and we started to dance like we were cool, terribly clumsy and unbearably sexy, her grinding up against me, hands in the air, my arms around her waist, too low to be chaste. I thought to myself, A life is measured by moments like these. Grace leaned her head back, neck long and pale against my shoulder, to reach my mouth for a kiss, and just before I gave her one, I saw Isabel's wistful eyes watch my mouth touch Grace's. "Tell me how long to set the timer for," Isabel said, catching my eye and looking away. "And then maybe we can talk... ?" Grace was still leaning back against me, secure in my arms, covered in flour and so entirely edible that I ached with wanting to be alone with her, here, now. She gestured lazily toward the open cookbook on the counter, drunk with my presence. Isabel consulted the recipe and set the timer. There was a moment's silence when we realized we were done, and then I took a breath and faced Isabel. "Okay, I'll tell you what's wrong with Jack." Isabel and Grace both looked startled. "Let's go sit down," Grace suggested, removing herself from my arms. "Living room's that way. I'll get coffee." So Isabel and I made our way into the living room. Like the kitchen, it was cluttered in a way I hadn't noticed until Isabel was in it. She had to move a pile of unfolded laundry to sit on the sofa. I didn't want to sit next to her, so I sat on the rocker across from her. Looking at me out of the corner of her eye, Isabel asked, "Why aren't you like Jack? Why aren't you changing back and forth?" I didn't flinch; if Grace hadn't warned me of how much Isabel had guessed, I probably would have. "I've been this way longer. You get more stable the longer it's been. At first you just switch back and forth all the time. Temperature has a little bit to do with it, but not as much as later." She immediately fired another one off: "Did you do this to Jack?" I let the revulsion show on my face. "I don't know who did it. There are quite a few of us and not all of us are nice people." I didn't say anything about his BB gun. "Why is he so angry?" I shrugged. "I dunno. Because he's an angry person?" Isabel's expression became... pointy. "Look, getting bitten doesn't make you into a monster. It just makes you into a wolf. You are what you are. When you're a wolf, or when you're shifting, you don't have human inhibitions, so if you're naturally angry or violent, you get worse." Grace walked in, precariously carrying three mugs of coffee. Isabel took one with a beaver on the side and I took one with a bank name on it. Grace joined Isabel on the sofa. Isabel closed her eyes for a second. "Okay. So let me get this straight. My brother wasn't really killed by wolves. He was just mauled by them and then turned into a werewolf? Sorry, I'm missing the whole undead thing. And isn't there supposed to be something about moons and silver bullets and a bunch of crap like that?" "He healed himself, but it took a while," I told her. "He wasn't ever really dead. I don't know how he escaped from the morgue. The moon and silver stuff is all just myth. I don't know how to explain it. It's — it's a disease that's worse when it's cold. I think the moon myth is because it gets cold overnight, so when we're new, we change into wolves overnight a lot. So people thought it was the moon that caused it." Isabel seemed to be taking this pretty well. She wasn't fainting, and she didn't smell afraid. She sipped her coffee. "Grace, this is disgusting." "It's instant," Grace apologized. Isabel asked, "So does my brother recognize me when he's a wolf?" Grace looked at my face; I couldn't look back at her when I answered. "Probably a little. Some of us don't remember anything about our lives when we're wolves. Some of us remember a little." Grace looked away, sipped her coffee, pretended she didn't care. "So there's a pack?" Isabel asked good questions. I nodded. "But Jack hasn't found them yet. Or they haven't found him." Isabel ran a finger around the rim of her coffee mug for a long moment. Finally she looked from me to Grace and back again. "Okay, so what's the catch here?" I blinked. "What do you mean?" "I mean, you're sitting here just talking, and Grace is here trying to pretend like everything's just fine, but everything isn't just fine, is it?" I guess I couldn't be surprised by her intuition. You didn't claw your way to the top of the high school food chain without being able to read people. I looked into my still-full coffee cup. I didn't like coffee — too strong and bitter a flavor. I'd been a wolf too long; I'd lost my taste for it. "We've got expiration dates. The longer it's been since we've been bitten, the less cold we need to turn us into wolves. And the more heat we need to turn us into humans. Eventually, we just don't turn, become human again." "How long?" I didn't look at Grace. "It varies from wolf to wolf. Years and years for most wolves." "But not for you." Shut up, Isabel. I didn't want to test Grace's even expression any further. I just shook my head, very slightly, hoping that Grace really was looking out the window and not at me. "So what if you lived in Florida, or someplace really warm?" I was relieved to get the topic off me. "A couple of us tried it. It doesn't work. It just makes you supersensitive to the slightest temperature change." Ulrik and Melissa and a wolf named Bauer had gone down to Texas one year in hopes of outrunning the winter. I still remembered the excited phone call from Ulrik after weeks of not changing — and then his dejected return, minus Bauer, after they'd walked past the slightly ajar door of an air-conditioned shop and Bauer had instantly changed forms. Apparently, Texas Animal Control didn't believe in tranquilizer guns. "What about the equator? Where the temperature never changes?" "I don't know." I tried not to sound exasperated. "None of us ever decided to go to the rain forest, but I'll keep that in mind for when I win the lotto." "No need to be a jerk," Isabel said, setting her coffee mug down on a stack of magazines. "I was just asking. So anybody who gets bitten changes, then?" Everyone except the one I wish I could take with me. "Pretty much." I heard my voice, how tired it sounded, and didn't care. Isabel pursed her lips and I thought she'd press it further, but she didn't. "So that's really it. My brother's a werewolf, a real werewolf, and there's no cure." Grace's eyes narrowed, and I wished I knew what she was thinking. "Yeah. You got it. But you already knew all this. So why did you ask us?" Isabel shrugged. "I guess I was waiting for someone to jump out of the curtain and say, 'Whoopdie-friggin-doo, fooled you! No such thing as werewolves. What were you thinking?'" I wanted to tell her that there really wasn't such thing as werewolves. That there were humans, and there were wolves, and there were those of us that were on the way from one to another. But I was just tired, so I didn't say anything. "Tell me you won't tell anyone." Grace spoke abruptly. "I don't think you have yet, but you can't tell anyone now." "Do you think I'm an idiot? My dad fricking shot one of the wolves because he was angry about it. Do you think I'm going to try and tell him Jack's one of them? And my mother's already medicated out the wazoo. Yeah, big help she would be. I'm just going to have to deal with this on my own." Grace exchanged a look with me that said, Good guess, Sam. "And with us," Grace added. "We'll help you when we can. Jack doesn't have to be alone, but we have to find him first." Isabel flicked an invisible piece of dust off one of her boots, as if she didn't know what to do with the kindness. Finally, she said, still looking at her boot, "I don't know. He wasn't a very nice person last time I saw him. I don't know if I want to find him." "Sorry," I said. "For what?" For not being able to tell you that his nasty temper was from the bite and would go away. I shrugged. It felt like I was doing a lot of that. "For not having happier news." There was a low, irritating buzz from the kitchen. "The quiche is done," Isabel said. "At least I get a consolation prize." She looked at me and then at Grace. "So soon he'll stop switching back and forth, right? Because winter's almost here?" I nodded. "Good," Isabel said, looking out the window at the naked branches of the trees. Looking out to the woods that were Jack's home now, and soon, mine. "Can't get here soon enough." I was a zombie of sleeplessness. I was English essay Mr. Rink's voice Flickering fluorescent light above my desk AP Biology Isabel's stone face Heavy eyes "Earth to Grace," Rachel said, pinching my elbow as she passed me on the sidewalk. "There's Olivia. I didn't even see her in class, did you?" I followed Rachel's gaze to the kids waiting for the school bus. Olivia was among them, jumping up and down to stay warm. No camera. I thought about the photos. "I have to talk to her." "Yes. You do," Rachel said. "Because you need to be on speaking terms before our vacation to hot, sunny places this Christmas. I would go with you, but Dad's waiting, and he's got an appointment in Duluth. He'll go all fanged if I don't get out there this second. Tell me what she says!" She ran toward the parking lot and I jogged toward Olivia. "Olivia." She jerked, and I caught her elbow, as if she would fly away if I didn't. "I've been trying to call you." Olivia pulled her stocking cap down and balled herself up against the chill. "Yeah?" For a single moment, I thought about waiting to see what she would say. To see if she would confess to knowledge about the wolves without prompting. But the buses were pulling in, and I didn't want to wait. I lowered my voice and said in her ear, "I saw your photographs. Of Jack." She abruptly turned to face me. "You were the one who took them?" I tried, with some success, to keep the accusation out of my voice. "Isabel showed them to me." Olivia's face went pale. I demanded, "Why wouldn't you tell me? Why wouldn't you call me?" She bit her lip and looked across the parking lot. "I was going to, at first. To tell you that you were right. But then I ran across Jack, and he told me I couldn't tell anyone about him, and I just felt guilty, like I was doing something wrong." I stared at her. "Have you talked to him?" Olivia shrugged, unhappy, and shivered in the growing chill of the afternoon. "I was taking photos of the wolves, like always, and I saw him. I saw him" — she lowered her voice and leaned toward me — "change. Become human again. I couldn't believe it. And he had no clothing, and my house wasn't far, so I had him come over and get some of John's clothes. I guess I was just trying to convince myself that I wasn't crazy." "Thanks," I said sarcastically. It took her a moment. Then she said, quickly, "Oh, Grace, I know. I know you told me at the very beginning, but what was I supposed to do — believe you? It sounds impossible. It looks impossible. But I felt sorry for him. He doesn't belong anywhere now." "How long has this been going on?!" Something was stinging at me. Betrayal, or something. I'd told Olivia at the very beginning about my suspicions, and she'd waited until I came to her to admit anything. "I don't know. Awhile. I've been giving him food and washing his clothes and stuff. I don't know where he's been staying. We talked a lot, until we had a fight about the cure. I was cutting class to talk to him and to try to get more photos of the wolves. I wanted to see if any of the others would change." She paused. "Grace, he said you'd been bitten and cured." "That's true. Well, that I was bitten. You knew that. But I didn't ever change into a wolf, obviously." Her eyes were intent on me. "Ever?" I shook my head. "No. Have you told anybody else?" Olivia gave me another withering look. "I'm not an idiot." "Well, Isabel got those photos somehow. If she can, anyone can." "I don't have any photos that really show what's going on," Olivia said. "I told you, I'm not a total idiot. I just have the photos of the before and after. And who would believe anything from that?" "Isabel," I said. Olivia frowned at me. "I'm being careful. Anyway, I haven't seen him since we fought. I have to go." She gestured at the bus. "You really never changed?" Now it was my turn to give her a withering look. "I never lie to you, Olive." She looked at me for a long beat. Then she said, "Do you want to come back to my house?" I kind of wanted her to say that she was sorry. For not confiding in me. For not answering my calls. For fighting with me. For not saying you were right. So I just said, "I'm waiting for Sam." "Okay. Maybe another day this week?" I blinked. "Maybe." And then she was gone, onto the bus, just a silhouette in the windows making her way toward the back. I had thought that hearing her admit to knowing about the wolves would give me some... closure, but all I felt was an uneasy disquiet. After all this time looking for Jack, and Olivia had known where to find him all along. I wasn't sure what to think. In the parking lot, I saw the Bronco pulling in slowly, heading in my direction. Seeing Sam behind the wheel gave me peace in a way that the conversation with Olivia hadn't. Strange how just seeing my own car could make me so happy. Sam leaned over to unlatch the passenger-side door for me. He still looked a little tired. He handed me a steaming Styrofoam cup of coffee. "Your phone rang just a few minutes ago." "Thanks." I climbed into the Bronco and gratefully accepted the coffee. "I'm a zombie today. I was dying for caffeine and I just had the weirdest conversation with Olivia. I'll tell you about it once I'm properly caffeinated. Where's my phone?" Sam pointed to the glove compartment. Climbing into the Bronco, I opened the glove compartment and retrieved the phone. One new message. I dialed my voicemail, put it on speakerphone, and set the phone on the dash while I turned to Sam. "I'm ready now," I told him. Sam looked at me, eyebrows doubtful. "For?" "My kiss." Sam chewed his lip. "I prefer the surprise attack." "You have one new message," said the recorded cell phone babe. I grimaced, throwing myself back in the seat. "You drive me crazy." He grinned. "Hi, honey! You'll never guess who I ran into today!" Mom's voice buzzed out of the cell phone speaker. "You could just throw yourself at me," I suggested. "That would be fine with me." Mom sounded excited. "Naomi Ett! You know, from my school." "I didn't think you were that sort of girl," Sam said. I thought he might be joking. Mom continued, "She's all married and everything now, and in town for just a little bit, so Dad and I are going to spend some time with her." I frowned at him. "I'm not. But with you, all bets are off." "So we won't be back until late tonight," Mom's message concluded. "Remember there's leftovers in the fridge, and of course, we have our phone if you need us." My leftovers. From the casserole I'd made. Sam was staring at the phone as cell phone babe took up where Mom had left off. "To hear this message again, press one. To delete this message..." I deleted it. Sam was still looking at the phone, his eyes sort of distant. I didn't know what he was thinking. Maybe, like me, his head was full of a dozen different problems, all too amorphous and intangible to be solved. I snapped the phone shut, and the sound seemed to break his spell. Sam's eyes were suddenly intense on me. "Come away with me." I raised an eyebrow. "No, seriously. Let's go somewhere. Can I take you somewhere, tonight? Someplace better than leftovers?" I didn't know what to say. I think maybe what I wanted to say was, Do you really think you have to even ask? I watched him intently while Sam babbled on, words tumbling over each other in their hurry to get out. If I hadn't scented the air at that moment, I probably wouldn't have realized that anything was wrong. But coming off him in waves was the too-sweet scent of anxiety. Anxious about me? Anxious about something that had happened today? Anxious because he had heard the weather report? "What's up?" I asked. "I just want to get out of town tonight. I want to just get away for a little bit. Mini vacation. A few hours in someone else's life, you know? I mean, we don't have to if you don't want to. And if you think that it's not —" "Sam," I said. "Shut up." He shut up. "Start driving." We started driving. Sam got onto the interstate and we drove and drove until the sky grew pink above the trees and birds flying over the road were black silhouettes. It was cold enough that cars just getting onto the highway puffed visible white exhaust into the frosty air. Sam used one hand to drive and used the other to twine his fingers with mine. This was so much better than staying at home with a casserole. By the time we got off the interstate, I had either gotten used to the smell of Sam's anxiety, or he had calmed down, because the only odor in the car was his musky, wolf wood scent. "So," I said, and ran a finger over the back of his cool hand. "Where are we going, anyway?" Sam glanced over at me, the dash lights illuminating his doleful smile. "There's a wonderful candy shop in Duluth." It was incredibly cute that he'd driven us an hour just to go to a candy shop. Incredibly stupid, given the weather report, but incredibly cute nonetheless. "I've never been." "They have the most amazing caramel apples," Sam promised. "And these gooey things, I don't even know what they are. Probably a million calories. And hot chocolate — oh, man, Grace. It's amazing." I couldn't think of anything to say. I was idiotically entranced by the way he said "Grace." The tone of it. The way his lips formed the vowels. The timbre of his voice stuck in my head like music. "I even wrote a song about their truffles," he confessed. That caught my attention. "I heard you playing the guitar for my mom. She told me it was a song about me. Why don't you ever sing it for me?" Sam shrugged. I looked past him at the brilliantly illuminated city, every building and bridge lit bravely against the early winter darkness; we were heading downtown. I couldn't remember the last time I'd been there. "It would be very romantic. And add to your walking stereotype street cred." Sam didn't look away from the road, but his lips curled up. I grinned, then looked away to watch our progress downtown. He didn't even look at the road signs as he navigated his way down the evening streets. Streetlights striped light across the windshield and the white lines striped below us, marking time above and below. Finally, he parallel parked and gestured to a warmly lit shop a few doors ahead of us. He turned to me. "Heaven." Together we got out of the car and jogged the distance. I didn't know how cold it was, but my breath formed a shapeless cloud in front of me as I pushed open the glass door to the candy shop. Sam pushed into the warm yellow glow after me, arms clasped around himself. The bell was still dinging from our entrance when Sam came from behind me and pulled me to him, crushing his arms over my chest. He whispered in my ear, "Don't look. Close your eyes and smell it. Really smell it. I know you can." I leaned my head back against his shoulder, feeling the heat of his body against me, and closed my eyes. My nose was inches away from the skin on his neck, and that was what I smelled. Earthy, wild, complex. "Not me," he said. "It's all I smell," I murmured, opening my eyes to look up at him. "Don't be stubborn." Sam turned me slightly, so that I was facing the center of the shop; I saw shelves of tinned cookies and candies and the glint of a glass candy counter beyond them. "Give in for once. It's worth it." His sad eyes implored me to explore something I'd left untouched for years. Something more than untouched — something I'd buried alive. Buried when I had thought I was alone. Now I had Sam behind me, holding me tightly to his chest as if he held me upright, his breath blowing warm over my ear. I closed my eyes, flared my nostrils, and let the scents flood in. The strongest of them, caramel and brown sugar, smell as yellow-orange as the sun, came first. That one was easy. The one that anyone would notice coming into the shop. And then chocolate, of course, the bitter dark and the sugary milk chocolate. I don't think a normal girl would've smelled anything else, and part of me wanted to stop there. But I could feel Sam's heart pounding behind me, and for once, I gave in. Peppermint swirled into my nostrils, sharp as glass, then raspberry, almost too sweet, like too-ripe fruit. Apple, crisp and pure. Nuts, buttery, warm, earthy, like Sam. The subtle, mild scent of white chocolate. Oh, God, some sort of mocha, rich and dark and sinful. I sighed with pleasure, but there was more. The butter cookies on the shelves added a floury, comforting scent, and the lollipops, a riot of fruit scents too concentrated to be real. The salty bite of pretzels, the bright smell of lemon, the brittle edge of anise. Smells I didn't even know names for. I groaned. Sam rewarded me with the lightest of kisses on my ear before he spoke into it. "Isn't it amazing?" I opened my eyes; colors seemed dull in comparison with what I had just experienced. I couldn't think of anything that didn't sound trivial, so I just nodded. He kissed me again, on my cheek, and gazed at my face, his expression bright and delighted with whatever he saw in mine. It occurred to me that he hadn't shared this place, this experience, with anyone else. Just me. "I love it," I said finally, in a voice so low I'm not even sure he could hear it. But of course he could. He could hear everything I could. I wasn't sure if I was ready to admit how not normal I was. Sam released all of me but my hand, and tugged me deeper into the shop. "Come on. Now the hard part. Pick something. What do you want? Pick something. Anything. I'll get it for you." I want you. Feeling the grip of his hand in mine, the brush of his skin on mine, seeing the way he moved in front of me, equal parts human and wolf, and remembering his smell — I ached with wanting to kiss him. Sam's hand squeezed on mine as if he was reading my thoughts, and he led me to the candy counter. I stared at the rows of perfect chocolates, petit fours, coated pretzels, and truffles. "Cold out tonight, isn't it?" the girl behind the counter asked. "It's supposed to snow. I can't wait." She looked up at us and gave us a silly, indulgent smile, and I wondered just how stupidly happy we looked, holding hands and drooling over chocolates. "What's the best?" I asked. The girl immediately pointed out a few racks of chocolates. Sam shook his head. "Could we get two hot chocolates?" "Whipped cream?" "Do you have to ask?" She grinned at us and turned around to prepare it. A whuff of rich chocolate gusted over the counter when she opened the tin of cocoa. While she dribbled peppermint extract into the bottom of paper cups, I turned to Sam and took his other hand. I stood on my toes and stole a soft kiss from his lips. "Surprise attack," I said. Sam leaned down and kissed me back, his mouth lingering on mine, teeth grazing my lower lip, making me shiver. "Surprise attack back." "Sneaky," I said, my voice breathier than I intended. "You two are too cute," the counter girl said, setting two cups piled with whipped cream on the counter. She had a sort of lopsided, open smile that made me think she laughed a lot. "Seriously. How long have you been going out?" Sam let go of my hands to get his wallet and took out some bills. "Six years." I wrinkled my nose to cover a laugh. Of course he would count the time that we'd been two entirely different species. "Whoa." Counter girl nodded appreciatively. "That's pretty amazing for a couple your age." Sam handed me my hot chocolate and didn't answer. But his yellow eyes gazed at me possessively — I wondered if he realized that the way he looked at me was far more intimate than copping a feel could ever be. I crouched to look at the almond bark on the bottom shelf in the counter. I wasn't quite bold enough to look at either of them when I admitted, "Well, it was love at first sight." The girl sighed. "That is just so romantic. Do me a favor, and don't you two ever change. The world needs more love at first sight." Sam's voice was husky. "Do you want some of those, Grace?" Something in his voice, a catch, made me realize that my words had more of an effect than I'd intended. I wondered when the last time someone had told him they loved him was. That was a really sad thing to think about. I stood up and took Sam's hand again; his fingers gripped mine so hard it almost hurt. I said, "Those buttercreams look fantastic, actually. Can we get some of those?" Sam nodded at the girl behind the counter. A few minutes later, I was clutching a small paper bag of sweets and Sam had whipped cream on the end of his nose. I pointed it out and he grimaced, embarrassed, wiping it off with his sleeve. "I'm going to go start the car," I said, handing him the bag. He looked at me without saying anything, so I added, "To warm it up." "Oh. Right. Good thinking." I think he'd forgotten how cold it was outside. I hadn't, though, and I had a horrible picture in my head of him spasming in the car while I tried to get the heat higher. I left him in the store and headed out into the dark winter night. It was weird how as soon as the door closed behind me, I felt utterly alone, suddenly assaulted with the vastness of the night, lost without Sam's touch and scent to anchor me. Nothing here was familiar to me. If Sam became a wolf right now, I didn't know how long it would take me to find my way home or what I'd do with him — I wouldn't be able to just leave him here, miles of interstate away from his woods. I'd lose him in both his forms. The street was already dusted with white, and more snowflakes drifted down around me, delicate and ominous. As I unlocked the car door, my breath made ghostly shapes in front of me. This increasing unease was unusual for me. I shivered and waited in the Bronco until it was warmed up, sipping my hot chocolate. Sam was right — the hot chocolate was amazing, and immediately I felt better. The little bit of mint shot my mouth through with cold at the same time that the chocolate filled it with warmth. It was soothing, too, and by the time the car was warm, I felt silly for imagining anything would go wrong tonight. I jumped out of the Bronco and stuck my head in the candy shop, finding Sam where he lingered by the door. "It's ready." Sam shuddered visibly when he felt the blast of cold air come in the door, and without a word, he bolted for the Bronco. I called a thanks to the counter girl before following Sam, but on the way to the car, I saw something on the sidewalk that made me pause. Beneath the scuffed footsteps Sam had made were another, older set that I hadn't noticed before, pacing back and forth through the new snow in front of the candy shop. My eyes followed their path as they crossed back and forth by the shop, steps long and light, and then I let my gaze follow them down the sidewalk. There was a dark pile about fifteen feet away, out of the bright circle of light of the streetlamp. I hesitated, thinking, Just get in the Bronco, but then instinct pricked me, and I went to it. It was a dark jacket, a pair of jeans, and a turtleneck, and leading away from the clothing was a trail of pawprints through the light dusting of snow. It sounds stupid, but one of the things that I loved about Grace was how she didn't have to talk. Sometimes, I just wanted my silences to stay silent, full of thoughts, empty of words. Where another girl might have tried to lure me into conversation, Grace just reached for my hand, resting our knotted hands on my leg, and leaned her head against my shoulder until we were well out of Duluth. She didn't ask how I knew my way around the city, or why my eyes lingered on the road that my parents used to turn down to get to our neighborhood, or how it was that a kid from Duluth ended up living in a wolf pack near the Canadian border. And when she did finally speak, taking her hand off mine to retrieve a buttercream from the candy shop bag, she told me about how, as a kid, she'd once made cookies with leftover boiled Easter eggs instead of raw ones. It was exactly what I wanted — beautiful distraction. Until I heard the musical tone of a cell phone, a descending collection of digital notes, coming from my pocket. For a second I couldn't think why a phone would be in my coat, and then I remembered Beck stuffing it into my hand while I stared past him. Call me when you need me was what he had said. Funny how he had said when, not if. "Is that a phone?" Grace's eyebrows drew down over her eyes. "You have a phone?" Beautiful distraction crashed around me as I dug it out of my pocket. "I didn't," I said weakly. She kept looking at me, and the little bit of hurt in her eyes killed me. Shame colored my cheeks. "I just got one," I said. The phone rang again, and I hit the ANSWER button. I didn't have to look at the screen to know who was calling. "Where are you, Sam? It's cold." Beck's voice was full of the genuine concern that I'd always appreciated. I was aware of Grace's eyes on me. I didn't want his concern. "I'm fine." Beck paused, and I imagined him dissecting the tone of my voice. "Sam, it's not so black-and-white. Try to understand. You won't even give me a chance to talk to you. When have I ever been wrong?" "Now," I said, and hung up. I shoved the phone back in my pocket, half expecting it to ring again. I sort of hoped it would so that I could not answer. Grace didn't ask me who it was. She didn't ask me to tell her what was said. I knew she was waiting for me to volunteer the information, and I knew I should, but I didn't want to. I just — I just couldn't bear the idea of her seeing Beck in that light. Or maybe I just couldn't bear the idea of me seeing him in that light. I didn't say anything. Grace swallowed before pulling out her own phone. "That reminds me, I should check for messages. Ha. As if my family would call." She studied her cell phone; its blue screen lit up the palm of her hand and cast a ghostly light on her chin. "Did they?" I asked. "Of course not. They're rubbing elbows with old friends." She punched in their number and waited. I heard a murmur on the other end of the phone, too quiet for me to make out. "Hi, it's me. Yeah. I'm fine. Oh. Okay. I won't wait up then. Have fun. Bye." She slapped the phone shut, rolled her brown eyes toward me, and smiled wanly. "Let's elope." "We'd have to drive to Vegas," I said. "No one around here to marry us at this hour except deer and a few drunk guys." "It would have to be the deer," Grace said firmly. "The drunk guys would slur our names and that would ruin the moment." "Somehow, having a deer preside over the ceremony of a werewolf and a girl seems oddly appropriate, anyway." Grace laughed. "And it would get my parents' attention. 'Mom, Dad, I've gotten married. Don't look at me like that. He only sheds part of the year.'" I shook my head. I felt like telling her thanks, but instead, I said, "It was Beck on the phone." "The Beck?" "Yeah. He was in Canada with Salem — one of the wolves who's gone completely crazy." It was only part of the truth, but at least it was the truth. "I want to meet him," Grace said immediately. My face must've gone funny, because she said, "Beck, I mean. He's practically your dad, isn't he?" I rubbed my fingers over the steering wheel, eyes glancing from the road to my knuckles pressed into a white grip. Strange how some people took their skin for granted, never thought of what it would be like to lose it. Sloughing my skin / escaping its grip / stripped of my wit / it hurts to be me. I thought of the most fatherly memory I had of Beck. "We had this big grill at his house, and I remember, one night, he was tired of doing the cooking and he said, 'Sam, tonight you're feeding us.' He showed me how to push on the middle of the steaks to see how done they were, and how to sear them fast on each side to keep the juices in." "And they were awesome, weren't they?" "I burned the hell out of them," I said, matter-of-fact. "I'd compare them to charcoal, but charcoal is still sort of edible." Grace started to laugh. "Beck ate his," I said, smiling ruefully at the memory. "He said it was the best steak he'd ever had, because he hadn't had to make it." That felt like a long time ago. Grace was smiling at me, like old stories about me and my pack leader were the greatest thing in the world. Like it was inspirational. Like we had something, Beck and me, father and son. In my head, the kid in the back of the Tahoe looked at me and said, "Help." Grace asked, "How long has it been? I mean — not since the steaks. Since you were bitten." "I was seven. Eleven years ago." She asked, "Why were you in the woods? I mean, you're from Duluth, aren't you? Or at least that's what it said on your driver's license." "I wasn't attacked in the woods," I said. "It was all over the papers." Grace's eyes held me; I looked away to the dim road in front of us. "Two wolves attacked me while I was getting onto the school bus. One of them held me down, and the other one bit me." Ripped at me, really, as if its only goal had been to draw blood. But of course, that had been the goal, hadn't it? Looking back, it all seemed painfully clear. I'd never thought to look beyond my simple childhood memory of being attacked by wolves, and Beck stepping in as my savior after my parents had tried to kill me. I had been so close to Beck, and Beck had been so above reproach, that I hadn't wanted to look any deeper. But now, retelling the story to Grace shoved the unavoidable truth right at me: My attack had been no accident. I'd been chosen, hunted down, and dragged into the street to be infected, just like those kids in the back of the Tahoe. Later Beck had arrived to pick up the pieces. You're the best of them, Beck's voice said in my head. He had thought I'd outlive him and take over the pack. I should've been angry. Furious at having my life ripped away from me. But there was just white noise inside me, a dull hum of nothingness. "In the city?" Grace asked. "The suburbs. There weren't any woods around. Neighbors said they saw the wolves running through their backyards to escape afterward." Grace didn't say anything. The fact that I'd been deliberately hunted felt obvious to me, and I kept waiting for her to say it. I kind of wanted her to say it, to point out the unfairness. But she didn't. I just felt her frowning at me, thinking. "Which wolves?" Grace asked finally. "I don't remember. One of them might've been Paul, because one of them was black. That's all I know." There was silence for several long moments, and then we were home. The driveway of the house still stood empty, and Grace blew out a long breath. "Looks like we're on our own again," she said. "Stay here until I get the door unlocked, okay?" Grace jumped out of the car, letting in a blast of cold air that bit my cheeks; I turned the heater up as high as it would go to prepare myself for the journey inside. Leaning on the vents, feeling the heat sting my skin, I squeezed my eyes shut, trying to will myself back into the distraction I had felt earlier. Back when I was holding Grace against me in the candy shop, feeling her warm body searing against mine, watching her smell the air, knowing she was smelling me — I shivered. I didn't know if I could stand another night with her, behaving myself. "Sam!" called Grace from outside. I opened my eyes, focusing on her head poking out of the cracked front door. She was trying to keep the entryway as warm as possible for me. Clever. Time to run. Shutting off the Bronco, I leaped out and bolted up the slick sidewalk, feet slipping a bit on the ice, my skin prickling and twisting. Grace slammed the door shut behind me, locking the cold outside, and threw her arms around me, lending her heat to my body. Her voice was a breathless whisper near my ear. "Are you warm enough?" My eyes, starting to adjust to the darkness in the hall, caught the glimmer of light in her eyes, the outline of her hair, the curve of her arms around me. A mirror on the wall offered a similarly dim portrait of the shape of her body against mine. I let her hold me for a long moment before I said, "I'm okay." "Do you want anything to eat?" Her voice sounded loud in the empty house, echoing off the wood floor. The only other sound was the air through the heating vents, a steady, low breath. I was acutely aware that we were alone. I swallowed. "I want to go to bed." She sounded relieved. "I do, too." I almost regretted that she agreed with me, because maybe if I'd stayed up, eaten a sandwich, watched TV, something, I could've distracted myself from how badly I wanted her. But she hadn't disagreed. Kicking off her shoes behind the door, she padded down the hallway in front of me. We slipped into her dark bedroom, no light but the moon reflecting off the thin layer of snow outside the window. The door closed with a soft sigh and snick and she leaned on it, her hands still on the doorknob behind her. A long moment passed before she said anything. "Why are you so careful with me, Sam Roth?" I tried to tell her the truth. "I — it's — I'm not an animal." "I'm not afraid of you," she said. She didn't look afraid of me. She looked beautiful, moonlit, tempting, smelling of peppermint and soap and skin. I'd spent eleven years watching the rest of the pack become animals, pushing down my instincts, controlling myself, fighting to stay human, fighting to do the right thing. As if reading my thoughts, she said, "Can you tell me it's only the wolf in you that wants to kiss me?" All of me wanted to kiss her hard enough to make me disappear. I braced my arms on either side of her head, the door giving out a creak as I leaned against it, and I pressed my mouth against hers. She kissed me back, lips hot, tongue flicking against my teeth, hands still behind her, body still pressed against the door. Everything in me buzzed, electric, wanting to close the few inches of space between us. She kissed me harder, breath huffing into my mouth, and bit my lower lip. Oh, hell, that was amazing. I growled before I could stop myself, but before I could even think to feel embarrassed, Grace had pulled her hands out from behind her and looped them around my neck, pulling me to her. "That was so sexy," she said, voice uneven. "I didn't think you could get any sexier." I kissed her again before she could say anything else, backing into the room with her, a tangle of arms in the moonlight. Her fingers hooked into the back of my jeans, thumbs brushing my hip bones, pulling me even closer to her. "Oh, God, Grace," I gasped. "You — you greatly overestimate my self-control." "I'm not looking for self-control." My hands were inside her shirt, palms pressed on her back, fingers spread on her sides; I didn't even remember how they got there. "I — I don't want to do anything you'll regret." Grace's back curved against my fingers as if my touch brought her to life. "Then don't stop." I'd imagined her saying this in so many different ways, but none of my fantasies had come close to the breathless reality. Clumsily, we backed onto her bed, part of me thinking we should be quiet in case her parents came home. But she helped me tug my shirt over my head and ran a hand down my chest, and I groaned, forgetting everything but her fingers on my skin. My mind searched for lyrics, words to string together to describe the moment, but nothing came. I couldn't think of anything but her palm grazing my skin. "You smell so good," Grace whispered. "Every time I touch you, it comes off you even stronger." Her nostrils flared, all wolf, smelling how much I wanted her. Knowing what I was, and wanting me, anyway. She let me push her gently down onto the pillows and I braced my arms on either side of her, straddling her in my jeans. "Are you sure?" I asked. Her eyes were bright, excited. She nodded. I slid down to kiss her belly; it felt so right, so natural, like I'd done it a thousand times before and would do it a thousand times again. I saw the shiny, ugly scars the pack had left on her neck and collarbone, and I kissed them, too. Grace pulled the blankets up over us and we kicked off our clothes beneath them. As we pressed our bodies against each other, I shrugged off my skin with a growl, giving in, neither wolf nor man, just Sam. The phone was ringing. That was the first thing I thought. The second thing I thought was that Sam's bare arm was lying across my chest. The third thing was that my face was cold where it was sticking out from under the blankets. I blinked, trying to wake up, strangely disoriented in my own room. It took me a moment to realize that my alarm clock's normally glowing face was dark and that the only lights in the room were coming from the moon outside the window and the face of the ringing cell phone. I snaked a hand out into the air to retrieve it, careful not to disturb Sam's arm on me; the phone was silent by the time I got to it. God, it was freezing in here. The power must've gone down with the ice storm the forecasters had promised. I wondered how long it would be down and if I'd have to worry about Sam getting too cold. I carefully peeled back the covers and found him curled against me, head buried against my side, only the pale, naked curve of his shoulders visible in the dim light. I kept waiting for this to feel wrong, his body pressed up against mine, but I just felt so alive that my heart hammered with the thrill of it. This, Sam and me, this was my real life. The life where I went to school and waited up for my parents and listened to Rachel vent about her siblings — that felt like a pale dream in comparison. Those were just things I had done while waiting for Sam. Outside, distant and mournful, wolves began to howl, and a few seconds later, the phone rang again, notes stepping down the scale, a strange, digital echo of the wolves. I didn't realize my mistake until I held it to my ear. "Sam." The voice at the other end was unfamiliar. Stupid me. I had taken Sam's phone from the nightstand, not mine. I debated for two seconds how to respond. I contemplated snapping the phone shut, but I couldn't do that. "No," I replied. "Not Sam." The voice was pleasant, but I heard an edge beneath his words. "I'm sorry. I must've dialed wrong." "No," I said, before he could hang up. "This is Sam's phone." There was a long, heavy pause, and then: "Oh." Another pause. "You're the girl, aren't you? The girl who was in my house?" I tried to think of what I might gain by denying it and drew a blank. "Yes." "Do you have a name?" "Do you?" He gave a short laugh that was completely without humor but not unpleasant. "I think I like you. I'm Beck." "That makes sense." I turned my face away from Sam, who was still breathing heavily, my voice muffled by his arms over his head. "What did you do to piss him off?" Again the short laugh. "He's still angry with me?" I considered how to answer. "Not now. He's sleeping. Can I give him a message?" I stared at Beck's number on the phone, trying to remember it. There was another long pause, so long that I thought Beck had hung up, and then he breathed out audibly. "One of his... friends has been hurt. Do you think you could wake him?" One of the other wolves. It had to be. I ducked down into the covers. "Oh — of course. Of course I will." I put the phone down and gently moved Sam's arm so that I could see his ear and the side of his face. "Sam, wake up. Phone. It's important." He turned his head so that I could see that his yellow eye was already open. "Put it on speaker." I did, resting it on my belly so that the camera's face lit a small blue circle on my tank top. "What's going on?" Sam slid up onto one elbow, made a face when he felt the cold, and jerked the blankets up around us, making a tent around the phone. "Someone attacked Paul. He's a mess, ripped to shreds." Sam's mouth made a little o. I don't think he was thinking about what his face looked like — his eyes were far away, with his pack. Finally, he said, "Could you — have you — is he still bleeding? Was he human?" "Human. I tried to ask him who did it — so I could kill them. I thought... Sam, I really thought I was going to be calling you to tell you he died. It was that bad. But I think it's closing up now. But the thing is, it was all these little bites, all over, on his neck and on his wrists and his belly, it was as if —" "— as if someone knew how to kill him," Sam finished. "It was a wolf who did it," Beck said. "We got that much out of him." "One of your new ones?" Sam snarled, with surprising force. "Sam." "Could it have been?" "Sam. No. They're inside." Sam's body was still tense beside me, and I mulled over possible meanings for that phrase: One of your new ones. Was Jack not the only new one? "Will you come?" Beck asked. "Can you? Is it too cold?" "I don't know." I knew from the twist of Sam's mouth that he was only answering the first question. Whatever it was that had distanced him from Beck, it was powerful. Beck's voice changed, softer, younger, more vulnerable. "Please don't be angry with me still, Sam. I can't stand it." Sam turned his face away from the phone. "Sam," Beck said softly. I felt Sam shudder next to me, and he closed his eyes. "Are you still there?" I looked at Sam, but he still didn't speak. I couldn't help it — I felt sorry for Beck. "I am," I said. There was a long pause, completely devoid of static or crackling, and I thought Beck had hung up. But then he asked, in a careful way, "How much do you know about Sam, girl-without-a-name?" "Everything." Pause. Then: "I'd like to meet you." Sam reached out and snapped the phone shut. The light of the display vanished, leaving us in the dark beneath the covers. My parents didn't even know. The morning after Sam and I — spent the night together, it seemed like the biggest thing on my mind was that my parents had no idea. I guessed that was normal. I guessed feeling a little guilty was normal. I guessed feeling giddy was normal. It was as if I had thought all along I was a complete picture, and Sam had revealed that I was a puzzle, and had taken me apart into pieces and put me back together again. I was acutely aware of each distinct emotion, all fitting together tightly. Sam was quiet, too, letting me drive, holding my right hand in both of his while I drove with the other. I would've given a million dollars to know what he was thinking. "What do you want to do this afternoon?" I asked, finally. He looked out the window, fingers rubbing the back of my hand. The world outside looked dry, papery. Waiting for snow. "Anything with you." "Anything?" He looked over at me and grinned. It was a funny, lopsided grin. I think maybe he was feeling as giddy as I was. "Yes, anything, as long as you're there." "I want to meet Beck," I said. There. It was out. It had been one of the puzzle pieces stuck in my head ever since I'd picked up the phone. Sam didn't say anything. His eyes were on the school, probably figuring that if he waited just a few minutes, he could deposit me on the sidewalk and avoid discussion. But instead he sighed as if he was incredibly tired. "God, Grace. Why?" "He's practically your father, Sam. I want to know everything about you. It can't be that hard to understand." "You just want everything in its place." Sam's eyes followed the knots of students slowly making their way across the parking lot. I avoided finding a parking place. "You just want to perform magical matchmaking on me and him, so that you can feel like everything's in its place again." "If you're trying to irritate me by saying that, you won't. I already know it's true." Sam was silent while I circled the lot another time, and finally, he groaned. "Grace, I hate this. I hate confrontation." "There won't be confrontation. He wants to see you." "You don't know everything that's going on. There's awful stuff going on. There'll be confrontation, if I have any principles left. Hard to imagine after last night." I found a parking place in a hurry, one on the farthest end of the lot so that I could face him without curious eyes watching us on the way to the sidewalk. "Are you feeling guilty?" "No. Maybe. A little. I feel... uneasy." "We used protection," I said. Sam didn't look at me. "Not that. I just — I just — I just hope it was the right time." "It was the right time." He looked away. "Only thing I wonder, is... did you have s — make love — to me to get back at your parents?" I just stared at him. Then I grabbed my backpack from the backseat. I was suddenly furious, ears and cheeks hot, and I didn't know why. I didn't recognize my voice when I answered. "That's a nice thing to say." Sam didn't look back at me. It was like the side of the school was fascinating to him. So fascinating he couldn't look me in the eyes while he accused me of using him. A new wave of anger washed over me. "Do you have such crap self-esteem that you think I wouldn't want you just for you?" I pushed open the door and slid out; Sam winced at the air that came in, though it couldn't have been cold enough to hurt him. "Way to ruin it. Just — way to ruin it." I started to slam the door, but he reached far across the seat to keep the door from shutting all the way. "Wait. Grace, wait." "What?" "I don't want to let you go like this." His eyes were pleading with me, their absolute saddest. I looked at the goose bumps raising on his arms, and the slight tremble of his shoulders in the cold draft. And he had me. No matter how angry I was, we both knew what could happen while I was in school. I hated that. The fear. I hated it. "I'm sorry I said it," Sam blurted out, rushing to get out words before I left. "You're right. I just couldn't believe something — someone — so good could happen to me. Don't go mad, Grace. Please don't go mad." I closed my eyes. For a brief moment I wished with all my heart that he was just a normal boy, so that I could storm away with my pride and indignation. But he wasn't. He was as fragile as a butterfly in autumn, waiting to be destroyed by the first frost. So I swallowed my anger, a bitter mouthful, and opened the door a bit more. "I don't want you to ever think something like that again, Sam Roth." He closed his eyes just a little bit when I said his name, lashes hiding his yellow irises for a second, and then he reached out and touched my cheek. "I'm sorry." I caught his hand and tangled his fingers in mine, fixing my gaze on his face. "How do you think Beck would feel if you went away mad?" Sam laughed, a humorless, self-deprecating laugh that reminded me of Beck's on the phone the night before, and dropped his eyes from mine. He knew I had his number. He pulled his fingers away. "We'll go. Fine, we'll go." I was about to leave, but I stopped. "Why are you angry at Beck, Sam? Why are you so mad at him when I've never seen you angry at your real parents?" Sam's face told me he hadn't asked himself this question before, and it took him a long time to answer. "Because Beck — Beck didn't have to do what he did. My parents did. They thought I was a monster. They were afraid. It wasn't calculated." His face was full of pain and uncertainty. I stepped up into the car and kissed him gently. I didn't know what to say to him, so I just kissed him again, got my backpack, and went into the gray day. When I looked back over my shoulder, he was still sitting there, gaze silent and lupine. The last thing I saw was his eyes half-closed against the breeze, black hair tousled, reminding me for some reason of the first night I'd ever seen him. An unexpected breeze lifted my hair from my neck, frigid and penetrating. Winter suddenly felt very close. I stopped on the sidewalk, closing my eyes, fighting the incredible desire to go back to Sam. In the end, duty won out, and I headed into the school. But it felt like a mistake. After Grace got out of the car, I felt sick. Sick from arguing with her, sick from doubt, sick from the cold that was just warm enough to keep me human. More than sick — restless, unsettled. Too many loose ends: Jack, Isabel, Olivia, Shelby, Beck. I couldn't believe that Grace and I were going to see Beck. I turned up the heat in the Bronco and rested my head on the steering wheel for several long moments, until the ridged vinyl started to hurt my forehead. With the heat turned up all the way, it didn't take too long for the car to become stuffy and hot, but it felt good. It felt far away from changing. Like I was firmly in my own skin. I thought at first that I might just sit like that all day, singing a song under my breath — Close to the sun is closer to me / I feel my skin clinging so tightly — and waiting for Grace, but it only took me a half hour of sitting to decide that I needed to drive. More than that, I needed to atone for what I'd said to Grace. So I decided to go to Jack's house again. He still hadn't turned up, either dead or in the newspapers, and it was the only place I could think of starting the search again. Grace would be happy to see me trying to put everything into place for her. I left the Bronco on an isolated logging road near the Culpepers' house and cut through the woods. The pines were colorless with the promise of snow, their tips waving slightly in a cold wind that I couldn't feel down below the branches. The hair on the back of my neck tingled uncomfortably; the stark pine woods reeked of wolf. It smelled like the kid had peed on every tree. Cocky bastard. Movement to my right made me jump, tense, drop low to the ground. I held in a breath. Just a deer. I caught a brief glimpse of wide eyes, long legs, white tail, before she was gone, surprisingly ungraceful in the underbrush. Her presence in the woods was comforting, though; her being here meant that Jack wasn't. I had nothing as a weapon except my hands. Fat lot of good they would do against an unstable new wolf with adrenaline on his side. Near the house, I froze at the edge of the woods, listening to the voices carrying through the trees. A girl and a boy, voices raised and angry, standing somewhere near the back door. Creeping into the shadow of the mansion, I slid around a corner toward them, silent as a wolf. I didn't recognize the male voice, fierce and deep, but instinct told me that it was Jack. The other one was Isabel. I thought about revealing myself but hesitated, waiting to hear what the argument was about. Isabel's voice was high. "I don't understand what you're saying. What are you saying sorry for? For disappearing? For getting bitten in the first place? For —" "For Chloe," the boy said. There was a pause. "What do you mean, 'for Chloe'? What does the dog have to do with all this? Do you know where she is?" "Isabel. Hell. Haven't you been listening? You're so stupid sometimes. I told you, I don't know what I'm doing after I've changed." I covered my mouth to keep from laughing. Jack had eaten her dog. "Are you saying that she's — you — God! You're such a jerk!" "I couldn't help it. I told you what I was. You shouldn't have let her out." "Do you have any idea how much that dog cost?" "Boo hoo." "So what am I supposed to tell the parental units? Mom, Dad, Jack's a werewolf, and guess what, you know how Chloe's been missing? He ate her." "Don't tell them anything!" Jack said hurriedly. "Anyway, I think I've stopped it. I think I've found a cure." I frowned. "Cure." Isabel's voice was flat. "How do you 'fix' being a werewolf?" "Don't you worry your blonde brain about it. I just — give me a few more days to make sure. When I'm sure, I'll tell them everything." "Fine. Whatever. God — I can't believe you ate Chloe." "Can you please shut up about that? You're starting to irritate me." "Whatever. What about the other ones? Aren't there other ones? Can't you get them to help you?" "Isabel, shut up. I told you, I think I've figured it out. I don't need any help." "Don't you just think —" A noise, sharp and out of place. A branch snapping? A slap? Isabel's voice sounded different when she spoke again. Not as strong. "Just don't let them see you, okay? Mom's at therapy — because of you — and Dad's out of town. I'm going back to school. I can't believe you called me out here to tell me you ate my dog." "I called you to tell you I fixed it. You seem so excited. Yeah. Not." "It's great. Wonderful. Bye." Barely a moment later, I heard Isabel's SUV tear down the driveway, and I hesitated again. I wasn't exactly eager to reveal myself to a new wolf with an anger management problem until I knew exactly what my surroundings were, but I needed to either get back to the car or into the warmth of the house. And the house was closer. I slowly crept around the back of the building, listening for Jack's position. Nothing. He must've gone inside. I approached the door I had broken into earlier that week — the window had already been fixed — and tried the knob. Unlocked. How thoughtful. Inside, I immediately heard Jack rummaging around, loud in the otherwise still house, and I slunk down the dim hallway to a long, high-ceilinged kitchen, all black-and-white tile and black countertops as far as the eye could see. The light through the two windows on the right wall was white and pure, reflecting off white walls and sinking into the black skillets hanging from the ceiling. It was as if the entire room were in black and white. I vastly preferred Grace's kitchen — warm, cluttered, smelling of cinnamon and garlic and bread — to this cavernous, sterile room. Jack had his back to me as he crouched in front of the stainless steel fridge, digging through the drawers. I froze, but his hunt through the fridge had covered up the sound of my approach. There was no wind to carry my scent to him, so I stood for a long minute, assessing him and my options. He was tall, wide-shouldered, with curly black hair, like a Greek statue. Something about the way he carried himself suggested overconfidence, and for some reason, that irritated me. I swallowed a growl and slid just inside the door, silently lifting myself onto the counter opposite. Height would give me a slight advantage, if Jack got aggressive. He stepped away from the fridge and dumped an armload of food onto the shiny topped kitchen island. For several long minutes, I watched him construct a sandwich. He carefully layered the meats and the cheeses, slathered the bread with Miracle Whip, and then he looked up. "Jesus," he said. "Hi," I replied. "What do you want?" He didn't look afraid; I wasn't big enough to frighten by looks alone. I didn't know how to answer him. Hearing his conversation with Isabel had changed what I wanted to know. "So what is it you think will cure you?" Now he looked afraid. Just for a second, and then it was gone, lost in the self-assured set of his chin. "What are you talking about?" "You think you've found a cure. Why would you think that?" "Okay, dude. Who are you?" I really didn't like him. I didn't know why; I just felt it in my gut and I really didn't like him. If I hadn't thought he was a danger to Grace and Olivia and Isabel, I would've said the hell with him and left him there. Still, my dislike made it easier to confront him. It made it easier to play the role of the guy who had all the answers. "Someone like you. Someone who got bitten." He looked about to protest, and I held up my hand to stop him. "If you're thinking you're going to say something like 'You've got the wrong guy,' don't bother. I've seen you as a wolf. So just tell me why you think you've found a way to stop it." "Why should I trust you?" "Because, unlike your father, I don't stuff animals and put them in my foyer. And because I don't really want you showing up at the school and on people's doorsteps and exposing the pack. We're just trying to survive with the crappy lot we've been given. We don't need some smarmy rich punk like you revealing us to the rest of the world, so they can come after us with pitchforks." Jack growled. It was a little too close to animal for my taste, and my thought was confirmed when I saw him shiver slightly. He was still so unstable — he could change at any time. "I don't have to worry about it anymore. I'm getting a cure, so you can get the hell away from here and leave me alone." He backed away from the island, toward the counter behind him. I jumped down from my counter. "Jack, there is no cure." "You're wrong," he snapped. "There's another wolf that was cured." He was edging toward the knife block. I should've run for the door, but his words froze me. "What?" "Yeah, it took me all this time, but I figured it out. There's a girl who was bitten and got cured, at school. Grace. I know she knows the cure. And she's about to tell me in a hurry." My world reeled. "Stay away from her." Jack grinned at me, or maybe it was a grimace. His hand was on the counter, feeling backward toward the knives, and his nostrils flared, taking in the faint odor of wolf that the cold had brought to my skin. He said, "Why? Don't you want to know, too? Or has she already cured you?" "There is no cure. She doesn't know anything." I hated how much my voice revealed; my feelings for Grace felt dangerously transparent. "You don't know that, man," Jack said. He reached for a knife, but his hand was shaking too much to grasp the handle on the first try. "Now get out of here." But I didn't move. I couldn't think of anything worse than him confronting Grace about a cure. Him trembling, unstable, violent; and her, unable to give him the answers he was looking for. Jack managed to grab a handle and pulled out a wicked-looking knife, the edge serrated and reflecting the black and white of the kitchen in a dozen different directions. He was shaking so badly that he could barely hold the blade toward me. "I asked you to get out." My instincts urged me to leap on him like I would on one of the wolves, growl over his neck and make him submit. To make him promise to stay away from her. But that wasn't how it worked when you were a human, not when your adversary was so much stronger. I approached him, eyes on his eyes instead of on the knife, and tried a different tactic. "Jack. Please. She doesn't have the answer, but I can make this easier for you." "Get away from me." Jack took a step toward me, then back, before stumbling to one knee. The knife fell onto the tile; I winced before it landed, but its landing was surprisingly muffled. Jack made almost no sound at all when he followed the knife to the floor. His fingers were claws, curling and uncurling on the black-and-white squares. He was saying something, but it was unintelligible. Lyrics formed in my head. They were supposed to be for him, but they were really about me. World of words lost on the living / I take my place with the walking dead / Robbed of my voice I'm always giving / thousands of words to this nameless dread. I crouched next to him, pushing the knife away from his body so that he wouldn't hurt himself on it. There was no point asking him anything now. I sighed and listened to him groan, wail, scream. We were equals now, me and Jack. For all his privilege and nice hair and confident shoulders, he was no better than me. Jack whimpered. "You should be happy," I told the panting wolf. "You didn't throw up this time." Jack regarded me for a long moment with unblinking hazel eyes before leaping up and bolting for the door. I wanted to just leave, but I didn't have any choice. Any possibility of leaving him behind had disappeared as soon as he'd said Grace's name. I jumped after him. We scrambled through the house, his nails slipping on the hardwood floor and my shoes squeaking behind him. I pelted into the hall of grinning animals close behind him; the stench of their dead skins filled my nostrils. Jack had two advantages: He knew the house and he was a wolf. I was betting on him using the well-known surroundings to hide instead of relying on his unfamiliar animal strength. I bet wrong. Sam had never been late before. He had always been waiting in the Bronco by the time I got out of class, so I'd never had to wonder where he might be or what to do while I waited. But today I waited. Today I waited until the students loaded onto the buses. I waited until the lingering students headed out to their cars and disappeared in ones and twos. I waited until the teachers emerged from the school and climbed into their cars. I thought about taking my homework out. I thought about the sun creeping down toward the tree line and I wondered how cold it was in the shade. "Your ride late, Grace?" Mr. Rink asked kindly, on his way out. He had changed shirts since class and smelled vaguely like cologne. I must've looked lost, sitting on the brick edge of the little mulched area in front of the school, hugging my backpack in my lap. "A little." "Do you need me to call someone?" Out of the corner of my eye, I saw the Bronco pull into the lot, and I allowed myself a long breath. I smiled at Mr. Rink. "Nope. They just showed up." "Good thing, too," he said. "It's supposed to get really cold later. Snow!" "Yippee," I said sourly, and he laughed and waved as he walked out to his car. I yanked my backpack onto my shoulder and hurried out to the Bronco. Pulling open the passenger-side door, I jumped in. It was only a second after I'd shut the door that I realized that the smell was all wrong. I lifted my eyes to the driver and crossed my arms over my chest, trembling. "Where's Sam?" "You mean the guy who's supposed to be sitting here," Jack said. Even though I'd seen his eyes peering out of a wolf's body, even though I'd heard Isabel say she'd seen him, even though we'd known he was alive for weeks, I wasn't prepared for seeing Jack in the flesh. His curly black hair, longer than when I'd last seen him in the halls, his darting hazel eyes, his hands clinging to the steering wheel. Real. Alive. My heart kicked in my chest. Jack's eyes were on the road as he tore out of the parking lot. I imagined he thought I wouldn't try to get away if the Bronco was moving, but he didn't have to worry. I was fixed in place by the unknown: Where was Sam? "Yes, I mean the guy who's supposed to be sitting there." My voice came out as a snarl. "Where is he?" Jack glanced over at me; he was nervy, shaking. What was the word Sam had used to describe new wolves? Unstable? "I'm not trying to be the bad guy here, Grace. But I need answers, and soon, or I'm going to get bad really fast." "You're driving like an idiot. If you don't want to get pulled over by the cops, you'd better slow down. Where are we going?" "I don't know. You tell me. I want to know how to stop this and I want to know now because it's getting worse." I didn't know whether he meant it was getting worse as the weather got colder, or worse right this second. "I'm not telling you anything until you take me to wherever Sam is." Jack didn't answer. I said, "I'm not playing around. Where is he?" Jack jerked his head toward me. "I don't think you get it. I'm the one driving and I'm the one who knows where he is and I'm the one who can rip your head off if I change, so it seems to me you're the one who ought to start pissing herself and telling me what I want to know." His hands were clamped on the steering wheel, bracing arms that were shuddering. God, he was going to change soon. I had to think of something to get him off the road. "What do you want to know?" "How to stop it. I know you know the cure. I know you were bitten." "Jack, I don't know how to stop it. I can't cure you." "Yeah, I thought you'd say that. That's why I bit your stupid friend. Because if you won't fight to cure me, I know you'll do it for her. I just had to make sure she was really going to change." The staggering sense of it stole my breath; I could barely get my voice out. "You bit Olivia?" "Are you an idiot? I just said that. So now you'd better start talking because I'm going to ahh." Jack's neck jerked, wrenching awkwardly. My wolf senses screamed danger fear terror anger at me, emotions rolling off him in waves. I reached out and spun the heating dial up. I didn't know how much of a difference it would make, but it couldn't hurt. "It's the cold. The cold changes you to a wolf and the heat stops it." I was talking quickly, trying to keep him from getting a word in, trying to keep him from getting any angrier. "It's worse when you first get bitten. You change back and forth all the time, but it gets more stable. You get to be human for longer — you'll get the whole summer —" Jack's arms spasmed again, and the car fishtailed in the gravel of the shoulder before tracking back onto the road. "You can't be driving right now! Please. I'm not going to run away or whatever — I want to help you, really I do. But you've got to take me to Sam." "Shut up." Jack's voice was part growl. "That bitch said she wanted to help me, too. I'm done with that. She told me you were bitten and that you didn't change. I followed you. It was cold. You didn't change. So what is it? Olivia said she didn't know." My skin was burning from the blasting heater and the force of his emotion. Every time he said Olivia it was like a punch in the gut. "She doesn't know. I was bitten, she was right. But I never changed, not even once. I don't have a cure. I just didn't change. I don't know why, nobody knows why. Please —" "Stop lying to me." It was hard to understand him now. "I want the truth now or you're going to get hurt." I closed my eyes. I felt like I had lost my balance and the whole world was spinning away from me. There had to be something I could say to him that would make this better. I opened my eyes. "Fine. Okay. There's a cure. But there's not enough of it for everyone, so nobody wanted to tell you about it." I winced as he smacked the steering wheel with dark-nailed fingers. My mind's eye whirled away from the alien reality to an image of the nurse sliding the syringe with the rabies shot into Sam's skin. "It's a vaccination, sort of, it goes right in your veins. But it hurts. A lot. Are you sure you want it?" "This hurts," snarled Jack. "Fine. If I take you to where it is, will you tell me where Sam is?" "Whatever! Tell me where to go. So help me God, if you're lying, I'll kill you." I gave him directions to Beck's and prayed he'd make it that far. I retrieved my phone from my backpack. The Bronco swerved as Jack's attention focused on me. "What are you doing?" "I'm calling Beck. He's the guy with the cure. I have to tell him not to give the last of it away before we get there. Is that all right?" "You seriously had better not be lying to me..." "Look. This is the number I'm dialing. Not the police." Beck's number came back to me; I was better at numbers than words. It began to ring. Pick up. Pick up. Let this be the right decision. "Hello?" I recognized the voice. "Hi. Beck, this is Grace." Grace? Sorry, your voice sounds familiar, "but I —" I talked over the top of him. "Do you still have some of the stuff? The cure? Please tell me you didn't use the last of it." Beck was silent. I pretended like he'd answered. "Thank goodness. Look. Jack Culpeper has me in the car. He has Sam somewhere and he won't tell me where he is unless he gets some of the cure. We're, like, ten minutes away." Beck said, very softly, "Damn." For some reason, that made my chest shake; it took me a moment to realize it was a swallowed sob. "Yes. So will you be there?" "Yes. Of course. Grace — you still there? Can he hear me?" "No." "Be confident, okay? Try not to be afraid. Don't look him in the eyes, but be assertive. We'll be waiting at the house. Get him inside. I can't come out or I'll change and then we're all screwed." "What's he saying?" Jack demanded. "He's telling me what door you should come in when you get there. To get you in the fastest, so you won't change. He can't use the cure on you if you're a wolf." "Good girl," Beck said. For some reason, Beck's unexpected kindness was hard to bear — it made tears prick my eyes where Jack's threats hadn't. "We'll be there soon." I snapped the phone shut and looked at Jack. Not right at his eyes, but at the side of his head. "Pull straight into the driveway and they'll have the front door unlocked." "How do I know I can trust you?" I shrugged. "It's like you said. You know where Sam is. Nothing's going to happen to you, because we have to know where he is." Cold clung to my skin. Earthy darkness pressed against my eyes, so heavy that I blinked to clear it from my irises. When I did, I saw a dull white rectangle in front of me — the crack of a door. Without any other shapes to gauge by, I couldn't tell if it was desperately close or horribly far away. Smells crowded around me, dusty, organic, chemical. My breathing was loud in my ears, so wherever I was had to be small. A tool shed? A crawl space? Crap. It was cold. Not cold enough for me to change, not yet. But it would be soon. I was lying down — why was I lying down? I staggered to my feet and bit my lip, hard, to keep from gasping aloud. There was something wrong with my ankle. I tried it again, carefully, a fragile fawn on new legs, and it gave underneath me. I crashed sideways, arms wheeling, feeling for some kind of support. My palms raked across a legion of spiked instruments of torture hung on the walls. I had no idea what they were — cold, metallic, dirty. For a moment I stayed on all fours, listening to my breathing, feeling blood well on my palms, and thinking about giving up. I was so tired of fighting. It felt like I'd been fighting for weeks. Finally, I pulled myself back up and limped to the door, arms stretched out in front of me to protect my unarmored body from more surprises. Icy air seeped in through the crack in the door. Trickled into my body like water. I reached for a handle, but there was nothing but ragged wood. A splinter stuck into my fingers and I swore, very quietly. Then I leaned my shoulder into the door and pushed, thinking, Please open please if there's any justice in this world. Nothing. I picked up my backpack. "This is it." It seemed stupid, somehow, for Beck's house to look exactly the same as when Sam had brought me here to walk me to the golden wood, because the circumstances were so wildly different, but it did. The only difference was Beck's hulking SUV in the driveway. Jack was already pulling to the side of the road. He took the keys out of the ignition and looked at me, eyes wary. "Get out after I do." I did as he said, waiting for him to come around and pull the door open. I slid out of the seat and he grabbed my arm tightly. His shoulders were thrust too far together and his mouth hung slightly open — I don't think he even noticed. I guess I should've worried about him attacking me, but all I could think was He's going to change and we won't know where Sam is until too late. I prayed Sam was somewhere warm, somewhere out of winter's reach. "Hurry up," I said, tugging my arm against Jack's grip, almost jogging toward the front door. "We don't have any time." Jack tried the front door; it was unlocked, as promised, and he shoved me in first before slamming the door behind us. My nose caught a brief hint of rosemary in the air — someone had been cooking, and for some reason, I remembered Sam's anecdote about cooking the steaks for Beck — and then I heard a shout and a snarl from behind me. Both sounds came from Jack. This wasn't the silent struggle of Sam trying to stay human that I'd seen before. This was violent, angry, loud. Jack's lips tore into a snarl and then his face ripped into a muzzle, his skin changing color in an instant. He reached for me as if to hit me, but his hands buckled into paws, nails hard and dark. His skin bulged and shimmered for a moment before each radical change, like a placenta covering a terrifying, feral infant. I stared at the shirt that hung around the wolf's midsection. I couldn't look away. It was the only detail that could convince my mind that this animal really had just been Jack. This Jack was as angry as he had been in the car, but now his anger had no direction, no human control. His lips pulled back from his teeth and formed a snarl, but no sound appeared. "Stand back!" A man tore into the hall, surprisingly agile given his height, and ran directly at Jack. Jack, off guard, crouched down defensively, and the man landed on the wolf with all his weight. "Get down!" snarled the man, and I flinched before I realized that he was talking to the wolf. "Stay down. This is my house. You are nothing here." He had a hand around Jack's muzzle and was shouting right into his face. Jack whistled through his clenched jaw, and Beck forced his head to the ground. Beck's eyes flitted up at me, and though he was holding a huge wolf to the ground with one hand, his voice was perfectly level. "Grace? Can you help?" I'd been standing perfectly still, watching. "Yes." "Grab the edge of the rug he's sitting on. We're going to drag him to the bathroom. It's —" "I know where it is." "Good. Let's go. I'll try to help, but I have to keep my weight on him." Together, we pulled Jack down the hall and to the bathroom where I'd forced Sam into the bathtub. Beck, half on the rug and half off, got behind Jack and shoved him into the room, and I kicked the rest of the rug in after him. Beck leaped back and slammed the door, locking it. The doorknob had been reversed so that the lock was on the outside, making me wonder how often this sort of thing had happened before. Beck heaved a deep breath, which seemed like an under-statement, and looked at me. "Are you all right? Did he bite you?" I shook my head, miserable. "That doesn't matter, anyway. How are we going to find Sam now?" Beck jerked his head for me to follow him into the rosemary-scented kitchen. I did, looking up warily when I saw another person sitting on the counter. I wouldn't have been able to describe him as anything other than dark if anyone had asked me later. He was just dark and still and silent, and smelled of wolf. He had new-looking scars on his hands; it had to be Paul. He didn't say anything, and Beck didn't say anything to him as Beck leaned against the counter and picked up a cell phone. He punched in a number and put it on speakerphone. He looked at me. "How angry is he with me? Did he get rid of his cell phone?" "I don't think so. I didn't know the number." Beck stared at the phone and we listened to it ring, small and distant. Please pick up. My heart was skipping uncontrollably. I leaned on the kitchen island and looked at Beck, at the square set of his shoulders, the square set of his jaw, the square line of eyebrows. Everything about him looked safe, honest, secure. I wanted to trust him. I wanted to believe that nothing bad could happen because Beck wasn't panicking. There was a crackle at the other end of the line. "Sam?" Beck leaned close into the phone. The voice was badly broken up. "Gr — t?... you?" "It's Beck. Where are you?" "— ack. Grace... Jack to —... co." The only thing I could understand was his distress. I wanted to be there, wherever he was. "Grace is here," Beck said. "It's under control. Where are you? Are you safe?" "Cold." The one word came through, terribly clear. I pushed off from the island. Standing still didn't seem to be an option. Beck's voice was still even. "You aren't coming through very well. Try again. Tell me where you are. Clearly as you can." "Tell Grace... call I — bel... in... shed some... re. I heard... ago." I came back to the counter, leaned over the island. "You want me to call Isabel. You're in a shed on their property? She's there?" "— es." Sam's voice was emphatic. "Grace?" "What?" "— ove you." "Don't say that," I said. "We're getting you out." "Hur —" He hung up. Beck's eyes flicked to me, and in them, I could see all the concern that his voice didn't reveal. "Who's Isabel?" "Jack's sister." It seemed to take too long to pull off my backpack and get my cell phone out of one of the pockets. "Sam must be trapped somewhere on their property. In a shed, or something. If I get Isabel on the phone, maybe she can find him. If not, I'm going now." Paul looked at the window, at the dying sun, and I knew he was thinking that I didn't have enough time to get to the Culpepers' before the temperature dropped. No point thinking about that. I found Isabel's number from when she'd called me before and hit SEND. It rang twice. "Yeah." "Isabel, it's Grace." "I'm not an idiot. I saw your number." I wanted to reach through the phone and strangle her. "Isabel, Jack's locked up Sam somewhere near your house." I cut off the beginning of her question. "I don't know why. But Sam's going to change if it gets much colder, and wherever he is, he's trapped. Please tell me you're at your house." "Yeah. I just got here. I'm in the house. I didn't hear any commotion or anything." "Do you have a shed or something?" Isabel made an irritated noise. "We have six outbuildings." "He has to be in one of them. He called from inside a shed. If the sun gets down behind the trees, it's going to get cold in, like, two seconds." "I get it!" snapped Isabel. There were rustling sounds. "I'm getting my coat on. I'm going outside. Can you hear me? Now I'm outside. I'm freezing my ass off for you. I'm walking across the yard. I'm walking across the part of the grass my dog used to pee on before my damned brother ate her." Paul smiled faintly. "Can you hurry it up?" I demanded. "I'm jogging to the first shed. I'm calling his name. Sam! Sam! Are you in there? I don't hear anything. If he's turned into a wolf in one of these sheds and I let him out and he rips my face off, I'm having my family sue you." I heard a dim, faint crack. "Hell. This door is stuck." Another crack. "Sam? Wolf-boy? You in here? Nothing in the lawn mower shed. Where is Jack, anyway, if he did this?" "Here. He's fine for now. Do you hear anything?" "I doubt he's really fine. He's seriously screwed up, Grace. In the head, I mean. And no, I'd tell you if I heard something. I'm going to the next one." Paul rested the back of his hand on the glass of the window over the sink and winced. He was right. It was getting too cold. "Call Sam back," I begged Beck. "Tell him to shout so she can hear him." Beck picked up his phone, punched a button, and held it to his ear. Isabel sounded a little out of breath. "I'm at the next one. Sam! You in there? Dude?" There was a nearly inaudible squeak as the door opened. A pause. "Unless he's turned into a bicycle, he's not in here, either." "How many more of them are there?" I wanted to be there at the Culpepers' instead of Isabel. I'd be faster than she was. I'd be screaming my lungs out to find him. "I told you. Four more. Only two more close. The others are way out in the field behind the house. They're barns." "He has to be in one of the close ones. He said it was a shed." I looked at Beck, who had his phone up to his ear still. He looked back at me, shook his head. No answer. Sam, why aren't you picking up? "I'm at the garden shed. Sam! Sam, it's Isabel, if you're a wolf in there, don't rip my face off." I could hear her breathing into the phone. "The door's stuck like the other one. I'm kicking it with my expensive shoe and it's pissing me off." Beck slammed his phone down on the counter and turned away from Paul and me. He linked his arms behind his head. The motion was so Sam that it pierced me. "I've got it open. It stinks. There's crap every where. There's nothing — oh." She broke off, and her breathing came through the phone, heavier than before. "What? What?" "Wait a sec — shut up — I'm taking my coat off. He's here, okay? Sam. Sam, look at me. Sam, I said, look at me, you bastard, you're not turning into a wolf right now. Don't you dare do this to her." I sank slowly down beside the counter, cupping the phone against my head. Paul's face didn't change; he just watched me, still, quiet, dark, wolf. I heard a smacking sound and a softly breathed swearword, then wind roaring across the speaker. "I'm getting him inside. Thank God my parents aren't home tonight. I'll call you in a few minutes. I need both my hands now." The phone went silent in my hands. I looked up at Paul, who was still watching me, wondering what I should say to him, but I felt like he already knew. Sleet danced off my windshield as I turned down the Culpepers' driveway, and the pines seemed to swallow the headlights. The hulking house was nearly invisible in the darkness except for a handful of lights shining in the windows of the ground floor. I pointed the Bronco toward them like I was steering a ship toward lights on shore, and pulled up next to Isabel's white SUV. No other cars. I grabbed Sam's extra coat and leaped out. Isabel greeted me at the back door, leading me through a smoky-smelling mudroom full of boots and dog leashes and antlers. The smoky smell only increased as we left the mudroom and made our way through a beautiful, stark kitchen. An uneaten sandwich sat, abandoned, on the counter. Isabel said, "He's in the living room next to the fire. He just stopped throwing up before you got here. He puked all over the carpet. But that's okay because I like having my parents pissed at me. No point interrupting a constant pattern." "Thank you," I said, more intensely grateful than the phrase conveyed. I followed the smell of smoke to the living room. Luckily for Isabel and her nonexistent fire-building skills, the ceiling was very high, and most of the smoke had drifted upward. Sam was a curved bundle next to the hearth, a fleece blanket wrapped around his shoulders. An untouched mug of something sat beside him, still steaming. I rushed over, flinching at the heat of the fire, and stopped short when I smelled him: sharp, earthy, wild. A painfully familiar smell that I loved so well — but didn't want to smell right now. The face he turned to me was human, though, and I crouched beside him and kissed him. He took me carefully, as if either I or he might break, and closed his arms around me, laying his head on my shoulder. I felt him shiver intermittently, despite the small, smoky fire that was nonetheless hot enough to burn my shoulder nearest to it. I wanted him to say something. This deadly quiet scared me. I pulled away from him and ran my hands through his hair for a long minute before I said what needed to be said. "You aren't okay, are you?" "It's like a roller coaster," Sam said softly. "I climb and climb and climb toward winter, and as long as I don't get to the very top, I can still slide back." I looked away, into the fire, watching the very center of it, the very hottest part, until the colors and light lost meaning, burning my vision to white dancing lights. "And now you're at the very top." "I think I might be. I hope not. But God — I feel like hell." He took my hand with frigid fingers. I couldn't stand the silence. "Beck wanted to come. He couldn't leave the house." Sam swallowed, loud enough for me to hear it. I wondered if he was feeling sick again. "I won't see him again. This is his last year. I thought I was right to be angry at him, but it just seems stupid now. I just can't — I just can't wrap my head around it." I didn't know if he meant wrapping his head around whatever had made him angry with Beck, or the roller coaster he was riding. I just kept staring at that fire. So hot. A tiny little summer, self-contained and furious. If only I could get that inside Sam and keep him warm forever. I was aware that Isabel was standing in the doorway of the room, but she seemed far away. "I keep thinking about why I didn't change," I said slowly. "If I was born immune, or something. But I wasn't, you know? Because I got that flu. And because I still am not really — normal. I can smell better and hear better." I paused, trying to collect my thoughts. "And I think it was my dad. I think it was when he left me in the car. I got so hot, the doctors said I should've died, remember? But I didn't. I lived. And I didn't turn into a wolf." Sam looked at me, his eyes sad. "You're probably right." "But see, it could be a cure, couldn't it? Get you really hot?" Sam shook his head. He was very pale. "I don't think so, angel. How hot was that bathwater you had me in? And — Ulrik — he tried going to Texas that year — it's one hundred and three and one hundred and four degrees out there. He's still a wolf. If that's what cured you, it's because you were little and because you had a crazy-high fever that burned you from the inside out." "You could induce a fever," I said suddenly. But as soon as I said it, I shook my head. "But I don't think there's a medication to raise your temperature." "It is possible," Isabel said from the door. I looked to her. She was leaning against the doorframe, arms crossed over her chest, the sleeves of her sweater filthy from whatever she'd had to do to get Sam out of the shed. "My mom works in a low-income clinic two days a week, and I heard her talking about a guy who had a fever of one hundred and seven. He had meningitis." "What happened to him?" I asked. Sam dropped my hand, turned his face away. "He died." Isabel shrugged. "But maybe a werewolf wouldn't. Maybe that's why you didn't die as a kid, because you were bitten right before your idiot dad left you in the car to cook." Beside me, Sam scrambled to his feet and started coughing. "Not on the frigging rug!" Isabel said. I jumped up as Sam braced his hands on his knees and retched without throwing anything up. He turned around to me, shaky, and something that I saw in his eyes made my stomach drop out from under me. The room stank of wolf. For a dizzying moment, it was me and Sam, my face buried in his ruff, one thousand miles from here. Sam squeezed his eyes shut for a second, and when he opened them, he said, "Sorry. Grace — I know this is an awful thing to ask. But could we go to Beck's? I have to see him again, if this is —" He stopped. But I knew what he'd been about to say. The end. Driving on cloudy nights had always unsettled me. It was as if the low cloud cover not only hid the moonlight but also robbed the headlights of any power, siphoning away their light the second it hit the air. Now, with Sam, I felt like I was driving down a black tunnel that kept getting ever narrower. The sleet tapped the windshield; both my hands gripped the wheel as the car tires bucked on the slick road. The heat was on absolute high, and I wanted to believe that Sam looked a little better. Isabel had poured his coffee into a travel mug, and I'd forced him to drink it as we drove, despite his nausea. It seemed to be helping, more than the external heat sources had, anyway. I took this as a possible reinforcement of our new theory of internal heat. "I'm thinking more about your theory," Sam said, as if reading my mind. "It makes a lot of sense. But you'd have to get your hands on something to induce the fever — maybe meningitis, like Isabel said — and I'm thinking that's going to be unpleasant." "Aside from the fever itself, you mean?" "Yeah. Aside from that. Like dangerously unpleasant. Especially considering you can't exactly do animal testing first to find out if it's going to work." Sam glanced at me quickly to see if I had gotten the joke. "Hardly funny." "Better than nothing." "Granted." Sam reached over and touched my cheek. "But I'd be willing to try it. For you. To stay with you." He said it so simply, so unaffectedly, that it took me a moment to get the statement's full impact. I wanted to say something, but I felt like I had no breath at all. "I don't want to do this anymore, Grace. It's not good enough anymore to watch you from the woods, not now that I've been with you — the real thing. I can't just watch anymore. I'd rather risk whatever could happen —" "Death —" "Yeah, death — than watch all this slip away. I can't do that, Grace. I want to try. Only — I think I'd have to be human for it to have a chance. It doesn't seem like you could kill the wolf while you were the wolf." I was trembling. Not because it was cold, but because it sounded possible. Horrible, deadly, awful — possible. And I wanted it. I wanted to never have to give up this feeling of his fingers on my cheek or the sad sound of his voice. I should've told him, No, it's not worth it, but that would've been a lie of such epic proportions that I couldn't do it. "Grace," Sam said, abruptly. "If you want me." "What?" I said, and then realized what he had said. It seemed impossible that he had to ask. I couldn't be that hard to read. Then I realized — stupid, slow me — that he wanted to hear it. He told me all the time how he felt, and I was just... stoic. I don't think I'd ever told him. "Of course I do. Sam, I love you, you know I do. I've loved you for years. You know that." Sam curled his arms around himself. "I do. But I wanted to hear you say it." He reached toward my hand before realizing I couldn't take it off the wheel; instead he made a knot of my hair around his fingers and rested his fingertips against my neck. I imagined I could feel his pulse and my pulse syncing up through that tiny bit of contact. This could be mine forever. He slouched back in his seat, looking tired, and leaned his face on his shoulder to look at me while he played with my hair. He started to hum a song, and then, after a few bars, he sang it. Quietly, sort of half-sung, half-spoken, incredibly gentle. I didn't catch all the words, but it was about his summer girl. Me. Maybe his forever girl. His yellow eyes were half-lidded as he sang, and in that golden moment, hanging taut in the middle of an ice-covered landscape like a single bubble of summer nectar, I could see how my life could be stretched out in front of me. The Bronco lurched violently, and a heartbeat later, I saw the deer roll up over the hood. A crack raced across the windshield, exploding a second later into a thousand spiderwebbed fractures. I hit the brake, but nothing happened. Not even a whisper of a response. Turn, Sam said, or maybe I imagined him saying it, but when I turned the wheel, the Bronco kept going straight, sliding, sliding, sliding. I remembered, in the back of my head, my dad saying, Steer into the skid, and I did, but it was too late. There was a sound like a bone breaking, and there was a dead deer on the car and in the car and glass was everywhere and God, a tree shoved through my hood, and there was blood on my knuckles from the glass, and I was shaking and Sam was looking at me with this look on his face like oh, no, and then I realized that the car wasn't running and there was frigid air trickling in the jagged hole in the windshield. I wasted a moment staring at him. Then I tried the engine, which wouldn't even respond when I turned the key. I said: "We call 911. They'll come get us." Sam's mouth made a sad little line, and he nodded, as if that really would work. I punched in the number and reported the accident, talking fast, trying to guess where we might be, and then I took off my coat, careful not to drag the sleeves over my bloody knuckles, and I threw it on top of Sam. He sat quietly, unmoving, as I grabbed a blanket from the backseat and threw it on top of him, too, and then I slid across the seat and leaned against him, hoping to lend my body heat to him. "Call Beck, please," Sam said, and I did. I put it on speakerphone and set it on the dash. "Grace?" Beck's voice. "Beck," Sam said. "It's me." There was a pause, and then, "Sam. I —" "There's no time," Sam said. "We've hit a deer. We're wrecked." "God. Where are you? Is the car running?" "Too far. We called 911. The engine's dead." Sam gave Beck a moment to realize what that meant. "Beck, I'm sorry I didn't come by. There are things I need to say —" "No, listen to me first, Sam. Those kids. I need you to know I recruited them. They knew. They knew all along. I didn't do it against their will. Not like you. I'm so sorry, Sam. I've never stopped being sorry." The words were meaningless to me, but obviously not to Sam. His eyes were too bright, and he blinked. "I don't regret it. I love you, Beck." "I love you, too, Sam. You're the best of us, and nothing can change that." Sam shuddered, the first sign I'd seen of the cold acting on him. "I have to go," he said. "There's no more time." "Good-bye, Sam." "Bye, Beck." Sam nodded to me and I hit the END button. For a second he was still, blinking. Then he shook off all the blankets and coats so that his arms were free and he wrapped them around me as tightly as he could. I felt him shuddering, shuddering against me as he buried his face in my hair. I said, uselessly, "Sam, don't go." Sam cupped my face in his hands and looked me in the eyes. His eyes were yellow, sad, wolf, mine. "These stay the same. Remember that when you look at me. Remember it's me. Please." Please don't go. Sam let go of me and spread out his arms, gripping the dash with one hand and the back of his seat with the other. He bowed his head and I watched his shoulders ripple and shake, watched the silent agony of the change until that one soft, awful cry, just when he lost himself. crashing into the trembling void stretching my hand to you losing myself to frigid regret is this fragile love a way to say good-bye When the paramedics arrived, I was curled on the passenger seat in a pile of coats, my hands pressed against my face. "Miss, are you all right?" I didn't answer, just put my hands on my lap and looked at my fingers, covered with bloody tears. "Miss, are you alone?" I nodded. I watched her, like I'd always watched her. Thoughts were slippery and transient, faint scents on a frigid wind, too far away to catch. She sat just outside the wood near the swing, curled small, until the cold shook her, and still she didn't move. For a long time, I didn't know what she was doing. I watched her. Part of me wanted to go to her, though instinct sang against it. The desire sparked a thought which sparked a memory of golden woods, days floating around me and falling around me, days lying still and crumpled on the ground. But I realized then what she was doing, folded there, trembling with the vicious cold. She was waiting, waiting for the cold to shake her into another form. Maybe that unfamiliar scent I caught from her was hope. She waited to change, and I waited to change, and we both wanted what we couldn't have. Finally, night crept across the yard, lengthening the shadows, pulling them out of the woods until they covered the whole world. I watched her. The door opened. I shrank farther into the dark. A man came out, pulled the girl from the ground. The light from the house glistened off the frozen tracks on her face. I watched her. Thoughts, distant, fled with her absence. After she disappeared into the house, there was only this: longing. Their howls were the hardest thing to bear. As terrible as the days were, the nights were worse; days were just listless preparations to somehow make it through another night populated by their voices. I lay in bed and hugged his pillow until there was no more of his scent caught in it. I slept in his chair in Dad's study until it had my shape instead of his. I walked barefoot through the house in a private grief I couldn't share with anyone. The only person I could share with, Olivia, couldn't be reached by phone, and my car — the car I couldn't even bear to think of — was useless and broken. And so it was just me in the house and the hours stretched out before me and the unchanging, leafless trees of Boundary Wood outside my window. The night I heard him howl was the worst. The others began first, like they had for the last three nights. I sank down into the leather chair in Dad's study, buried my face in the last Sam-scented T-shirt of his that I had, and pretended that it was just a recording of wolves, not real wolves. Not real people. And then, for the first time since the crash, I heard his howl join in with them. It tore my heart out, because I heard his voice. The wolves sang slowly behind him, bittersweet harmony, but all I heard was Sam. His howl trembled, rose, fell in anguish. I listened for a long time. I prayed for them to stop, to leave me alone, but at the same time I was desperately afraid that they would. Long after the other voices had dropped away, Sam kept howling, very soft and slow. When he finally fell silent, the night felt dead. Sitting still was intolerable. I stood up, paced, clenched and unclenched my hands into fists. Finally I took the guitar that Sam had played and I screamed and smashed it into pieces on Dad's desk. When Dad came down from his room, he found me sitting in the middle of a sea of splintered wood and snapped strings, like a boat carrying music had crashed on a rocky shore. The first time I picked up my phone after the crash, it was snowing. Light, delicate flakes drifted by the black square of my window, like flower petals. I wouldn't have picked it up, but it was the one person I had been trying to contact since the crash. "Olivia?" "G-gr-r-ace?" Olivia, barely recognizable. She was sobbing. "Olivia, shh — what's wrong?" That was a stupid question. I knew what was wrong with her. "Re-remember I told you I knew about the wolves?" She was taking big gasps of air between the words. "I didn't tell you about the hospital. Jack —" "Bit you," I said. "Yes," Olivia sobbed out the word. "I didn't think anything would happen, because days went by and I felt the same!" My limbs fell slack. "You changed?" "I — I can't — I —" I closed my eyes, imagining the scene. God. "Where are you now?" "At the b-bus stop." She paused, sniffing. "It's c-cold." "Oh, Olivia. Olivia, come over here. Stay with me. We'll figure this out. I'd come, but I don't have a car yet." Olivia began to sob again. I stood up and shut my bedroom door. Not that Mom would hear me; she was upstairs, anyway. "Olivia, it's okay. I'm not going to freak out. I saw Sam change and I didn't freak out. I know what it's like. Calm down, okay? I can't come get you. I don't have a car. You're going to have to drive over here." I calmed her down for another few minutes and told her I'd have the front door unlocked when she got there. For the first time since the crash, I felt closer to me again. When she arrived, looking red-eyed and disheveled, I pushed her toward the bathroom for a shower and got her a change of clothes. I sat on the closed toilet lid while she stood in the hot water. "I'll tell you my story if you tell me yours," I told her. "I want to know when Jack bit you." "I told you how I met him, taking pictures of the wolves, and how I fed him. It was so stupid that I didn't tell you — I was just so guilty about fighting with you that I didn't tell you right away, and then I started cutting classes to help him out, and then I felt like I couldn't tell you without... I don't know what I thought. I'm sorry." "It's water under the bridge now," I said. "What was he like? Did he force you to help him?" "No," Olivia said, "He was pretty nice, actually, when things went his way. He got pretty angry when he changed, but it looked painful. And he kept asking about the wolves, wanting to see photos, and we talked, and after he found out that you'd been bitten —" "Found out?" I echoed. "Okay, I told him! I didn't know it was going to make him crazy! He went on and on about a cure after that, and he tried to get me to tell him how to fix him. And then he, um, he..." She wiped her eyes. "Bit me." "Wait. He bit you when he was human?" "Yeah." I shuddered. "God. How awful. Sick bastard. So you've been dealing with this all the time, by yourself?" "Who would I tell?" Olivia said. "I thought Sam was one, because of his eyes — because I thought I recognized them from my wolf photos — but he told me he was wearing contacts when I met him. So I knew I either had it wrong or he just wasn't going to help me, anyway." "You should've told me. I already told you about the werewolves, anyway." "I know. I was just — guilty. I was just" — she shut off the water — "stupid. I don't know. What can I do, anyway? How was Sam human so much? I saw him. He waited in the Bronco for you all the time, and he never changed." I handed her a towel over the top of the curtain. "Come into my room. I'll tell you." Olivia stayed with me overnight, shaking and kicking so much that she eventually made a nest of blankets and my sleeping bag next to the bed so that we could both sleep. After a late breakfast, we went to get Olivia some toothpaste and other toiletries — Mom had ridden to work with Dad so that I could use her car. On the way back from the store, my cell phone rang. Olivia picked up the phone without answering the call and read the number off to me. Beck. Did I really want to do this? I sighed and held out my hand for the phone. "Hello?" "Grace." "Yes." "I'm sorry to call you," Beck said. His voice sounded flat. "I know the last couple days must've been hard for you." Was I supposed to say something? I hoped not, because I couldn't think of anything. My brain felt cloudy. "Grace?" "I'm here." "I'm calling about Jack. He's doing better now, he's more stable, and it won't be too long before he changes for the winter. But he's still got a couple weeks of swapping back and forth, I think." My brain wasn't too cloudy to realize how much Beck was trusting me at this point. I felt vaguely honored. "So he's not still locked in the bathroom?" Beck laughed, not a funny laugh, but nice to hear, anyway. "No, he's graduated from the bathroom to the basement. But I'm afraid, um, I'm going to change soon — I almost did this morning. And that would leave Jack in a very bad place for the next few weeks. I hate to ask you this, because it puts you in danger of getting bitten — but maybe you could keep an eye on him until he changes?" I paused. "Beck, I've been bitten already." "God!" "No, no," I added hurriedly. "Not recently. Many years ago." Beck's voice was strange. "You're the girl that Sam saved, aren't you?" "Yeah." "And you never changed." "No." "How long have you known Sam?" "We only met in person this year. But I've watched him ever since he saved me." I pulled into the driveway but didn't turn the engine off. Olivia leaned over, cranked up the heat, and lay back in her seat with closed eyes. "I'd like to come over before you change. To just talk, if that's okay." "That would be more than okay. But it'll have to be soon, I'm afraid. I'm just getting to the point where I can't turn back now." Crap. My phone was beeping another call through. "This afternoon?" I asked. When he agreed, I said, "I have to go — I'm sorry — someone is calling me." We said good-bye and I clicked over to the other call. "Holy crap, Grace, how many times were you going to let it ring? Eighteen? Twenty? One hundred?" It was Isabel; I hadn't heard from her since the day after the crash, when I'd filled her in on where Jack was. I replied, "For all you know, I was in class, and I was being murdered for my phone ringing during it." "You weren't in class. Anyway. I need your help. My mom saw another case of meningitis — the worse sort of meningitis — at the clinic where she works. While I was there, I drew the guy's blood. Three vials." I blinked several times before I figured out what she was saying. "You what?! Why?" "Grace, I thought you were at the top of the class. Clearly the sliding scale has done wonders for you. Try to focus. While Mom was on the phone, I pretended to be a nurse and I drew his blood. His nasty, infected blood." "You know how to draw blood?" "Yes, I know how to draw blood! Doesn't everyone? Are you not getting what I'm saying? Three vials. One for Jack. One for Sam. One for Olivia. I need you to help me get Jack over to the clinic. The blood's in the fridge there. I'm afraid to take it out in case the bacteria die or whatever it is that bacteria do. Anyway, I don't know where this guy's house is, where Jack is." "You want to inject them. To give them meningitis." "No, I want to give them malaria. Yes, stupid. I want to give them meningitis. The main symptom is — tada — a fever. And if we're being honest, I don't give a crap if you do it to Sam and Olivia. It probably won't work on Sam, anyway, because he's a wolf already. But I figured I had to get enough blood for all of them if I wanted to get you to help me." "Isabel, I would've helped you, anyway." I sighed. "I'm going to give you an address. Meet me there in an hour." Being in Beck's basement made me both the happiest and the saddest I'd felt since Sam had changed into a wolf, because seeing Beck there, in his own world, was like seeing Sam again. It started when we left Olivia puking in the bathroom and met Beck at the top of the basement stairs — it was too cold for him to meet us at the front door — and I realized that Sam had inherited so many of his mannerisms and movements from Beck. Even the simplest gestures: reaching over to brush up a light switch, inclining his head for us to follow him, awkwardly ducking to avoid a low beam at the bottom of the stairs. So much like Sam that it hurt. Then we reached the bottom of the stairs and I caught my breath. The large, main room of the basement was filled with books. Not just a few. It was a library. The walls were lined with recessed shelves that climbed to the top of the low ceiling, and they were stuffed full. Even without getting close to the shelves, I could see that they were categorized: tall, fat atlases and encyclopedias on one shelf; short, colorful paperbacks with rumpled edges on several others; big photo books with block letters on their spines; hardcover novels with glistening dust jackets. I stepped slowly into the middle of the room and stood on the dusky orange carpet, turning slowly to see them all. And the smell — the smell of Sam was every where in this room, like he was here with me, holding my hand, looking at all these books with me, waiting for me to say "I love it." I was about to break the silence by saying something like "I can see where Sam got his reading habit" when Beck said, almost apologetically, "When you spend a lot of time inside, you do a lot of reading." I remembered, then, abruptly, what Sam had told me about Beck: This was his last year as a human. He would never read these books again. My words were stolen from me, and then I just looked at Beck and managed, stupidly, "I love books." He smiled, like he knew. Then he looked at Isabel, who was craning her neck as if Jack must be stuffed on one of the shelves. "Jack's probably in the other room, playing video games," Beck said. Isabel followed Beck's gaze to the doorway. "Will he tear out my throat if I go in there?" Beck shrugged. "No more than usual, I'd think. That's the warmest room in the house, and I think he feels more comfortable in there. Though he still changes every so often. Just pay attention." It was interesting how he talked about Jack — more animal than human. As if he were advising Isabel on how to approach the gorillas at the zoo. After Isabel had vanished into the other room, Beck gestured toward one of the two squashy red chairs in the room. "Have a seat." I was glad to settle down into one of the chairs. It smelled of Beck and a few other wolves, but mostly of Sam. It was so easy to imagine him down here, curled in this spot, reading and developing an obnoxiously large vocabulary. I rested my head against the side of the chair to pretend I was curled in Sam's arms and turned to look at Beck, who sat down in the chair opposite. Not properly, but crashed back into it with his legs kicked out. He looked tired. "I'm sort of surprised Sam kept you a secret all this time." "Are you?" He shrugged. "I guess I shouldn't be. I didn't tell him about my wife." "He knew. He told me about her." Beck laughed, short and fond. "I shouldn't be surprised about that, either. Keeping a secret from Sam was impossible. Not to be cliché, but he could read people like a book." We were both referring to him in past tense, like he was dead. "Do you think I'll ever see him again?" His face was faraway, unreadable. "I think this year was his last. I really do. I know it's mine. I don't know why he got so few years. That's just not normal. I mean, it varies, but I was bitten a little over twenty years ago." "Twenty?" Beck nodded. "In Canada. I was twenty-eight, a rising star at my firm, and I was hiking on vacation." "What about the rest of them? Where are they from?" "From all over. When I heard that there were wolves in Minnesota, I thought there was a good chance they could be like me. So I went looking, found out I was right, and Paul took me under his wing. Paul's —" "The black wolf." He nodded. "Do you want coffee? I could murder for coffee, if you don't mind the expression." I was intensely grateful. "That would be wonderful. If you point me in the direction of the pot, I'll make it." He pointed it out, hidden in a cranny between the shelves, next to a tiny refrigerator. "And you can keep talking." He sounded humored. "What about?" "The pack. What it's like, being a wolf. Sam. Why you changed Sam." I paused, coffee filter in hand. "Yes. That one. I want to know that one in particular." Beck crumpled his face in his hand. "God, the worst one. I changed Sam because I was a selfish bastard without a soul." I measured coffee grounds. I heard the regret in his voice, but I wasn't letting him off the hook. "That's not a reason." Deep sigh. "I know. Jen — my wife — had just died. She was a terminal cancer patient when we met, so I knew it was going to happen, but I was young and stupid and thought maybe a miracle would happen and we'd live happily ever after. Anyway. No miracle. I was depressed. I thought about killing myself, but the funny thing about having wolf in you is that suicide doesn't seem like a very good idea. Did you ever notice that animals don't kill themselves on purpose?" I hadn't. I made a note of it. "Anyway, I was in Duluth in the summer, and I saw Sam with his parents. God, this sounds awful, doesn't it? But it wasn't like that. Jen and I talked all the time about having kids, even though we both knew it would never happen. Hell, she was only supposed to live for another eight months. How could she have had a baby? Anyway, I saw Sam. There he was, with his yellow eyes, just like a real wolf, and I was totally obsessed with the idea. And — you don't have to tell me, Grace, I know this was wrong — but I saw him with his silly, vapid parents, them just as clueless as a pair of pigeons, and I thought, I could be better for him. I could teach him more." I didn't say anything, and Beck leaned his forehead into his hand again. His voice was centuries old. I didn't say anything, but he groaned. "God, I know, Grace. I know. But you know the stupid thing? I actually like who I am. I mean, not at first. It was a curse. But it came to be like someone who loves summer and winter. Does that make sense? I knew that eventually I'd lose myself, but I came to terms with that a long time ago. I thought Sam would get over it, too." I found the mugs in a little cubby above the coffeemaker and pulled two of them out. "But he didn't. Milk?" "A little. Not too much." He sighed. "It's hell for him. I made a personal hell for him. He needs that sort of self-awareness to feel alive, and when he loses that and becomes a wolf... it's hell. He is absolutely the best person I've ever met in the world, and I absolutely ruined him. I have regretted it every day for years." He might've deserved it, but I couldn't let him get any lower. I brought him a mug and sat back down. "He loves you, Beck. He may hate being a wolf, but he loves you. And I have to tell you, it's killing me to sit here with you, because everything about you reminds me of him. If you admire him, it's because you made him who he is." Beck looked strangely vulnerable then, his hands wrapped around the coffee mug, looking at me through the steam above it. He was silent for a long moment, and then he said, "The regret will be one of the things I'll be glad to lose." I frowned at him. Sipped the coffee. "Will you forget everything?" "You don't forget anything. You just see it differently. Through a wolf's brain. Some things become completely unimportant when you're a wolf. Other things are emotions wolves just don't feel. We lose those. But the most important things — we can hold on to those. Most of us." Like love. I thought of Sam watching me, before we had met as humans, and me watching back. Falling in love, as impossible as it should've been. My gut squeezed, horribly, and for a moment, I couldn't speak. "You were bitten," Beck said. I'd heard this before, this question without a question mark. I nodded. "A little more than six years ago." "But you never changed." I related the story of getting locked in the car, and then explained the theory of a possible cure Isabel and I had developed. Beck sat quietly for a long moment, rubbing a small circle in the side of his mug with one of his fingers, staring blankly at the books on the wall. Finally, he nodded. "It might work. I can see how it might work. But I think you'd have to be human when you got infected for it to work." "That's what Sam said. He said he thought if you were killing the wolf, you shouldn't be a wolf when you were infected." Beck's eyes were still unfocused as he thought. "God, but it's risky. You couldn't treat the meningitis until after you were sure the fever had killed the wolf. Bacterial meningitis has an incredible fatality rate, even if you catch it early and treat it from the beginning." "Sam told me he'd risk dying for the cure. Do you think he meant it?" "Absolutely," Beck said, without hesitation. "But he's a wolf. And likely to stay that way for the rest of his life." I dropped my eyes to my half-empty mug, noticing the way the liquid changed color just at the very edges of the rim. "I was thinking we could bring him to the clinic, just to see if he'd change in the heat of the building." There was a pause, but I didn't look up to see what expression Beck wore during it. He said gently, "Grace." I swallowed, still looking at the coffee. "I know." "I've watched wolves for twenty-odd years. It's predictable. We get to the end... and it's the end." I felt like a stubborn child. "But he changed this year when he shouldn't have, right? When he was shot, he made himself human." Beck took a long drink of coffee. I heard his fingers tapping the side of the mug. "And to save you. He made himself human to save you. I don't know how he did it. Or why. But he did. I always thought it must have had something to do with adrenaline, tricking the body into thinking it was warm. I know he's tried to do it other times, too, but he never managed it." I closed my eyes and let myself imagine Sam carrying me. I could almost see it, smell it, feel it. "Hell." Beck didn't say anything else for a long time. Then, again: "Hell. It's what he would want. He'd want to try." He drained his coffee. "I'll help you. What were you thinking? Drugging him for the trip?" I had been thinking about it, in fact, ever since Isabel had called. "I think we'll have to, right? He won't stand it otherwise." "Benadryl," Beck said, matter-of-fact. "I've got some upstairs. It'll make him groggy and put him enough out of it that he won't go crazy in the car." "The only thing I couldn't work out was how to get him here. I haven't seen him since the accident." I was cautious with my words. I couldn't let myself get hopeful. I just couldn't. Beck's voice was certain. "I can do it. I'll get him. I'll make him come. We'll put the Benadryl in some hamburger or something." He stood up and took my coffee mug from me. "I like you, Grace. I wish Sam could've had —" He stopped, put his hand on my shoulder. His voice was so kind I thought I would cry. "It might work, Grace. It might work." I could see that he didn't believe, but I saw, too, that he wanted to. For right now, that was enough. A thin layer of snow dusted the ground as Beck walked into the backyard, his shoulders dark and square underneath his sweater. Inside, Isabel and Olivia stood with me by the glass door, ready to help, but I felt like I was alone, watching Beck slowly walk out into his last day as a human. One of his hands held a gob of red, raw meat laced with Benadryl, and the other shook uncontrollably. A dozen yards from the house, Beck halted, dropped the meat to the ground, and then walked several paces toward the woods. For a moment he stood there, his head cocked in a way that I recognized. Listening. "What is he doing?" Isabel demanded, but I didn't answer. Beck cupped his hands around his mouth, and even inside, I could hear him clearly. "Sam!" He shouted it again, "Sam! I know you're out there! Sam! Sam! Remember who you are? Sam!" Shaking, Beck kept shouting Sam's name to the empty, frigid woods, until he stumbled and caught himself just before falling. I pressed my fingers to my lips as tears ran down my cheeks. Beck shouted Sam's name one more time, and then his shoulders hunched up, buckling and twisting, his scrambling hands and feet scarring the layer of snow around him. His clothing hung on him, vast and tangled, and then he backed out of it, shaking his head. The gray wolf stood in the middle of the yard, looking toward the glass doors, his eyes watching us watching him. He stepped away from the clothing he would never wear again, and then he froze, turning his head toward the woods. From between the stark black pines, another wolf emerged, head low and cautious, snow dusted over his ruff. His eyes found me, behind the glass. Sam. The evening was steel gray, the sky an endless expanse of frozen clouds waiting for snow and for night. Outside the SUV, the tires crunched along salted roads, and sleet tapped on the windshield. Inside, behind the wheel, Isabel kept complaining about the "wet mutt smell," but to me it was pine and earth, rain and musk. And behind it, the sharp, contagious edge of anxiety. In the passenger seat, Jack kept whining softly, halfway between animal and human. Olivia sat beside me in the backseat, her fingers knotted so tightly in mine that it hurt. Sam was behind us. When we had lifted him into the SUV, his body was heavy with drug-induced sleep. Now, his breaths were deep and uneven, and I strained to listen to them over the sound of slush spraying from the tires, to maintain some kind of connection with him when I couldn't touch him. With him drugged, I could've sat with him and run my fingers through his fur, but it would've been torment for him. He was an animal now. Back in his world, far away from me. Isabel pulled up in front of the little clinic. At this hour, the parking lot was dark and unlit; the clinic itself was a little gray square. It didn't look like a place to work miracles. It looked like a place you came when you were sick and had no money. I pushed the thought out of my head. "I stole the keys from Mom," Isabel said. To her credit, she didn't sound nervous. "Come on. Jack, can you try the hell not to savage someone before we get inside?" Jack muttered something unrepeatable. I looked in the back; Sam was on his feet, swaying. "Isabel, hurry up. The Benadryl's wearing off." Isabel wrenched up the parking brake. "If we get arrested, I'm telling them you all abducted me." "Come on!" I snapped. I opened my door; Olivia and Jack both winced at the cold. "Hurry up — you two need to run." "I'll come back to help you with him," Isabel told me, and leaped out of the SUV. I turned back around to Sam, who rolled his eyes up toward me. He seemed disoriented, groggy. I was momentarily frozen by his gaze, remembering Sam lying in bed, nose to nose with me, eyes looking into mine. He made a soft noise of anxiety. "I'm sorry," I told him. Isabel returned, and I came around back to help her. She pulled off her belt and expertly twisted it around Sam's muzzle. I winced, but I couldn't tell her not to. She hadn't been bitten and there was no guarantee of how Sam would react to this process. Between the two of us, we lifted him and crab-walked to the clinic. Isabel kicked open the door, which was already slightly ajar. "The exam rooms are that way. Lock him in one of those and we'll do Olivia and Jack first. Maybe he'll turn back again, if he's in the heat long enough." Isabel's lie was extraordinarily kind; we both knew he wasn't changing without some kind of miracle. The best I could hope for was that Sam had been wrong — that this cure wouldn't kill him when he was a wolf. I followed Isabel to a little supply room, cluttered and stinking with a sort of medicinal, rubber scent. Olivia and Jack were already waiting there, heads ducked together as if they were talking, which surprised me. Jack lifted his head when we came in. "I can't stand this waiting," he said. "Can we just get this the hell over with?" I looked at a bin of alcohol wipes. "Do I need to prep his arm?" Isabel gave me a look. "We're intentionally infecting him with meningitis. It seems pointless to be worried about infection at the injection site." I swabbed his arm, anyway, while Isabel retrieved a blood-filled syringe from the fridge. "Oh, God," Olivia whispered, her eyes frozen on the syringe. We didn't have time to comfort her. I took Jack's cold hand and turned it so that it was palm up, like I remembered seeing the nurse do before our rabies shots. Isabel looked at Jack. "You're sure you want this." He lifted his teeth in a snarl. He stank of fear. "Just do it." Isabel hesitated; it took me a moment to realize why. "Let me do it," I told her. "He can't hurt me." Isabel handed me the syringe and ducked aside. I took her place. "Look the other way," I ordered Jack. He turned his head away. I stuck the needle in, then smacked his face with my free hand as he jerked back around toward me. "Control yourself!" I snapped. "You're not an animal." He whispered, "Sorry." I depressed the syringe fully, trying not to think too hard about the bloody contents of it, and pulled out the needle. There was a dot of red at the injection site; I didn't know if it was Jack's blood or infected blood from the syringe. Isabel was just staring at it, so I turned around, grabbed a Band-Aid, and stuck it over the site. Olivia let out a low moan. "Thank you," Jack said. He hugged his arms around himself. Isabel looked sick. "Just give me the other one," I said to Isabel. Isabel handed it to me and we turned to Olivia, who was so pale that I could see the vein running over her temple; nerves shook her hands. Isabel took over my duty of swabbing the arm. It was like an unspoken rule that we both had to feel useful to make the hateful task possible. "I changed my mind!" Olivia cried. "I don't want to do it! I'll take my chances!" I took her hand. "Olivia. Olive. Calm down." "I can't." Olivia's eyes were on the dark red of the syringe. "I can't say that I'd rather die than be this way." I didn't know what to say. I didn't want to convince her to do something that could kill her, but I didn't want her to not do it, out of fear. "But your whole life — Olivia." Olivia shook her head. "No. No, it's not worth it. Let Jack try it. I'll take my chances. If it works on him, then I'll try it. But I... can't." "You do know it's nearly November, right?" Isabel demanded. "It's freezing cold! You're going to change soon for the winter, and we won't get another chance until spring." "Just let her wait," Jack snapped. "There's no harm. Better her parents think she's missing for a few months than find out she's a werewolf." "Please." Olivia's eyes were full of tears. I shrugged helplessly and put down the syringe. I didn't know any more than she did. And in my heart, I knew that, in her position, I'd make the same choice — better to live with her beloved wolves than die of meningitis. "Fine," Isabel said. "Jack, take Olivia out to the car. Wait there and keep an eye out. Okay, Grace. Let's go see what Sam's done to the exam room while we were gone." Jack and Olivia headed down the hallway, pressed against each other for warmth, trying not to shift, and Isabel and I turned to go to the wolf who already had. Standing just outside the exam room where Sam was, Isabel put her hand on my arm, stopping me before I turned the door handle. "Are you sure you want to do this?" she asked. "It could kill him. Probably will kill him." Instead of answering, I pushed open the door. In the ugly fluorescent lighting of the room, Sam looked ordinary, doglike, small, crouched beside the exam table. I knelt in front of him, wishing that we'd thought of this possible cure before it was probably too late for him. "Sam." I don't want to stand before you like a thing, shrewd, secretive.... I had known that the heat wouldn't change him back to human. It was nothing but selfishness that had made me bring him to the clinic. Selfishness, and a fallible cure that couldn't possibly work for him in this form. "Sam, do you still want to do this?" I touched his ruff, imagining it as his dark hair. I swallowed unhappily. Sam whistled through his nose. I had no idea how much he understood of what I said; only that, in his semi-drugged state, he didn't flinch under my touch. I tried again. "It could kill you. Do you still want to try?" Behind me, Isabel coughed meaningfully. Sam whined at the noise, eyes jerking to Isabel and the door. I stroked his head and looked into his eyes. God, they were the same. It killed me to look at them now. This has to work. A tear slid down my face. I didn't bother to swipe it away as I looked up at Isabel. I wanted this like I'd never wanted anything. "We have to do it." Isabel didn't move. "Grace, I don't think he stands a chance unless he's human. I just don't think it will work." I ran a finger over the short, smooth hair on the side of his face. If he hadn't been sedated, he wouldn't have tolerated it, but the Benadryl had dulled his instincts. He closed his eyes. It was unwolflike enough to give me hope. "Grace. Are we doing this or not? Seriously." "Wait," I said. "I'm trying something." I settled on the floor and whispered to Sam, "I want you to listen to me, if you can." I leaned the side of my face against his ruff and remembered the golden wood he had shown me so long ago. I remembered the way the yellow leaves, the color of Sam's eyes, fluttered and twisted, crashing butterflies, on their way to the ground. The slender white trunks of the birches, creamy and smooth as human skin. I remembered Sam standing in the middle of the wood, his arms stretched out, a dark, solid form in the dream of the trees. His coming to me, me punching his chest, the soft kiss. I remembered every kiss we'd ever had, and I remembered every time I'd curled in his human arms. I remembered the soft warmth of his breath on the back of my neck while we slept. I remembered Sam. I remembered him forcing himself out of wolf form for me. To save me. Sam jerked away from me. His head was lowered, tail between his legs, and he was shaking. "What's happening?" Isabel's hand was on the doorknob. Sam backed away farther, crashing into the cabinet behind him, curling into a ball, uncurling. He was peeling free. He was shaking out of his fur. He was wolf and he was Sam, and then he was just Sam. "Hurry," Sam whispered. He was jerking, hard, against the cabinet. His fingers were claws on the tile. "Hurry. Do it now." Isabel was frozen by the door. "Isabel! Come on!" She snapped out of her spell and came over to us. She crouched beside Sam, next to the bare expanse of his back. He was biting his lip so hard that it was bleeding. I knelt, took his hand. His voice was strained. "Grace — hurry. I'm almost gone." Isabel didn't ask any more questions. She just grabbed his arm, turned it, and jabbed the needle in. She depressed the syringe halfway, but it jerked out of his arm as he seized violently. Sam backed away from me, tugging his hand from mine, and threw up. "Sam —" But he was gone. In half the time it had taken him to become human, he was a wolf. Shaking, staggering, nails scratching on the tiles, falling to the floor. "I'm sorry, Grace," Isabel said. That was all she said. She laid the syringe on the counter. "Crap. I hear Jack. I'll be right back." The door opened and closed. I knelt next to Sam's body and buried my face in his fur. His breaths were ragged and exhausted. And all I could think was — I killed him. This is going to kill him. Jack was the one who opened the exam room door. "Grace, come on. We have to go — Olivia's not doing so good." I stood, embarrassed to be found with tear-stained cheeks. I turned to tip the used syringe into the hazardous waste container by the counter. "I need help carrying him." He scowled at me. "That's why Isabel sent me in here." I looked down, and my heart stopped. Empty floor. I spun, ducking my head to look under the table. "Sam?" Jack had left the door open. The room was empty. "Help me find him!" I shouted at Jack, pushing past him into the hallway. There was no sign of Sam. As I pelted down the hall, I could see the door wide-open at the end of it, black night staring in. It was the first place a wolf would've run to, once his drugs wore off. Escape. The night. The cold. I spun in the parking lot, looking for any sign of Sam in the slender finger of Boundary Wood that stretched behind the clinic. But it was darker than dark. No lights. No sound. No Sam. "Sam!" I knew he wouldn't come, even if he heard me. Sam was strong, but instincts were stronger. It was intolerable to imagine him out there somewhere, half a vial of infected blood mixing slowly with his. "Sam!" My voice was a wail, a howl, a cry in the night. He was gone. Headlights blinded me: Isabel's SUV, tearing up beside me and shuddering to a stop. Isabel leaned over from the driver's side and shoved open the passenger-side door, her face a ghost in the lights of the dashboard. "Get in, Grace. Hurry the hell up! Olivia is changing and we've been here way too long already." I couldn't leave him. "Grace!" Jack climbed into the backseat, shuddering; his eyes pleaded with me. They were the same eyes I'd seen at the very beginning, back when he'd first been turned. Back before I'd known anything at all. I got in and slammed the door shut, looking out the window just in time to see a white wolf standing by the edge of the parking lot. Shelby. Alive, just like Sam had thought. I stared in the rearview mirror at her; the wolf stood in the parking lot and gazed after us. I thought I saw triumph in her eyes as she turned and disappeared into the darkness. "Which wolf is that?" Isabel demanded. But I couldn't answer. All I could think was Sam, Sam, Sam. "I don't think Jack's doing well," Olivia said. She sat in the passenger seat of my new car, a little Mazda that smelled like carpet cleaner and loneliness. Even though she wore two of my sweaters and a stocking cap, she was still shaking, her hands wrapped around her stomach. "If he was doing well, Isabel would've called us." "Maybe," I said. "Isabel isn't the calling sort." But I couldn't help but think she was right. This was day three, and the last we'd heard from Isabel was eight hours ago. Day one: Jack had a splitting head ache and a stiff neck. Day two: Headache worse. Running a temperature. Day three: Isabel's voicemail. I pulled the Mazda into Beck's driveway and parked behind Isabel's giant SUV. "Ready?" Olivia didn't look like she was, but she got out of the car and bolted for the front door. I followed her in and shut the door behind us. "Isabel?" "In here." We followed her voice into one of the downstairs bedrooms. It was a cheery yellow little bedroom that seemed at odds with the decomposing odor of sick that filled the space. Isabel sat cross-legged on a chair at the foot of the bed. Deep circles, like purple thumbprints, were pressed beneath her eyes. I handed her the coffee we'd brought. "Why didn't you call us?" Isabel looked at me. "His fingers are dying." I'd been avoiding looking at him, but I did, finally, where he lay on the bed, curled like a half-done butterfly. The ends of his fingertips were a disconcerting shade of blue. His face was shiny with sweat, his eyes closed. My throat felt too full. "I looked it up online," Isabel told me. She held up her phone, as if that explained everything. "His head ache is because the lining of his brain is inflamed. The fingers and toes are blue because his brain isn't telling his body to send blood there anymore. I took his temperature. It was one hundred and five." Olivia said, "I have to throw up." She left me in the room with Isabel and Jack. I didn't know what to say. If Sam had been here, he would've known the right thing to say. "I'm sorry." Isabel shrugged, eyes dull. "It worked the way it was supposed to. The first day, he almost changed into a wolf when the temperature dropped overnight. That was the last time, even when the power went down last night. I thought it was working. He hasn't changed since his fever got going." She made a little gesture toward the bed. "Did you make an excuse for me at school?" "Yes." "Fantastic." I gestured for her to follow me. She stood up from her chair as if it was difficult for her and trailed me into the hall. I pulled the bedroom door almost shut so that Jack, if he was listening, wouldn't overhear. In a low voice, I said, "We have to take him to the hospital, Isabel." Isabel laughed — a weird, ugly sound. "And tell them what? He's supposed to be dead. You think I haven't been thinking about this? Even if we give a fake name, his face has been all over the news for two months." "Then we just take our chances, right? We'll come up with some story. I mean, we have to at least try, right?" She looked up at me with her red-rimmed eyes for a long moment. When she finally spoke, her voice was hollow. "Do you think I want him to die? Don't you think I want to save him? It's too late, Grace! It's hard for people to survive this kind of meningitis even if they've gotten treatment from the very beginning. Right now, for him, after three days? I don't even have painkillers to give him, much less anything that might do something for this. I thought the wolf part might save him, like it saved you. But he doesn't have a chance. Not a chance." I took the coffee cup out of her hands. "We can't just watch him die. We'll take him to a hospital that won't know him right away. We'll drive to Duluth if we have to. They won't recognize him there, at least not right away, and by then, we'll have thought of something to tell them. Go clean up your face and get whatever of his stuff you want to bring. Come on, Isabel. Move." Isabel still didn't answer, but she headed for the stairs. After she'd gone, I went into the downstairs bathroom and opened up the cupboard, thinking there might be something useful in there. A houseful of people tended to accumulate a lot of meds. There was some acetaminophen and some prescription pain pills from three years previously. I took all of it and went back to Jack's room. Kneeling by his head, I said, "Jack, are you awake?" I smelled puke on his breath and wondered at the hell he and Isabel had been living in for the past three days; it twisted my stomach. I tried to convince myself that he somehow deserved this for making me lose Sam, but I couldn't. It took a very long time for him to answer. "No." "Can I do anything for you? To make you any more comfortable?" His voice was very small. "My head's killing me." "I have some pain pills. Do you think you can keep them down?" He made a vaguely affirmative noise, so I took the glass of water from beside the bed and helped him swallow a couple of capsules. He mumbled something that might've been "thank you." I waited fifteen minutes, until the meds started to kick in, and watched his body relax a little. Somewhere, Sam had this. I imagined him lying somewhere, brain exploding with pain, fever ravaging, dying. It seemed like, if something happened to Sam, I ought to know it, in some way: feel a tiny prick of anguish the moment he died. On the bed, Jack made a small noise, an unintentional sound of pain, a little whimper in his fitful sleep. All I could think of was injecting Sam with the same blood. In my head, I kept seeing Isabel pushing it into his veins, a deadly cocktail. "I'll be right back," I told Jack, even though I thought he was sleeping. I went out into the kitchen and found Olivia leaning on the island, folding up a piece of paper. "How is he doing?" she asked. I shook my head. "We have to take him to the hospital. Can you come?" Olivia looked at me in a way that I couldn't interpret. "I think I'm ready." She pushed the piece of folded paper toward me. "I need you to find a way to give that to my parents." I started to open it and she shook her head. I raised an eyebrow. "What is this?" "It's the note telling them I'm running away and not to try to find me. They'll still try, of course, but at least they won't think I was kidnapped or something." "You're going to change." It wasn't a question. She nodded and made another weird little face. "It's getting really hard not to. And — maybe it's just because it's so unpleasant, trying not to change — but I want to. I'm actually looking forward to it. I know that sounds backward." It didn't sound backward to me. I would've given anything to be in her place, to be with my wolves and with Sam. But I didn't want to tell her that, so I just asked the obvious question. "Are you going to change here?" Olivia gestured for me to follow her into the kitchen and together we stood by the windows to the backyard. "I want you to see something. Look. You have to wait a second. But look." We stood at the window, looking out at the dead winter world, into the tangled underbrush of the woods. For a long moment I saw nothing but a small, colorless bird that fluttered from naked branch to naked branch. Then another slight movement caught my eye, lower to the ground, and I saw a big, dark wolf in the woods. His light, nearly colorless eyes were on the house. "I don't know how they know," Olivia said, "but I feel like they're waiting for me." I suddenly realized that the expression on her face was excitement. It made me feel oddly alone. "You want to go now, don't you?" Olivia nodded. "I can't stand waiting anymore. I can't wait to let go." I sighed and looked at her eyes, very green and bright. I had to memorize them now so that I could recognize them later. I thought I ought to say something to her, but I couldn't think of what. "I'll give your letter to your parents. Be careful. I'll miss you, Olive." I slid open the glass door; cold air blasted us. She actually laughed as the wind ripped a shiver from her. She was a strange, light creature that I didn't recognize. "See you in the spring, Grace." And she ran out into the yard, stripping sweaters as she did, and before she got to the tree line, she was a light, light wolf, joyful and leaping. There was none of the pain of Jack's or Sam's change — it was as if she had been meant for it. Something in my stomach twisted at the sight of her. Sadness, or envy, or happiness. It was just the three of us then, the three of us who didn't change. I started the car's engine to warm it, but in the end it didn't matter. Fifteen minutes later, Jack died. Now it was just the two of us. I saw Olivia after that, after I'd left her note on her parents' car. She moved lightly in the twilight woods, her green eyes making her instantly identifiable. She was never alone; other wolves guided her, taught her, guarded her from the primitive dangers of the desolate winter wood. I wanted to ask her if she'd seen him. I think she wanted to tell me "no." Isabel called me a few days before Christmas break and my planned trip with Rachel. I didn't know why she called me instead of just coming over to my new car; I could see her right across the school parking lot, sitting in her SUV by herself. "How are you doing?" she asked. "I'm okay," I replied. "Liar." Isabel didn't look at me. "You know he's dead." It was easier to admit on the phone, rather than face-to-face. "I know." Across the frosty gray parking lot, Isabel snapped her phone shut. I heard her put her SUV in gear and then she drove it to where I stood by my car. There was a click as she unlocked the passenger-side door and a whirr as the window rolled down. "Get in. Let's go somewhere." We went downtown and bought coffee, and then, because there was a parking place in front, we went to the bookstore. Isabel looked at the storefront for a long time before getting out of the car. We stood on the icy sidewalk and stared at the display window. It was all Christmas stuff. Reindeer and gingerbread and It's a Wonderful Life. "Jack loved Christmas," Isabel said. "I think it's a stupid holiday. I'm not celebrating it anymore." She gestured to the store. "Do you want to go in? I haven't been in here in weeks." "I haven't been here since —" I stopped. I didn't want to say it. I wanted to go in, but I didn't want to have to say it. Isabel opened the door for me. "I know." The bookstore was a different world in this gray, dead winter. The shelves, blue and slate, had taken on a different hue. The light was pure, pure white. Classical music played overhead, but the hum of the heater was the real soundtrack. I looked at the kid behind the counter — dark haired, lanky, bent over a book — and for a moment, a lump rose in my throat, too thick to swallow. Isabel wrenched my arm, hard enough to hurt. "Let's find books on getting fat." We went to the cookbook section and sat on the floor. The carpet was cold. Isabel made a huge mess, pulling out a stack next to her and putting them back in the wrong order, and I lost myself in the neat letters of the titles on the spines, absently pulling the books out so that they were flush with one another. "I want to learn how to get fat," Isabel said. She handed me a book on pastries. "How does that look?" I paged through it. "All the measurements are in metric. And no cups. You'd have to get a digital scale." "Forget that." Isabel put it back in the wrong place. "Try this one." This one was all on cakes. Beautiful chocolate layers bursting with raspberries, yellow sponges smothered with fluffy buttercream, cloying cheesecakes drizzled with strawberry nectar. "You can't take a piece of cake with you to school." I handed her a book on cookies and bars. "Try that." "This is perfect," Isabel accused, and set the book aside in a different pile. "Don't you know how to shop? Being efficient isn't a good thing. It doesn't take enough time. I'm going to have to teach you the art of browsing. You're clearly deficient." Isabel taught me browsing in the cookbook section until I was restless, and then I left her behind and wandered through the store. I didn't want to, but I climbed the burgundy-carpeted stairs to the loft. The snow-clouded day outside made the loft seem darker and even smaller than it had before, but the love seat was still there, and the little waist-high bookshelves Sam had searched through. I could still see the shape of his body curled in front of them, looking for the perfect book. I shouldn't have, but I sat on the couch and lay back on it. I closed my eyes and pretended as hard as I could that Sam was lying behind me, that I was secure in his arms, and that any moment I would feel his breath move my hair and tickle my ear. I could almost smell him here, if I tried hard enough. There weren't many places that still held his scent, but I could almost detect it — or maybe I just wanted to so badly that I was imagining it. I remembered him urging me to smell everything in the candy shop. To give in to who I really was. I picked out the scents in the bookstore now: the nutty aroma of the leather, the almost perfumey carpet cleaner, the sweet black ink and the gasoline-smelling color inks, the shampoo of the boy at the counter, Isabel's fragrance, the scent of the memory of me and Sam kissing on this couch. I didn't want Isabel to find me with my tears any more than she wanted me to find her with hers. We shared a lot of things now, but crying was one thing we never talked about. I wiped my face dry with my sleeve and sat up. I walked to the shelf where Sam had gotten his book, scanned the titles until I recognized it, then pulled the volume out. Poems by Rainer Maria Rilke. I lifted it to my nose to see if it was the same copy. Sam. I bought it. Isabel bought the cookbook on cookies, and we went to Rachel's place and baked six dozen thumbprint cookies while carefully not talking about Sam or Olivia. Afterward, Isabel drove me home and I shut myself in the study with Rilke, and I read and I wanted. And leaving you (there aren't words to untangle it) Your life, fearful and immense and blossoming, so that, sometimes frustrated, and sometimes understanding, Your life is sometimes a stone in you, and then, a star. I was beginning to understand poetry. It wasn't Christmas without my wolf. It was the one time of year I'd always had him, a silent presence lingering at the edge of the woods. So many times, I'd stood by the kitchen window, my hands smelling of ginger and nutmeg and pine and one hundred other Christmas smells, and felt his gaze on me. I'd look up to see Sam standing at the edge of the woods, golden eyes steady and unblinking. Not this year. I stood at the kitchen window, my hands smelling of nothing. No point baking Christmas cookies or trimming a tree this year; in twenty-four hours, I'd be gone for two weeks with Rachel. On a white Florida beach, far away from Mercy Falls. Far away from Boundary Wood, and most of all, far away from the empty backyard. I slowly rinsed out my travel cup, and for the thousandth time this winter, lifted up my gaze to look to the woods. There was nothing but trees in shades of gray, their snow-laden branches etched against a heavy winter sky. The only color was the brilliant flash of a male cardinal, flapping to the bird feeder. He pecked at the empty wooden base before wheeling away, a red spot against a white sky. I didn't want to go out into the backyard with its unmarked snow, devoid of pawprints, but I didn't want to leave the feeder empty while I was gone, either. Retrieving the bag of birdseed from under the kitchen sink, I pulled on my coat, my hat, my gloves. I went to the back door and slid it open. The scent of the winter woods hit me hard, reminding me fiercely of every Christmas that had ever mattered. Even though I knew I was alone, I still shivered. I watched her. I was a ghost in the woods, silent, still, cold. I was winter embodied, the frigid wind given physical form. I stood near the edge of the woods, where the trees began to thin, and scented the air: mostly dead smells to find this time of the season. The bite of conifer, the musk of wolf, the sweetness of her, nothing else to smell. She stood in the doorway for the space of several breaths. Her face was turned toward the trees, but I was invisible, intangible, nothing but eyes in the woods. The intermittent breeze carried her scent to me again and again, singing in another language of memories from another form. Finally, finally, she stepped onto the deck and pressed the first footprint into the snow of the yard. And I was right here, almost right within reach, but still one thousand miles away. Every step I took toward the feeder took me closer to the woods. I smelled the crisp leaves of the undergrowth, shallow creeks moving sluggishly beneath a crust of ice, summer lying dormant in unnumbered skeleton trees. Something about the trees reminded me of the wolves howling at night, and that reminded me of the golden wood of my dreams, hidden now under a blanket of snow. I missed the woods so much. I missed him. I turned my back to the trees and set the bag of birdseed on the ground beside me. All I had to do was fill the feeder and go back inside and pack my bags to fly away with Rachel, where I could try to forget every secret that hid inside these winter woods. I watched her. She hadn't noticed me yet. She was knock, knock, knocking ice off the bird feeder. Slowly and automatically following the steps to clean it and open it and fill it and close it and just look at it as if it was the most important thing in the world. I watched her. Waited for her to turn and glimpse my dark form in the woods. She pulled her hat down over her ears, blew out a puff of breath to watch it swirl a cloud in the air. She clapped the snow from her gloves and turned to go. I couldn't hide anymore. I blew out a long breath as well. It was a faint noise, but her head turned immediately toward it. Her eyes found the mist of my breath, and then me as I stepped through it, slow, cautious, unsure of how she would react. She froze. Perfectly still, like a deer. I kept approaching, making hesitant, careful prints in the snow, until I was out of the woods and I was standing right in front of her. She was as silent as I was, and perfectly still. Her lower lip shook. When she blinked, three shining tears left crystal tracks on her cheeks. She could've looked at the tiny miracles in front of her: my feet, my hands, my fingers, the shape of my shoulders beneath my jacket, my human body, but she only stared at my eyes. The wind whipped again, through the trees, but it had no force, no power over me. The cold bit at my fingers, but they stayed fingers. "Grace," I said, very softly. "Say something." "Sam," she said, and I crushed her to me. ## A CONVERSATION WITH MAGGIE STIEFVATER Q: What inspired you to write Shiver? A: I would like to say that I was inspired to write Shiver by some overwhelming belief in true love, but here's my true confession. I wrote Shiver because I like to make people cry. I had just finished reading The Time Traveler's Wife by Audrey Niffenegger for the second time, and I cried for the second time. I should tell everyone now that I am not a big crier at books. I am kind of a serial career non-crier actually. If you look up schadenfreude on Wikipedia, you'll see a picture of me with a snide smile on my face. And so the fact that this book had made me cry not once but twice, and not just cry but storm around the house doing the seven stages of grief, it really kind of inspired in me this desire to do the same thing to other people. And so with Shiver, I wanted to write a book that would make someone sneak a peek of it in their cubicle, and then mascara would run down their face, and they could shake their fist at the sky and curse me to the heavens. Q: Have you always had a fascination with wolves? A: I haven't always had a fascination with wolves, but I've always been kind of animal crazy. When I was a child, I spent hours and hours watching those animal programs on National Geographic. And if my parents ever wanted to get me out of the house, they just sent me outside and told me that there were animals walking around in the woods for me to look at. So it was nice to write a book that had so much of a connection with nature. Q: You are the mother of two young children. Has being a mom changed you as an artist? A: Being a mom really hasn't changed me as an artist. It doesn't change my subject matter, but I will say it has definitely added to the time crunch. I used to just doodle and do art all the time, and now it's very much squeezing it in between. But one of the most rewarding things about being a mom is that I've been able to teach my kids from the ground up art and music and writing. My daughter's already starting to read, which is very fun, and she's already incredible with a pencil, so I'm very much looking forward to seeing the way she turns out. Q: What writers have inspired you? A: I have been inspired by so many writers over the years. I always had my nose stuck in a book as a kid and even now I always have a book in my hand. But I have to say, if I was going to pick a few out of a hat, I would go with Diana Wynne Jones because I love that she writes fantasy that is funny. It's serious, the plot is serious, but her characters realize how ludicrous the situations are that they're in, and they comment on it. I love Susan Cooper because she's great at setting mood. I love M.T. Anderson's use of voice, he's just fantastic and humbling. And then Jane Yolen is like a classic for all fantasy writers, she does a great job of putting folk tales into her stories. I do have a bunch of adult books that I enjoy as well. I obviously love The Time Traveler's Wife, and I recently read Crow Lake, Year of Wonders, and The Secret Life of Bees and I've enjoyed them all immensely. Q: You are an artist, a musician, and an author. Which came first—writing, music, or art? A: I first started working as an artist about two years after I got out of college. When I graduated from college, I went straight to work for a federal contractor, a desk job, and they were great to me, they loved me, I was like their mascot, but I just couldn't stand working in an office. I just hated it. And so one day I went in and said, "I'm sorry, this is my two-weeks notice, I'm quitting to become an artist." And of course, I hadn't been an artist before then and I don't think I was very good then either, but I just decided that was the way to go. And so my boss looked at me and he said, "Well, Maggie, when you want your job back, when you can't make a living, it's always here for you." And you know what, I made my living in that first year and never looked back, and I will never ever have a job with a cubicle. Q: Does your work in one affect the others? A: When I was a teen, I thought I would have to choose between my writing or my music or my art, but it turns out it's a difficult juggling game but I can do all of them. Like right now, when I wrote Shiver, I got to do some fan art as well of my own, I sketch wolves a lot and I got to write a piece of music for it as well. So I like to think that it's like "The Blind Men and the Elephant." Does anyone know that poem anymore? The one where it's the bunch of blind men who all have a different part of an elephant that they're feeling and they're guessing what the animal is. And eventually they come to the conclusion that it is actually an elephant. I feel like my writing and my music and my art are the same way, where they're all describing different sides of the same animal. Q: Since art is so important to you, what are the sights and sounds that surround you while you write? Do you listen to music? What did you listen to while writing Shiver? A: While I'm writing, I absolutely have to have music playing in the background. I just cannot focus without music to keep me grounded. Otherwise all I think about while I'm sitting there at the computer is how I need to do my laundry or walk the dogs or I really need to eat some of that cookie dough I just made. So, to keep my butt in the chair, I play music. And it can't be just any music, it has to be a soundtrack that I've picked out beforehand during the plotting process that kind of underlines the mood that I'm trying to make with the book. And so with Shiver, when I was plotting, the song that first really inspired me with the mood was The Bravery's "The Ocean." It's this incredibly, incredibly sad song that has bittersweet lyrics about losing your lover. I also listened to mix tapes that had Snow Patrol and Joshua Radin and a bunch of other acoustic singer-songwriters on them. Q: What are you working on now? A: Right now, I'm working on the sequel to Shiver, Linger, and I can't tell you anything about it because anything I say would give away the ending of Shiver. And then I'm also working on a little side project, which is kind of like Shiver, it's a love story with touches of the paranormal and I think that people who like Shiver will like it as well. Q: What do you like best about writing young adult fiction? A: One of the things that I really like about young adult fiction is that you can explore the relationships between teens and their parents. I definitely think that teens are a product of their parents. You either end up just like them or you consciously make the decision to be unlike them. And so with Sam, I wanted to show how it was that he turned out to be so sensitive and creative. So I showed Sam's adoptive parents, Beck and the Pack, and they're all very creative and supportive, so he grows up in that loving relationship, which turns him into who he is. Grace, on the other hand, is very independent, and it's not enough to just say that she's independent, you have to show why she is and so when you look at her parents, they're very absent, so basically Grace has been raising herself. These acknowledgments will suck. I'm just warning you. Once a project gets as big as Shiver (both in length of manuscript and length of writing), the list of people to thank becomes a cast of thousands. I know y'all don't want to read about a cast of thousands, so I'll keep this brief. If your name is supposed to be on here and isn't, I'm sorry — I either forgot it in a senior moment or can't remember how to spell it. First of all, I'd like to thank the person who safeguarded my sanity and changed my life in about two weeks flat, my agent, Laura Rennert, whose talents are legion. Next, the truly amazing Scholastic team, with special mentions to editors Abby Ranger and David Levithan, who worked exhaustively to make Shiver the best it could be and tolerated my various neuroses, and also to Rachel Horowitz and Janelle DeLuise, who perform magic. I also need to thank the friends who got me through this: Tessa Gratton and Brenna Yovanoff, the Merry Sisters of Fate, who are the best crit partners in the world (and no, you can't have them) — the universe doesn't contain enough chocolate to express my gratitude. Also Naish, a tireless friend and supporter, and Marian, who has opened her home to me countless times. Everyone should have friends like these. An appreciative nod to early readers Cyn and Todd, for their insight and suggestions, and also to Andrew "Yoda" Karre, for showing me how to write what I wanted to write. Andrew, I wish you many Luke Skywalkers in your career. And finally, I have to thank my family, without whom I would be a drooling, incoherent person unable to do anything but watch Top Chef reruns. Especially my father, who while he worked, fielded endless phone calls to the ER in order to discuss ailments that made you run a fever, and my sister Kate — Kate, I rely on your advice more than you know. And last of all, Ed. You're my best friend and the reason why the love stories in my novels ring true at all. Maggie Stiefvater is the #1 New York Times bestselling author of the novels Shiver, Linger, and Forever. Her novel The Scorpio Races was named a Michael L. Printz Honor Book by the American Library Association. She is also the author of Lament and Ballad. She lives in Virginia with her husband and their two children. You can visit her online at www.maggiestiefvater.com. Copyright © 2009 by Maggie Stiefvater. All rights reserved. Published by Scholastic Press, an imprint of Scholastic Inc., Publishers since 1920. SCHOLASTIC, SCHOLASTIC PRESS, and associated logos are trademarks and/or registered trademarks of Scholastic Inc. Library of Congress Cataloging-in-Publication Data Stiefvater, Maggie, 1981– Shiver / Maggie Stiefvater. — 1st ed. p. cm. Summary: In all the years she has watched the wolves in the woods behind her house, Grace has been particularly drawn to an unusual yellow-eyed wolf who, in his turn, has been watching her with increasing intensity. ISBN-13: 978-0-545-12326-6 (hardcover: alk. paper) ISBN-10: 0-545-12326-7 (hardcover: alk. paper) [1. Wolves — Fiction. 2. Human-animal relationships — Fiction. 3. Metamorphosis — Fiction. 4. Supernatural — Fiction.] I. Title. PZ7.S855625Sh 2009 [Fic] — dc22 2009005257 First edition, August 2009 Cover art and design by Christopher Stengel e-ISBN 978-0-545-22725-4 All rights reserved under International and Pan-American Copyright Conventions. No part of this publication may be reproduced, transmitted, downloaded, decompiled, reverse engineered, or stored in or introduced into any information storage and retrieval system, in any form or by any means, whether electronic or mechanical, now known or hereinafter invented, without the express written permission of the publisher. For information regarding permission, write to Scholastic Inc., Attention: Permissions Department, 557 Broadway, New York, NY 10012.
Various ear drops can soften earwax in the outer ear canal (external auditory canal) and make it easier to remove. But home remedies like warm olive oil can also work just as well. Earwax plays an important role in how the outer ear canal cleans itself. This canal connects the outside visible part of our ear with the eardrum. Although dirt can get into the outer ear canal, most of the "dirt" found in the ear is actually made up of tiny dead skin particles. These dead skin particles are normal because the skin keeps renewing itself through constant shedding. In order to clean the outer ear canal, glands known as the ceruminous glands secrete fats and other substances. These secretions keep the skin of the ear canal soft, and give it a protective acidic layer. This acidic environment protects the ear canal from infection by killing bacteria and fungi. Earwax is then formed from these secretions, together with shed skin flakes and dust particles. The medical term for earwax is cerumen. This oily mass is constantly pushed towards the outer ear by the natural movements of our lower jaw – for instance, when we speak and eat – and this helps to keep our ears clean. What causes plugs of earwax to build up? The amount of earwax that is produced varies from person to person and has nothing to do with personal hygiene. Some people, particularly men and older people, are more likely to have a build-up of earwax in their ear canal. As we get older, our ear wax changes, and that can cause problems. The ceruminous glands start to shrink and make less secretions. The earwax becomes drier, but dead skin particles still continue to build up. The outer ear canal can then no longer clean itself as well as it does in younger people. If a lot of earwax is made, or if dead skin particles build up in the ear canal, a plug of ear wax may form and affect your hearing. Researchers estimate that removing an earwax plug can improve hearing by 10 decibels. To give you an idea of what this means: The difference between quiet whispering and normal conversation is about 20 decibels. Older age isn't the only thing that can affect the ear’s self-cleaning ability. Cleaning your ears with cotton buds, hair pins or similar objects may cause problems too. This is because doing so only removes some of the earwax – the rest is pushed further into the ear, where it becomes harder and forms a plug. Cleaning your ears in this way can also irritate or injure the eardrum or the skin lining the outer ear canal. Hearing aids or headphones that are placed inside your ears ("in-ear headphones") may also cause earwax to build up and harden if used too often. Wearing ear plugs to shut out noise, dust or water can have this effect too. How can you remove earwax? You can normally use a soft washcloth or facial tissue to remove earwax that has come out of the ear, for instance after washing or having a shower. There are different ways to remove larger amounts of earwax from the outer ear canal, or to remove hard plugs of earwax: Softening the earwax : Warm olive oil, almond oil, water or special ear drops and sprays (called cerumenolytics) can be used to soften the earwax, allowing it to leave the ear more easily. Syringing or irrigation : This is done by a doctor, and involves rinsing out the ear. Special instruments that a doctor can use to suck out the earwax or clean the outer ear canal. Before using irrigation to remove earwax, you can try out cerumenolytics first. If they don't get rid of earwax, they can still help to prepare for irrigation. Irrigation isn't always suitable – particularly in people who have a damaged eardrum or a middle ear infection. An ear, nose and throat (ENT) doctor can then decide how a hardened plug of earwax should best be removed. Which approach is most effective? To find the most effective way to remove earwax, researchers from the University of Southampton in Great Britain analyzed a total of 22 randomized controlled trials (good-quality studies) testing different approaches. But most studies only looked at a small number of people, and some had other weaknesses as well. So there are no clear answers yet. Overall, though, it seems safe to say that cerumenolytics and oils can effectively remove earwax. Using cerumenolytics before doing an ear irrigation can improve the treatment outcome. Other researchers, including researchers from the Cochrane Collaboration (an international research network) also looked at studies on different types of ear drops. Their findings were similar: Ear drops can help, but it's not clear whether certain types work better than others. As well as using cerumenolytics, some people use complementary or alternative treatments such as "ear candles." These candles are placed in the ear canal and then lit on the other end. It is claimed that the candles help to soften and remove earwax, but this hasn't been proven in scientific studies What's more, the U.S. regulatory authority FDA has issued a public warning that the use of ear candles can lead to serious ear injuries.
Chicago White Sox ace Chris Sale is set to make his first All-Star start Tuesday. And as MLB's prominent superstars talked to the media on the final day before the Midsummer Classic in San Diego, Sale revealed just how important one local legend has been in helping him reach this point in his career. Tony Gwynn played 20 consecutive seasons with the Padres, winning the N.L. batting title eight times and finishing with 3,141 career hits, the 18th most in MLB history. But Gwynn, a 2007 National Baseball Hall of Fame inductee, was addicted to chewing tobacco like so many other 20th century baseball figures, and he ultimately passed away due to salivary gland cancer in 2014 at 54. "He made a very big impact on my life; I chewed tobacco from 2007 until the day he passed away, and I remember seeing that and just being so shocked," Sale said. "He was a larger than life person, an inspiration to the game for many, many people for many different reasons ... I owe him a huge thank you from not only myself, but from my family, and hopefully I can maybe sway somebody in the right direction as well like he did for me." Powerful words from Sale, who has shown some tremendous mental strength by staying clean for two years. And Sale has been reaping the benefits on the field as well, leading the MLB in wins (with 14), complete games (three) and innings pitched (125) during the first half of the 2016 season. The All-Star Game will get underway Tuesday at approximately 5 p.m. PT.
The Pharmacological Treatment and Management of Obesity Abstract Obesity is a pandemic with many complications that increase the societal disease burden and cost of health care, and decrease longevity and quality of life. Currently, 1 in 3 adults in the United States is obese. Physicians must therefore regularly confront obesity and its consequent diseases, and develop strategies for effective treatment and management. This article summarizes current lifestyle modifications, pharmacological treatment, and surgical options for the management of obesity and discusses the benefits, limitations, and risks of each. As insights are gained into the pathophysiology of a gutbrain neurochemical feedback axis governing satiety and feeding behavior, targets for new pharmacotherapies are being developed. In particular, gut hormone analogs are an attractive antiobesity therapy because they appear to lack the adverse effects historically associated with central nervous system-acting agents.
/* * Copyright 2019 <NAME> (github.com/mP1) * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * */ package walkingkooka.net.http.server.hateos; import walkingkooka.collect.Range; import walkingkooka.net.http.server.HttpRequestAttribute; import java.util.List; import java.util.Map; import java.util.Optional; /** * A selection which may be nothing, a single item, a range or list. */ public abstract class HateosResourceSelection<I extends Comparable<I>> { /** * {@see HateosResourceSelectionAll} */ public static <I extends Comparable<I>> HateosResourceSelection<I> all() { return HateosResourceSelectionAll.instance(); } /** * {@see HateosResourceSelectionList} */ public static <I extends Comparable<I>> HateosResourceSelection<I> list(final List<I> value) { return HateosResourceSelectionList.with(value); } /** * {@see HateosResourceSelectionNone} */ public static <I extends Comparable<I>> HateosResourceSelection<I> none() { return HateosResourceSelectionNone.instance(); } /** * {@see HateosResourceSelectionOne} */ public static <I extends Comparable<I>> HateosResourceSelection<I> one(final I value) { return HateosResourceSelectionOne.with(value); } /** * {@see HateosResourceSelectionRange} */ public static <I extends Comparable<I>> HateosResourceSelection<I> range(final Range<I> value) { return HateosResourceSelectionRange.with(value); } /** * Package private to limit sub classing. */ HateosResourceSelection() { super(); } /** * Only {@link HateosResourceSelectionAll} returns true. */ public final boolean isAll() { return this instanceof HateosResourceSelectionAll; } /** * Only {@link HateosResourceSelectionList} returns true. */ public final boolean isList() { return this instanceof HateosResourceSelectionList; } /** * Only {@link HateosResourceSelectionNone} returns true. */ public final boolean isNone() { return this instanceof HateosResourceSelectionNone; } /** * Only {@link HateosResourceSelectionOne} returns true. */ public final boolean isOne() { return this instanceof HateosResourceSelectionOne; } /** * Only {@link HateosResourceSelectionRange} returns true. */ public final boolean isRange() { return this instanceof HateosResourceSelectionRange; } /** * Returns the {@link Class type} for this resource. */ final Class<?> resourceType(final HateosResourceMapping<?, ?, ?, ?> mapping) { return this.isNone() || this.isOne() ? mapping.valueType : mapping.collectionType; } abstract Optional<?> dispatch(final HateosHandler<I, ?, ?> handler, final Optional<?> resource, final Map<HttpRequestAttribute<?>, Object> parameters); @Override abstract public String toString(); }
The Florida Highway Patrol is investigating a pedestrian fatality in the 1900 block of Blanding Boulevard around 1:45 a.m. today.Cammeron T. Nettles, 21, was killed when struck by a Dodge minivan when he was walking southbound on Blanding Boulevard near County Road 220, according to the Florida Highway Patrol. Parademics pronounced him dead at the scene.The driver was 41-year-old Corry L. Hull of Keystone Heights. He did not see Nettles walking in the inside lane wearing dark clothing, the FHP report said. It also wasn't clear what he was doing in the road or exactly where he was when he was hit.
<filename>src/app/tools/directives/query.service.ts import { Injectable } from '@angular/core'; import { HttpClient, HttpResponse } from '@angular/common/http'; import { Observable } from 'rxjs'; import { options, urls } from '../../config'; @Injectable({ providedIn: 'root' }) export class QueryService { constructor( private http: HttpClient ) { } query(key: string, value: string): Observable<HttpResponse<any>> { return this.http.post<any>(urls.user.query, {key, value}, options); } }
U.S. Sen. Joni Ernst answered questions from reporters about court documents relating to her divorce that were publicly reported this week. CEDAR FALLS, Ia. — U.S. Sen. Joni Ernst, who said Wednesday she was forced into talking about her private pain once her divorce documents were made public, adamantly denied her ex-husband’s accusation that she had an affair. "That is not accurate and I was a company commander overseas and took that job very, very seriously," Ernst said of allegations by her ex-husband that she had an affair with a subordinate while serving in the military. The senator on Wednesday answered a range of personal questions from reporters about her recent divorce. In the divorce documents, she said that her ex-husband physically assaulted her. She called herself "a survivor" and said that while it is difficult for her to talk about her own experience, she will continue supporting survivors of abuse. "What I want people to understand is that I am the same person as I was last week. You just know more about what’s inside of me now," she said, getting choked up. She spoke with members of the media after a public town hall Wednesday on the University of Northern Iowa campus in Cedar Falls. Members of the public did not ask her about the divorce during the event. Ernst also spoke to reporters after a tour of a Boone hospital. In court documents that have since been sealed from further public access, Ernst and her ex-husband, Gail Ernst, accused each other of having affairs. The divorce was finalized in January. Joni Ernst also claimed in court documents that her husband had a "special friendship" with their daughter's babysitter at some point while she was Montgomery County Auditor. She held the office from 2005 to 2011. She said she confronted him one night about the relationship, "we argued, and it became physical," according to court documents. "We went through a very dark and troubling time in our marriage," Ernst wrote. She said she fled to her mother's house with her daughter in the middle of the night. The next day, she declined a suggestion from a victim's advocate to go to the hospital, writing in the court documents that she was "embarrassed and humiliated." Gail Ernst has not made any public comment on the divorce or the allegations since the documents became public. "Out of respect for his family, Gail is declining to make any statements at this point," his attorney, Ivan E. Miller, said in an email to the Des Moines Register Thursday morning. In court documents, he accused the senator of having an affair with one of her soldiers while she was deployed as a company commander. He caught her secretly emailing the soldier, he wrote. ► Support local journalism: Subscribe to the Register. Joni Ernst said that a number of her former soldiers "are extremely supportive" of her. "They were online with me yesterday and texting me about how supportive they were," she said. "And so I care about all of my soldiers. Many of them refer to me as 'Mom.' So, no, the allegation is not true." The Ernsts announced last summer that they were divorcing after a 26-year marriage. Joni Ernst said she had believed the court documents would be sealed from the public, so media reporting on the allegations this week "did catch me off guard." "I am a survivor, and I fully believe that our survivors have the right to keep their stories to themselves if they don’t want to share those stories or are not ready to share those stories," she said. "And, unfortunately, I have been forced to share my story." ► Get politics news in your inbox: Sign up for the Register's free politics newsletter. The Register and other media obtained the divorce documents before a judge sealed most of the records Tuesday at the request of the Ernsts. Under Iowa law, divorce records are automatically made public when the divorce is finalized, but parties can request to keep some records private. "I would love to point the finger and say, 'Somebody screwed up. Somebody leaked.' But they’re out there and so now I will deal with that," Ernst said. Asked if she sees herself as a role model, Ernst said she draws inspiration from "so many other survivors that have been through so much worse" who found ways to become comfortable talking about their experiences. She said she wants to reassure survivors of abuse that things can get better in time. "Eventually, things can be OK and you can move beyond that and you don’t have to be defined in one bucket or another as being 'a survivor'," she said. "You can just be Joni or John or Carrie. It doesn’t matter. You can move beyond that." Ernst has long been an advocate for victims of abuse, and volunteered to assist survivors of campus sexual assault while she was a student at Iowa State University. As a senator, she has brought attention to sexual assault in the military and was among a group of senators who called for a congressional investigation into USA Gymnastics after national team doctor Larry Nassar was sentenced to decades in prison for sexually abusing gymnasts. She said she will use her new position on the Senate Judiciary Committee to push to modernize and reauthorize the Violence Against Women Act, which expired in December as the federal government shut down. Ernst, a 48-year-old military veteran from Red Oak, is considered a rising star in the Republican party. She was interviewed to be Donald Trump's vice president in July 2016 but said in her divorce affidavit that "I turned Candidate Trump down, knowing it wasn't the right thing for me or my family." On Wednesday, Ernst said "the way it was portrayed was a little different." "I withdrew my name from consideration," she said. "I still do support the president and a number of policies, but I am there to serve in the United States Senate." She is seeking a second term in the Senate in 2020 after defeating Democrat Bruce Braley in 2014 to win a six-year term. Meanwhile, Ernst said she has a new home in Red Oak after Gail Ernst was granted their home in the divorce. He alleged Joni Ernst's principal residence is in Washington, D.C., and said she stays in hotels during her 99-county tours of Iowa. "Red Oak has always been home to me. Montgomery County is home. I’ve lived there. I will likely die there. It is where all of my family is located. It’s very important to me. That’s where my family farmed, and I take great solace in knowing that I have a support system there," Joni Ernst said. Register reporter Jason Clayworth contributed to this report.
An hybrid deep learning approach for depression prediction from user tweets using feature-rich CNN and bi-directional LSTM Depression has become one of the most widespread mental health disorders across the globe. Depression is a state of mind which affects how we think, feel, and act. The number of suicides caused by depression has been on the rise for the last several years. This issue needs to be addressed. Considering the rapid growth of various social media platforms and their effect on society and the psychological context of a being, its becoming a platform for depressed people to convey feelings and emotions, and to study their behavior by mining their social activity through social media posts. The key objective of our study is to explore the possibility of predicting a users mental condition by classifying the depressive from non-depressive ones using Twitter data. Using textual content of the users tweet, semantic context in the textual narratives is analyzed by utilizing deep learning models. The proposed model, however, is a hybrid of two deep learning architectures, Convolutional Neural Network (CNN) and bi-directional Long Short-Term Memory (biLSTM) that after optimization obtains an accuracy of 94.28% on benchmark depression dataset containing tweets. CNN-biLSTM model is compared with Recurrent Neural Network (RNN) and CNN model and also with the baseline approaches. Experimental results based on various performance metrics indicate that our model helps to improve predictive performance. To examine the problem more deeply, statistical techniques and visualization approaches were used to show the profound difference between the linguistic representation of depressive and non-depressive content. Introduction problems, and they expect solutions to their problems because of the vast network of social media. Natural Language Processing (NLP) is a technique to study speech and text, and it evolved from linguistic approaches to computer algorithms with the development of computers. Initially, NLP was used to study classical tasks to well-structured grammar like language in books, but it has evolved to understand human perspective in the form of mail, web content, reviews, comments, news, social media posts, and media articles, etc. and these are more challenging to process. Sentiment Analysis (SA) is a technique for analyzing positive and negative characteristics of text or speech by studying sentiments. People share their thoughts, ideas, opinions, and life events by posting various textual posts and comments on their topic of interest. This approach can be extended to study depression levels of a person from his/her social media content and by observing the negative sentiment scores. Social media content has progressively evolved from text to videos. However, there are various complexities in "text-related content", such as the usage of emojis, hashtags, and other languages in addition to English, which are highly valuable in understanding the sentiments of a person. Lots of research has proved that if the content generated by users in social networking sites is used in the correct way, it can be used to detect a person's mental state at an early stage. There are many predictive algorithms and optimization techniques like Deep Learning (DL) and Machine Learning (ML) to observe patterns in the data and based on those observations to generate insights. Thus, researchers prefer to use various computational techniques to examine individuals with mental health problems, thereby predicting depression among social media users. NLP is capable of processing a number of languages in many aspects. Researchers generally use classical ML algorithms such as Random Forest (RF), Support Vector Machines (SVMs), Decision Trees (DT), etc. for text analysis using binary classification methods. The efficacy of the conventional ML technique was limited as the number of correlations increased significantly due to growth in the volume of data. In this research, we investigated various DL techniques and also provided a comparative report of our findings with those of conventional approaches. Textual data classification has seen a significant boost in accuracy by deploying DL models like RNNs and CNNs in parallel with neural word embeddings. CNNs were originally designed to duplicate the visual sense of human beings and animals to recognize objects and detect them in images and videos, whereas RNNs are designed for sequence reading processes such as parts of speech, tagging, and language translations, etc.. The uniqueness of CNNs is translational invariance i.e., extraction of unique features irrespective of angles and intensity of images in vision tasks. The addition of pooling procedures in CNN enabled it to operate on textual data as well. CNNs along with word embeddings capture syntactic and semantic information from text data. The advantage of LSTM is that it is effective at retaining vital information and is meant to avoid "vanishing gradient" problem. Due to their capacity to handle arbitrary-length sequential input, it also performs well for sequence labeling tasks. In this study, we have integrated DL approaches to propose our hybrid model. In our work, we used Twitter dataset for classifying tweets, labeled as positive for depressed users and negative for non-depressed users. The remaining part of the paper is structured as follows. Section 2 discusses the related work for the analysis of depression using various techniques. Section 3 highlights the main contributions of our work. Section 4 focuses on the proposed methodology. Section 5, describes the dataset used in our work and pre-processing techniques. In Section 6, our hybrid DL based method CNN-biLSTM is explained in detail. The proposed approach is based on concept of Deep Neural Networks (DNNs) and Word Embeddings, which are still the state-of-the-art methodology to perform any learning task in NLP. Section 7 compares our proposed model with CNN and RNN based models for text classification. DL based binary classification algorithms have been adapted for the suitability of our current use case. Although, CNNs always outperform most of the tasks but are subjective in model explainability. Therefore, to add more explainability to the models we have employed an RNN based approach. Section 8 illustrates the comparative analysis, visualizations, statistical and performance analysis of the proposed work. Lastly, the conclusion of our study is given in Section 9. 2 Related work Traditional techniques Various ML algorithms and statistical techniques have been used for classifying text data using social media as a platform. Traditional studies show a correlation between the raised depression and social media website usage. Costello et al. explained the mapping of psychological characteristics with digital records of online behavior on social platforms like Facebook, Instagram, Twitter, etc. It was hypothesized that psychological traits can be predicted based on the language used on internet platforms and the pages liked by people. Eichstaedt et al. collected the Facebook status history from 683 patients to predict their depression. ML algorithms were trained using at least 200 topics along with cross-validation techniques to avoid overfitting. Priya et al. proposed a five-level prediction of depression, stress, and anxiety using five ML algorithms. Mori et al. used ML algorithms on four types of Twitter information such as network, word of statistics, time, and a bag of words. The study considered 24 types of personality traits and 239 features. Tao et al. predicted depressive content in social media using depression context. Data gathered from social networks was given as text to the knowledge sentiment block. The depressive contents identified from SA were used to warn and aware the family members, and social activists. Guntuku et al. collected Twitter data which is around 400 million tweets in Pennsylvania, USA, and acknowledged the users whose tweets consisted of words like alone or lonely. User tweets were analyzed concerning age, time of post, daily activities of users, and gender of the user. Patterns in tweets were analyzed using ML classifiers and NLP techniques, thereby predicting the loneliness of a user. Various popular ML techniques have attracted many researchers in the last few years. Islam et al. proposed depression classification on Facebook data using ML techniques. For effective analysis, traditional ML approaches have been utilized considering different psycholinguistic features. It has been found that DT produced better results and also the classification error rate decreased and accuracy significantly enhanced when compared with the other ML techniques. Hiraga et al. utilized various conventional ML algorithms like multinomial Logistic Regression, NB, and Linear SVMs to classify mental disorders from the blogs written in Japanese. Wu et al. proposed various hypothesis and their correlation based on language, time, and interaction to predict job burnout using ML algorithms like DT, Logistic Regression (LR), SVM, XGBoost, and RF on 1532 Weibo burnout users, to replace previous statistical methods based on surveys. Fatima et al. used ML techniques such as SVMs, Multilayer perceptron neural network, and LR to predict postpartum depression from social media text. Features were extracted from social media platforms based on linguistics and classified as general, depression, and postpartum depression. Deep learning techniques Conventional ML algorithms have performed well in predicting depression from social mediabased textual content. Researchers have employed DL-based solutions to gain more insight from photos, videos, unstructured text, and emojis. Orabi et al. utilized CNN and RNN to detect depression in Twitter data using root Adaptive Moment Estimation (Adam) as an optimizer, and word embedding training was done using CBOW, Skip-gram, and Random word embedding having a uniform distribution range from −0.5 to +0.5. Shrestha et al. proposed an unsupervised method utilizing RNNs and anomaly detection to analyze behaviors of users on ReachOut.com (online forum). Two streamed approaches were used, one for linguistics and the other for network connection to detect depression in users. Eatedal et al. utilized an RNN technique to predict depression among women in the Arab using 10,000 tweets generated by 200 users. Zogan et al. proposed a new approach for identifying depressed users based on the user's online timeline tweets and user behaviors. The hybrid model comprising of CNN and Bi-GRU approaches was tested on a benchmark dataset. The semantic features were extracted which represented user behaviors. Hybrid CNN and Bi-GRU were compared with the state-of-art techniques and found that the classification performance was improved to a greater extent. Chiu et al. and Huang et al. proposed a multi-model framework on the DL technique to predict depression from Instagram posts that use pictures, text, and behavior features. Tommasel et al. proposed a DL technique to capture social media expression in Argentina. Time-series data generated (using markers) was fed to a neural network to forecast mental health and emotions during COVID-19. Wang et al. built a dataset on Sina Weibo named Weibo User Depression Detection Data Set (WU3D) containing 10,000 depressed users and 20,000 normal users. Ten statistical features were proposed based on the social behavior, user's text, and posted pictures. Fusion F-net was proposed to train on these 10 features to detect depression. Suman utilized DL models with a cloud-based smartphone application on tweets to detect depression. The sentence classifier used in this study is the RoBERTa associated with the provided tweet or Query with standard corpus tweets. The model's reliability was enhanced by the standard corpus. The patient's status of depression has been estimated and the mental health is predicted. The authors also used random noise factors and the larger set of tweet samples from which depression has been predicted. Furthermore, Rao showed that the critical sentiment information cannot be correctly captured by the traditional depression analysis models. This issue was handled by the proposed multi-gated LeakyReLU CNN model which in turn also identified the depressed characters in social media. Every user post was initially recognized and further emotional status and overall representation have been identified. The developed multi-gated has been modified into a single LeakyReLU CNN. Content posted by online users was considered in the form of the Reddit self-reported dataset. Depressed persons have been identified by this proposed model and performance results were analyzed. Sood et al. used RStudio to retrieve tweets and further the sentiments were evaluated. To analyze the sentiments of the general population from Twitter, every sentiment was provided with a score. The scored tweet was based on the sentiments and for that, an innovative algorithm was developed in this study. Uddin et al. researched and focused on online data in the Bangla language and analyzed depression by utilizing Long Short-Term Memory (LSTM) and deep recurrent network. Hyperparameter tuning effects have been demonstrated. It was depicted that for a stratified dataset, the accuracy in depression detection is higher with repeated sampling. Also, an individual's depression is detected in this study with the help of proposed models and thus undesirable doings have been avoided. Pranav researched and found that victims of depression used abnormal language while speaking. Processing of Twitter data for depression prognosis was done by implementing neural networks. This study stated that vagueness raised in SA can be terminated by propounding CNNs. Identification of user's depression status can be resolved by the proposed approach. This is a very fruitful prognostic tool in observing user's depression on social platforms. Rosa et al. emphases on analyzing the emotional sentiments and extracting deep semantic analysis from textual data. Also, descriptive useful information of the content in natural language is extracted and a combined model training is performed using semi-supervised learning. Hybrid model DHMR was utilized to get better results. Shetty et al. performed SA for posts on Twitter. KAGGLE dataset was taken as input for DL and LSTM was propounded in deep networks. Later for enhanced performance CNNs were propounded in the classification part. Other techniques For the earlier mental illnesses and depression identification, Alsagri et al. proposed a method considered as a data-driven approach. It was concluded that depression goes to a peak based on tweets gathered from social media. The transformer-based approach has been formed based on the depression dataset. The comparative analysis of the proposed approach with the existing studies was analyzed and showed that the overall model performance got highly improved. Stephen and Prabhu detected the level of depression among Twitter users using depression scores measurement through various emotions combined with sentiment scores. Different depression aspects have been underscored. The estimated scores have been correlated to major information concerning various user's depression levels. Levia et al. analyzed social media users who used online platforms to reveal their mental health states. Based on the time, online messages have been analyzed in iterative order and detected the user's depression risk state earlier. The comprehensive SA combined with the ML approaches showed effective results for detecting depression's early symptoms. Zucco et al. analyzed the opinion of users for performing SA. Text extraction and NLP were used to detect the opinion of users. Birjali et al. analyzed user's activities from social media platforms and predicted their depression emotions. Weka tool was utilized for ML techniques for Twitter data classification. For the semantic similarities, WordNet external semantic source among the evaluated participants has been utilized. From social networks, Twitter sentiments have been extracted. Zhang analyzed that depression trends and posts related to stress were highly monitored and various geographical entities have been focused by the online users. Also, this study identified that if people talk more about covid-19, depression signals significantly get increased. Analysis table In the Analysis table, a few studies that used ML and DL models to perform depression prediction using text data have been analyzed and discussed. Table 2 summarises the most related studies recent studies. Problem formulation The growing online social media platforms have developed a way for communication in dayto-day life. Classifying depressed individuals from non-depressed ones using lingual dialects is a challenging task. Previous works as discussed in Section 2 have talked about the problem of Distinguishing depressed individuals from non-depressed individuals using social media platforms, and Classifying posts that are posted by depressed people. Furthermore, researchers have focused on unsupervised techniques, whereas in this study, a supervised technique is put forward to classify depressed users using psycho-linguistic features. Experiments and outcomes stated in previous works illustrate that both text and user detection are challenging issues. Despite the fact that Twitter provides a huge amount of data, it is a challenging task to handle this data. Some of the most common issues encountered while working with Twitter data are: 1. A huge number of images and video transactions were done parallelly with text. 2. Unstructured data with significant usage of emojis and GIFs. 3. Usage of foreign languages etc. Long texts support the attention layer to capture accurate syntactic features. Proposed model's efficiency has not been examined on other related datasets. i C h i ue ta l. Easily distracted by noisy information. There is a need to implement and compare more DL models. It is not shown how well these models work on data that has not been seen before. Similar to the dictionary-based approach, it is efficient for low-dimensional vectors only. It can stuck at local minima. Detection needs to be improved so that autonomous intervention can be well-developed. 4. Labeling tweets that require professionals to label data and are very time-consuming. For simplicity, we are limiting our problem statement to "text" and "English language". Moreover, emojis, videos, and foreign language alphabets are dropped. The unstructured noisy data is cleaned using various pre-processing techniques. The problem of labeling data is solved by using an authenticated Twitter dataset that is released for the use of psychology and computer science researchers. The main objective of our study is to develop a hybrid DL model for depression prediction, and compare its performance to the related DL models namely, CNN and RNN. Our hypothesis is that the proposed DL model should outperform DL-based CNN and RNN models, state-of-the-art studies, and baseline models in both accuracy and robustness. 3 Core contribution of the article DL algorithms like CNN and LSTM thrive on data, and with so many open datasets available, they give better results for classifying depressed and non-depressed tweets. RNNs are preferred as they can be fed with external pre-trained embeddings. CNN's can be utilized for text processing as they can be trained very fast. Moreover, their capability to extract local features from text is mainly prominent for NLP tasks. CNNs and RNNs can be combined together to take benefit of both architectures. We have proposed the hybrid architecture which provides the advantages of both CNNs and LSTMs. The major contribution of this study involves the following: 1. A depression detection framework has been proposed using DL utilizing textual content from social media. 2. A feature-rich CNN network is built to classify user tweets concatenated with the biLSTM network to classify social media users suffering from depression i.e., CNN-biLSTM. To the best of our knowledge, first time the work of using semantic features, statistical analysis, and DL techniques jointly with word embeddings have been utilized for depression detection. 3. The research outcomes achieved on a benchmark Twitter dataset have shown the superiority of our proposed method when compared to state-of-the-art studies. Proposed methodology The proposed architecture comprises of six modules, as shown in Fig. 2: Extraction of data generated by the online users. Analyzing raw data. Pre-processing of raw data into clean data. Feature extraction to generate machine-compatible data. Depression classification differentiating depressive tweets from non-depressive tweets. Parameter Evaluation to evaluate and compare the hybrid CNN-biLSTM, RNN, and CNN classification approach. In this study, depression is predicted via a hybrid CNN-biLSTM approach, using Twitter-based depression datasets. The classification error is minimized and the prediction of depression becomes more precise and accurate. The steps given below illustrate the proposed methodology and its related flowchart is shown in Fig. 3. Step-1: Design a framework for SA and upload a Twitter database to predict depression. Tweets are labeled as depressed or not depressed by experts, Shen et al., for mental health text analysis, and to identify sentiments of depressed or not depressed users. Step-2: Apply pre-processing steps to the uploaded data for noise elimination. Data is processed as per the requirements resulting in considerable positive effects on the quality of feature extraction. Pre-processing techniques like data normalization, tokenization, punctuation removal, stop words removal, etc. are applied to the uploaded text data. This step provides clean and noise-free data that is further used for feature extraction. Step-3: In this step, the feature extraction procedures are applied to the pre-processed data for extracting important and relevant features. Extracted features ascertain the relevant data dimensions to assist classification algorithms for better performance. Step-4: To obtain better accuracy, CNN model, RNN model, and proposed hybrid classification algorithm i.e., CNN-biLSTM is used. The proposed model is evaluated against RNN, CNN, and traditional reference models on the same Twitter dataset to validate its performance. The optimized features obtained in the third step are forwarded as input to the classifiers for training and testing purposes. Step-5: In the last step, performance parameters of the proposed depression analysis framework, such as precision, recall, F1-score, specificity, accuracy, and AUC, are calculated to validate the system. Dataset description Twitter is a popular online social media platform that provides open and easy access to data. The development and validation of terms used as a vocabulary for browsing data for users with mental illness take a significant amount of time. In the past, researchers have typically followed two methods of using Twitter data: 1. Using existing datasets that are freely and publicly shared by others. 2. Crawling social media vocabulary, though slow, helps to get reliable data. The benchmark dataset that has been considered in this study for depression prediction is taken from. The information of the dataset is given in Table 3. The sample dataset is depicted in Fig. 4 below. This dataset has been subdivided further into three complementary datasets namely, D1, D2, and D3, as discussed below: Data pre-processing Data pre-processing is an integral part of the data mining process. Real-world data is collected using different methods and is not specific to a particular domain, resulting in incomplete, unstructured, and unreliable data containing errors. Such data leads to irrelevant and erroneous predictions if analyzed directly. In our framework, various methods are used during the pre-processing phase. The first method eliminates the text patterns specified by the user. The goal of this method is to remove patterns, e.g., "user handles (@username)"; "hashtags (#hashtag)"; "URLs"; "characters, symbols, and numbers other than alphabets"; "empty strings"; "drop rows with NaN in the column"; "duplicate rows" etc. This method cleans up each tweet in the dataset and deletes all URLs in the tweet. URLs are not taken into account because they are not useful for prediction purposes and eliminating them will reduce computing complexity. The next step is to delete the date, time, digits, and hashtags. Date and time are useless for the prediction of depression, so this information is removed from the tweets. Likewise, digits are not an appropriate aspect for prediction purposes, and hashtags although may be used for prediction. It has been observed that accuracy is very low when prediction is based on hashtags. As we do not want to deviate from the trend, hashtags have also been removed. The next step is to delete emojis and remove whitespace and extra spaces in the sentence. After this, stop words are eliminated and stemming is performed. Stopwords like are, was, at, if, etc. do not contribute to the meaning of the sentence. The NLTK package consisting of a set of stopwords is used to remove stopwords from our text. Stemming is a method of changing a word to its root form. Porter Stemmer is used for creating the root of a word by removing prefix or suffix (−ize, −ed, −s, −de, etc.) from the word. After cleaning up all the tweets, cleaned tweets are returned and given as input to the tokenizer, which is the next step. Tokenizing raw text data is a main pre-processing step for NLP methods. Tokenizers are tools that use regular expressions to divide a given string into tokens by breaking a larger body of text into smaller lines or words. Figure 5 shows the clean depression tweets after preprocessing. The different tokenization functions are used by importing the NLTK package. The first stage of tokenizing is to provide the datasets of cleaned positive and negative tweets as input for Tokenizer.fit_on_texts () function. It updates the internal Fig. 5 Sample of depressed and non-depressed tweets after pre-processing vocabulary from a list of texts and creates the vocabulary index based on the frequency of words. As a result, the word with the highest frequency has the lowest index value. Hence, this function returns the maximum number of words that is 10,275 in our framework, with an index for each word. The next stage of tokenization is the texts_to_sequences() method. It receives data of the preceding method, consisting of maximum words with an index. Its objective is to turn every word in a tweet into a sequence of integers and replace it with the corresponding integer value of the word_index dictionary. Now, the tweets get converted into integer sequences of varying lengths. After this, tweets get padded with zeroes having a length smaller than the Max_Tweet_Length which is 25 in our frame. Word embeddings In NLP, embedding can facilitate ML applications to work with large data where a word available in highly sparse vectors can be projected down into a low dimensional embedding vector. Embeddings are dense or low dimension demonstrations of high-dimensional input vectors. Some of the recent techniques using word vectors learn from the given text corpus and these word embedding techniques lead to high dimensionality within the solution, typically the size of the whole corpus. Word embeddings are trained in such a way that words with semantically same meanings are positioned close to each other and the vectors are created with approximately identical representations, e.g., the terms "joyful" and "miserable" have very different semantics. So, these will be represented far apart in the geometric space, thereby building more separable features out of the tokenized numerical vectors. These vectors are transformed with the help of embedded layer so that the semantic relationship between the associated word vectors is captured. The original tokenized vector does not have a relationship between different words, whereas the embedding vectors in the embedding space learn the relationship using the distance between the two vectors. Each time the training is repeated, more separable features are extracted providing more predictive power to the CNN or RNN networks. They are one of the best approaches till date to encode a sentence, paragraph, or document and can be seen as one of the breakthroughs in DL capable of solving challenging NLP issues. We used the "Word embeddings" technique to calculate numerical vectors for every preprocessed data point. First, we converted all the sample text words into sequences for Fig. 6 Text sequence generation generating word indexes. These indices are retrieved using the Keras text tokenizer. We have ensured that the tokenizer does not assign a zero index to any word and vocabulary length is also adapted accordingly. Next, all separate words in the dataset are assigned a unique index that is used to form numeric vectors of all text samples. Initially, the length of all tweets is obtained for text sequence generation. Figure 6, illustrates a histogram of the number of tweets increasing in word length, and it is evident that the majority of tweets in the training set are fewer than 25 words long. As a result, text sequences are converted into integer sequences and zero padding is implemented. Maximum sequential length (number of words) is set to 25 because a majority of tweets in the dataset are of that length. Furthermore, 5 words are discarded as such tweets are very less in number and result in the addition of zeros to the sequence of vectors, thereby slowing model training and affecting the overall performance. The process of generating word embeddings for a tweet is illustrated in Fig. 7. In this study, an embedding matrix with the Max_unique_words * Embedding_dim dimension is created. Embedding_dim is the length of the vector i.e., 300 in our case. This matrix is initially populated by zeroes. Every single word in the top 10,275 unique words is converted into a vector by searching inside the vector space. After this, each vector is populated as a row in the embedding matrix, and the defined vector contains 300dimensional columns of features with a vocabulary of 10,275. We used an embedding layer of length 50 on our DNNs to produce a 25 50 output embedding vector for each tokenized vector. This layered neural network in our framework is trained to rebuild the linguistic context of words by taking a large body of text as input i.e., EMBEDDING_FILE. This generates a vector space, usually of several hundred dimensions, with each unique word in the corpus having a unique vector. At last, we divided the positive and negative data sets for testing and training. 30% of the data is for training and remaining 70% of data is for testing. The CNN, RNN, and the proposed hybrid CNN-biLSTM models are discussed below in further sections. Proposed hybrid CNN-biLSTM model We proposed an approach by combining CNN and bidirectional-LSTM (a type of RNN), for higher classification performance to predict depressed users on Twitter. On performing multiple experiments, we found that CNN is good at extracting spatial features and performed well when contextual information with the prior sequence is not required. Whereas, RNNs are effective in extracting information when the context of adjacent elements is important to classification. In the beginning, multidimensional data is used directly as a low-level input to CNN. In the pooling and convolution operation, significant features are mined by every layer. Relative to traditional CNN, the output layer is fully connected to the hidden layer. Depression tweets are extracted in-depth and accuracy is improved by using a number of convolutional layers, pooling layers, and convolutional kernel enhancements. With over-fitting risk exposure, a complex network may occur. As a result, the time-dependent network of recurrent neurons i.e., LSTM is incorporated with the CNN model to address the sequence problem. Similar and useless information is extracted by using the convolution kernels and the important extracted information is stored for a longer time in the state cell. Predominant results are achieved through a combination of CNN and biLSTM. The biLSTM architecture is shown in Fig. 8. Consequently, CNN- biLSTM is used where the convolutional layer facilitates the extraction of low dimensional semantic features from textual data and minimizes the number of dimensions. Moreover, biLSTM processes the text as a sequence of input. In this study, several 1-dimensional convolutional kernels are used together to achieve better performance on the input vectors. Table 4 describes the control parameters used. Sequential input data is characterized as the average of embedding vectors of individual words as shown in Eq.. Unigram, Bigram, and Trigram features are extracted using the different sizes of convolutional kernels by applying them to X1 : T with the use of 1D CNN. The features generated during a convolution process, in the t th convolution, where a window of d words stretch from t : t + d is taken as an input. The convolution process generates features for that window as follows in Eq., Where, x t : t + d − 1 is the embedding vector of the individual words in the context window, W d represents the parameters with the learnable weight's matrix, and b d is the bias. Also, as different regions of the text are convolved with every filter, the generated feature map of the filter having a convolution of size d is given in Eq., Using different convolutional kernels with varied widths expands the scope of CNN to find the latent correlation between several adjacent words. The most important characteristic of using a convolution filter for feature extraction from textual data is to minimize the number of trainable parameters during the feature learning process. This is achieved using a maxpooling layer following the convolutional layers. The process starts with input being processed through various convolutional channels and every channel has its unique set of values. During max-pooling process, the largest value from each convolutional layer is selected and pooled to create a set of new features. Within each convolution kernel, max pooling is applied to the feature maps with convolutional size d to obtain Eq.. The final features of each window are extracted by concatenation of p d for every filter size d = 1, 2, 3 and extracted the unigram, bigram, and trigram hidden features as shown in Eq., The most significant advantage of using a CNN-based feature extraction technique over the conventional LSTM is that the overall number of features are considerably reduced. These features are further used by a depression prediction model following the feature extraction process. The architecture of LSTM makes it overcome the "vanishing gradient" problem with sequential data using gate structures like input, output, and forget gates along with the cell states. These cell states work as an overall long-term memory for the LSTM unit and additive connections between the states. At a given time t for an LSTM cell, provided the input x t and the intermediate state, h t its output state is calculated as follows in eq. (6, 7, 8, 9, 10 and 11). Where the learnable parameters are represented by W, U, and b. is a sigmoid function and o is the convolution operator. The LSTMs gate is represented by f t, i t, and o t for forget, input, and output gates respectively. The memory state or the cell state is shown with c t. The cell state is the only reason LSTMs are skilled to capture all the long-term dependencies in the data provided in the input sequence and can be applied to data with longer sequences. As shown in Figs. 9 and 10, the CNN part of the network comprises of three convolution layers with a variable number of filters. The first two layers have 128 filters having a kernel size of 3 3 with sigmoid and Rectified linear activation unit (Relu) as activation functions. The third convolution layer has 64 filters with a kernel size of 3 3 and a sigmoid activation function. This is trailed by a Max-pool layer with a 4 4 kernel size. Finally, we used a biLSTM with slightly different hidden computations. Since computations are carried out in both forward and backward directions, this helps us in dealing with the drawback of RNN i.e., only information from previous computations is used as the next step. We used a "dropout layer" with a "keep probability" of 0.1 to prevent overfitting on the training data. We used Relu activation for the output layer and the model is trained on "binary_crossentropy" loss and "root mean squared propagation (RMSprop)" optimizer. Table 5 shows parameters used in our model and pseudocode of our proposed work is illustrated in Algorithm 1. CNN model CNN has revolutionized research and innovation using ML. This can be seen through the applications of DL techniques and their performance on the ImageNet dataset for object detection problems in Computer Vision. Not only Computer Vision, but research has been successful in the text analysis domain with the use of CNNs. CNNs are excellent feature extractors, extracting domain-specific characteristics during each epoch, e.g., retrieving highlevel characteristics, such as edges, and low-level characteristics such as objects in images. Using appropriate filters, convolution layers, dimensionality reduction operation, and pooling operations like Max-pooling and Average-pooling, time dependencies and specific features can also be captured. The role of a convolution layer is to tune the input features by reducing the spatial size of the convolution matrix into a form that is easier to process with no loss of critical classification information. The matrix involved in the realization of convolution information is referred to as Kernel or Filter. The kernel moves with a specific stride and each time a matrix multiplication operation is performed between the kernel and a portion of the input vector that superimposes itself on the kernel. This not only reduces the computing power needed to process the data but is also useful in extracting key features which are position invariant and contribute to effective model training. In this study, convolutional layers, pooling layers, drop-out layers, and dense layers have been used. The neural network mostly used convolutional layers for training. The architecture of CNN to classify the text is shown below in Fig. 11. The network parameters are taken up by the fully connected layers. The input features are extracted by the convolution layer and the resulting convolution matrix is obtained from pooling. The problem of over-fitting is resolved by the dropout layer and, as a result, during training, co-adaptation is prevented by random dropping units. We have presented the application of DNN with CNN + Maxpool to improve classification performance compared to RNN. For the convolution layer, we used a 3 3 kernel size with a stride of 1 tailed by a Max-pooling layer with a 2 2 kernel size. Finally, the convoluted features are fed into a dense layer. Since the network parameters are close to~1 M, we used a "dropout" layer with a "keep probability" of 0.2 to avoid overfitting the training data. Sigmoid activation has been used for the output layer and the model is trained on the "BinaryCrossentropy" loss function and "RMSprop" optimizer. A l long sentence as the d X l matrix is called the S sentence matrix, and by using linear filters, CNN carried out the convolution on the given input. The W weight matrix is indicated by a filter of size r and length d. W represents parameters as d X r. S ∈ ℝ dXl is the input matrix, feature map vector with a convolutional operator O = ∈ ℝ s − r + 1 with filter W applied repeatedly to sub-matrices S as shown in eq., where, i = 0, 1, 2s − r, (.) = dot product operation and S i : j = S's sub matrix from i to j rows. Each feature map O was served to the pooling layer for generating possible features. The highly significant feature v, captured by the max-pooling layer selects the highest value of feature map as shown in eq., Applications such as language modeling, sentiment classifying, contextual modeling, named entity recognition, and neural machine translation at the character level had produced excellent experimental results with RNN-based sequential modeling. In 2016, the Neural Machine Translation System of Google utilized a deep LSTM network for multilingual translation. Intuitively, LSTM has been found useful for learning the context among adjacent words improving the classification performance where class ambiguity exists. RNN is a group of neural networks that support sequential data modeling. Such networks are derived from the feed-forward networks which exhibit the same behavior in relation to the function of the human brain. RNNs have a memory that captures sequential information using the unrolled units that have hidden states and, thus, weights and biases are shared over time as shown in Fig. 12. For every element in a sequence, the output of RNN utilizes the previous calculations; therefore, RNNs are defined as recurring. Also, the future calculations are based on this captured information. As a result, RNNs are successful in NLP issues such as automatic translations where all inputs and outputs are highly dependent on each other. RNNs use information in the long sequences, but practically, they limit themselves to limited steps and capture short-term dependencies. Generally, in RNN, the initial layer is the encoder, which converts text into a sequence of token indices. Post encoder layer, data is routed through the embedded layer, and sequences of word indices are converted into a sequence of trainable vectors. Words of the same significance show same training vectors. Through iteration of elements, RNN processes the input sequence of "one step-of-time" to the input of another "step-of-time". Final processing is done using the dense layer after RNN has converted the single vector sequence. In our study, we used a network of SimpleRNN + Dense layers with "Relu" activation to solve the problem of depression prediction classification on the Twitter dataset. SimpleRNN is a fully connected RNN in which the output of the prior time step is delivered to the next step. We used a "dropout" with a "keep probability" of 0.4 and a "tanh" activation function for the output layer. The model is trained on "binary_crossentropy" loss and "Adam" optimizer with a learning rate of 0.001. RNN requires 3-dimensional data as input provided by the embedding layer. The design of our model is illustrated in Fig. 12. RNNs have proven to be very promising in improving baseline performance, although they do have certain limitations. As the calculation of RNNs is slow, they are not useful in accessing the information over the long term. Furthermore, RNNs cannot account for future inputs for the present state. As a result, other DL approaches were explored to address the issue. The other types of RNNs are LSTMs, biLSTMs and are the most frequently used RNN type. They just have a different way of calculating the hidden state but these are far better at catching the long-term dependencies that RNNs cannot. Results and discussion This section shows experimental setups and evaluation measures considered while conducting experiments. Moreover, it discusses results achieved by conducting experiments for the proposed CNN-biLSTM approach. It also includes a performance comparison between the proposed method and other state-of-the-art studies. Moreover, this section presents statistical analysis and visualizations for lingual dialects used by depressed and non-depressed users. Experimental setup and evaluation metrics All DL techniques have been implemented using Anaconda Navigator in Python 3.7 and Keras (an open-source library based on TensorFlow). For calculating performance on the implemented algorithms, we used information retrieval metrics extracted from the confusion matrix of the classifier. A confusion matrix is a way to summarize a classification model consisting of multiple sub-metrics. The sub-metrics derived from confusion metrics include precision, recall, accuracy, F1-score, sensitivity, and AUC curves. It analyzes the model performance for each class in a classification problem. Sometimes confusion metrics are referred to as error matrices because of the tabulated representation showing correct and incorrect predictions. The description of metrics is given in Tables 6 and 7. The performance of classification model is evaluated by plotting the distribution of prediction ratios for various classes on test data for known actual values, in the form of a confusion matrix. The confusion matrix for RNN, CNN, and CNN-biLSTM are shown in Table 6 Terms used to compute confusion matrix Terms Explanation P (Actual Positive) The actual positive case, which is depressed in our task. N (Actual Negative) The actual negative case, which is not depressed in our task. TN (True Negative) The actual case is not depressed, and the predictions are not depressed as well. FN (False Negative) The actual case is not depressed, but the predictions are depressed. FP (False Positive) The actual case is depressed, but the predictions are not depressed. TP (True Positive) The actual case is depressed, and the predictions are depressed as well. Comparative analysis The proposed hybrid CNN-biLSTM model is compared with the CNN and RNN models to evaluate depression prediction using accuracy, precision, recall, F1-score, and specificity in relevance to the test set of the used dataset. Table 8 using different models is graphically shown in Fig. 14. From Fig. 14 it is evident that RNN model has the lowest prediction performance compared to CNN and CNN-biLSTM. It is because of the inability of RNN to deal with "vanishing gradient" and "exploding gradient" problems. Although LSTM can tackle both problems, but it can only learn information before the current word but not after it. The semantics of a word in a sentence is related not only to previous historical information but also to subsequent information that comes after it. Instead of using LSTM, this study employs biLSTM incorporating bidirectional information as well as overcoming the problem of "vanishing gradient" and "exploding gradient". The best results are obtained when CNN's deep feature extraction capabilities are combined with the biLSTM model. To analyze the model performance more clearly, a comparison of model graphs per epoch for accuracy, loss, and AUC is shown in Fig. 15. Accuracy in the case of training and testing data for most models follows a general Hilton curve and stabilizes around 0.90, as shown in 0.84 -Nadeem et al. 0.86 0.81 Chenhao Lin et al. 0.936 0.884 J. Samuel et al. -0.91 Shuai et al. -0.904 Jamil et al. 0.73 0.75 Shen et al. 0.85 0.85 Tong et al. 0. 9 1 0. 9 1 5 Tong et al. 0.90 0.89 Proposed method 0.9478 0.9428 Fig. 16 Comparison of accuracy of CNN-biLSTM model with state-of-art models on same dataset the graphs. However, the loss function, particularly for test data, indicates an unstable noise output for both RNN and CNN. Moreover, in the case of proposed hybrid CNN-biLSTM model, the propagated noise is reduced. In the case of RNN and CNN, the overall AUC score is around 0.94. The AUC value of the CNN-biLSTM is slightly higher, i.e., 0.95432, indicating improved performance. As a result of the proposed hybrid CNN-biLSTM model, the accuracy of the depression analysis prediction improves while the model loss decreases. Table 9 compares F1-scores and accuracies of state-of-the-art studies with the proposed hybrid CNN-biLSTM model. In comparison to other existing studies for depression prediction based on Twitter data, it is notable that our proposed hybrid model increases not only accuracy but also the overall F1-score. Figure 16 compares the accuracies of various algorithms (as implemented in Ref. 65 on the same Twitter dataset) to our proposed model. The proposed hybrid CNN-biLSTM model outperforms traditional approaches with an accuracy of 94. 28. This implies that the hybrid deep learning models could be investigated in the future for depression analytics. It is concluded that CNN effectively extracts local features from different locations in a sentence but does not capture the contextual features of a word token. Convolution, pooling, and fully connected layers allow CNN to adapt and learn important features using backpropagation algorithm. The convolution operation is used for weight sharing across neighborhood positions, allowing kernels to extract local information within a given space. Moreover, CNN learns relevant feature patterns using a pooling operation. The Max-pooling layer extracts important information from input feature maps and outputs the most significant value in each map while discarding others, thereby shrinking the number of input features. In comparison to LSTM, RNN has the shortcoming of being unable to handle the "vanishing gradient" and "exploding gradient" problems, as well as extracting specific context information from a long sentence. On the other hand, LSTM efficiently tackles the "vanishing gradient" and "exploding gradient" problems along with contextual feature extraction. However, the problem with LSTM is that it is unidirectional, indicating that it does not consider the effect of next word in a sentence on the current context. Furthermore, the bidirectional nature of biLSTM model concentrates on the important contextual features of a sentence, and the embedding layer extracts not only word-level but also character-level embedding vectors. Thus, the proposed CNN-biLSTM model efficiently addresses the shortcoming of CNN and RNN by extracting both local features and contextual information from the features obtained from convolutional layer. This validates our hypothesis that integrating CNN and biLSTM improves localized feature extraction while also leveraging biLSTM's multidirectional enhanced RNN functionalities. Statistical analysis In this study, a t-test is applied to determine the significant difference among two groups i.e., depressed and non-depressed tweets. t-test is a parametric test that determines whether two sets are different from one another or not. The aim of the test is to determine whether there is a noteworthy difference among the average length of string for both depression and nondepression tweets. The t-test statistics is given by Eq., where, t represents t-value to be calculated, x 1 and x 2 represents the means of two groups (depressed and non-depressed) whose sample distributions are compared, x 1 x 2 represents the difference in sample means, s 1 and s 2 represents standard error of the two distributions, and n 1 and n 2 represent a number of observations in each group respectively. For a t-test, the degree of freedom (df) is the least of the two (n 1 -1, n 2 -1). In order to perform statistical analysis, the average length is calculated for both depressed and non-depressed tweets. The length of tweets is calculated and shown in Fig. 17. Density distribution plots are plotted for the length of the string as shown in Fig. 18a, b. After this, the mean of two distributions has been calculated i.e., 1 = 9.17 for depressed strings and 2 = 6.63 for non-depressed strings. The null hypothesis assumes that the mean of two population sample distributions is equal (H 0 : 1 = 2 ) and to test the alternate hypothesis against the null hypothesis we use a t-test. The alternate hypothesis emphasizes the significant difference between the means of both distributions. P value is a critical value that is an important threshold and acts as a test statistic for the test results. The p value is a level that permits us to conclude when to discard the null hypothesis i.e., H 0 : 1 = 2 or to inaugurate that the two groups are dissimilar. The p value obtained from t-test = 0.000. However, we compare p value with the critical value (). In our study, the critical value is chosen as = 0.02. 1. If p value > (Critical value): t-test fails to reject the null hypothesis of the test and establishes that the distributions have the same mean. 2. If p value < (Critical value): t-test rejects the null hypothesis of the test and establishes that the means of the sample distributions are different. In this study, we performed the two-tailed test. The calculated value for t-test statistics is 34.749. The tabulated value for t-test statistics at = 0.02 and degree of freedom = 1 is 31.821. The t-test statistics is shown in Table 10. Inference from the t-test is that the null hypothesis is rejected and the distribution for the tweet length for both depressed ones and nondepressed ones are different at 0.02 level of significance. Figure 19a, shows the word cloud for depressed users depicting that the words depress and depressed, are frequently announced by depressed users on a social media platform. This demonstrates how frequently depressed people express and post their sentiments on social media platforms. Besides that, other words related to mental health such as anxiety, mental disorder, bipolar, and PTSD have seemed to appear in more than 20% of depressed users. Figure 19b shows the word cloud for non-depressed users depicting positive and life-enriching attitudes, as well as the sensitization of self-love, as shown by terms such as love and good. The word frequency plot for the first 20 words is shown in Fig. 20a, b representing words like severe, depressed, help, anxiety, bipolar, etc., are often used by depressed users. The top words used by the non-depressed users, on the other hand, are love, like, know, think, etc. Moreover, we can conclude from plot analysis that these individuals are more likely to have a depressive self-analysis, which they actively reported on various social media platforms. Conclusion Depression is one of the most common mental disorders permeating worldwide. It is important to educate ourselves about depression on an individual, communal, and global scale. Addressing the issue and helping individuals suffering from depression should be given utmost priority. For classification-based problems, NB, DT, and RF are generally used in the textbased SA. In this study, we presented an innovative methodology to predict depression using Twitter raw dataset comprising of three subtypes (D1, D2, and D3). A realworld dataset has been used for categorizing non-depressed and depressed users in the proposed model. The proposed hybrid model i.e., CNN-biLSTM is characterized by introducing interplay between CNN and biLSTM network. Our proposed model uses biLSTM that can process longer text sequences and tackle the "vanishing gradient" and "exploding gradient" problems, unlike RNN. Moreover, our approach extract features using convolution layers and enhanced recurrent network architectures. On comparing CNN-biLSTM model with "state-of-the-art" studies, it is evaluated that the former model shows better performance in terms of various evaluation metrics. It is concluded through experimental studies that the CNN-biLSTM model is the one that achieved the best accuracy of 94.28%, precision of 96.99%, F1-score of 94.78%, specificity of 96.35%, and AUC score of 95.43%. This work has a lot of potential to be studied further in the future; for instance, we can increase the model's accuracy by exploring different combinations of neural network layers and activation functions. The pre-trained language techniques such as Deep contextualized word representations (ELMo) and Bidirectional Encoder Representations from Transformers (BERT) can be used in the future, and train them on a large corpus of depression-related tweets. It can be challenging to use such pre-trained language models due to the restriction imposed on sequence length of a sentence. Nevertheless, studying these models on this task helps to unearth their pros and cons. Our future work aims to detect other mental illnesses in conjunction with depression to capture complex mental issues prevading into an individual's life. Apart from Twitter raw data, various other ML methods can be evaluated on different other social media networks.
The Queen of Funk stole the show at Tom Ford. Chaka attends the Tom Ford fashion show on September 6th. The front rows at New York Fashion Week are usually predictable. You have at least one Kardashian/Jenner, a handful of off-duty supermodels like Kate Moss or Naomi Campbell, and an actor muse like Jared Leto. While Wednesday was only the first day of Fashion Week, the front-row formula has already been shaken up. Down the line from Kim Kardashian West and Julianne Moore at the Tom Ford show was none other than the Queen of Funk herself, Chaka Khan. Khan was ready to party as she arrived at the show on Wednesday night, wearing a black velvet blazer and carrying a black and gold clutch. Before heading into the venue, she posed outside in the rain for photographers, passing on one of the many umbrellas around her and instead fanned the rain off with an oversized hand fan that featured her name written in gold along with a printed pair of red lips. Khan kept up the energy on the pink carpet for celebrity arrivals, which also included Cindy Crawford, Liev Schreiber, and Ansel Elgort. Tom Ford is arguably one of the biggest shows during New York Fashion Week. This year’s show, along with having an A-list front row, marked Gigi Hadid and Kendall Jenner’s first runway of the season. Even with that kind of star power, it was made all the more thrilling thanks to a fan-wielding Chaka Khan.
Synthetic Aperture Radar (SAR) imaging systems are widely used in aerial and space reconnaissance. Usually, an aircraft or a spacecraft is provided with a SAR imaging system which transmits radar pulses and collects radar echoes corresponding to the radar pulses reflected by a target area to be imaged. Due to the large amount of data generated by a SAR system, optical solutions have been developed for processing the SAR raw data. For example, an image from the SAR raw data can be generated by optical signal processing using a spatial light modulator. However, wavefront aberrations may occur in the SAR optical signal processing system due to variations of optical parameters due for example to manufacturing tolerances, misalignment of optical components, temperature changes, vibrations and degradations caused by launch and in-flight conditions. Parameter variations in the SAR imaging system, such as an altitude change or a change in the atmosphere for example, may also result in wavefront aberrations. In some optical SAR signal processing systems, the position of optical components may be varied in order to compensate for such parameters variations. However, the requirement for moving the optical components reduces the sturdiness and viability for the optical SAR raw signal processing system. Therefore there is a need for a method and a system for compensating for a parameter variation in a SAR imaging system.
#include "classes/classes.h" #include "vm/classmanager.h" java_lang_Class* java_lang_Class::m_forName(java_lang_String* name) { return ClassManager::getInstance()->forName(name); } java_lang_Class* java_lang_Class::m_forArray(int dimensions, java_lang_Class* elementType) { return ClassManager::getInstance()->forArray(dimensions, elementType); } void java_lang_Class::m_addClass(java_lang_Class* clazz) { ClassManager::getInstance()->addClass(clazz); } j_int java_lang_Object::m_hashCode() { return (j_int)this; }
<reponame>jinlongliu/AliOS-Things /* * Routines to access hardware * * Copyright (c) 2013 Realtek Semiconductor Corp. * * This module is a confidential and proprietary property of RealTek and * possession or use of this module requires written permission of RealTek. */ #ifndef _RTL8195A_ADC_H_ #define _RTL8195A_ADC_H_ //================ Register Bit Field ========================== //2 REG_ADC_FIFO_READ #define BIT_SHIFT_ADC_FIFO_RO 0 #define BIT_MASK_ADC_FIFO_RO 0xffffffffL #define BIT_ADC_FIFO_RO(x) (((x) & BIT_MASK_ADC_FIFO_RO) << BIT_SHIFT_ADC_FIFO_RO) #define BIT_CTRL_ADC_FIFO_RO(x) (((x) & BIT_MASK_ADC_FIFO_RO) << BIT_SHIFT_ADC_FIFO_RO) #define BIT_GET_ADC_FIFO_RO(x) (((x) >> BIT_SHIFT_ADC_FIFO_RO) & BIT_MASK_ADC_FIFO_RO) //2 REG_ADC_CONTROL #define BIT_SHIFT_ADC_DBG_SEL 24 #define BIT_MASK_ADC_DBG_SEL 0x7 #define BIT_ADC_DBG_SEL(x) (((x) & BIT_MASK_ADC_DBG_SEL) << BIT_SHIFT_ADC_DBG_SEL) #define BIT_CTRL_ADC_DBG_SEL(x) (((x) & BIT_MASK_ADC_DBG_SEL) << BIT_SHIFT_ADC_DBG_SEL) #define BIT_GET_ADC_DBG_SEL(x) (((x) >> BIT_SHIFT_ADC_DBG_SEL) & BIT_MASK_ADC_DBG_SEL) #define BIT_SHIFT_ADC_THRESHOLD 16 #define BIT_MASK_ADC_THRESHOLD 0x3f #define BIT_ADC_THRESHOLD(x) (((x) & BIT_MASK_ADC_THRESHOLD) << BIT_SHIFT_ADC_THRESHOLD) #define BIT_CTRL_ADC_THRESHOLD(x) (((x) & BIT_MASK_ADC_THRESHOLD) << BIT_SHIFT_ADC_THRESHOLD) #define BIT_GET_ADC_THRESHOLD(x) (((x) >> BIT_SHIFT_ADC_THRESHOLD) & BIT_MASK_ADC_THRESHOLD) #define BIT_SHIFT_ADC_BURST_SIZE 8 #define BIT_MASK_ADC_BURST_SIZE 0x1f #define BIT_ADC_BURST_SIZE(x) (((x) & BIT_MASK_ADC_BURST_SIZE) << BIT_SHIFT_ADC_BURST_SIZE) #define BIT_CTRL_ADC_BURST_SIZE(x) (((x) & BIT_MASK_ADC_BURST_SIZE) << BIT_SHIFT_ADC_BURST_SIZE) #define BIT_GET_ADC_BURST_SIZE(x) (((x) >> BIT_SHIFT_ADC_BURST_SIZE) & BIT_MASK_ADC_BURST_SIZE) #define BIT_ADC_ENDIAN BIT(3) #define BIT_SHIFT_ADC_ENDIAN 3 #define BIT_MASK_ADC_ENDIAN 0x1 #define BIT_CTRL_ADC_ENDIAN(x) (((x) & BIT_MASK_ADC_ENDIAN) << BIT_SHIFT_ADC_ENDIAN) #define BIT_ADC_OVERWRITE BIT(2) #define BIT_SHIFT_ADC_OVERWRITE 2 #define BIT_MASK_ADC_OVERWRITE 0x1 #define BIT_CTRL_ADC_OVERWRITE(x) (((x) & BIT_MASK_ADC_OVERWRITE) << BIT_SHIFT_ADC_OVERWRITE) #define BIT_ADC_ONESHOT BIT(1) #define BIT_SHIFT_ADC_ONESHOT 1 #define BIT_MASK_ADC_ONESHOT 0x1 #define BIT_CTRL_ADC_ONESHOT(x) (((x) & BIT_MASK_ADC_ONESHOT) << BIT_SHIFT_ADC_ONESHOT) #define BIT_ADC_COMP_ONLY BIT(0) #define BIT_SHIFT_ADC_COMP_ONLY 0 #define BIT_MASK_ADC_COMP_ONLY 0x1 #define BIT_CTRL_ADC_COMP_ONLY(x) (((x) & BIT_MASK_ADC_COMP_ONLY) << BIT_SHIFT_ADC_COMP_ONLY) //2 REG_ADC_INTR_EN #define BIT_ADC_AWAKE_CPU_EN BIT(7) #define BIT_SHIFT_ADC_AWAKE_CPU_EN 7 #define BIT_MASK_ADC_AWAKE_CPU_EN 0x1 #define BIT_CTRL_ADC_AWAKE_CPU_EN(x) (((x) & BIT_MASK_ADC_AWAKE_CPU_EN) << BIT_SHIFT_ADC_AWAKE_CPU_EN) #define BIT_ADC_FIFO_RD_ERROR_EN BIT(6) #define BIT_SHIFT_ADC_FIFO_RD_ERROR_EN 6 #define BIT_MASK_ADC_FIFO_RD_ERROR_EN 0x1 #define BIT_CTRL_ADC_FIFO_RD_ERROR_EN(x) (((x) & BIT_MASK_ADC_FIFO_RD_ERROR_EN) << BIT_SHIFT_ADC_FIFO_RD_ERROR_EN) #define BIT_ADC_FIFO_RD_REQ_EN BIT(5) #define BIT_SHIFT_ADC_FIFO_RD_REQ_EN 5 #define BIT_MASK_ADC_FIFO_RD_REQ_EN 0x1 #define BIT_CTRL_ADC_FIFO_RD_REQ_EN(x) (((x) & BIT_MASK_ADC_FIFO_RD_REQ_EN) << BIT_SHIFT_ADC_FIFO_RD_REQ_EN) #define BIT_ADC_FIFO_FULL_EN BIT(4) #define BIT_SHIFT_ADC_FIFO_FULL_EN 4 #define BIT_MASK_ADC_FIFO_FULL_EN 0x1 #define BIT_CTRL_ADC_FIFO_FULL_EN(x) (((x) & BIT_MASK_ADC_FIFO_FULL_EN) << BIT_SHIFT_ADC_FIFO_FULL_EN) #define BIT_ADC_COMP_3_EN BIT(3) #define BIT_SHIFT_ADC_COMP_3_EN 3 #define BIT_MASK_ADC_COMP_3_EN 0x1 #define BIT_CTRL_ADC_COMP_3_EN(x) (((x) & BIT_MASK_ADC_COMP_3_EN) << BIT_SHIFT_ADC_COMP_3_EN) #define BIT_ADC_COMP_2_EN BIT(2) #define BIT_SHIFT_ADC_COMP_2_EN 2 #define BIT_MASK_ADC_COMP_2_EN 0x1 #define BIT_CTRL_ADC_COMP_2_EN(x) (((x) & BIT_MASK_ADC_COMP_2_EN) << BIT_SHIFT_ADC_COMP_2_EN) #define BIT_ADC_COMP_1_EN BIT(1) #define BIT_SHIFT_ADC_COMP_1_EN 1 #define BIT_MASK_ADC_COMP_1_EN 0x1 #define BIT_CTRL_ADC_COMP_1_EN(x) (((x) & BIT_MASK_ADC_COMP_1_EN) << BIT_SHIFT_ADC_COMP_1_EN) #define BIT_ADC_COMP_0_EN BIT(0) #define BIT_SHIFT_ADC_COMP_0_EN 0 #define BIT_MASK_ADC_COMP_0_EN 0x1 #define BIT_CTRL_ADC_COMP_0_EN(x) (((x) & BIT_MASK_ADC_COMP_0_EN) << BIT_SHIFT_ADC_COMP_0_EN) //2 REG_ADC_INTR_STS #define BIT_ADC_FIFO_THRESHOLD BIT(7) #define BIT_SHIFT_ADC_FIFO_THRESHOLD 7 #define BIT_MASK_ADC_FIFO_THRESHOLD 0x1 #define BIT_CTRL_ADC_FIFO_THRESHOLD(x) (((x) & BIT_MASK_ADC_FIFO_THRESHOLD) << BIT_SHIFT_ADC_FIFO_THRESHOLD) #define BIT_ADC_FIFO_RD_ERROR_ST BIT(6) #define BIT_SHIFT_ADC_FIFO_RD_ERROR_ST 6 #define BIT_MASK_ADC_FIFO_RD_ERROR_ST 0x1 #define BIT_CTRL_ADC_FIFO_RD_ERROR_ST(x) (((x) & BIT_MASK_ADC_FIFO_RD_ERROR_ST) << BIT_SHIFT_ADC_FIFO_RD_ERROR_ST) #define BIT_ADC_FIFO_RD_REQ_ST BIT(5) #define BIT_SHIFT_ADC_FIFO_RD_REQ_ST 5 #define BIT_MASK_ADC_FIFO_RD_REQ_ST 0x1 #define BIT_CTRL_ADC_FIFO_RD_REQ_ST(x) (((x) & BIT_MASK_ADC_FIFO_RD_REQ_ST) << BIT_SHIFT_ADC_FIFO_RD_REQ_ST) #define BIT_ADC_FIFO_FULL_ST BIT(4) #define BIT_SHIFT_ADC_FIFO_FULL_ST 4 #define BIT_MASK_ADC_FIFO_FULL_ST 0x1 #define BIT_CTRL_ADC_FIFO_FULL_ST(x) (((x) & BIT_MASK_ADC_FIFO_FULL_ST) << BIT_SHIFT_ADC_FIFO_FULL_ST) #define BIT_ADC_COMP_3_ST BIT(3) #define BIT_SHIFT_ADC_COMP_3_ST 3 #define BIT_MASK_ADC_COMP_3_ST 0x1 #define BIT_CTRL_ADC_COMP_3_ST(x) (((x) & BIT_MASK_ADC_COMP_3_ST) << BIT_SHIFT_ADC_COMP_3_ST) #define BIT_ADC_COMP_2_ST BIT(2) #define BIT_SHIFT_ADC_COMP_2_ST 2 #define BIT_MASK_ADC_COMP_2_ST 0x1 #define BIT_CTRL_ADC_COMP_2_ST(x) (((x) & BIT_MASK_ADC_COMP_2_ST) << BIT_SHIFT_ADC_COMP_2_ST) #define BIT_ADC_COMP_1_ST BIT(1) #define BIT_SHIFT_ADC_COMP_1_ST 1 #define BIT_MASK_ADC_COMP_1_ST 0x1 #define BIT_CTRL_ADC_COMP_1_ST(x) (((x) & BIT_MASK_ADC_COMP_1_ST) << BIT_SHIFT_ADC_COMP_1_ST) #define BIT_ADC_COMP_0_ST BIT(0) #define BIT_SHIFT_ADC_COMP_0_ST 0 #define BIT_MASK_ADC_COMP_0_ST 0x1 #define BIT_CTRL_ADC_COMP_0_ST(x) (((x) & BIT_MASK_ADC_COMP_0_ST) << BIT_SHIFT_ADC_COMP_0_ST) //2 REG_ADC_COMP_VALUE_L #define BIT_SHIFT_ADC_COMP_TH_1 16 #define BIT_MASK_ADC_COMP_TH_1 0xffff #define BIT_ADC_COMP_TH_1(x) (((x) & BIT_MASK_ADC_COMP_TH_1) << BIT_SHIFT_ADC_COMP_TH_1) #define BIT_CTRL_ADC_COMP_TH_1(x) (((x) & BIT_MASK_ADC_COMP_TH_1) << BIT_SHIFT_ADC_COMP_TH_1) #define BIT_GET_ADC_COMP_TH_1(x) (((x) >> BIT_SHIFT_ADC_COMP_TH_1) & BIT_MASK_ADC_COMP_TH_1) #define BIT_SHIFT_ADC_COMP_TH_0 0 #define BIT_MASK_ADC_COMP_TH_0 0xffff #define BIT_ADC_COMP_TH_0(x) (((x) & BIT_MASK_ADC_COMP_TH_0) << BIT_SHIFT_ADC_COMP_TH_0) #define BIT_CTRL_ADC_COMP_TH_0(x) (((x) & BIT_MASK_ADC_COMP_TH_0) << BIT_SHIFT_ADC_COMP_TH_0) #define BIT_GET_ADC_COMP_TH_0(x) (((x) >> BIT_SHIFT_ADC_COMP_TH_0) & BIT_MASK_ADC_COMP_TH_0) //2 REG_ADC_COMP_VALUE_H #define BIT_SHIFT_ADC_COMP_TH_3 16 #define BIT_MASK_ADC_COMP_TH_3 0xffff #define BIT_ADC_COMP_TH_3(x) (((x) & BIT_MASK_ADC_COMP_TH_3) << BIT_SHIFT_ADC_COMP_TH_3) #define BIT_CTRL_ADC_COMP_TH_3(x) (((x) & BIT_MASK_ADC_COMP_TH_3) << BIT_SHIFT_ADC_COMP_TH_3) #define BIT_GET_ADC_COMP_TH_3(x) (((x) >> BIT_SHIFT_ADC_COMP_TH_3) & BIT_MASK_ADC_COMP_TH_3) #define BIT_SHIFT_ADC_COMP_TH_2 0 #define BIT_MASK_ADC_COMP_TH_2 0xffff #define BIT_ADC_COMP_TH_2(x) (((x) & BIT_MASK_ADC_COMP_TH_2) << BIT_SHIFT_ADC_COMP_TH_2) #define BIT_CTRL_ADC_COMP_TH_2(x) (((x) & BIT_MASK_ADC_COMP_TH_2) << BIT_SHIFT_ADC_COMP_TH_2) #define BIT_GET_ADC_COMP_TH_2(x) (((x) >> BIT_SHIFT_ADC_COMP_TH_2) & BIT_MASK_ADC_COMP_TH_2) //2 REG_ADC_COMP_SET #define BIT_SHIFT_ADC_GREATER_THAN 0 #define BIT_MASK_ADC_GREATER_THAN 0xf #define BIT_ADC_GREATER_THAN(x) (((x) & BIT_MASK_ADC_GREATER_THAN) << BIT_SHIFT_ADC_GREATER_THAN) #define BIT_CTRL_ADC_GREATER_THAN(x) (((x) & BIT_MASK_ADC_GREATER_THAN) << BIT_SHIFT_ADC_GREATER_THAN) #define BIT_GET_ADC_GREATER_THAN(x) (((x) >> BIT_SHIFT_ADC_GREATER_THAN) & BIT_MASK_ADC_GREATER_THAN) //2 REG_ADC_POWER #define BIT_SHIFT_ADC_PWR_CUT_CNTR 16 #define BIT_MASK_ADC_PWR_CUT_CNTR 0xff #define BIT_ADC_PWR_CUT_CNTR(x) (((x) & BIT_MASK_ADC_PWR_CUT_CNTR) << BIT_SHIFT_ADC_PWR_CUT_CNTR) #define BIT_CTRL_ADC_PWR_CUT_CNTR(x) (((x) & BIT_MASK_ADC_PWR_CUT_CNTR) << BIT_SHIFT_ADC_PWR_CUT_CNTR) #define BIT_GET_ADC_PWR_CUT_CNTR(x) (((x) >> BIT_SHIFT_ADC_PWR_CUT_CNTR) & BIT_MASK_ADC_PWR_CUT_CNTR) #define BIT_ADC_FIFO_ON_ST BIT(11) #define BIT_SHIFT_ADC_FIFO_ON_ST 11 #define BIT_MASK_ADC_FIFO_ON_ST 0x1 #define BIT_CTRL_ADC_FIFO_ON_ST(x) (((x) & BIT_MASK_ADC_FIFO_ON_ST) << BIT_SHIFT_ADC_FIFO_ON_ST) #define BIT_ADC_ISO_ON_ST BIT(10) #define BIT_SHIFT_ADC_ISO_ON_ST 10 #define BIT_MASK_ADC_ISO_ON_ST 0x1 #define BIT_CTRL_ADC_ISO_ON_ST(x) (((x) & BIT_MASK_ADC_ISO_ON_ST) << BIT_SHIFT_ADC_ISO_ON_ST) #define BIT_ADC_PWR33_ON_ST BIT(9) #define BIT_SHIFT_ADC_PWR33_ON_ST 9 #define BIT_MASK_ADC_PWR33_ON_ST 0x1 #define BIT_CTRL_ADC_PWR33_ON_ST(x) (((x) & BIT_MASK_ADC_PWR33_ON_ST) << BIT_SHIFT_ADC_PWR33_ON_ST) #define BIT_ADC_PWR12_ON_ST BIT(8) #define BIT_SHIFT_ADC_PWR12_ON_ST 8 #define BIT_MASK_ADC_PWR12_ON_ST 0x1 #define BIT_CTRL_ADC_PWR12_ON_ST(x) (((x) & BIT_MASK_ADC_PWR12_ON_ST) << BIT_SHIFT_ADC_PWR12_ON_ST) #define BIT_ADC_ISO_MANUAL BIT(3) #define BIT_SHIFT_ADC_ISO_MANUAL 3 #define BIT_MASK_ADC_ISO_MANUAL 0x1 #define BIT_CTRL_ADC_ISO_MANUAL(x) (((x) & BIT_MASK_ADC_ISO_MANUAL) << BIT_SHIFT_ADC_ISO_MANUAL) #define BIT_ADC_PWR33_MANUAL BIT(2) #define BIT_SHIFT_ADC_PWR33_MANUAL 2 #define BIT_MASK_ADC_PWR33_MANUAL 0x1 #define BIT_CTRL_ADC_PWR33_MANUAL(x) (((x) & BIT_MASK_ADC_PWR33_MANUAL) << BIT_SHIFT_ADC_PWR33_MANUAL) #define BIT_ADC_PWR12_MANUAL BIT(1) #define BIT_SHIFT_ADC_PWR12_MANUAL 1 #define BIT_MASK_ADC_PWR12_MANUAL 0x1 #define BIT_CTRL_ADC_PWR12_MANUAL(x) (((x) & BIT_MASK_ADC_PWR12_MANUAL) << BIT_SHIFT_ADC_PWR12_MANUAL) #define BIT_ADC_PWR_AUTO BIT(0) #define BIT_SHIFT_ADC_PWR_AUTO 0 #define BIT_MASK_ADC_PWR_AUTO 0x1 #define BIT_CTRL_ADC_PWR_AUTO(x) (((x) & BIT_MASK_ADC_PWR_AUTO) << BIT_SHIFT_ADC_PWR_AUTO) //2 REG_ADC_ANAPAR_AD0 #define BIT_SHIFT_ADC_ANAPAR_AD0 2 #define BIT_MASK_ADC_ANAPAR_AD0 0x3fffffff #define BIT_ADC_ANAPAR_AD0(x) (((x) & BIT_MASK_ADC_ANAPAR_AD0) << BIT_SHIFT_ADC_ANAPAR_AD0) #define BIT_CTRL_ADC_ANAPAR_AD0(x) (((x) & BIT_MASK_ADC_ANAPAR_AD0) << BIT_SHIFT_ADC_ANAPAR_AD0) #define BIT_GET_ADC_ANAPAR_AD0(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD0) & BIT_MASK_ADC_ANAPAR_AD0) #define BIT_ADC_AUDIO_EN BIT(1) #define BIT_SHIFT_ADC_AUDIO_EN 1 #define BIT_MASK_ADC_AUDIO_EN 0x1 #define BIT_CTRL_ADC_AUDIO_EN(x) (((x) & BIT_MASK_ADC_AUDIO_EN) << BIT_SHIFT_ADC_AUDIO_EN) #define BIT_ADC_EN_MANUAL BIT(0) #define BIT_SHIFT_ADC_EN_MANUAL 0 #define BIT_MASK_ADC_EN_MANUAL 0x1 #define BIT_CTRL_ADC_EN_MANUAL(x) (((x) & BIT_MASK_ADC_EN_MANUAL) << BIT_SHIFT_ADC_EN_MANUAL) //2 REG_ADC_ANAPAR_AD1 #define BIT_SHIFT_ADC_ANAPAR_AD1 0 #define BIT_MASK_ADC_ANAPAR_AD1 0xffffffffL #define BIT_ADC_ANAPAR_AD1(x) (((x) & BIT_MASK_ADC_ANAPAR_AD1) << BIT_SHIFT_ADC_ANAPAR_AD1) #define BIT_CTRL_ADC_ANAPAR_AD1(x) (((x) & BIT_MASK_ADC_ANAPAR_AD1) << BIT_SHIFT_ADC_ANAPAR_AD1) #define BIT_GET_ADC_ANAPAR_AD1(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD1) & BIT_MASK_ADC_ANAPAR_AD1) //2 REG_ADC_ANAPAR_AD2 #define BIT_SHIFT_ADC_ANAPAR_AD2 0 #define BIT_MASK_ADC_ANAPAR_AD2 0xffffffffL #define BIT_ADC_ANAPAR_AD2(x) (((x) & BIT_MASK_ADC_ANAPAR_AD2) << BIT_SHIFT_ADC_ANAPAR_AD2) #define BIT_CTRL_ADC_ANAPAR_AD2(x) (((x) & BIT_MASK_ADC_ANAPAR_AD2) << BIT_SHIFT_ADC_ANAPAR_AD2) #define BIT_GET_ADC_ANAPAR_AD2(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD2) & BIT_MASK_ADC_ANAPAR_AD2) //2 REG_ADC_ANAPAR_AD3 #define BIT_SHIFT_ADC_ANAPAR_AD3 0 #define BIT_MASK_ADC_ANAPAR_AD3 0xffffffffL #define BIT_ADC_ANAPAR_AD3(x) (((x) & BIT_MASK_ADC_ANAPAR_AD3) << BIT_SHIFT_ADC_ANAPAR_AD3) #define BIT_CTRL_ADC_ANAPAR_AD3(x) (((x) & BIT_MASK_ADC_ANAPAR_AD3) << BIT_SHIFT_ADC_ANAPAR_AD3) #define BIT_GET_ADC_ANAPAR_AD3(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD3) & BIT_MASK_ADC_ANAPAR_AD3) //2 REG_ADC_ANAPAR_AD4 #define BIT_SHIFT_ADC_ANAPAR_AD4 0 #define BIT_MASK_ADC_ANAPAR_AD4 0xffffffffL #define BIT_ADC_ANAPAR_AD4(x) (((x) & BIT_MASK_ADC_ANAPAR_AD4) << BIT_SHIFT_ADC_ANAPAR_AD4) #define BIT_CTRL_ADC_ANAPAR_AD4(x) (((x) & BIT_MASK_ADC_ANAPAR_AD4) << BIT_SHIFT_ADC_ANAPAR_AD4) #define BIT_GET_ADC_ANAPAR_AD4(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD4) & BIT_MASK_ADC_ANAPAR_AD4) //2 REG_ADC_ANAPAR_AD5 #define BIT_SHIFT_ADC_ANAPAR_AD5 0 #define BIT_MASK_ADC_ANAPAR_AD5 0xffffffffL #define BIT_ADC_ANAPAR_AD5(x) (((x) & BIT_MASK_ADC_ANAPAR_AD5) << BIT_SHIFT_ADC_ANAPAR_AD5) #define BIT_CTRL_ADC_ANAPAR_AD5(x) (((x) & BIT_MASK_ADC_ANAPAR_AD5) << BIT_SHIFT_ADC_ANAPAR_AD5) #define BIT_GET_ADC_ANAPAR_AD5(x) (((x) >> BIT_SHIFT_ADC_ANAPAR_AD5) & BIT_MASK_ADC_ANAPAR_AD5) //2 REG_ADC_CALI_DATA #define BIT_SHIFT_ADC_CALI_DATA_6 16 #define BIT_MASK_ADC_CALI_DATA_6 0xffff #define BIT_ADC_CALI_DATA_6(x) (((x) & BIT_MASK_ADC_CALI_DATA_6) << BIT_SHIFT_ADC_CALI_DATA_6) #define BIT_CTRL_ADC_CALI_DATA_6(x) (((x) & BIT_MASK_ADC_CALI_DATA_6) << BIT_SHIFT_ADC_CALI_DATA_6) #define BIT_GET_ADC_CALI_DATA_6(x) (((x) >> BIT_SHIFT_ADC_CALI_DATA_6) & BIT_MASK_ADC_CALI_DATA_6) #define BIT_SHIFT_ADC_CALI_DATA_0 0 #define BIT_MASK_ADC_CALI_DATA_0 0xffff #define BIT_ADC_CALI_DATA_0(x) (((x) & BIT_MASK_ADC_CALI_DATA_0) << BIT_SHIFT_ADC_CALI_DATA_0) #define BIT_CTRL_ADC_CALI_DATA_0(x) (((x) & BIT_MASK_ADC_CALI_DATA_0) << BIT_SHIFT_ADC_CALI_DATA_0) #define BIT_GET_ADC_CALI_DATA_0(x) (((x) >> BIT_SHIFT_ADC_CALI_DATA_0) & BIT_MASK_ADC_CALI_DATA_0) //================ Register Reg Field ========================= #define REG_ADC_FIFO_READ 0x0000 #define REG_ADC_CONTROL 0x0004 #define REG_ADC_INTR_EN 0x0008 #define REG_ADC_INTR_STS 0x000C #define REG_ADC_COMP_VALUE_L 0x0010 #define REG_ADC_COMP_VALUE_H 0x0014 #define REG_ADC_COMP_SET 0x0018 #define REG_ADC_POWER 0x001C #define REG_ADC_ANAPAR_AD0 0x0020 #define REG_ADC_ANAPAR_AD1 0x0024 #define REG_ADC_ANAPAR_AD2 0x0028 #define REG_ADC_ANAPAR_AD3 0x002C #define REG_ADC_ANAPAR_AD4 0x0030 #define REG_ADC_ANAPAR_AD5 0x0034 #define REG_ADC_CALI_DATA 0x0038 //================ ADC HAL related enumeration ================== //================ ADC Function Prototypes ===================== #define HAL_ADC_WRITE32(addr, value) HAL_WRITE32(ADC_REG_BASE,addr,value) #define HAL_ADC_READ32(addr) HAL_READ32(ADC_REG_BASE,addr) RTK_STATUS HalADCInit8195a(IN VOID *Data); RTK_STATUS HalADCDeInit8195a(IN VOID *Data); RTK_STATUS HalADCEnableRtl8195a(IN VOID *Data); RTK_STATUS HalADCIntrCtrl8195a(IN VOID *Data); u32 HalADCReceiveRtl8195a(IN VOID *Data); u32 HalADCReadRegRtl8195a(IN VOID *Data,IN u8 I2CReg); #endif
<reponame>ClimateMisinformation/cm-data-science<gh_stars>0 from models import * def fit_predict(model, X_train, Y_train, X_test, Y_test): if model == 'onevsrest': One_VS_Rest_SVM(X_train, Y_train, X_test, Y_test) elif model == 'onevsone': One_vs_One_SVM(X_train, Y_train, X_test, Y_test) elif model == 'randomforest': RandomForest(X_train, Y_train, X_test, Y_test) elif model == 'adaboost': AdaBoost(X_train, Y_train, X_test, Y_test) else: print("Error, potential models are: onevsrest, onevsone, randomforest and adaboost") return def run(): embeddings = ['word2vec','tfidf','normbow'] models = ['onevsrest', 'onevsone', 'randomforest','adaboost'] for embedding in embeddings: print("\n\n##########\n\n{0}".format(embedding.upper())) X_train, Y_train, X_test, Y_test = import_embedded_data(embedding) for model in models: print("\n\n----------\n\n{0} >> {1}".format(embedding.upper(), model.upper())) fit_predict(model, X_train, Y_train, X_test, Y_test)
Aggregates of IVIG or Avastin, but not HSA, modify the response to model innate immune response modulating impurities Therapeutic proteins can induce immune responses that affect their safety and efficacy. Product aggregates and innate immune response modulating impurities (IIRMI) are risk factors of product immunogenicity. In this study, we use Intravenous Immunoglobulin (IVIG), Avastin, and Human Serum Albumin (HSA) to explore whether increased aggregates activate innate immune cells or modify the response to IIRMI. We show that increased aggregates (shaken or stirred) in IVIG and Avastin, but not HSA, induced activation of MAPKs (pp38, pERK and pJNK) and transcription of immune-related genes including IL8, IL6, IL1, CSF1, CCL2, CCL7, CCL3, CCL24, CXCL2, IRAK1, EGR2, CEBP, PPARg and TNFSF15 in human PBMC. The immunomodulatory effect was primarily mediated by FcR, but not by TLR. Interestingly, increased aggregates in IVIG or Avastin magnified innate immune responses to TLR2/4 agonists, but diminished responses to TLR3/9 agonists. This study shows that IIRMI and aggregates can modify the activity of immune cells potentially modifying the milieu where the products are delivered highlighting the complex interplay of different impurities on product immunogenicity risk. Further, we show that aggregates could modify the sensitivity of PBMC-based assays designed to detect IIRMI. Understanding and managing immunogenicity risk is a critical component of product development and regulation. Therapeutic proteins and peptides, whether recombinant, synthetic, or naturally derived have the potential to induce an immune response in the host that impacts on the safety and efficacy of the product. Product immunogenicity is not necessarily tied to adverse effects but can neutralize the product's activity or result in changes in product pharmacokinetic or pharmacodynamics profiles, ultimately affecting the product's safety or efficacy and depriving patients of important therapies 1. Occasionally, the immune response can elicit cross-reactive antibodies that neutralize low-expression non-redundant endogenous proteins in the host leading to deficiency syndromes as observed in patients that developed episodes of pure red cell aplasia or thrombocytopenia secondary to the development of antibodies to Eprex ® and megakaryocyte growth and development factor (MGDF), respectively 2,3. Thus, understanding and managing immunogenicity risk is a critical component of product development and regulation. Currently most therapeutic proteins have low levels of aggregates, however these can form during manufacturing, shipping, and storage. Protein aggregation has been identified as a key risk factor in protein immunogenicity assessments. This is supported by clinical data showing reduced immunogenicity in products that changed their manufacturing process and reduced their aggregate content 5,7. For example, historically patients receiving human growth factor had a high incidence of persistent ADA (50-70%), which was reduced to <10% following a reduction in the aggregate content in the product 7. Similarly, human gamma-globulin displayed increased immunogenicity as compared to the aggregate-free version 8,9. More recently, product denaturation and aggregation were linked to the emergence of neutralizing antibodies in a clinical trial for erythropoietin 10. These clinical observations are supported by several studies in mice showing that aggregated proteins are more immunogenic than monomers 4,6. Further, aggregates may facilitate breaks in tolerance as suggested by studies where treatments with aggregated human IFN induced anti-drug antibodies (ADA) in transgenic mice expressing human IFN 11. Several mechanisms by which aggregates mediate increased immunogenicity have been proposed, including modification of the pharmacokinetics and tissue distribution of the product, direct crosslinking of B cell receptors, increased uptake of particulate matter by antigen presenting cells (APC), and shifting intracellular trafficking and processing 4,12,13. However, the mechanism by which aggregates foster immunogenicity are still not well understood. This is partly because the effects of aggregates on immunogenicity may differ depending on their composition, morphology, size and charge; which in turn are heavily dependent on the characteristics of the monomer and the conditions under which the aggregates are formed 7,17-21. One possible mechanism by which aggregation increases immunogenicity risk involves the induction of local inflammation and activation of innate immune cells embedded in the tissues where the product is administered. It is known that protein aggregates can induce local inflammatory responses when deposited on tissues, as reported in patients with Alzheimer's, where deposits of Beta-amyloid causes local inflammatory responses, tissue damage and an influx of immune cells 25. This immune activation is thought to be partly linked to the activation of innate immune receptors on immune cells and the local release of pro-inflammatory cytokines 26. Among therapeutic proteins, aggregates of monoclonal antibodies were shown to crosslink Fc receptors (FcR) on the surface of B cells, dendritic cells, macrophages and neutrophils embedded in the tissues with greater affinity than monomers 27 and trigger the activation of innate effector cells. This enhances antigen presentation and maturation of dendritic cells (DCs) 28. Further, recent studies suggest that aggregates of monoclonal antibodies (mAbs) induce an inflammatory response by PBMC that is not evident when monomers are used. Indeed, blocking of FcR I, FcR II and FcRIII reduced the interaction between aggregated mAbs and FcRs reducing the pro-inflammatory effect induced by antibody aggregates 27,29. Lastly, recent reports suggest that Human PBMC, human monocytes and THP-1 cells could interact with Toll-like receptor (TLR) 2 and TLR4 to produce cytokines and chemokines when stimulated in-vitro with aggregated proteins 29,30. Toll-like Receptors are one of several families of germline-encoded pattern recognition receptors (PRRs) expressed on sentinel cells such as macrophages and dendritic cells that recognize structurally conserved molecules derived from microbes 31. Their ligands include various bacterial cell wall components such as lipopolysaccharide (LPS), peptidoglycan (PGN) and lipopeptides, as well as flagellin, bacterial DNA and viral RNA. Also, a variety of intracellular proteins such as heat shock proteins as well as protein fragments from the extracellular matrix can trigger them. These receptors initiate signaling cascades leading to the activation of transcription factors, such as AP1, NFB and interferon regulatory factors (IRFs). In recent years, our group and others have suggested that trace levels of process or host cell derived impurities, or contaminants introduced unintentionally during the manufacturing process can activate PRR increasing the risk of product immunogenicity 22,. Further, several studies suggest that multiple innate immune response modulating impurities (IIRMI) can act on different receptors or cell types synergizing their effect on local inflammation and systemic immune activation, making IIRMI an important risk factor for immunogenicity 32,. In this study, we characterize the pro-inflammatory activity of protein aggregates and determine whether they synergize with different IIRMI to increase the immunogenicity risk of therapeutic proteins. We show that aggregates of IVIG, which is a complex mixture of human immunoglobulins, or Avastin, a monoclonal antibody (mAb) targeting VEGF-A, can modulate the response to IIRMI magnifying the induction of IL8, IL1, and IL6 in response to TLR2 or TLR4 agonists. Interestingly, the same aggregates reduced the CXCL10, ISG15 and MX1 response to TLR9 (CpG) or TLR3 (poly I:C) agonists. The effect of the aggregates of antibodies was not universal as aggregates of HSA induced minimal innate immune activation and did not modulate the pro-inflammatory activity of endotoxin. Our study results highlight the interplay between product-related risk factors and the complexity of predicting immunogenicity risk. Mice. C57BL/6 (WT) and MyD88 −/− mice were housed in sterile microisolator cages under 12-hour day/night cycle and given food and water ad libitum in the specific pathogen-free, AAALAC accredited animal facility of the U.S. Food and Drug Administration's Division of Veterinary Medicine (Silver Spring, MD). This study was carried out in strict accordance with the recommendations in the Public Health Service Policy on Humane care and Use of Laboratory Animals. All protocols involving animals were approved by the Animal Care and Use Committee at US-FDA. Preparation and characterization of protein aggregates. Recombinant protein HSA, IVIG and Avastin were diluted to 1 mg/mL in sodium citrate buffer (10 mM sodium citrate, 5% sucrose, pH 6.0) and used either as 1) unaggregated protein (room temperature for 20 h), 2) shaken protein (450 rpm for 20 h at 25 °C), or 3) stirred protein (using glass vial with a Teflon stirrer at 1100 rpm at room temperature for 20 h). Aggregated and unaggregated proteins were kept refrigerated at 4 °C until further use and were stable in solution for up to 30 days. All preparations tested negative by LAL for endotoxin. Optical density. The optical density of aggregated and unaggregated HSA, IVIG and Avastin was measured using the Agilent Carry 100 UV-VIS spectrophotometer (Agilent Technologies, Santa Clara, CA). SDS-PAGE analysis. Aggregated and unaggregated proteins (10 g) were loaded on Bio-Rad Mini-PROTEAN TGX, 4-20% gels (Hercules, CA) in the presence or absence of reducing agent. For reducing condition aggregated or unaggregated protein were treated with Laemmli lysis buffer with a reducing agent (Fermentas/Thermos Fisher Scientific, Waltham, Massachusetts, USA) at 100 °C for 5 minutes. Electrophoresis was carried out and gels were stained with Coomassie Brilliant Blue and photographed. FlowCAM. A FlowCAM PV-100 bench top system (Fluid Imaging technologies, Scarborough, ME) fitted with an FC100 flow cell, a 10X objective, and collimator, and a 0.5 mL syringe. The gain and flash duration were set such that the average intensity means of the image was consistently between 180 and 200. Initial calibration was carried out by flushing five times with 1 mL water. The aggregated and unaggregated IVIG, Avastin and HSA samples were analyzed at a flow rate of 0.145 mL/min without dilution. Particles ranging in size (2 m-2 mm) (equivalent spherical diameter) were counted and normalized by dividing the number of particles by the total volume imaged for each sample to obtain the particle concentration (#/mL). In addition to the samples, buffer solutions were also analyzed by FlowCAM. The data is shown after subtraction of particles from sample buffer. Micro Flow Imaging (MFI). The number and size of particles in aggregated and unaggregated IVIG, Avastin and HSA were measured using the MFI 5200 system from Proteinsimple (San Jose, California, USA) equipped with a 100-micron flow cell and MFI view system software, (version 2-R2.6.1.20.1915). The system was cleaned with purified distilled water at maximum flow rate with the plush mode. Flow cell cleanliness was visibly checked confirmed visually before running the samples. The samples were analyzed at a flow rate of 0.17 mL/mL and fixed camera. Prior to use, the MFI performance was calibrated using 5 m particles/mL (Duke Standards, ThermoFisher Scientific, Fremont, CA) and NIST traceable size standard 3000 particles, (ThermoFisher Scientific, Fremont, CA). The samples were diluted 1000X in sodium citrate buffer. For each read 0.9 mL of product was prepared. The purge volume was 0.2 mL and analyzed sample volume was 0.6 mL. The MFI was set to capture 20,000 images/sample. Samples were measured in triplicate. The data is shown after subtraction of particles from sample buffer as background. NFkB-activation assays. HEK293 cells that co-express stably individual human TLR 2,4,5, or 9 and an NF-B/AP-1-inducible secreted embryonic alkaline phosphatase (SEAP) reporter gene (InvivoGen, San Diego, CA) were cultured in DMEM (10% FCS with 50 g/mL penicillin-streptomycin, 100 g/mL normocin, 2 mM L-glutamine supplemented with 1X HEK-BLUE Selection) and supplemented with Blasticidin and Zeocin as per manufacturer's instructions. The cells were plated at InvivoGen's recommended density in 100 L in flat bottom 96-well plates and stimulated with 100 L of aggregated or unaggregated protein (80 g/mL) or TLR ligands for 24 h. Supernatants were collected and NFkB activation was measured using detection medium with quanti-blue preparation per the manufacture's protocol. Briefly, 150 L of quanti-blue were added per well in a 96 well flat bottom with 50 L of supernatant from the stimulated samples with unaggregated product, aggregates or TLR ligands (positive controls). After 2 h incubation at 37 °C, the SEAP levels were determined colorimetrically at 620 nm by spectroscopy. FcR blocking. Human PBMC (5 10 6 cells) were plated per well in 24 well plate in the presence of FcR cocktail containing of F(ab)2 anti-FcRI(anti-CD64, clone 10.1), F(ab)2 anti-FcR II (anti-CD32, clone 7.3), F(ab)2 anti-FcR III (anti-CD16, clone 3G8) (each 10 g/mL) and isotype control (10 g/mL) (Ancell, Bayport, MN, USA), incubated for an hour at 37 °C before stimulation with aggregated or unaggregated protein (80 g/mL) for 24 h. mRNA of CCL2, CCL7, PPARG, EGR2, SPP1 and IL10 were measured by real-time PCR and protein in 24 h supernatants by using a Luminex ProcartaPlex ® Immunoassay Kit (eBioscience) as per the manufacture's recommendations. mRNA isolation and measurement by quantitative real-time PCR. Total RNA was isolated using Trizol reagent from Invitrogen (Carlsbad, CA, USA) as specified by the manufacturer. RNA was quantified by spectrophotometric analysis using the Nanodrop (ThermoFisher Scientific, Wilmington, DE). The cDNA was prepared from 1 g of total RNA using high capacity cDNA Reverse Transcription Kit (Applied Biosystems, Foster City, CA) as per the manufacturer's recommendation. Real-time PCR using TaqMan probes (Applied Biosystems, Foster city, CA) was conducted using the Viia7 Real-time PCR system. The change in the relative Scientific RePORTS | 8:11477 | DOI:10.1038/s41598-018-29850-4 expression levels of mRNA was calculated by normalizing against house-keeping genes and are expressed as fold increase over media treated cells using the 2 −Ct method 41. Nanostring mRNA Profiling. The NanoString nCounter Human Immunology V2 Panel (NanoString Technologies, Seattle, WA) was used in these studies per manufacturer's instructions. Briefly, probes were hybridized to 100 ng of total RNA for 19 h at 65 °C, after which excess capture and reporter probes were removed, and transcript-specific ternary complexes were immobilized on a streptavidin-coated cartridge. The code set contains a 3 biotinylated capture probe and a 5reporter probe tagged with a fluorescent barcode, two sequence-specific probes for each of 594 transcripts. All solution manipulations were carried out using the NanoString preparation station robotic fluids handling platform. Data collection was carried out with the nCounter Digital Analyzer to count individual fluorescent barcodes and quantify target RNA molecules present in each sample. Normalization was performed based on a standard curve constructed using the spike in exogenous control samples. Background hybridization signal was determined using the spike in negative controls provided. mRNAs with counts lower than the mean background +2 standard deviations were considered to be below the limits of detection. The nSolver (v.2.5) user interface (Nanostring) was used to operate the nCounter Advanced analysis module, which employs the R statistical software. The global gene expression data is presented in volcano plots, which show each target's p value (log 10 ) and fold change (log 2 ) relative to unstimulated (M) cells. Highly significant targets are displayed on the top of the graph and highly differentially expressed genes fall to either side. Green point colors and horizontal lines indicate the various false discovery rates. The differences in expression for individual genes were tested by ANOVA (Graph pad Prism 7.0). The datasets generated during and/or analyzed during the current study are available from the corresponding author on reasonable request. Cytokine Quantitation. Cytokine were measured in 24 h supernatants using a Luminex ProcartaPlex ® Immunoassay Kit from the eBioscience as per the manufacturer's recommendations. Statistical analysis and software. Statistical comparisons were assessed using a corrected multiple T test or one-way or two-way ANOVA followed by Bonferroni's multiple comparisons test as appropriate. Statistical analyses were performed with Graph Pad Prism 7.0 Statistical Software (Graph Pad Software Inc., San Diego, CA, USA). Synergy: a regression modelling cytokine production as a function of TLR ligand concentration, product aggregation, and their interaction was used to assess whether product aggregation and TLR ligand concentration affect cytokine production and whether such contribution was synergistic. A significant interaction between the two main effects would denote a synergistic association. This regression was fit using the PROC GLM procedure in SAS ®, version 9.4. Statistical significance was defined as P < 0.05. IVIG aggregated protein induced innate immune response in human PBMC. Aggregated therapeutic proteins are more immunogenic than their non-aggregated counterparts but the precise underlying mechanisms remain unclear 4,6,30,42. Recent reports suggest that the increased immunogenicity could be mediated in part by aggregates inducing pro-inflammatory cytokines and chemokines 32,43. To better understand the immunomodulatory effect of aggregated proteins, we induced the formation of aggregates in intravenous immunoglobulin (IVIG) by shaking or stirring the product for 20 h at room temperature as previously described 29,30. IVIG is comprised primarily of polyclonal gamma globulins (IgGs) isolated and pooled from the plasma of healthy donors and is currently used to treat several autoimmune diseases 44. The increased level of aggregates was evidenced by augmented absorbance at wave length ranges between 320-400 nm using light scattering analysis 45,46 ( Supplementary Fig. 1A). The size of the aggregates was modified under reducing conditions indicating the presence of disulfide bonds ( Supplementary Fig. 1B). Characterization of the size distribution of the aggregates formed using FlowCam and MFI shows significantly increased (p < 0.001) number of particulates of all sizes ranging from 1-100 m but particularly sub-visible ones ( Supplementary Fig. 2). Of note, although all the methods showed that stirring and shaking increased the content of IVIG aggregates, the absorbance, SDS PAGE and MFI results suggested that the stirred preparation appeared to have relatively higher number of particles, particularly smaller than 10 m, compared to the shaken samples. While this difference was not evident when using FlowCam, small differences between methods used to characterize aggregates are not unexpected 47. Using these stressed products, we next determined the effect of increased IVIG aggregates on the expression of genes linked to innate immune activation and inflammation. Stimulation of human PBMC with aggregated IVIG protein, particularly those prepared by shaking, resulted in increased transcripts for IL1, IL6, and IL8 as compared to PBMC from the same donors cultured in the presence of unaggregated IVIG (Fig. 1A) inflammatory response was also evident in the increased levels of pro-inflammatory cytokines (IL1, IL6, TNF and IL10) and chemokines (CCL2, CCL7, CCL3, CCL20) in the 24 h cell supernatants (Fig. 1B). Further, the increase in pro-inflammatory cytokines was associated with increased activation of map kinases-pp38, pERK1/2 and pJNK, which were evident within 30 minutes of stimulation of PBMC with protein aggregates (Fig. 1C,D). This suggested that the aggregated IVIG activates innate immune responses directly. To obtain a more complete characterization of the effects of aggregates on the immune response, we next stimulated PBMC with unperturbed or aggregated IVIG for 24 hours and screened gene expression using a Nanostring Immunology panel of 594 genes linked to the immune response. Results showed that unperturbed IVIG did not induce a significant increase in gene expression, whereas the same cells stimulated with IVIG containing increased aggregates modified the expression of over 100 genes ( Fig. 2A and Supplementary Table 1). Salient among the responses is the increased expression of multiple genes linked to the recruitment, maturation, and activation of monocyte/macrophages and neutrophils including CCL7 (MCP3), CCL2 (MCP1), CCL3 (MIP1a), CCL24 (eotaxin-2), and CXCL2 (MIP2a) as well as the downregulation of chemokine receptors CCR2 and CXCR2 (Fig. 2B) 48,49. Increased expression of CD276/B7 and MARCO and reduced FCGR2B (FcRIIb) also suggest the activation of macrophages. In addition, the IVIG aggregates increased the expression of pro-inflammatory signals including IL8, IL1 and IL1, as well as markers linked to innate immune activation via TLR such as serine/threonine kinases intermediate molecule IRAK1 and transcription factor CEBPB, TNFSF15 and HAMP 50. Of note however, the increase in IL1RN, CSF1, Galectin 3, PPARG, EGR2, and reduction of CXCR2 also suggest an anti-inflammatory or regulatory macrophage component to the response 51. Each dot represents a different donor (n = 6). Fold change was calculated relative to the corresponding mean gene expression in untreated cells. Mean and SEM are noted. All genes identified showed statistical difference between groups by nonparametric ANOVA. Black lines and asterisks denote significance in post-analysis multiple comparison. Red lines denote significant differences as determined by a t-test between cells exposed to stirred or shaken IVIG. * < 0.05, ** < 0.01, *** < 0.001. Unstimulated cells were used as negative controls (denoted as Medium). Interestingly, although the expression of most genes was similarly modified by shaken and stirred products, PBMC stimulated with stirred IVIG had relatively higher transcripts for PPARG, CD276/B7, IL-1RN, CSF1, and EGR2, hepcidine (HAMP) and lower CXCL2, IL-8, IL-6 and IL-1b (Figs 1A and 2B). Together this suggests that aggregates in IVIG can modulate the immune milieu fostering an immune response. Innate immunity activated by IVIG aggregates is partially mediated by FcRs. IVIG is used in the treatment of several pro-inflammatory diseases and the underlying mechanism is thought to be linked to the blocking of FcR on the surface of B cells and monocytes 52. Previous studies suggested that aggregated immunoglobulins cross-link FcR on the surface of monocytes more efficiently than monomeric ones eliciting an inflammatory response 29 and blocking of FcR was shown to reduce the secretion of pro-inflammatory cytokines by human PBMC and THP-1 cells stimulated with aggregated mAbs 29,30. To determine whether FcR mediates the increase in cytokine levels induced by aggregated IVIG, we stimulated BMDM from C57BL6 or FcR −/− mice. As shown in Fig. 3A, the IVIG preparation enriched in aggregates did not induce expression of pro-inflammatory genes in macrophages from FcR −/− mice suggesting that in mice FcR mediate the response to aggregates. Several reports have suggested that the role of FcR may differ in mice and human, therefore we next exposed PBMC to a cocktail containing neutralizing concentrations of F(ab)2 anti-FcR 1, F(ab)2 anti-FcR II, F(ab)2 anti-FcR III prior to stimulating the cells with unaggregated or aggregated IVIG. As shown in Fig. 3B, the anti-FcR cocktail reduced the level of expression of PPARG and EGR2 mRNA in human PBMC stimulated with IVIG aggregates. However, it did not modify the CCL2 and CCL7 mRNA levels as compared to those induced in the presence of isotype controls. Similarly, as shown in Fig. 3C, pre-incubation of PBMC with the anti-FcR cocktail reduced the levels of IL-10 and TNF but did not significantly reduce the levels of IL1, and CCL7 secreted into the supernatants. Of note, these results must be considered carefully as addition of the anti-FcR cocktail induced a pro-inflammatory response that was independent of the presence of IVIG aggregates (Fig. 3C). Together, these data suggest that FcR partially mediate the pro-inflammatory effect of aggregates, but other mechanisms of cellular activation are involved. Role of TLR in innate immune activation by IVIG aggregates. Recent studies suggest that aggregates can activate innate immune responses in vitro by directly stimulating TLR2 and TLR4 in human monocytes or PBMC 29,43,53. These receptors activate cells via NF-B leading to the production of pro-inflammatory IL1, IL6 and IL-8. We reasoned that if aggregates were activating PBMC primarily via TLR4, then they would induce a similar pattern of gene expression as the canonical TLR4 ligand, LPS. Therefore, we first compared the response of PBMC from 6 blood donors cultured in the presence of very low levels of endotoxin (100 pg/mL), unperturbed, or aggregated IVIG (Fig. 4A). IVIG aggregates and endotoxin induced several common genes, however the patterns of gene expression were clearly distinct. For example, at 24 hours, IVIG aggregates-induced high levels of CSF1, CCL7, CCL2, CL24, PPARG, SPP1, EGR2, MRC1, LGALS3, HAMP, BCAP31, and G6PD while endotoxin-induced relatively higher levels of IL1, IL1, IL6, IL8, and IL10. This was not surprising as protein aggregate would be expected to engage multiple receptors, including complement and scavenger receptors. To further explore a role for TLRs we next used the unperturbed and aggregated IVIG to stimulate HEK293 cells that co-express individual TLR gene and an NF-B/AP1-inducible SEAP (secreted embryonic alkaline phosphatase) reporter gene. Previous studies had shown HEK293 cells expressing TLR2 to be activated by soluble aggregates of amyloid peptides 54. As shown in Fig. 4B, the IVIG aggregates failed to activate HEK293 cells expressing TLR2, TLR4, TLR5 or TLR9). Since it was possible that aggregates required multiple TLR receptors, such as TLR2-TLR6 heterodimers, or a co-factor to induce a pro-inflammatory response, we next compared the response to aggregated IVIG by BMDM from wild type C57BL/6 mice and mice lacking MyD88 (MyD88 −/− ), a universal adaptor protein required for signaling by almost all TLR except TLR3. As shown in Fig. 4C, while MyD88 −/− mice had impaired response to LPS, there were no differences in mRNA levels of IL6, IL10, IL1 and IL12p40 in BMDM from MyD88 −/− after stimulation with IVIG aggregated protein. Together, this indicates that IVIG aggregates do not require TLRs or Myd88 to induce a pro-inflammatory response. Innate immune response to aggregates in the presence of trace levels of TLR2/4 agonists. In vitro and in vivo studies with mouse and primate models have shown that trace levels of innate immune response modulating impurities (IIRMI) can induce the expression of pro-inflammatory cytokines such as IL1, IL6, and IL8 55,56. Such an increase in inflammatory cytokines is associated with enhanced antigen presentation and was shown to correlate with increased risk of immunogenicity for therapeutic proteins in vivo 22,57. Since both IIRMI and aggregates could be present in a therapeutic protein preparation, we next explored whether the pro-inflammatory effect of aggregated IVIG would modify the response to trace levels of impurities. As expected, incubating PBMC with increasing concentration of LPS (1 pg to 100 pg/mL) induced IL6, IL1 and IL8 mRNA expression in a dose dependent manner (Fig. 5A). The addition of unperturbed IVIG did not modify the levels of LPS-induced IL6, IL1 and IL8 mRNA. In contrast, the addition of aggregated IVIG significantly increased mRNA for IL6, IL1 and IL8 at every concentration of LPS indicating that the two types of impurities could synergize to increase the risk of immune activation. Furthermore, as shown in Fig. 5C and Supplementary Fig. 3A, the phosphorylation of pSTAT1 and total IRF7 were increased in protein lysates of samples stimulated with shaken or stirred IVIG in the presence of LPS (100 pg/mL). Of note, this low level of LPS (100 pg/mL) induced a modest increase in pSTAT1, but did not induce detectable increases the activation of pERK1/2, pJNK1/2, pp38, and pAKT in PBMC regardless of the presence of aggregates (Supplementary Fig. 3B). Interestingly, the increase in pSTAT1 or cytokine mRNA does not appear to be associated with the upregulation of TLR4 as the mRNA expression is not modified by aggregated IVIG (Fig. 5D). To determine whether the synergistic effect observed was selective for endotoxin, we next explored whether aggregates of IVIG modified the response to TLR2 agonist P3C. PBMC stimulated with P3C (0.5 ng to 50 ng/mL) showed increased levels of IL6, IL1 and IL8 mRNA in a dose dependent manner (Fig. 5B). Addition of aggregated IVIG (shaken or stirred) further increased the expression of these genes, whereas similar levels of unperturbed IVIG failed to do so. As above, the increased response was not associated with an increased expression of TLR2 mRNA. Despite this, the IVIG aggregates magnified the response to trace levels of TLR2 and TLR4 ligands potentially increasing the immunogenicity risk of trace levels of IIRMI. Impact of aggregates on the immunomodulatory effect of nucleic acids. Biologics can contain nucleic acids derived from the host cell or adventitious agents that are present during manufacture. Multiple receptors have been described in the endosomes and cytoplasm that recognize nucleic acids and can foster an immune response 58. To determine whether IVIG aggregates would also increase the response to nucleic acids, we next assessed the response to TLR3 agonist Poly I:C and TLR9 agonist CpG ODN in the presence or absence of IVIG aggregates. These receptors mediate the production and phosphorylation of IRF3 and IRF7 leading to the secretion of type 1 interferons and IFN stimulated genes (ISG); thus CXCL10, ISG15 and MX1 were used to monitor their activity. As shown in Fig. 6, PBMC stimulated with CpG ODN (Fig. 6A) or Poly I:C (Fig. 6B) increased the mRNA level for ISGs in a concentration dependent manner. The addition of unperturbed IVIG did not modify the response; however, the addition of aggregated IVIG to the culture significantly reduced the mRNA levels for the ISGs. The reduction in the IFN response was associated with lower levels of mRNA for IRF7 and IRF3, (Fig. 6C) as well as lower levels of pSTAT1 and IRF7 relative to those induced after stimulation with CpG ODN or Poly I:C alone (Fig. 6D,E). Of note, while CpG ODN exerts most of its activity via IRF7, it does induce some activation of NFkB that can be gauged by assessing IL-8 and IL-6 expression. As shown in Supplementary Fig. 4A, the presence of aggregates did not modify the levels of IL-6 or IL-8 induced by CpG ODN. Similarly, there were no changes in pERK1/2, pJNK1/2, pp38, and pAKT in PBMC stimulated with CpG ODN alone or together with the IVIG aggregates ( Supplementary Fig. 4B). Therefore, the presence of aggregated IVIG can differentially regulate the biological activity of IIRMI. Aggregates of mAb Avastin but not HSA modify the innate immune response to IIRMI. IVIG is a complex biologic product comprised primarily of immunoglobulins of different specificities and previous studies had suggested that it can downregulate TLR responses, although the mechanism is unknown 59,60. To determine whether the pro-inflammatory effect of aggregates and the magnification of the effect of IIRMI was restricted to IVIG we produced aggregates of Avastin, a humanized recombinant monoclonal mAb that binds VEGF-A. As shown in Fig. 7A, shaken and stirred Avastin tend to form fewer and smaller aggregates compared to IVIG under similar conditions. Despite this, they induced a similar pattern of gene expression as the aggregated IVIG with increased expression of chemokines CCL2, CCL7, CXCL2, CXCL13, and IL8, as well as several markers linked to macrophage activation including IL10, C3, CD276, SPP1, PPARG, MARCO, IL1RN, IRAK1, and antimicrobial peptides such as Galectin 3, CCL8, and HAMP ( Fig. 7B and Supplementary Fig. 5). Moreover, the presence of product aggregates magnified the response to low levels of LPS (TLR4 ligand) while reducing the response to CpG ODN (TLR9 ligand) (Fig. 7C). This supports the conclusion that the presence of aggregates in antibody therapeutics can increase the risk of inducing a local innate immune response and could magnify the risk posed by some IIRMI present in the product. It also suggests that immunoglobulin aggregates may mask the presence of impurities that stimulate some innate immune receptors such as TLR3 or TLR9 in cell based assays. To explore whether the immunomodulatory effect of aggregates extended to other therapeutic proteins, we studied the effects of aggregated HSA. Human serum albumin is frequently used in the formulation of biologics. The aggregates formed by HSA were smaller and fewer than those formed under the same conditions by IVIG or Avastin (Fig. 8A) and failed to induce the expression of innate immune and inflammation related genes ( Fig. 8B and Supplementary Table 2). Further, the presence of HSA aggregates did not modify the response to LPS or CpG ODN indicating that not all protein aggregates have a direct immunomodulatory effect (Fig. 8C). These data is consistent with FcRs playing an important role in the induction of inflammation by aggregates and underscores the role of the underlying structure of the protein in the immunomodulatory effect of the aggregates they form. Discussion Immunogenicity risk cannot be predicted from protein structure alone as it is influenced by a myriad of often interacting parameters such as product structure, preexisting tolerance, immunological status, HLA type, and underlying disease. Two product-related factors thought to be critical in determining whether a product will be immunogenic are the presence of product aggregates and IIRMI such as residual host DNA, host cell proteins, endotoxins and other microbial fragments 32,61. Separately these different types of impurities have been shown to act as unintended adjuvants that can activate immune cells directly, mediate immune cell recruitment, enhance antigen uptake and processing, and foster adaptive immune responses. In these studies, we sought to characterize better the pro-inflammatory response induced by aggregates and determine whether their presence could modify the response to trace levels of IIRMI, thus increasing the immunogenicity risk of a therapeutic protein. Our results show that increased aggregate content in IVIG or Avastin leads to the induction of a complex innate immune response characterized by increased activation of p38, JNK and ERK, and consequent IL1, IL6 and IL8 suggesting a pro-inflammatory response that could increase the immunogenicity risk. The innate immune activation induced by immunogloblin aggregates is partially dependent on FcRs but not does not appear to require TLR2 or TLR4 receptors unlike what had been previously suggested 29,43 since the absence of MyD88 did not modify mRNA expression in response to the aggregates. Further, we show that the presence of IVIG aggregates magnified the expression of pro-inflammatory cytokines in response to TLR2 and TLR4 agonists, whereas they reduced the response to nucleic acid impurities that stimulate a type I IFN responses, indicating that the interplay between aggregates and IIRMI is complex. Together these data suggest that protein aggregates and some IIRMI can synergize to activate pro-inflammatory responses and increase the immunogenicity risk for therapeutic products and underscores the complexity of assessing immunogenicity risk. The formation of product aggregates can take many forms depending on the structure of the product and the conditions that facilitate the aggregation. In this study, we have singled out aggregates formed by physical stress (stirring or shaking conditions). While these conditions are thought to represent conditions that model stress during distribution and storage of the product, the concentration of particles used are beyond what would be typically found in commercial products and accounts for a worst-case scenario used to explore any potential impact of such aggregates in a physiologically relevant system. In our studies, increased levels of antibody aggregation led to the induction of pro-inflammatory genes. In contrast, despite forming aggregates of similar sizes and binding FcRN 62, HSA induced minimal innate immune activation in PBMC and did not modulate the pro-inflammatory activity of endotoxin or CpG ODN. This shows that the underlying structure of the aggregated product plays a critical role in its ability to activate innate immune responses. This is consistent with previous studies showing increased binding of aggregated IgA or IgG to FcR as compared to monomers 63,64 as well as studies in neutrophils showing that crosslinking of FcRs with aggregated IgG leads to p38, ERK and JNK phosphorylation, activation of NFkB and subsequent induction of proinflammatory cytokines. Surprisingly, while FcR were absolutely required for activating mouse BMDM, blocking FcRs in PBMC with a combination of anti-FcRs monoclonal antibodies (previously shown to reduce signaling via FcR 29 ) only partially reduced the transcription of IL10 and TNF, and not that of CCL3, CCL7, or IL1. This could be due to achieving only partial neutralization of the receptors with the concentrations used, or to biological differences between human and mouse cells. Of note, as shown in Fig. 3C and previously reported 29, the available neutralizing antibodies to FcR can stimulate PBMC leading to increased IL1, IL10 and TNF levels even in the absence of aggregated monoclonal antibody 29. This suggests that these results must be interpreted cautiously as the pro-inflammatory response to the cocktail may have masked a reduction in response to the FcRs mediated activation by the IVIG aggregates. Additional studies will need to address whether different isotypes of aggregated Ig or Fc fusion proteins preferentially bind FcR resulting in various downstream signaling and activation. Regarding the role of TLR in innate immune stimulation by IVIG, previous studies that used anti-TLR antibodies to block the pro-inflammatory response of aggregated mAbs suggested that TLRs play a key role in the innate immune response to aggregates 30. Surprisingly, in our studies HEK-293 expressing individual TLRs failed to be activated by the aggregates. Further, BMDC from MyD88 KO mice induced similar cytokine levels as those from the parental strain suggesting that TLR responses are not required for the response of aggregated IVIG (Fig. 4). There are several possible reasons for the disparity in results. First, it is possible that biophysical differences between the aggregates used in the studies published and those generated in our labs or differences in experimental conditions may underlie the difference in the results. For example, previous studies have shown that soluble aggregates of islet amyloid polypeptides stimulate HEK293 expressing TLR2 cells, whereas fibrillar ones do not 54. While we characterized our aggregates regarding their size distribution, at this time we do not have a good understanding of the specific characteristics of protein aggregate that are critical to induce NFB activation. In addition, the difference in results may be rooted in minor differences in cellular distribution and TLR gene sequences between humans and mice that can modify the regulation and activation of TLRs. Moreover, while MyD88 is generally recognized as the key mediator for all toll receptors except for TLR3, MAL and TRIF are also adaptor proteins for TLR and could facilitate a TLR4 mediated response. Lastly, innate immune cells are armed with a variety of PRR including Fc, complement and scavenger receptors, that may compensate for the absence of TLR. Importantly, regardless of the receptors involved, it is clear that product aggregation can foster innate immune modulation impacting on the immunogenicity risk of therapeutic antibodies. As we improve our characterizations of the quality attributes of aggregates, and gain a better understanding of their specific effect on innate immune cells we will be able to elucidate what types of aggregates are more likely to increase the immunogenicity risk or interfere with an assessment of process related impurities. The crosstalk between TLRs and FcR has been previously described, although the mechanisms underlying it are still unclear 32,38,39. TLR signal primarily via MyD88, TIRAP, and TRAF6, which ultimately leads to the activation of transcription factors such as nuclear factor kappa B (NF-B) and activator protein 1 (AP-1). In contrast, FcR lead to recruitment of tyrosine kinase Syk leading to increased calcium flux and NADPH activation. Although we did not see an increase in TLR expression in the presence of aggregates, we did see increased levels of IRAK1, CEBPB, TNFSF15 and HAMP which could indicate increased signaling. Further, TLR and FcR can be found in the same lipid rafts and TLR4 was shown to activate Syk directly in neutrophils and macrophages 66,67, and both FcR and TLRs were shown to downregulate miRNAs that regulate the production of pro-inflammatory cytokines IL-6 and TNFa. Therefore, the possibility that crosslinking of FcR by immunoglobulin aggregates may augment TLR2/4 mediated activation is not unexpected. In contrast, the signaling that leads to a reduced response to TLR9 and TLR3 agonists in the presence of IVIG aggregates is less clear. However, previous studies have shown that NFkB driven maturation of pDC may led to reduced type I IFN production, and a recent study suggests that immune complexes may downregulate TLR9 via FcRIIb 69. Lastly, although these studies explored the role of FcR and some TLRs, there are multiple other receptors that may be involved in the pro-inflammatory response observed in vitro. Understanding these interactions will require further studies, but the observation clearly illustrates the complexity of signals that could be elicited by product and process related impurities that stimulate multiple receptors and underscores the difficulty of predicting immunogenicity risk. Previous studies had identified IL6, IL8 and IL1 as biomarkers of innate immune response activation by aggregates 22,29,30. Our studies confirm their findings, but provide a more detailed gene expression analysis of the in vitro response that suggests that small structural differences in the aggregates formed by different stresses can result in different patterns of innate immune activation. Indeed, as shown in Figs 2, 7, and 8, the response to aggregates varied depending on the characteristics of the forming monomer and the stress applied, with aggregates formed by stirring inducing higher levels of markers associated with M2 activation of macrophages (MRC1, EGR2, PPARG, IL10, IL-1RN, CCL24, CCL18), a finding that will require further investigation. Importantly, in these studies we used PBMC as the platform to explore the response to aggregates. While PBMC are frequently used to assess for innate immune modulators, the frequency of neutrophils, and particularly macrophages and dendritic cells is very low, suggesting that the immunomodulatory effects in the tissues, where there is greater frequency of FcR and PRR rich cells may be more pronounced. Detailed studies linking the physicochemical properties of the aggregates induced by different stressors to the kinetics of the pro-inflammatory response may be helpful in fully understanding the response to aggregates. Although all proteins, self and foreign, bear antigenic sites to which an immune response can theoretically be directed, the actual development of an immune response depends on numerous host and product-related factors. One of the critical risk elements for immunogenicity is the presence of impurities of bacterial or host cell origin that can act as adjuvants to the product. These impurities are recognized by several families of PRR that are engaged in surveillance of the extracellular and intracellular space for the presence of microbial products or endogenously derived danger signals. Each of these receptors is triggered by unique microbial signatures but evokes mostly overlapping responses that are primarily channeled through the activation of NFkB and AP1, and result in the production of pro-inflammatory cytokines (IL6, TNF, IL1) and chemokines (CXCL8/IL8, CCL5, CCL7 and CCL2). Numerous studies have shown that multiple ligands can activate PRR. Indeed, over 20 different ligands have been identified for TLR4 73. Since it is not possible to predict the complete array of possible impurities that could be present in a product, we have previously suggested using cells bearing multiple PRRs to determine whether the sum of impurities present in a product could trigger an inflammatory response that would increase the likelihood of an immune response to inform the immunogenicity risk 55. The results presented herein suggest that the presence of aggregates may magnify the response to some impurities while dampening the response to others. When used together with TLR2 or TLR4 agonists, the enhancement was not mediated by increased TLR expression and did not seem to modify the minimal concentration of PRRAgs capable of inducing a detectable response in PBMC; however, the expression level of proinflammatory cytokines and chemokines was significantly increased as compared to that of cells exposed to the same PRRAgs in the presence of the unaggregated product. In contrast, in the presence of aggregates PBMCs required higher levels of TLR3 or TLR9 agonists to become activated, which could make cell-based assay to detect IIRMI less sensitive to these types of impurities. Interestingly the reduction was evident for genes linked to the activation of IRF7, IRF3, and STAT1, but not for the expression of IL6 or IL8, which is mediated via NFkB activation suggesting that the aggregates specifically reduced the IRF-IFN path 32,38. Importantly, since different stresses stimulate distinct mechanisms of aggregation and result in different types of aggregates, from soluble oligomers to high molecular weight particles, it will be important to understand what type and level of aggregates can be tolerated when using cell-based assays to assess IIRMI. Future identification of biomarkers of innate immune activation that can differentiate between stimulation by aggregates or IIRMI will help to evaluate and mitigate the risk posed by innate immune activation.
Field of the Invention The present invention relates to an apparatus, system, and method of inspecting an image formed by an image forming apparatus, and a recording medium storing an image inspection control program. Description of the Related Art Conventionally, the inspection of printed matter has been performed by human operators. In recent years, inspection apparatuses that automatically inspect printed matter have been widely used, mainly in the field of offset printing. For example, in conventional devices, a master image is generated by reading specific printed matter that is selected based on the image quality, as a reference image. The corresponding portions of the master image and a subsequently read image of printed matter would be compared to determine, by the degree of difference therebetween, whether there was a defect in the printed matter. Printing apparatuses, such as electrophotographic apparatus, have been widely used to print a small number of pages. For example, a printing apparatus may perform variable printing in which the printed contents differ on each page. In such case, comparing the printed matter with the master image generated from the previously printed matter would be inefficient. In view of this, the master image has typically been generated based on print data and then compared with the printed image to be inspected. With respect to the comparing inspection of the image, Japanese Patent Application Publication No. 2006-007659-A proposes a method of generating image data of a defective part in a resolution higher than at the time of the inspection of the printed matter in which the defect was detected, and enlargedly displaying an enlarged depiction of the defective part. In consideration of a position shift with the master image and the read image of the printed matter, a comparison process can be performed multiple times while shifting the master image and the read image vertically and horizontally. Utilization of the comparison result of a state with few degrees of the difference can also be performed. Accordingly, since the starting point at the time of comparing the master image with the read image is set as correctly as possible, position alignment with the master image and the read image may be performed utilizing the comparison process and shifting of the images vertically and horizontally. Moreover, the position alignment of the master image and the read image of printed matter involves performing a rotational correction process with respect to one side based on a certain reference point. As a reference point, a printer's mark used as the mark of a cutting and some characterizing portions (i.e., a corner part, etc.) in an image can be used. However, a reference point suitable for position alignment cannot always be extracted from an image. Therefore, when a reference point suitable for position alignment cannot be extracted, the rotational correction process may become inadequate for aligning the read image and the master image. If a shift has arisen such that position alignment is inadequate in the comparison area of both images, it may be determined that there is a defect despite normal printed matter if during inspection it is determined that the degree of the difference is high. Accordingly, in order to provide a more accurate inspection, the range over which the image is shifted vertically and horizontally in the case of the comparison of the read image and the master image is extended. Each difference value is then calculated and considered in order to extract a reference point suitable for position alignment. However, such a process may increase the computation time and when the processing time for an inspection has restrictions, such as the processing capacity of an inspection apparatus, the inspection process may end in the middle of a calculation due to the restrictions on processing time. In such an instance, the inspection process may not be completed and the correct result may not be obtained and it may be erroneously determined that the printed matter has a defect. Accordingly, during the inspection of the printed matter by an inspection apparatus, even though there is no defect in the printed matter it may be determined that a defect exists in the printed matter based on a defect in the position alignment thereby providing an incorrect inspection result. Therefore, the user will then need to confirm whether the printed matter judged to be defective is truly defective thereby creating a large burden for the user. Moreover, even if it is a case where the technique of JP No. 2006-007659-A is employed such that the resolution of the defective part of the printed matter is made high and is prominently displayed, it still cannot be determined whether the printed matter truly contains a defect without confirmation from a user.
package iso20022 // Criterion by which the cash movements are broken down. type CashSortingCriterion2 struct { // Type of criterion by which the cash flow is being broken down, ie, country, institution, currency code or a user defined type, such as a region or distribution channel. SortingCriterionType *SortCriteria1Choice `xml:"SrtgCritnTp"` // Parameter for which the cash movements are reported. ForecastBreakdownDetails []*ForecastParameter2 `xml:"FcstBrkdwnDtls"` } func (c *CashSortingCriterion2) AddSortingCriterionType() *SortCriteria1Choice { c.SortingCriterionType = new(SortCriteria1Choice) return c.SortingCriterionType } func (c *CashSortingCriterion2) AddForecastBreakdownDetails() *ForecastParameter2 { newValue := new (ForecastParameter2) c.ForecastBreakdownDetails = append(c.ForecastBreakdownDetails, newValue) return newValue }
/** * Setting Operation * Created by D on 2018/3/14. */ public class OpSetting extends AbstractOp { public OpSetting(SharedPreferences settings, SharedPreferences.Editor editor) { super(settings, editor); } /************************* 是/否 自动升级 *************************/ public void putIsAutoUpdate(boolean auto) { mEditor.putBoolean(Keys.KEY_IS_AUTO_UPDATE, auto); save(); } public boolean getIsAutoUpdate() { return mSettings.getBoolean(Keys.KEY_IS_AUTO_UPDATE, false); } }
# -*- coding: utf-8 -*- from gevent import monkey monkey.patch_all() from gevent import event, spawn from mock import patch, MagicMock from openprocurement.bot.identification.databridge.base_worker import BaseWorker from openprocurement.bot.identification.tests.base import BaseServersTest from openprocurement.bot.identification.tests.utils import custom_sleep, AlmostAlwaysFalse class TestBaseWorker(BaseServersTest): __test__ = True def test_init(self): services_not_available = event.Event() self.worker = BaseWorker(services_not_available) self.assertEqual(self.worker.services_not_available, services_not_available) self.assertFalse(self.worker.exit) def test_start_jobs(self): services_not_available = event.Event() self.worker = BaseWorker(services_not_available) with self.assertRaises(NotImplementedError): self.worker._start_jobs() def test_check_and_revive_jobs(self): self.worker = BaseWorker(MagicMock()) self.worker.immortal_jobs = {"test": MagicMock(dead=MagicMock(return_value=True))} self.worker.revive_job = MagicMock() self.worker.check_and_revive_jobs() self.worker.revive_job.assert_called_once_with("test") @patch('gevent.sleep') def test_run(self, sleep): sleep = custom_sleep self.worker = BaseWorker(MagicMock()) self.worker._start_jobs = MagicMock(return_value={"test": self.func}) self.worker.check_and_revive_jobs = MagicMock() with patch.object(self.worker, 'exit', AlmostAlwaysFalse()): self.worker._run() self.worker.check_and_revive_jobs.assert_called_once() @patch('gevent.sleep') def test_run_exception(self, sleep): sleep = custom_sleep self.worker = BaseWorker(MagicMock()) self.worker._start_jobs = MagicMock(return_value={"test": spawn(self.func)}) self.worker.check_and_revive_jobs = MagicMock(side_effect=Exception) with patch.object(self.worker, 'exit', AlmostAlwaysFalse()): self.worker._run() self.worker.check_and_revive_jobs.assert_called_once() def test_shutdown(self): self.worker = BaseWorker(MagicMock()) self.worker.shutdown() self.assertTrue(self.worker.exit) def func(self): pass
<reponame>WenShaoPang/ChromatographAPI if __name__ == '__main__': import sys from os import path sys.path.append( path.dirname(path.dirname( path.abspath(__file__) ) ) ) from lib.Peak import Peak def calcPeakSymmetry( time, signal, peak:Peak ): # 計算半波峰寬 targetHeight = ( peak.height - peak.boundary[1] ) *0.5 + peak.boundary[1] base_index = peak.boundary_index[0] front_index, back_index = PeakTargetHeightIndex( signal[ peak.boundary_index[0] : peak.boundary_index[1] ], target = targetHeight, start_index = peak.Apex_index - base_index ) a = time[ base_index + front_index ] b = time[ base_index + back_index ] w05 = b - a sigma = w05/2.355 N = 5.54 * ( peak.tr*peak.tr ) / (w05*w05) #----------------------------- targetHeight = ( peak.height - peak.boundary[1] ) *0.1 + peak.boundary[1] base_index = peak.boundary_index[0] front_index, back_index = PeakTargetHeightIndex( signal[ peak.boundary_index[0] : peak.boundary_index[1] ], target = targetHeight, start_index = peak.Apex_index - base_index ) a = time[ base_index + front_index ] b = time[ base_index + back_index ] w01 = b - a As = ( (b - peak.tr ) / (peak.tr - a) ) #------------------------------ targetHeight = ( peak.height - peak.boundary[1] )*0.05 + peak.boundary[1] base_index = peak.boundary_index[0] front_index, back_index = PeakTargetHeightIndex( signal[ peak.boundary_index[0] : peak.boundary_index[1] ], target = targetHeight, start_index = peak.Apex_index - base_index ) a = time[ base_index + front_index ] b = time[ base_index + back_index ] w005 = b - a a_time = peak.tr - a b_time = b - peak.tr tf = ( a_time + b_time )/(2*a_time) peak.w05 = w05 peak.w01 = w01 peak.w005 = w005 peak.sigma = sigma peak.N = N peak.As = As peak.tf = tf return peak def PeakTargetHeightIndex(range_signal=[], target=0, start_index=0): # 主要用於搜尋 w05, w01, w005 之位置 # range_singal 為 一個peak範圍內的儲存訊號資料的 array # 因此 range_signal 的第一筆資料為 peak的起始點, 反之最後一筆為peak的終點 # start_index 則為 peak 峰值位置的 index , 注意要先扣除 peak起始點的 index # target 為要找尋高度目標 now_index = start_index front_index = 0 back_index = 0 while range_signal[now_index] > target : now_index -= 1 if now_index == 0 : break front_index = now_index now_index = start_index while range_signal[ now_index ] > target : now_index += 1 if now_index >= len(range_signal)-1 : break back_index = now_index return front_index, back_index
Extremely Variable Phenotype with Different Mutations at a Single Codon in the FGFR2 Gene. 801 Craniostenosis syndromes are a group of developmental disorders which has recently been classified based on mutations in a family of genes named fibroblast growth hormone receptor genes (FGFR2 1,2,3). Mutations in the FGFR genes may manifest themselves in overlapping and variable phenotypes as reported in Crouzon, Pfeiffer, and Apert syndromes. An especially severe case of craniostenosis with multiple congenital anomalies resulting in early demise is described. The findings of cloverleaf skull, profound proptosis, radioulnar synostosis, broad thumbs and great toes, led to a clinical diagnosis of Pfeiffer syndrome, type 2. However, the many overlapping findings combined with the abnormal urogenital sinus could also suggest Antley-Bixler syndrome. Chromosomal studies revealed a normal female karyotype. Molecular studies were performed on the known mutation-bearing regions of the FGFR2 gene in order to determine whether a mutation in this gene was responsible for the severity of this infant's anomalies. The patient was found to have a G to T mutation at codon 290 exon 7 of the FGFR2 gene leading to a substitution of a cysteine for the normal tryptophan at this locus. This is the third mutation characterized at this codon; therefore, this locus appears to be a mutational hotspot in the gene. The introduction of an additional cysteine into a region characterized by immunoglobulin-type loops maintained by cysteine S-S crosslinking may provide a rational explanation for the severity of the clinical findings of this infant and insight into the structure and function of the protein.
import java.util.Arrays; public class FirstDayAtSchool { public String[] prepareMyBag() { String[] schoolbag = { "Books", "Notebooks", "Pens" }; System.out.println("My school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } public String[] addPencils() { String[] schoolbag = { "Books", "Notebooks", "Pens", "Pencils" }; System.out.println("Now my school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } public String[] addChalk() { String[] schoolbag = { "Books", "Notebooks", "Pens", "Chalk" }; System.out.println("Now my school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } public String[] addPaper() { String[] schoolbag = { "Books", "Notebooks", "Pens", "Paper" }; System.out.println("Now my school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } public String[] addRulers() { String[] schoolbag = { "Books", "Notebooks", "Pens", "Rulers" }; System.out.println("Now my school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } public String[] addBinders() { String[] schoolbag = { "Books", "Notebooks", "Pens", "Binders" }; System.out.println("Now my school bag contains: " + Arrays.toString(schoolbag)); return schoolbag; } }
// // XPNavigationViewController.h // Optique // // Created by <NAME> on 27/03/13. // Copyright (c) 2013 <NAME>. All rights reserved. // #import <Cocoa/Cocoa.h> @protocol XPNavigationViewController <NSObject> @optional @property (weak) id<XPNavigationController> controller; /** Called with the `OPNavigationController` displays the view when the controller is made visible initially or is popped. */ -(void)showView; -(void)removedView; @end
SYDNEY, Australia — National guidelines for the diagnosis and treatment of post-traumatic stress disorder in firefighters, paramedics and police officers have been developed by a group of Australian physicians. The guidelines aim at better treating PTSD in emergency responders, ABC.au reported. About 10 percent of current police, fire and ambulance officers have PTSD, the guidelines’ lead author, Dr. Sam Harvey, said. "Sometimes that can be a trauma directed at them, such as in a case where a police officer is attacked by someone," Dr. Harvey said. "But other times — and perhaps more common — it is just them witnessing a traumatic event." Harvey said repetitive exposure can cause responders to develop PTSD symptoms. The traumatic incidents will then re-manifest themselves through flashbacks and nightmares. The responders will get stuck into a "fight or flight moment" that will make them jumpy, unable to sleep and relax, Dr. Harvey said. The guidelines are targeted specifically to emergency responders, their symptoms and treatments, to find the best ways to transition them back to work. The problem, according to Dr. Harvey, is the stigma associated to mental illness, which causes emergency responders to be unwilling to ask for help.
<filename>c++/Programmazione 1/esercitazione 2/1.sec_to.cc<gh_stars>0 #include <iostream> using namespace std; int main(int argc, char** argv){ int n; cout << "Inserisci un numero intero: "; cin >> n; cout << n/60 << ":" << n%60 << endl; return 0; }
/** * Class is used to create web drivers for testing. * * @author Dave Humeniuk * */ public final class WebDriverFactory { /** * System property that defines the browser to use. */ public final static String BROWSER_TYPE_PROP_NAME = "mil.dod.th.ose.gui.integration.browser"; /** * Static string that represents firefox. */ public final static String FIREFOX_BROWSER = "firefox"; /** * Static string that represents internet explorer. */ public final static String IE_BROWSER = "ie"; private static final Logger LOG = Logger.getLogger("web.driver.factory"); /** * System property that defines the binary path to Firefox. If not specified, Selenium will try to find it. Only * need to set if the default version is not sufficient. */ private static final String FIREFOX_BINARY = "mil.dod.th.ose.gui.integration.firefox.binary"; /** * Variable used to store the web driver once created. This is the web driver that is used to interact with the * browser during testing. */ private static WebDriver m_Driver; /** * Retrieve the web driver to be used for testing. All test must retrieve web driver using this method. * * @return * Retrieve the web driver to be used for testing. */ public static WebDriver retrieveWebDriver() { if (m_Driver == null) { m_Driver = createWebDriver(); m_Driver.manage().timeouts().implicitlyWait(2, TimeUnit.SECONDS); m_Driver.manage().window().maximize(); } return m_Driver; } /** * Create a web driver based on the system property {@link #BROWSER_TYPE_PROP_NAME}. * * @return * Create the web driver for the desired browser */ private static WebDriver createWebDriver() { String desiredBrowser = System.getProperty(BROWSER_TYPE_PROP_NAME); if (desiredBrowser == null) { // use Firefox by default return createFirefoxDriverWithProfile(); } else if (desiredBrowser.equals(FIREFOX_BROWSER)) { return createFirefoxDriverWithProfile(); } else if (desiredBrowser.equals(IE_BROWSER)) { //IEDriverServer.exe needed for selenium tests to be ran if firefox is not the target. Must set the path //where the exe is located as an environment variable. final File driverServer = new File(ResourceLocatorUtil.getWorkspacePath(), "deps/selenium-2.42.2/IEDriverServer.exe"); System.setProperty("webdriver.ie.driver", driverServer.getAbsolutePath()); return new InternetExplorerDriver(); } else { throw new IllegalArgumentException(BROWSER_TYPE_PROP_NAME + " is not set to a valid browser name"); } } /** * Creates a Firefox driver with a custom profile. This is used to ensure no dialog windows pop up and that Firefox * will occupy the full screen. Mainly needed for running integration tests on a server where there will be no user * interaction to assist the test. * * @return * {@link FirefoxDriver} with the specified user profile. */ private static FirefoxDriver createFirefoxDriverWithProfile() { File profileDir = new File(ResourceLocatorUtil.getGuiIntegrationPath(), "/firefox_profile"); FirefoxProfile profile = new FirefoxProfile(profileDir); profile.setEnableNativeEvents(true); try { JavaScriptError.addExtension(profile); } catch (IOException e) { throw new IllegalStateException("Unable to install Firefox Javascript error extension.", e); } LOG.info("Using Firefox profile in: " + profileDir.getAbsolutePath()); String firefoxBinaryPath = System.getProperty(FIREFOX_BINARY); if (Strings.isNullOrEmpty(firefoxBinaryPath)) { LOG.info("Using standard Firefox driver"); return new FirefoxDriver(profile); } else { File firefoxBinary = new File(firefoxBinaryPath); LOG.info("Using Firefox driver with binary at: " + firefoxBinary.getAbsolutePath()); return new FirefoxDriver(new FirefoxBinary(firefoxBinary), profile); } } }
Funk legend says band sampled his music without his permission Funk legend George Clinton is suing Black Eyed Peas for copyright infringement. The Parliament and Funkadelic singer has filed papers claiming that the band did not ask for permission to use a sample from his 1979 song ‘(Not Just) Knee Deep’ on a remix of their 2003 single ‘Shut Up’. According to Billboard Clinton said he rejected the request from the band to sample the track, not knowing at the time that his song had already been used in a previous version of the song that appeared on the band’s 2003 album ‘The E.N.D’. ‘(Not Just) Knee Deep’ has been sampled many times over the years, with the likes of MC Hammer, De La Soul and Snoop Dogg all including it in their material. Clinton is seeking damages of up to $150,000 (£94,500) and an injunction to prevent the song being distributed further.
<gh_stars>0 package ciphers; import common.Constants; /** * Porta Cipher class. * The Porta Cipher is a polyalphabetic substitution cipher invented by Giambattista della Porta. * It uses only 13 alphabets so that the first half (A-M) is reciprocal with the second half. * * Keys A B C D E F G H I J K L M * ------------------------------- * A,B N O P Q R S T U V W X Y Z * C,D O P Q R S T U V W X Y Z N * E,F P Q R S T U V W X Y Z N O * G,H Q R S T U V W X Y Z N O P * I,J R S T U V W X Y Z N O P Q * K,L S T U V W X Y Z N O P Q R * M,N T U V W X Y Z N O P Q R S * O,P U V W X Y Z N O P Q R S T * Q,R V W X Y Z N O P Q R S T U * S,T W X Y Z N O P Q R S T U V * U,V X Y Z N O P Q R S T U V W * W,X Y Z N O P Q R S T U V W X * Y,Z Z N O P Q R S T U V W X Y * * @author <NAME> <<EMAIL>> */ public class PortaCipher { /** * Encrypts given string using specified keyword. * * @param plaintext string to encrypt * @param keyword phrase to use in encryption process * @return ciphertext */ public String encrypt(String plaintext, String keyword) { if (keyword.isEmpty()) throw new IllegalArgumentException("ERROR: keyword cannot be an empty string."); // removing whitespace plaintext = plaintext.replaceAll("\\s+", ""); String alphabet = Constants.ALPHABET_EN; StringBuilder ciphertextStringBuilder = new StringBuilder(); for (int i = 0; i < plaintext.length(); i++) { char currentChar = plaintext.toUpperCase().charAt(i); char currentKeywordChar = keyword.toUpperCase().charAt(i % keyword.length()); int currentKeywordCharIndexInAlphabet = alphabet.indexOf(currentKeywordChar); if (currentKeywordCharIndexInAlphabet == -1) { throw new IllegalArgumentException("ERROR: keyword can contain only English alphabet letters, no whitespace, numbers or special characters."); } else { int keywordLetterGroup = currentKeywordCharIndexInAlphabet / 2; String keywordLetterGroupAlphabet = alphabet.substring(0, 13) + alphabet.substring(13).substring(keywordLetterGroup) + alphabet.substring(13).substring(0, keywordLetterGroup); int currentCharPositionInKeywordLetterGroupAlphabet = keywordLetterGroupAlphabet.indexOf(currentChar); if (currentCharPositionInKeywordLetterGroupAlphabet == -1) { throw new IllegalArgumentException("ERROR: Plaintext & ciphertext can contain only English alphabet letters, no numbers or special characters allowed."); } else { int substitutionCharIndex = (currentCharPositionInKeywordLetterGroupAlphabet + 13) % keywordLetterGroupAlphabet.length(); ciphertextStringBuilder.append(keywordLetterGroupAlphabet.charAt(substitutionCharIndex)); } } } return ciphertextStringBuilder.toString(); } /** * Decrypts given string using specified keyword. * * @param ciphertext string to decrypt * @param keyword phrase to use in decryption process * @return plaintext */ public String decrypt(String ciphertext, String keyword) { return this.encrypt(ciphertext, keyword); } }
Images in cardiovascular medicine. Acute reversible stress-induced cardiomyopathy associated with cesarean delivery under spinal anesthesia. Stress-induced cardiomyopathy (SIC), also known as transient left ventricular apical ballooning or Tako-tsubo cardiomyopathy, is characterized by reversible left ventricular dysfunction, chest pain or dyspnea, ST-segment elevation, and minor elevations in serum levels of cardiac enzymes, in the absence of significant coronary artery disease.1 Although its pathogenesis is incompletely understood, intense emotional or physical stress is a well-recognized precipitant.2 We present a case of SIC with severe left ventricular dysfunction but minimal ECG changes in a young, woman who received spinal anesthesia for elective cesarean delivery. A 31-year-old healthy woman was admitted at 40 weeks gestation for elective repeat cesarean delivery. Both her previous and current pregnancies were uncomplicated. Her first cesarean delivery was performed uneventfully with epidural anesthesia. She had no family history of heart disease and appeared calm on entry into the operating room. Successful spinal anesthesia was achieved
. Pharmacokinetic studies indicate the diurnal rhythmicity of metabolism of many drugs. Partially it is a result of circadian variations of mixed function oxidase system, which metabolizes some drugs. The aim of the experiment was to evaluate the elimination rate phenacetin and antipyrine in different periods of day under standard light/dark (L/D) conditions (08.00-20.00/20.00-08.00). Studies were carried out on rats intragastrically treated with phenacetin in a dose of 0.42 mmol per kilogram of body weight or antipyrine in a dose of 0.17 mmol/kg at 14.00, 20.00, 02.00, 08.00 and 14.00 o'clock. The rate constants (k) were calculated on the basis of concentration of both substances in blood 2 and 3 hours after administration. Excretion of p-aminophenol in urine was determined in mentioned hours after administration of phenacetin in a dose of 0.28 mmol/kg per os. Differences of rates of elimination of both drugs were found. The maximum occurred at 10.00, and minimum at 22.00 o'clock, which indicate circadian periodicity of metabolism.
package com.kakawait.spring.boot.security.cas; import org.jasig.cas.client.session.SessionMappingStorage; import org.jasig.cas.client.session.SingleSignOutFilter; import org.junit.Test; import org.mockito.Mockito; import org.springframework.test.util.ReflectionTestUtils; import java.util.Comparator; import static org.assertj.core.api.Assertions.assertThat; /** * @author <NAME> */ public class CasSingleSignOutFilterConfigurerTest { @Test public void configure_WithAnyParameters_InjectInsideSingleSignOutHandler() { SessionMappingStorage sessionMappingStorage = Mockito.mock(SessionMappingStorage.class); SingleSignOutFilter filter = new SingleSignOutFilter(); CasSingleSignOutFilterConfigurer configurer = new CasSingleSignOutFilterConfigurer(); configurer.artifactParameterName("dummyArtifactParameterName") .frontLogoutParameterName("dummyFrontLogoutParameterName") .logoutParameterName("dummyLogoutParameterName") .relayStateParameterName("dummyRelayStateParameterName") .sessionMappingStorage(sessionMappingStorage) .configure(filter); assertThat(ReflectionTestUtils.getField(filter, "HANDLER")) .hasFieldOrPropertyWithValue("artifactParameterName", "dummyArtifactParameterName") .hasFieldOrPropertyWithValue("frontLogoutParameterName", "dummyFrontLogoutParameterName") .hasFieldOrPropertyWithValue("logoutParameterName", "dummyLogoutParameterName") .hasFieldOrPropertyWithValue("relayStateParameterName", "dummyRelayStateParameterName") .extracting("sessionMappingStorage") .usingElementComparator((Comparator<Object>) (o1, o2) -> (o1 == o2) ? 0 : -1) .containsOnly(sessionMappingStorage); } }
Chris Brown appeared on the Today show, but unlike in the past when he's walked off at any mention of Rihanna and what he did to her, the R&B singer answered questions about his high-profile relationship. He sat down with Matt Lauer and revealed that he has been humbled by what has happened—but you'll never believe who he says he needs forgiveness from. Watch the video above to find out. What do you think about Chris Brown? Tell us in the comments section below or tweet us your answer @OKMagazine.
Aoun called on Egypt to lead an 'Arab salvation plan' to combat terrorism in the region. Lebanon's newly elected president arrived in Egypt on Monday, a day after defending Hezbollah in remarks to a private Egyptian TV station — comments that underlined his unabated support for the Iranian-backed Shiite militant group. Michel Aoun's last visit to Egypt was as a military officer, 55 years ago. He was elected in October after a 29-month vacuum in the country's top post. After talks with his Egyptian counterpart, Abdel-Fattah el-Sissi, also a former career military officer, Aoun called upon Egypt to lead an "Arab salvation plan" to combat terrorism in the region. Aoun also invited el-Sissi to visit Lebanon and said that Egypt has offered to support the Lebanese army and the country's security forces, without elaborating further. Lebanon's political factions are deeply divided with some, like Aoun's party and Hezbollah, aligning with Iran, while their opponents side with Saudi Arabia. Hezbollah's militia is a force that rivals Lebanon's army and police. Aoun, whose Christian party is allied with Hezbollah, said earlier that Iran's support for the group "could continue indefinitely." "As long as the Lebanese army is not strong enough to battle Israel ... we feel the need for its existence," Aoun told the Egyptian TV network CBC on Sunday night. He added that Hezbollah "has a complementary role to the Lebanese army." His remarks could spark tension with Sunni powerhouse Saudi Arabia, Iran's regional rival. The two countries have been engaged in proxy wars across the region for years. Egypt and Saudi Arabia are at odds over conflicting agendas, including Syria and Yemen. In October, the Saudis halted oil shipments to Cairo, at a time when Egypt, the Arab world's most populous nation, is in deep economic crisis. The Saudi move appears to have been in response to Egypt's support of a U.N. Security Council resolution on Syria that was fiercely opposed by Riyadh. Saudi Arabia backs Syrian rebels fighting to topple President Bashar Assad. Egypt, fearing the rise of Islamic militants, has pushed for a political solution that might keep Assad in power. Aoun visited Saudi Arabia last month in an attempt to restore relations, which deteriorated after Riyadh accused Beirut of failing to condemn the 2016 attacks by demonstrators on Saudi missions in Iran after the kingdom's execution of a prominent Shiite cleric. In retaliation, Saudi Arabia halted a $3 billion arms deal and banned Saudis and other Gulf nationals from traveling to Lebanon. After Aoun's visit, the ban on travelers was lifted but the arms deal remains on pause. A senior Lebanese official told The Associated Press at the time that Saudis have conditions to unblock the military aid to Lebanon, suggesting that the arms must not end up in the hands of Hezbollah, which the Saudis view as a terrorist organization.