├── Code ├── Dark-Channel-Haze-Removal-master │ ├── LICENSE │ ├── README.md │ ├── dehaze.m │ ├── dehaze_fast.m │ ├── demo.m │ ├── demo_fast.m │ ├── forest.jpg │ ├── forest_recovered.jpg │ ├── get_atmosphere.m │ ├── get_dark_channel.m │ ├── get_laplacian.m │ ├── get_radiance.m │ ├── get_transmission_estimate.m │ ├── guided_filter.m │ ├── guidedfilter.m │ └── window_sum_filter.m ├── README.txt ├── imageDehazing.m ├── imageEvaluationMetrics.m ├── non_local_dehazing │ ├── Non-commercial_copyright_license.rtf │ ├── Readme.txt │ ├── TR1000.mat │ ├── adjust.m │ ├── demo_non_local_dehazing.m │ ├── images │ │ ├── cityscape_input.png │ │ ├── cityscape_params.txt │ │ ├── forest_input.png │ │ ├── forest_params.txt │ │ ├── pumpkins_input.png │ │ ├── pumpkins_params.txt │ │ ├── train_input.png │ │ └── train_params.txt │ ├── non_local_dehazing.m │ └── wls_optimization.m ├── screened_poisson_enhancement │ ├── GPLv3.txt │ ├── README.txt │ ├── screenedPoisson.m │ ├── screenedPoissonEnhancement.m │ └── simplestColorBalance.m ├── spatial_temporal_information_fusion_video │ ├── dcDehazingSTCoh.m │ ├── imageFromTransmissionMap.m │ ├── nLDehazingSTCoh.m │ └── non_local_dehazing_trans.m ├── videoDehazing.m └── videoEvaluationMetrics.m ├── Presentation.pdf ├── README.md └── image-visibility-clarification.pdf /Code/Dark-Channel-Haze-Removal-master/LICENSE: -------------------------------------------------------------------------------- 1 | The MIT License (MIT) 2 | 3 | Copyright (c) 2014 Stephen Tierney 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/README.md: -------------------------------------------------------------------------------- 1 | Dark Channel Haze Removal 2 | ========================= 3 | 4 | MATLAB implementation of "[Single Image Haze Removal Using Dark Channel Prior][1]" 5 | 6 | Single Image Haze Removal Using Dark Channel Prior 7 | Kaiming He, Jian Sun and Xiaoou Tang 8 | IEEE Transactions on Pattern Analysis and Machine Intelligence 9 | Volume 30, Number 12, Pages 2341-2353 10 | 2011 11 | 12 | 13 |   14 | 15 | 16 | [1]: http://research.microsoft.com/en-us/um/people/kahe/cvpr09/ 17 | -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/dehaze.m: -------------------------------------------------------------------------------- 1 | function [ radiance ] = dehaze( image, omega, win_size, lambda ) 2 | %DEHZE Summary of this function goes here 3 | % Detailed explanation goes here 4 | 5 | if ~exist('omega', 'var') 6 | omega = 0.95; 7 | end 8 | 9 | if ~exist('win_size', 'var') 10 | win_size = 15; 11 | end 12 | 13 | if ~exist('lambda', 'var') 14 | lambda = 0.0001; 15 | end 16 | 17 | [m, n, ~] = size(image); 18 | 19 | dark_channel = get_dark_channel(image, win_size); 20 | 21 | atmosphere = get_atmosphere(image, dark_channel); 22 | 23 | trans_est = get_transmission_estimate(image, atmosphere, omega, win_size); 24 | 25 | L = get_laplacian(image); 26 | 27 | A = L + lambda * speye(size(L)); 28 | b = lambda * trans_est(:); 29 | 30 | x = A \ b; 31 | 32 | transmission = reshape(x, m, n); 33 | 34 | radiance = get_radiance(image, transmission, atmosphere); 35 | 36 | end 37 | 38 | -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/dehaze_fast.m: -------------------------------------------------------------------------------- 1 | function [ radiance ] = dehaze_fast( image, omega, win_size ) 2 | %DEHZE Summary of this function goes here 3 | % Detailed explanation goes here 4 | 5 | if ~exist('omega', 'var') 6 | omega = 0.95; 7 | end 8 | 9 | if ~exist('win_size', 'var') 10 | win_size = 15; 11 | end 12 | 13 | r = 15; 14 | res = 0.001; 15 | 16 | [m, n, ~] = size(image); 17 | 18 | dark_channel = get_dark_channel(image, win_size); 19 | 20 | atmosphere = get_atmosphere(image, dark_channel); 21 | 22 | trans_est = get_transmission_estimate(image, atmosphere, omega, win_size); 23 | 24 | x = guided_filter(rgb2gray(image), trans_est, r, res); 25 | 26 | transmission = reshape(x, m, n); 27 | 28 | radiance = get_radiance(image, transmission, atmosphere); 29 | 30 | end 31 | 32 | -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/demo.m: -------------------------------------------------------------------------------- 1 | warning('off','all'); 2 | 3 | tic; 4 | image = double(imread('forest.jpg'))/255; 5 | 6 | image = imresize(image, 0.1); 7 | 8 | result = dehaze(image, 0.95, 15); 9 | toc; 10 | 11 | figure, imshow(image) 12 | figure, imshow(result) 13 | 14 | warning('on','all'); -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/demo_fast.m: -------------------------------------------------------------------------------- 1 | warning('off','all'); 2 | 3 | tic; 4 | image = double(imread('forest.jpg'))/255; 5 | 6 | image = imresize(image, 0.4); 7 | 8 | result = dehaze_fast(image, 0.95, 5); 9 | toc; 10 | 11 | figure, imshow(image) 12 | figure, imshow(result) 13 | 14 | warning('on','all'); -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/forest.jpg: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/Dark-Channel-Haze-Removal-master/forest.jpg -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/forest_recovered.jpg: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/Dark-Channel-Haze-Removal-master/forest_recovered.jpg -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/get_atmosphere.m: -------------------------------------------------------------------------------- 1 | function atmosphere = get_atmosphere(image, dark_channel) 2 | 3 | [m, n, ~] = size(image); 4 | n_pixels = m * n; 5 | 6 | n_search_pixels = floor(n_pixels * 0.01); 7 | 8 | dark_vec = reshape(dark_channel, n_pixels, 1); 9 | 10 | image_vec = reshape(image, n_pixels, 3); 11 | 12 | [~, indices] = sort(dark_vec, 'descend'); 13 | 14 | accumulator = zeros(1, 3); 15 | 16 | for k = 1 : n_search_pixels 17 | accumulator = accumulator + image_vec(indices(k),:); 18 | end 19 | 20 | atmosphere = accumulator / n_search_pixels; 21 | 22 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/get_dark_channel.m: -------------------------------------------------------------------------------- 1 | function dark_channel = get_dark_channel(image, win_size) 2 | 3 | [m, n, ~] = size(image); 4 | 5 | pad_size = floor(win_size/2); 6 | 7 | padded_image = padarray(image, [pad_size pad_size], Inf); 8 | 9 | dark_channel = zeros(m, n); 10 | 11 | for j = 1 : m 12 | for i = 1 : n 13 | patch = padded_image(j : j + (win_size-1), i : i + (win_size-1), :); 14 | 15 | dark_channel(j,i) = min(patch(:)); 16 | end 17 | end 18 | 19 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/get_laplacian.m: -------------------------------------------------------------------------------- 1 | function [ L ] = get_laplacian( image ) 2 | %GET_LAPLACIAN 3 | 4 | [m, n, c] = size(image); 5 | 6 | img_size = m*n; 7 | 8 | win_rad = 1; 9 | 10 | epsilon = 0.0000001; 11 | 12 | max_num_neigh = (win_rad*2+1)^2; 13 | 14 | ind_mat = reshape( 1:img_size, m, n); 15 | 16 | indices = 1 : (m*n); 17 | 18 | num_ind = length(indices); 19 | 20 | max_num_vertex = max_num_neigh * num_ind; 21 | 22 | row_inds = zeros( max_num_vertex, 1 ); 23 | col_inds = zeros( max_num_vertex, 1 ); 24 | vals = zeros( max_num_vertex, 1 ); 25 | 26 | len = 0; 27 | 28 | for k = 1 : length(indices); 29 | 30 | ind = indices(k); 31 | 32 | [i, j] = ind2sub( [m n], ind ); 33 | 34 | m_min = max( 1, i - win_rad ); 35 | m_max = min( m, i + win_rad ); 36 | n_min = max( 1, j - win_rad ); 37 | n_max = min( n, j + win_rad ); 38 | 39 | win_inds = ind_mat( m_min : m_max, n_min : n_max ); 40 | win_inds = win_inds(:); 41 | 42 | num_neigh = size( win_inds, 1 ); 43 | 44 | win_image = image( m_min : m_max, n_min : n_max, : ); 45 | win_image = reshape( win_image, num_neigh, c ); 46 | 47 | win_mean = mean( win_image, 1 ); 48 | 49 | win_var = inv( (win_image' * win_image / num_neigh) - (win_mean' * win_mean) + (epsilon / num_neigh * eye(c) ) ); 50 | 51 | win_image = win_image - repmat( win_mean, num_neigh, 1 ); 52 | 53 | win_vals = ( 1 + win_image * win_var * win_image' ) / num_neigh; 54 | 55 | sub_len = num_neigh*num_neigh; 56 | 57 | win_inds = repmat(win_inds, 1, num_neigh); 58 | 59 | row_inds(1+len: len+sub_len) = win_inds(:); 60 | 61 | win_inds = win_inds'; 62 | 63 | col_inds(1+len: len+sub_len) = win_inds(:); 64 | 65 | vals(1+len: len+sub_len) = win_vals(:); 66 | 67 | len = len + sub_len; 68 | 69 | end 70 | 71 | A = sparse(row_inds(1:len),col_inds(1:len),vals(1:len),img_size,img_size); 72 | 73 | D = spdiags(sum(A,2),0,n*m,n*m); 74 | 75 | L = D - A; 76 | 77 | end 78 | 79 | -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/get_radiance.m: -------------------------------------------------------------------------------- 1 | function radiance = get_radiance(image, transmission, atmosphere) 2 | 3 | [m, n, ~] = size(image); 4 | 5 | rep_atmosphere = repmat(reshape(atmosphere, [1, 1, 3]), m, n); 6 | 7 | max_transmission = repmat(max(transmission, 0.1), [1, 1, 3]); 8 | 9 | radiance = ((image - rep_atmosphere) ./ max_transmission) + rep_atmosphere; 10 | 11 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/get_transmission_estimate.m: -------------------------------------------------------------------------------- 1 | function trans_est = get_transmission_estimate(image, atmosphere, omega, win_size) 2 | 3 | [m, n, ~] = size(image); 4 | 5 | rep_atmosphere = repmat(reshape(atmosphere, [1, 1, 3]), m, n); 6 | 7 | trans_est = 1 - omega * get_dark_channel( image ./ rep_atmosphere, win_size); 8 | 9 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/guided_filter.m: -------------------------------------------------------------------------------- 1 | function q = guided_filter(guide, target, radius, eps) 2 | 3 | % Guided Filter implementation from "Fast Guided Filter" 4 | % http://arxiv.org/abs/1505.00996 5 | % Algorithm 1 6 | 7 | [h, w] = size(guide); 8 | 9 | avg_denom = window_sum_filter(ones(h, w), radius); 10 | 11 | mean_g = window_sum_filter(guide, radius) ./ avg_denom; 12 | mean_t = window_sum_filter(target, radius) ./ avg_denom; 13 | 14 | corr_gg = window_sum_filter(guide .* guide, radius) ./ avg_denom; 15 | corr_gt = window_sum_filter(guide .* target, radius) ./ avg_denom; 16 | 17 | var_g = corr_gg - mean_g .* mean_g; 18 | cov_gt = corr_gt - mean_g .* mean_t; 19 | 20 | a = cov_gt ./ (var_g + eps); 21 | b = mean_t - a .* mean_g; 22 | 23 | mean_a = window_sum_filter(a, radius) ./ avg_denom; 24 | mean_b = window_sum_filter(b, radius) ./ avg_denom; 25 | 26 | q = mean_a .* guide + mean_b; 27 | 28 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/guidedfilter.m: -------------------------------------------------------------------------------- 1 | function q = guidedfilter(I, p, r, eps) 2 | % GUIDEDFILTER O(1) time implementation of guided filter. 3 | % 4 | % - guidance image: I (should be a gray-scale/single channel image) 5 | % - filtering input image: p (should be a gray-scale/single channel image) 6 | % - local window radius: r 7 | % - regularization parameter: eps 8 | 9 | [hei, wid] = size(I); 10 | N = boxfilter(ones(hei, wid), r); % the size of each local patch; N=(2r+1)^2 except for boundary pixels. 11 | 12 | mean_I = boxfilter(I, r) ./ N; 13 | mean_p = boxfilter(p, r) ./ N; 14 | mean_Ip = boxfilter(I.*p, r) ./ N; 15 | cov_Ip = mean_Ip - mean_I .* mean_p; % this is the covariance of (I, p) in each local patch. 16 | 17 | mean_II = boxfilter(I.*I, r) ./ N; 18 | var_I = mean_II - mean_I .* mean_I; 19 | 20 | a = cov_Ip ./ (var_I + eps); % Eqn. (5) in the paper; 21 | b = mean_p - a .* mean_I; % Eqn. (6) in the paper; 22 | 23 | mean_a = boxfilter(a, r) ./ N; 24 | mean_b = boxfilter(b, r) ./ N; 25 | 26 | q = mean_a .* I + mean_b; % Eqn. (8) in the paper; 27 | end -------------------------------------------------------------------------------- /Code/Dark-Channel-Haze-Removal-master/window_sum_filter.m: -------------------------------------------------------------------------------- 1 | function sum_img = window_sum_filter(image, r) 2 | 3 | % sum_img(x, y) = = sum(sum(image(x-r:x+r, y-r:y+r))); 4 | 5 | [h, w] = size(image); 6 | sum_img = zeros(size(image)); 7 | 8 | % Y axis 9 | im_cum = cumsum(image, 1); 10 | 11 | sum_img(1:r+1, :) = im_cum(1+r:2*r+1, :); 12 | sum_img(r+2:h-r, :) = im_cum(2*r+2:h, :) - im_cum(1:h-2*r-1, :); 13 | sum_img(h-r+1:h, :) = repmat(im_cum(h, :), [r, 1]) - im_cum(h-2*r:h-r-1, :); 14 | 15 | % X axis 16 | im_cum = cumsum(sum_img, 2); 17 | 18 | sum_img(:, 1:r+1) = im_cum(:, 1+r:2*r+1); 19 | sum_img(:, r+2:w-r) = im_cum(:, 2*r+2:w) - im_cum(:, 1:w-2*r-1); 20 | sum_img(:, w-r+1:w) = repmat(im_cum(:, w), [1, r]) - im_cum(:, w-2*r:w-r-1); 21 | 22 | end 23 | 24 | -------------------------------------------------------------------------------- /Code/README.txt: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/README.txt -------------------------------------------------------------------------------- /Code/imageDehazing.m: -------------------------------------------------------------------------------- 1 | % Main file for Image Dehazing 2 | % Uses functions from image dehazing methods (see references) 3 | clc 4 | clear all 5 | close all 6 | addpath('non_local_dehazing','Dark-Channel-Haze-Removal-master','screened_poisson_enhancement') 7 | 8 | % Select Image to dehaze 9 | try 10 | I = imread('non_local_dehazing/images/cityscape_input.png'); 11 | catch 12 | warning('Image Not Found'); 13 | return 14 | end 15 | 16 | % Dehazing method (uncomment the one to use) 17 | method = 'nld'; % Non-local dehazing 18 | % method = 'dcp'; % Dark Channel Prior 19 | % method = 'sp'; % Screened Poisson Contrast Enhancement 20 | 21 | % Parameters for each method (default values provided) 22 | 23 | % NLD 24 | gamma = 1; % Radiometric correction 25 | 26 | % DCP 27 | omega = 0.95; % Parameter to keep little haze for distant objects 28 | win_size = 5; % Patch size in dark channel method 29 | 30 | % SP 31 | lambda = 0.0001; % tradeoff parameter 32 | s = 0.2; % color saturation percentage 33 | 34 | %------------------------------------------------------------------------- 35 | figure(); 36 | if (size(I,3) == 1) 37 | colormap(gray) 38 | end 39 | imagesc(uint8(I)); title('Original Image') 40 | 41 | 42 | [m,n,~] = size(I); 43 | disp('Image size ') 44 | msg = sprintf('Height %d, Width %d',m,n); 45 | disp(msg) 46 | ts = tic; 47 | if strcmp(method,'nld') 48 | % Airlight estimation using the approach in Dark Channel Prior method 49 | dark_channel = get_dark_channel(double(I)/255, 15); 50 | airlight = get_atmosphere(double(I)/255, dark_channel); 51 | A = zeros(1,1,3); A(1) = airlight(1); A(2) = airlight(2); A(3) = airlight(3); 52 | % Non-local Dehazing algorithm 53 | [Iout, trans_refined] = non_local_dehazing(I, A, gamma ); 54 | elseif strcmp(method,'dcp') 55 | % Faster version of DCP 56 | Iout = 255*dehaze_fast( double(I)/255, omega, win_size ); % Airlight estimation inside 57 | elseif strcmp(method,'sp') 58 | % Screened Poisson Equation based Image Enhancement 59 | Iout = screenedPoissonEnhancement( I, lambda, s ); 60 | end 61 | elapsed = toc(ts); 62 | disp('Elapsed time in seconds : ') 63 | disp(elapsed) 64 | 65 | figure(); 66 | if (size(Iout,3) == 1) 67 | colormap(gray) 68 | end 69 | imagesc(uint8(Iout)); title('Dehazed Image') -------------------------------------------------------------------------------- /Code/imageEvaluationMetrics.m: -------------------------------------------------------------------------------- 1 | % Image Evaluation Metrics used in Qing et al. (see references) 2 | % Better Dehazing - Lower Mc, Higher Ec and Gc in dehazed image 3 | 4 | clear all 5 | 6 | % Image to evaluate 7 | try 8 | I = imread('non_local_dehazing/images/cityscape_input.png'); 9 | catch 10 | warning('Image Not Found'); 11 | return 12 | end 13 | 14 | if (size(I,3) == 1) % grayscale 15 | [m,n] = size(I); 16 | meanc = mean(mean(I)); % mean value 17 | h = imhist(I)/(m*n); % compute histogram 18 | ec = sum(-h.*log2(0.0001+h)); % entropy 19 | j = 1:m-1; k = 1:n-1; 20 | gx = zeros(m-1,n-1); gy = zeros(m-1,n-1); 21 | gx(j,k) = I(j,k+1) - I(j,k); % gradient along x direction 22 | gy(j,k) = I(j+1,k) - I(j,k); % gradient along y direction 23 | gc = mean(mean(sqrt(0.5*(gx.^2 + gy.^2)))); % average of gradient magnitude 24 | else % color 25 | [m,n,~] = size(I); 26 | meanc = reshape(mean(mean(I)),1,3); % mean value 27 | h1 = imhist(I(:,:,1))/(m*n); % compute histogram in each channel 28 | h2 = imhist(I(:,:,2))/(m*n); 29 | h3 = imhist(I(:,:,3))/(m*n); 30 | ec = [sum(-h1.*log2(0.0001+h1)),sum(-h2.*log2(0.0001+h2)),sum(-h3.*log2(0.0001+h3))]; % entropy 31 | j = 1:m-1; k = 1:n-1; 32 | gx = zeros(m-1,n-1,3); gy = zeros(m-1,n-1,3); 33 | gx(j,k,:) = I(j,k+1,:) - I(j,k,:); % gradient along x direction 34 | gy(j,k,:) = I(j+1,k,:) - I(j,k,:); % gradient along y direction 35 | gc = reshape(mean(mean(sqrt(0.5*(gx.^2 + gy.^2)))),1,3); % average of gradient magnitude 36 | end 37 | 38 | disp('In order of channels ') 39 | disp('Mean value Mc for image = '); 40 | disp(meanc) 41 | disp('Entropy Ec for image = '); 42 | disp(ec) 43 | disp('Average Gradient Gc for image = '); 44 | disp(gc) 45 | 46 | -------------------------------------------------------------------------------- /Code/non_local_dehazing/Non-commercial_copyright_license.rtf: -------------------------------------------------------------------------------- 1 | {\rtf1\adeflang1037\ansi\ansicpg1255\uc1\adeff1\deff0\stshfdbch0\stshfloch31506\stshfhich31506\stshfbi31506\deflang1033\deflangfe1033\themelang1033\themelangfe0\themelangcs1037{\fonttbl{\f0\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;}{\f1\fbidi \fswiss\fcharset0\fprq2{\*\panose 020b0604020202020204}Arial;} 2 | {\f34\fbidi \froman\fcharset0\fprq2{\*\panose 02040503050406030204}Cambria Math;}{\f37\fbidi \fswiss\fcharset0\fprq2{\*\panose 020f0502020204030204}Calibri;}{\f38\fbidi \fswiss\fcharset0\fprq2{\*\panose 020e0502060401010101}David;} 3 | {\flomajor\f31500\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;}{\fdbmajor\f31501\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;} 4 | {\fhimajor\f31502\fbidi \fswiss\fcharset0\fprq2{\*\panose 020f0302020204030204}Calibri Light;}{\fbimajor\f31503\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;} 5 | {\flominor\f31504\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;}{\fdbminor\f31505\fbidi \froman\fcharset0\fprq2{\*\panose 02020603050405020304}Times New Roman;} 6 | {\fhiminor\f31506\fbidi \fswiss\fcharset0\fprq2{\*\panose 020f0502020204030204}Calibri;}{\fbiminor\f31507\fbidi \fswiss\fcharset0\fprq2{\*\panose 020b0604020202020204}Arial;}{\f351\fbidi \froman\fcharset238\fprq2 Times New Roman CE;} 7 | {\f352\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;}{\f354\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;}{\f355\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;}{\f356\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);} 8 | {\f357\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);}{\f358\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;}{\f359\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);}{\f361\fbidi \fswiss\fcharset238\fprq2 Arial CE;} 9 | {\f362\fbidi \fswiss\fcharset204\fprq2 Arial Cyr;}{\f364\fbidi \fswiss\fcharset161\fprq2 Arial Greek;}{\f365\fbidi \fswiss\fcharset162\fprq2 Arial Tur;}{\f366\fbidi \fswiss\fcharset177\fprq2 Arial (Hebrew);} 10 | {\f367\fbidi \fswiss\fcharset178\fprq2 Arial (Arabic);}{\f368\fbidi \fswiss\fcharset186\fprq2 Arial Baltic;}{\f369\fbidi \fswiss\fcharset163\fprq2 Arial (Vietnamese);}{\f691\fbidi \froman\fcharset238\fprq2 Cambria Math CE;} 11 | {\f692\fbidi \froman\fcharset204\fprq2 Cambria Math Cyr;}{\f694\fbidi \froman\fcharset161\fprq2 Cambria Math Greek;}{\f695\fbidi \froman\fcharset162\fprq2 Cambria Math Tur;}{\f698\fbidi \froman\fcharset186\fprq2 Cambria Math Baltic;} 12 | {\f699\fbidi \froman\fcharset163\fprq2 Cambria Math (Vietnamese);}{\f721\fbidi \fswiss\fcharset238\fprq2 Calibri CE;}{\f722\fbidi \fswiss\fcharset204\fprq2 Calibri Cyr;}{\f724\fbidi \fswiss\fcharset161\fprq2 Calibri Greek;} 13 | {\f725\fbidi \fswiss\fcharset162\fprq2 Calibri Tur;}{\f728\fbidi \fswiss\fcharset186\fprq2 Calibri Baltic;}{\f729\fbidi \fswiss\fcharset163\fprq2 Calibri (Vietnamese);}{\f736\fbidi \fswiss\fcharset177\fprq2 David (Hebrew);} 14 | {\flomajor\f31508\fbidi \froman\fcharset238\fprq2 Times New Roman CE;}{\flomajor\f31509\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;}{\flomajor\f31511\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;} 15 | {\flomajor\f31512\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;}{\flomajor\f31513\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);}{\flomajor\f31514\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);} 16 | {\flomajor\f31515\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;}{\flomajor\f31516\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);}{\fdbmajor\f31518\fbidi \froman\fcharset238\fprq2 Times New Roman CE;} 17 | {\fdbmajor\f31519\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;}{\fdbmajor\f31521\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;}{\fdbmajor\f31522\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;} 18 | {\fdbmajor\f31523\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);}{\fdbmajor\f31524\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);}{\fdbmajor\f31525\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;} 19 | {\fdbmajor\f31526\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);}{\fhimajor\f31528\fbidi \fswiss\fcharset238\fprq2 Calibri Light CE;}{\fhimajor\f31529\fbidi \fswiss\fcharset204\fprq2 Calibri Light Cyr;} 20 | {\fhimajor\f31531\fbidi \fswiss\fcharset161\fprq2 Calibri Light Greek;}{\fhimajor\f31532\fbidi \fswiss\fcharset162\fprq2 Calibri Light Tur;}{\fhimajor\f31535\fbidi \fswiss\fcharset186\fprq2 Calibri Light Baltic;} 21 | {\fhimajor\f31536\fbidi \fswiss\fcharset163\fprq2 Calibri Light (Vietnamese);}{\fbimajor\f31538\fbidi \froman\fcharset238\fprq2 Times New Roman CE;}{\fbimajor\f31539\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;} 22 | {\fbimajor\f31541\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;}{\fbimajor\f31542\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;}{\fbimajor\f31543\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);} 23 | {\fbimajor\f31544\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);}{\fbimajor\f31545\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;}{\fbimajor\f31546\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);} 24 | {\flominor\f31548\fbidi \froman\fcharset238\fprq2 Times New Roman CE;}{\flominor\f31549\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;}{\flominor\f31551\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;} 25 | {\flominor\f31552\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;}{\flominor\f31553\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);}{\flominor\f31554\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);} 26 | {\flominor\f31555\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;}{\flominor\f31556\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);}{\fdbminor\f31558\fbidi \froman\fcharset238\fprq2 Times New Roman CE;} 27 | {\fdbminor\f31559\fbidi \froman\fcharset204\fprq2 Times New Roman Cyr;}{\fdbminor\f31561\fbidi \froman\fcharset161\fprq2 Times New Roman Greek;}{\fdbminor\f31562\fbidi \froman\fcharset162\fprq2 Times New Roman Tur;} 28 | {\fdbminor\f31563\fbidi \froman\fcharset177\fprq2 Times New Roman (Hebrew);}{\fdbminor\f31564\fbidi \froman\fcharset178\fprq2 Times New Roman (Arabic);}{\fdbminor\f31565\fbidi \froman\fcharset186\fprq2 Times New Roman Baltic;} 29 | {\fdbminor\f31566\fbidi \froman\fcharset163\fprq2 Times New Roman (Vietnamese);}{\fhiminor\f31568\fbidi \fswiss\fcharset238\fprq2 Calibri CE;}{\fhiminor\f31569\fbidi \fswiss\fcharset204\fprq2 Calibri Cyr;} 30 | {\fhiminor\f31571\fbidi \fswiss\fcharset161\fprq2 Calibri Greek;}{\fhiminor\f31572\fbidi \fswiss\fcharset162\fprq2 Calibri Tur;}{\fhiminor\f31575\fbidi \fswiss\fcharset186\fprq2 Calibri Baltic;} 31 | {\fhiminor\f31576\fbidi \fswiss\fcharset163\fprq2 Calibri (Vietnamese);}{\fbiminor\f31578\fbidi \fswiss\fcharset238\fprq2 Arial CE;}{\fbiminor\f31579\fbidi \fswiss\fcharset204\fprq2 Arial Cyr;} 32 | {\fbiminor\f31581\fbidi \fswiss\fcharset161\fprq2 Arial Greek;}{\fbiminor\f31582\fbidi \fswiss\fcharset162\fprq2 Arial Tur;}{\fbiminor\f31583\fbidi \fswiss\fcharset177\fprq2 Arial (Hebrew);} 33 | {\fbiminor\f31584\fbidi \fswiss\fcharset178\fprq2 Arial (Arabic);}{\fbiminor\f31585\fbidi \fswiss\fcharset186\fprq2 Arial Baltic;}{\fbiminor\f31586\fbidi \fswiss\fcharset163\fprq2 Arial (Vietnamese);}}{\colortbl;\red0\green0\blue0;\red0\green0\blue255; 34 | \red0\green255\blue255;\red0\green255\blue0;\red255\green0\blue255;\red255\green0\blue0;\red255\green255\blue0;\red255\green255\blue255;\red0\green0\blue128;\red0\green128\blue128;\red0\green128\blue0;\red128\green0\blue128;\red128\green0\blue0; 35 | \red128\green128\blue0;\red128\green128\blue128;\red192\green192\blue192;}{\*\defchp \f31506\fs22 }{\*\defpap \ql \li0\ri0\sa160\sl259\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 }\noqfpromote {\stylesheet{\rtlpar 36 | \qr \li0\ri0\sa160\sl259\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af1\afs22\alang1037 \ltrch\fcs0 \f31506\fs22\lang1033\langfe1033\cgrid\langnp1033\langfenp1033 \snext0 \sqformat \spriority0 Normal;}{\* 37 | \cs10 \additive \ssemihidden \sunhideused \spriority1 Default Paragraph Font;}{\* 38 | \ts11\tsrowd\trftsWidthB3\trpaddl108\trpaddr108\trpaddfl3\trpaddft3\trpaddfb3\trpaddfr3\tblind0\tblindtype3\tsvertalt\tsbrdrt\tsbrdrl\tsbrdrb\tsbrdrr\tsbrdrdgl\tsbrdrdgr\tsbrdrh\tsbrdrv \ql \li0\ri0\sa160\sl259\slmult1 39 | \widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af31506\afs22\alang1037 \ltrch\fcs0 \f31506\fs22\lang1033\langfe1033\cgrid\langnp1033\langfenp1033 \snext11 \ssemihidden \sunhideused Normal Table;}{\*\cs15 \additive 40 | \rtlch\fcs1 \af0 \ltrch\fcs0 \sbasedon10 \ssemihidden \styrsid2111518 line number;}{\s16\qj \fi539\li0\ri0\sl360\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af38\afs24\alang1037 \ltrch\fcs0 41 | \fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon0 \snext16 \spriority0 \styrsid2111518 P.Body;}{\s17\qj \fi454\li284\ri0\sl360\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin284\itap0 \rtlch\fcs1 42 | \af38\afs24\alang1037 \ltrch\fcs0 \fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon0 \snext17 \spriority0 \styrsid2111518 P.Claims.Element;}{\s18\qj \fi454\li720\ri452\sl360\slmult1 43 | \widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin452\lin720\itap0 \rtlch\fcs1 \af38\afs24\alang1037 \ltrch\fcs0 \fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon17 \snext18 \sqformat \spriority0 \styrsid2111518 44 | P.Claim.Element-sub;}{\s19\qj \li0\ri0\sb240\sa240\sl360\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af38\afs24\alang1037 \ltrch\fcs0 \fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 45 | \sbasedon0 \snext19 \spriority0 \styrsid2111518 P.Claims.Intro;}{\s20\qj \fi284\li0\ri0\sb240\sl360\slmult1\widctlpar\jclisttab\tx737\wrapdefault\aspalpha\aspnum\faauto\ls1\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af38\afs24\alang1037 \ltrch\fcs0 46 | \fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon0 \snext20 \spriority0 \styrsid2111518 P.Claims.Preamble;}{\s21\qc \li0\ri0\sl360\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 47 | \ab\af38\afs24\alang1037 \ltrch\fcs0 \b\fs24\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon0 \snext16 \spriority0 \styrsid2111518 P.Subtitle;}{\s22\qc \li0\ri0\sl360\slmult1 48 | \widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \ab\af38\afs24\alang1037 \ltrch\fcs0 \b\fs24\ul\lang1033\langfe1037\cgrid\langnp1033\langfenp1037 \sbasedon0 \snext22 \spriority0 \styrsid2111518 P.Title;}{\*\cs23 49 | \additive \rtlch\fcs1 \af0 \ltrch\fcs0 \f1\fs22 \sbasedon10 \ssemihidden \styrsid2111518 page number;}{\s24\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \rtlch\fcs1 \af0\afs24\alang1037 50 | \ltrch\fcs0 \fs24\lang1033\langfe1033\cgrid\langnp1033\langfenp1033 \sbasedon0 \snext24 \ssemihidden \sunhideused \styrsid8602061 Normal (Web);}{\*\cs25 \additive \rtlch\fcs1 \ab\af0 \ltrch\fcs0 \b \sbasedon10 \sqformat \spriority22 \styrsid8602061 51 | Strong;}{\*\cs26 \additive \rtlch\fcs1 \af0 \ltrch\fcs0 \sbasedon10 \spriority0 \styrsid8602061 apple-converted-space;}{\*\cs27 \additive \rtlch\fcs1 \af0 \ltrch\fcs0 \ul\cf2 \sbasedon10 \ssemihidden \sunhideused \styrsid8602061 Hyperlink;}}{\*\listtable 52 | {\list\listtemplateid1390858344{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel 53 | \levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc3\levelnfcn3\leveljc2\leveljcn0 54 | \levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative 55 | \levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0 56 | {\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 57 | \'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers 58 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 59 | \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480 60 | \jclisttab\tx6480\lin6480 }{\listname ;}\listid55057373}{\list\listtemplateid-2070090652\listhybrid{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\leveltemplateid1250331420 61 | \'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fbias0 \s20\fi284\jclisttab\tx737 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\leveltemplateid67960857 62 | \'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc2\levelnfcn2\leveljc0\leveljcn2\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960859 63 | \'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-180\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960847 64 | \'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960857 65 | \'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc2\levelnfcn2\leveljc0\leveljcn2\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960859 66 | \'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-180\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960847 67 | \'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960857 68 | \'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc2\levelnfcn2\leveljc0\leveljcn2\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\leveltemplateid67960859 69 | \'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-180\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid125583263}{\list\listtemplateid627057742{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0 70 | \levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 71 | \'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers 72 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 73 | \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600 74 | \jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 } 75 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4 76 | \levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 77 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid561451846}{\list\listtemplateid-1212546914 78 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 79 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0 80 | \levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative 81 | \levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0 82 | {\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 83 | \'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers 84 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 85 | \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480 86 | \jclisttab\tx6480\lin6480 }{\listname ;}\listid630090100}{\list\listtemplateid2039638100{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 87 | \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440 88 | \jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 } 89 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4 90 | \levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 91 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0 92 | \levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative 93 | \levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0 94 | {\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid1349789670}{\list\listtemplateid1026608532{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1 95 | \levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext 96 | \'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers 97 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 98 | \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600 99 | \jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 } 100 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4 101 | \levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 102 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid1483693052}{\list\listtemplateid1857949586 103 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 104 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0 105 | \levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative 106 | \levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0 107 | {\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 108 | \'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers 109 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 110 | \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480 111 | \jclisttab\tx6480\lin6480 }{\listname ;}\listid1757940066}{\list\listtemplateid-283330076{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 112 | \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc0\levelnfcn0\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440 113 | \jclisttab\tx1440\lin1440 }{\listlevel\levelnfc3\levelnfcn3\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel 114 | \levelnfc2\levelnfcn2\leveljc0\leveljcn2\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0 115 | \levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1 116 | \lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0 117 | \levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 118 | \'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers 119 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid1806193622}{\list\listtemplateid1948291646{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\levelspace0\levelindent0{\leveltext 120 | \'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers 121 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 122 | \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880 123 | \jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 } 124 | {\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4 125 | \levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2 126 | \leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760\jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0 127 | \levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 }{\listname ;}\listid1833138091}{\list\listtemplateid-858729786{\listlevel\levelnfc4 128 | \levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat3\levelspace0\levelindent0{\leveltext\'02\'00.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li720\jclisttab\tx720\lin720 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0 129 | \levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'01.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li1440\jclisttab\tx1440\lin1440 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative 130 | \levelspace0\levelindent0{\leveltext\'02\'02.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2160\jclisttab\tx2160\lin2160 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0 131 | {\leveltext\'02\'03.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li2880\jclisttab\tx2880\lin2880 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext 132 | \'02\'04.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li3600\jclisttab\tx3600\lin3600 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'05.;}{\levelnumbers 133 | \'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li4320\jclisttab\tx4320\lin4320 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'06.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 134 | \ltrch\fcs0 \fi-360\li5040\jclisttab\tx5040\lin5040 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'07.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li5760 135 | \jclisttab\tx5760\lin5760 }{\listlevel\levelnfc4\levelnfcn4\leveljc2\leveljcn0\levelfollow0\levelstartat1\lvltentative\levelspace0\levelindent0{\leveltext\'02\'08.;}{\levelnumbers\'01;}\rtlch\fcs1 \af0 \ltrch\fcs0 \fi-360\li6480\jclisttab\tx6480\lin6480 } 136 | {\listname ;}\listid2046638576}}{\*\listoverridetable{\listoverride\listid125583263\listoverridecount0\ls1}{\listoverride\listid1349789670\listoverridecount0\ls2}{\listoverride\listid55057373\listoverridecount0\ls3}{\listoverride\listid1806193622 137 | \listoverridecount0\ls4}{\listoverride\listid1757940066\listoverridecount0\ls5}{\listoverride\listid1833138091\listoverridecount0\ls6}{\listoverride\listid2046638576\listoverridecount0\ls7}{\listoverride\listid1483693052\listoverridecount0\ls8} 138 | {\listoverride\listid561451846\listoverridecount0\ls9}{\listoverride\listid630090100\listoverridecount0\ls10}}{\*\pgptbl {\pgp\ipgp0\itap0\li0\ri0\sb0\sa0}{\pgp\ipgp1\itap0\li0\ri0\sb0\sa0}}{\*\rsidtbl \rsid18542\rsid154740\rsid264561\rsid291744 139 | \rsid407896\rsid413800\rsid593504\rsid731755\rsid739412\rsid787836\rsid1080917\rsid1390507\rsid1593574\rsid1603158\rsid1837015\rsid1979526\rsid2111518\rsid2315339\rsid2559277\rsid2579088\rsid2772511\rsid2829098\rsid3016320\rsid3082472\rsid3085573 140 | \rsid3103387\rsid3149215\rsid3150506\rsid3353245\rsid3358416\rsid3425041\rsid3618937\rsid3691473\rsid3893470\rsid3936462\rsid4024008\rsid4205569\rsid4219603\rsid4226113\rsid4349657\rsid4540616\rsid4655676\rsid4730300\rsid4800292\rsid4861568\rsid4999724 141 | \rsid5048733\rsid5128433\rsid5506050\rsid5593484\rsid5721664\rsid5789103\rsid5984978\rsid6051712\rsid6253881\rsid6363595\rsid6446493\rsid6700326\rsid6705916\rsid6781998\rsid6908924\rsid6968163\rsid7039334\rsid7174369\rsid7228915\rsid7545833\rsid7605210 142 | \rsid7799466\rsid7894816\rsid8005721\rsid8064352\rsid8197837\rsid8212900\rsid8541126\rsid8598214\rsid8602061\rsid8788915\rsid9055380\rsid9183531\rsid9457511\rsid9516706\rsid9636412\rsid9640141\rsid9662394\rsid9718450\rsid9727780\rsid9785104\rsid9972143 143 | \rsid10036988\rsid10042597\rsid10178157\rsid10307915\rsid10385974\rsid10695550\rsid10897424\rsid11142145\rsid11142213\rsid11167314\rsid11278390\rsid11287138\rsid11356037\rsid11618292\rsid11816876\rsid11824582\rsid11867719\rsid11954969\rsid12071943 144 | \rsid12265159\rsid12284106\rsid12346186\rsid12456074\rsid12482113\rsid12541837\rsid12602700\rsid12662953\rsid12668592\rsid12809298\rsid13111610\rsid13123839\rsid13255120\rsid13328828\rsid13334670\rsid13583798\rsid13595266\rsid13704256\rsid13712106 145 | \rsid13770186\rsid13980151\rsid14359245\rsid14507399\rsid14549850\rsid14690905\rsid14776297\rsid14947529\rsid14955758\rsid15011450\rsid15163002\rsid15282838\rsid15338872\rsid15551495\rsid15614100\rsid15667822\rsid15756436\rsid15819635\rsid16003639 146 | \rsid16007041\rsid16065476\rsid16129959\rsid16138321\rsid16142044\rsid16205811\rsid16207655\rsid16540989\rsid16671176}{\mmathPr\mmathFont34\mbrkBin0\mbrkBinSub0\msmallFrac0\mdispDef1\mlMargin0\mrMargin0\mdefJc1\mwrapIndent1440\mintLim0\mnaryLim1}{\info 147 | {\author Dvir Gassner}{\operator Dvir Gassner}{\creatim\yr2016\mo5\dy3\hr18\min43}{\revtim\yr2016\mo5\dy3\hr18\min59}{\version4}{\edmins7}{\nofpages5}{\nofwords2268}{\nofchars11340}{\nofcharsws13581}{\vern57441}}{\*\xmlnstbl {\xmlns1 http://schemas.micros 148 | oft.com/office/word/2003/wordml}}\paperw11906\paperh16838\margl1800\margr1800\margt1440\margb1440\gutter0\rtlsect\rtlgutter 149 | \widowctrl\ftnbj\aenddoc\trackmoves0\trackformatting1\donotembedsysfont1\relyonvml0\donotembedlingdata0\grfdocevents0\validatexml1\showplaceholdtext0\ignoremixedcontent0\saveinvalidxml0\showxmlerrors1\noxlattoyen 150 | \expshrtn\noultrlspc\dntblnsbdb\nospaceforul\formshade\horzdoc\dgmargin\dghspace180\dgvspace180\dghorigin1800\dgvorigin1440\dghshow1\dgvshow1 151 | \jexpand\viewkind1\viewscale130\pgbrdrhead\pgbrdrfoot\splytwnine\ftnlytwnine\htmautsp\nolnhtadjtbl\useltbaln\alntblind\lytcalctblwd\lyttblrtgr\lnbrkrule\nobrkwrptbl\snaptogridincell\allowfieldendsel\wrppunct 152 | \asianbrkrule\rsidroot8602061\newtblstyruls\nogrowautofit\usenormstyforlist\noindnmbrts\felnbrelev\nocxsptable\indrlsweleven\noafcnsttbl\afelev\utinl\hwelev\spltpgpar\notcvasp\notbrkcnstfrctbl\notvatxbx\krnprsnet\cachedcolbal \nouicompat \fet0 153 | {\*\wgrffmtfilter 2450}\nofeaturethrottle1\ilfomacatclnup0\ltrpar \sectd \rtlsect\rtlgutter\linex0\headery708\footery708\colsx708\endnhere\sectlinegrid360\sectdefaultcl\sectrsid4655676\sftnbj {\*\pnseclvl1\pnucrm\pnqc\pnstart1\pnindent720\pnhang 154 | {\pntxta .}}{\*\pnseclvl2\pnucltr\pnqc\pnstart1\pnindent720\pnhang {\pntxta .}}{\*\pnseclvl3\pndec\pnqc\pnstart1\pnindent720\pnhang {\pntxta .}}{\*\pnseclvl4\pnlcltr\pnqc\pnstart1\pnindent720\pnhang {\pntxta )}}{\*\pnseclvl5 155 | \pndec\pnqc\pnstart1\pnindent720\pnhang {\pntxtb (}{\pntxta )}}{\*\pnseclvl6\pnlcltr\pnqc\pnstart1\pnindent720\pnhang {\pntxtb (}{\pntxta )}}{\*\pnseclvl7\pnlcrm\pnqc\pnstart1\pnindent720\pnhang {\pntxtb (}{\pntxta )}}{\*\pnseclvl8 156 | \pnlcltr\pnqc\pnstart1\pnindent720\pnhang {\pntxtb (}{\pntxta )}}{\*\pnseclvl9\pnlcrm\pnqc\pnstart1\pnindent720\pnhang {\pntxtb (}{\pntxta )}}\pard\plain \ltrpar\qc \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0 157 | \widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid4540616 \cbpat8 \rtlch\fcs1 \af1\afs22\alang1037 \ltrch\fcs0 \f31506\fs22\lang1033\langfe1033\cgrid\langnp1033\langfenp1033 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 158 | \b\f1\fs20\insrsid4540616\charrsid9457511 LICENSE 159 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid4540616 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 160 | By exercising the Licensed Rights (defined below), You accept and agree to be bound by the terms and conditions of this license ("License"). To the extent this License 161 | may be interpreted as a contract, You are granted the Licensed Rights in consideration of Your acceptance of these terms and conditions, and the Licensor grants You such rights in consideration of benefits the 162 | Licensor receives from making the Licensed Material available under these terms and conditions. 163 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 164 | Section 1 \endash Definitions.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 165 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 166 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid13328828 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Adapted Material}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 167 | \f1\fs20\insrsid8602061\charrsid9457511 \~means material subject to Copyright and Similar Rights that is derived from or based upon the Licensed Material an 168 | d in which the Licensed Material is translated, altered, arranged, transformed, or otherwise modified in a manner requiring permission under the Copyright and Similar Rights held by the Licensor. 169 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 170 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Adapter's License}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 171 | \f1\fs20\insrsid8602061\charrsid9457511 \~means the license You apply to Your Copyright and Similar Rights in Your contributions to Adapted Material in accordance with the terms and conditions of this License. 172 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 c.\tab}}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Copyright and Similar Rights}{ 173 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~means copyright and/or similar rights closely related to copyright including, without limitati 174 | on, performance, broadcast, sound recording, and Sui Generis Database Rights, without regard to how the rights are labeled or categorized. For purposes of this License, the rights specified in Section\~2(b)(1)-(2)\~are not Copyright and Similar Rights. 175 | 176 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 d.\tab}}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Ef 177 | fective Technological Measures}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~ 178 | means those measures that, in the absence of proper authority, may not be circumvented under laws fulfilling obligations under Article 11 of the WIPO Copyright Treaty adopted on December 20, 1996, and/or similar international agreements. 179 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 e.\tab}}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Exceptions and Limitations}{ 180 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~means fair use, fair dealing, and/or any other exception or limitation to Copyright and Similar Rights that applies to Your use of the Licensed Material. 181 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 f.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 182 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid13328828 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Licensed Material}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 183 | \f1\fs20\insrsid8602061\charrsid9457511 \~}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 means the software}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid3085573\charrsid9457511 code}{\rtlch\fcs1 \af1\afs20 184 | \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 and associated literature to which the Licensor applied this License}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . 185 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 g.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 186 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Licensed Rights}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 187 | \f1\fs20\insrsid8602061\charrsid9457511 \~means the rights granted to You subject to the terms and conditions of this License, which are limited to all Copyright and Similar Rights that apply to Your use of t 188 | he Licensed Material and that the Licensor has authority to license. 189 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 h.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 190 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid4226113 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Licensor}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 191 | \f1\fs20\insrsid8602061\charrsid9457511 \~means}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid9457511\charrsid9457511 , jointly and severally:}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 }{\rtlch\fcs1 \af1\afs20 192 | \ltrch\fcs0 \f1\fs20\insrsid9457511\charrsid9457511 193 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 194 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls2\ilvl1\adjustright\rin0\lin1440\itap0\pararsid9457511 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 Carmel Haifa University Economic Corporation Ltd., of }{ 195 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Haifa, Israel}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 , }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid9457511\charrsid9457511 196 | its successors or assigns; and 197 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Ramot at }{\rtlch\fcs1 \af1\afs20 198 | \ltrch\fcs0 \f1\fs20\insrsid13328828\charrsid9457511 Tel Aviv University }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Ltd., of Tel Aviv, Israel}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid9457511\charrsid9457511 , } 199 | {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid9457511\charrsid9457511 its successors or assigns}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . 200 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 i.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 201 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid4540616 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Non}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 202 | \b\f1\fs20\insrsid4226113\charrsid9457511 }{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Commercial}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~means }{\rtlch\fcs1 \af1\afs20 203 | \ltrch\fcs0 \f1\fs20\insrsid4540616\charrsid9457511 intended solely for research purposes and }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 204 | not intended for or directed towards commercial advantage or monetary compensation. For purposes of this License, the exchange of the Licensed Material for other material subject to Copyright and Similar Rights by 205 | digital file-sharing or similar means is Non}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 206 | Commercial provided there is no payment of monetary compensation in connection with the exchange. 207 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 j.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 208 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls2\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Share}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 209 | \f1\fs20\insrsid8602061\charrsid9457511 \~means to provide material to the public by any means or process that requires permission under the Licen 210 | sed Rights, such as reproduction, public display, public performance, distribution, dissemination, communication, or importation, and to make material available to the public including in ways that members of the public may access the material from a plac 211 | e and at a time individually chosen by them. 212 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 k.\tab}}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Sui Generis Database Rights}{ 213 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~ 214 | means rights other than copyright resulting from Directive 96/9/EC of the European Parliament and of the Council of 11 March 1996 on the legal protection of databases, as amended an 215 | d/or succeeded, as well as other essentially equivalent rights anywhere in the world. 216 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 l.\tab}}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 You}{\rtlch\fcs1 \af1\afs20 217 | \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~means the individual or entity exercising the Licensed Rights under this License.\~}{\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Your}{\rtlch\fcs1 \af1\afs20 218 | \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \~has a corresponding meaning. 219 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 220 | Section 2 \endash Scope.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 221 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 222 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls3\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 License grant}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 223 | \f1\fs20\insrsid8602061\charrsid9457511 . 224 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 225 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 Subject to the terms and conditions of this License 226 | , the Licensor hereby grants You a worldwide, royalty-free, non-sublicensable, non-exclusive, irrevocable license to exercise the Licensed Rights in the Licensed Material to: 227 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 A.\tab}}\pard \ltrpar\ql \fi-360\li2160\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 228 | \jclisttab\tx2160\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl2\adjustright\rin0\lin2160\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 229 | reproduce and Share the Licensed Material, in whole or in part, for }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Non Commercial}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 purposes only; and 230 | 231 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 B.\tab}produce, reproduce, and Share Adapted Material for }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 232 | \f1\fs20\insrsid4226113\charrsid9457511 Non Commercial}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 purposes only. 233 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 234 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 Exceptions and Limitations}{\rtlch\fcs1 \af1\afs20 235 | \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . For the avoidance of doubt, where Exceptions and Limitations apply to Your use, this License does not apply, and You do not need to comply with its terms and conditions. 236 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 3.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 Term}{\rtlch\fcs1 \af1\afs20 237 | \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . The term of this License is specified in Section\~6(a). 238 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 4.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 239 | Media and formats; technical modifications allowed}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . The Li 240 | censor authorizes You to exercise the Licensed Rights in all media and formats whether now known or hereafter created, and to make technical modifications necessary to do so. The Licensor waives and/or agrees not to assert any right or authority to forbid 241 | You from making technical modifications necessary to exercise the Licensed Rights, including technical modifications necessary to circumvent Effective Technological Measures. For purposes of this License 242 | , simply making modifications authorized by this Section\~2(a)(4)\~never produces Adapted Material. 243 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 5.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 Downstream recipients}{\rtlch\fcs1 244 | \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . 245 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 A.\tab}}\pard \ltrpar\ql \fi-360\li2160\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 246 | \jclisttab\tx2160\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl2\adjustright\rin0\lin2160\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 Offer from the Licensor \endash Licensed Material}{ 247 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 . Every recipient of the Licensed Material automatically receives an offer from the Licensor to exercise the Licensed Rights under the terms and conditions of this License. 248 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 B.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 Additional offer from the Licensor 249 | \endash Adapted Material}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 250 | . Every recipient of Adapted Material from You automatically receives an offer from the Licensor to exercise the Licensed Rights in the Adapted Material under the conditions of the Adapter\rquote s License You apply. 251 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 C.\tab}}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 No downstream restrictions}{ 252 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 253 | . You may not offer or impose any additional or different terms or conditions on, or apply any Effective Technological Measures to, the Licensed Material if doing so restricts exercise of the Licensed Rights by any recipient of the Licensed Material. 254 | 255 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 6.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 256 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\ul\insrsid8602061\charrsid9457511 No endorsement}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 257 | \f1\fs20\insrsid8602061\charrsid9457511 . Nothing in this License constitutes or may be construed as permission to assert or imply that You are, or that Your use of the Licensed Material is, connected with, or s 258 | ponsored, endorsed, or granted official status by, the Licensor or others designated to receive attribution as provided in Section\~3(a)(1)(A)(i). 259 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar 260 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls3\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Other rights}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 261 | \f1\fs20\insrsid8602061\charrsid9457511 . 262 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 263 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls3\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 264 | Moral rights, such as the right of integrity, are not licensed under this License 265 | , nor are publicity, privacy, and/or other similar personality rights; however, to the extent possible, the Licensor waives and/or agrees not to assert any such rights held by the Licensor to the limited extent necessary to allow You to exercise the Licen 266 | sed Rights, but not otherwise. 267 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}Patent and trademark rights are not licensed under this License. 268 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 3.\tab} 269 | To the extent possible, the Licensor waives any right to collect royalties from You for the exercise of the Licensed Rights, whether directly or through a 270 | collecting society under any voluntary or waivable statutory or compulsory licensing scheme. In all other cases the Licensor expressly reserves any right to collect such royalties, including when the Licensed Material is used other than for }{\rtlch\fcs1 271 | \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Non Commercial}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 purposes. 272 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 273 | Section 3 \endash License Conditions.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 274 | \par Your exercise of the Licensed Rights is expressly made subject to the following conditions. 275 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar 276 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls4\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Attribution}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 277 | \f1\fs20\insrsid8602061\charrsid9457511 . 278 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar 279 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 280 | If You Share the Licensed Material (including in modified form), You must: 281 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 A.\tab}}\pard \ltrpar\ql \fi-360\li2160\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 282 | \jclisttab\tx2160\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl2\adjustright\rin0\lin2160\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 283 | retain the following if it is supplied by the Licensor with the Licensed Material: 284 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 i.\tab}}\pard \ltrpar\ql \fi-360\li2880\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 285 | \jclisttab\tx2880\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl3\adjustright\rin0\lin2880\itap0\pararsid16003639 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 286 | identification of the creator(s) of the Licensed Material and any others designated to receive attribution, in any reasonable manner requested by the Licensor; 287 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 ii.\tab}}\pard \ltrpar\ql \fi-360\li2880\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 288 | \jclisttab\tx2880\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl3\adjustright\rin0\lin2880\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 a copyright notice; 289 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 iii.\tab}a notice that refers to this License; 290 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 iv.\tab}a notice that refers to the disclaimer of warranties; 291 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 v.\tab}a URI or hyperlink to the Licensed Material to the extent reasonably practicable; 292 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 B.\tab}}\pard \ltrpar\ql \fi-360\li2160\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 293 | \jclisttab\tx2160\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl2\adjustright\rin0\lin2160\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 294 | indicate if You modified the Licensed Material and retain an indication of any previous modifications; and 295 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 C.\tab}indicate the Licensed Material is licensed under this License 296 | , and include the text of, or the URI or hyperlink to, this License. 297 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 298 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 You may satisfy the conditions in Section\~3(a)(1)\~ 299 | in any reasonable manner based on the medium, means, and context in which You Share the Licensed Material. For example, it may be reasonable to satisfy the conditions by providing a URI or hyperlink to a resource that includes the required information. 300 | 301 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 3.\tab}If requested by the Licensor, You must remove any of the information required by Section\~3(a)(1)(A)\~ 302 | to the extent reasonably practicable. 303 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid16003639\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 304 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls4\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid16003639\charrsid9457511 Share Alike}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 305 | \f1\fs20\insrsid8602061\charrsid9457511 . 306 | \par }\pard \ltrpar\ql \li720\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 307 | In addition to the conditions in Section\~3(a), if You Share Adapted Material You produce, the following conditions also apply. 308 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 309 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl1\adjustright\rin0\lin1440\itap0\pararsid16003639 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 The Adapter\rquote s License You apply must }{\rtlch\fcs1 310 | \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid16003639\charrsid9457511 have}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 the same }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid16003639\charrsid9457511 conditions as this}{ 311 | \rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 License. 312 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 313 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls4\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 You must inclu 314 | de the text of, or the URI or hyperlink to, the Adapter's License You apply. You may satisfy this condition in any reasonable manner based on the medium, means, and context in which You Share Adapted Material. 315 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 3.\tab}You may not offer or impose any additional 316 | or different terms or conditions on, or apply any Effective Technological Measures to, Adapted Material that restrict exercise of the rights granted under the Adapter's License You apply. 317 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 318 | Section 4 \endash Sui Generis Database Rights.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 319 | \par Where the Licensed Rights include Sui Generis Database Rights that apply to Your use of the Licensed Material: 320 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 321 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls5\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 for the avoidance of doubt, Section\~2(a)(1)\~ 322 | grants You the right to extract, reuse, reproduce, and Share all or a substantial portion of the contents of the database for }{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid4226113\charrsid9457511 Non Commercial}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 323 | \f1\fs20\insrsid8602061\charrsid9457511 purposes only; 324 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab} 325 | if You include all or a substantial portion of the database contents in a database in which You have Sui Generis Database Rights, then the database in which You have Sui Generis Database Rights (but not its individual cont 326 | ents) is Adapted Material, including for purposes of Section\~3(b); and 327 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 c.\tab}You must comply with the conditions in Section\~3(a)\~ 328 | if You Share all or a substantial portion of the contents of the database. 329 | \par }\pard \ltrpar\ql \li0\ri0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\chshdng0\chcfpat0\chcbpat8\insrsid8602061\charrsid9457511 330 | For the avoidance of doubt, this Section\~4\~supplements and does not replace Your obligations under this License where the Licensed Rights include other Copyright and Similar Rights.}{\rtlch\fcs1 \af0\afs24 \ltrch\fcs0 331 | \f0\fs24\insrsid8602061\charrsid9457511 332 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 333 | Section 5 \endash Disclaimer of Warranties and Limitation of Liability.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 334 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 335 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls6\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 Unless otherwise separately undertaken by the Li 336 | censor, to the extent possible, the Licensor offers the Licensed Material as-is and as-available, and makes no representations or warranties of any kind concerning the Licensed Material, whether express, implied, statutory, or other. This includes, withou 337 | t 338 | limitation, warranties of title, merchantability, fitness for a particular purpose, non-infringement, absence of latent or other defects, accuracy, or the presence or absence of errors, whether or not known or discoverable. Where disclaimers of warrantie 339 | s are not allowed in full or in part, this disclaimer may not apply to You. 340 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \ab\af0\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab} 341 | To the extent possible, in no event will the Licensor be liable to You on any legal theory (including, without limitation, negligence) or otherwise for any direct, special, indirect, incidental, consequential, punitive, exemplary, or other losses, costs, 342 | expenses, or damages arising out of this License 343 | or use of the Licensed Material, even if the Licensor has been advised of the possibility of such losses, costs, expenses, or damages. Where a limitation of liability is not allowed in full or in part, this limitation may not apply to You. 344 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 c.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 345 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls7\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 346 | The disclaimer of warranties and limitation of liability provided above shall be interpreted in a manner that, to the extent possible, most closely approximates an absolute disclaimer and waiver of all liability. 347 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 348 | Section 6 \endash Term and Termination.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 349 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 350 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls8\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 This License 351 | applies for the term of the Copyright and Similar Rights licensed here. However, if You fail to comply with this License, then Your rights under this License terminate automatically. 352 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar 353 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls8\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 Where Your right to 354 | use the Licensed Material has terminated under Section\~6(a), it reinstates: 355 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 1.\tab}}\pard \ltrpar\ql \fi-360\li1440\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 356 | \jclisttab\tx1440\wrapdefault\aspalpha\aspnum\faauto\ls8\ilvl1\adjustright\rin0\lin1440\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 357 | automatically as of the date the violation is cured, provided it is cured within 30 days of Your discovery of the violation; or 358 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 2.\tab}upon express reinstatement by the Licensor. 359 | \par }\pard \ltrpar\ql \li720\ri0\sbauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 360 | For the avoidance of doubt, this Section\~6(b)\~does not affect any right the Licensor may have to seek remedies for Your violations of this License. 361 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 c.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 362 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls8\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 363 | For the avoidance of doubt, the Licensor may also offer the Licensed Material under separate terms or conditions or stop distributing the Licensed Material at any time; however, doing so will not terminate this License. 364 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 d.\tab}Sections\~1,\~5,\~6,\~7, and\~8\~survive termination of this License. 365 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 366 | Section 7 \endash Other Terms and Conditions.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 367 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 368 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls9\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 The Licensor shall not be bound 369 | by any additional or different terms or conditions communicated by You unless expressly agreed. 370 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab} 371 | Any arrangements, understandings, or agreements regarding the Licensed Material not stated herein are separate from and independent of the terms and conditions of this License. 372 | \par }\pard \ltrpar\ql \li0\ri0\sb100\sa100\sbauto1\saauto1\sl240\slmult0\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \ab\af1\afs20 \ltrch\fcs0 \b\f1\fs20\insrsid8602061\charrsid9457511 373 | Section 8 \endash Interpretation.}{\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 374 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 a.\tab}}\pard \ltrpar\ql \fi-360\li720\ri0\sb100\sa120\sbauto1\sl240\slmult0\widctlpar 375 | \jclisttab\tx720\wrapdefault\aspalpha\aspnum\faauto\ls10\adjustright\rin0\lin720\itap0\pararsid8602061 \cbpat8 {\rtlch\fcs1 \af1\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 For the avoidance of doubt, this License 376 | does not, and shall not be interpreted to, reduce, limit, restrict, or impose conditions on any use of the Licensed Material that could lawfully be made without permission under this License. 377 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 b.\tab}To the extent possible, if any provision of this License 378 | is deemed unenforceable, it shall be automatically reformed to the minimum extent necessary to make it enforceable. If the provision cannot be reformed, it shall be severed from this License 379 | without affecting the enforceability of the remaining terms and conditions. 380 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 c.\tab}No term or condition of this License 381 | will be waived and no failure to comply consented to unless expressly agreed to by the Licensor. 382 | \par {\listtext\pard\plain\ltrpar \rtlch\fcs1 \af0\afs20 \ltrch\fcs0 \f1\fs20\insrsid8602061\charrsid9457511 \hich\af1\dbch\af0\loch\f1 d.\tab}Nothing in this License constitutes or may be interpreted as a limitation upon, or waiver of, any privil 383 | eges and immunities that apply to the Licensor or You, including from the legal processes of any jurisdiction or authority. 384 | \par }\pard \ltrpar\ql \li0\ri0\sa160\sl259\slmult1\widctlpar\wrapdefault\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0\pararsid8602061 {\rtlch\fcs1 \af1 \ltrch\fcs0 \insrsid1390507\charrsid9457511 385 | \par }{\*\themedata 504b030414000600080000002100e9de0fbfff0000001c020000130000005b436f6e74656e745f54797065735d2e786d6cac91cb4ec3301045f748fc83e52d4a 386 | 9cb2400825e982c78ec7a27cc0c8992416c9d8b2a755fbf74cd25442a820166c2cd933f79e3be372bd1f07b5c3989ca74aaff2422b24eb1b475da5df374fd9ad 387 | 5689811a183c61a50f98f4babebc2837878049899a52a57be670674cb23d8e90721f90a4d2fa3802cb35762680fd800ecd7551dc18eb899138e3c943d7e503b6 388 | b01d583deee5f99824e290b4ba3f364eac4a430883b3c092d4eca8f946c916422ecab927f52ea42b89a1cd59c254f919b0e85e6535d135a8de20f20b8c12c3b0 389 | 0c895fcf6720192de6bf3b9e89ecdbd6596cbcdd8eb28e7c365ecc4ec1ff1460f53fe813d3cc7f5b7f020000ffff0300504b030414000600080000002100a5d6 390 | a7e7c0000000360100000b0000005f72656c732f2e72656c73848fcf6ac3300c87ef85bd83d17d51d2c31825762fa590432fa37d00e1287f68221bdb1bebdb4f 391 | c7060abb0884a4eff7a93dfeae8bf9e194e720169aaa06c3e2433fcb68e1763dbf7f82c985a4a725085b787086a37bdbb55fbc50d1a33ccd311ba548b6309512 392 | 0f88d94fbc52ae4264d1c910d24a45db3462247fa791715fd71f989e19e0364cd3f51652d73760ae8fa8c9ffb3c330cc9e4fc17faf2ce545046e37944c69e462 393 | a1a82fe353bd90a865aad41ed0b5b8f9d6fd010000ffff0300504b0304140006000800000021006b799616830000008a0000001c0000007468656d652f746865 394 | 6d652f7468656d654d616e616765722e786d6c0ccc4d0ac3201040e17da17790d93763bb284562b2cbaebbf600439c1a41c7a0d29fdbd7e5e38337cedf14d59b 395 | 4b0d592c9c070d8a65cd2e88b7f07c2ca71ba8da481cc52c6ce1c715e6e97818c9b48d13df49c873517d23d59085adb5dd20d6b52bd521ef2cdd5eb9246a3d8b 396 | 4757e8d3f729e245eb2b260a0238fd010000ffff0300504b030414000600080000002100aa5225dfc60600008b1a0000160000007468656d652f7468656d652f 397 | 7468656d65312e786d6cec595d8bdb46147d2ff43f08bd3bfe92fcb1c41b6cd9ceb6d94d42eca4e4716c8fadc98e344633de8d0981923c160aa569e943037deb 398 | 43691b48a02fe9afd936a54d217fa17746b63c638fbb9b2585a5640d8b343af7ce997bafce1d4997afdc8fa87384134e58dc708b970aae83e3211b9178d2706f 399 | f7bbb99aeb7081e211a22cc60d778eb97b65f7c30f2ea31d11e2083b601ff31dd4704321a63bf93c1fc230e297d814c7706dcc920809384d26f951828ec16f44 400 | f3a542a1928f10895d274611b8bd311e932176fad2a5bbbb74dea1701a0b2e078634e949d7d8b050d8d1615122f89c0734718e106db830cf881df7f17de13a14 401 | 7101171a6e41fdb9f9ddcb79b4b330a2628bad66d7557f0bbb85c1e8b0a4e64c26836c52cff3bd4a33f3af00546ce23ad54ea553c9fc29001a0e61a52917dda7 402 | dfaab7dafe02ab81d2438bef76b55d2e1a78cd7f798373d3973f03af40a97f6f03dfed06104503af4029dedfc07b5eb51478065e81527c65035f2d34db5ed5c0 403 | 2b5048497cb8812ef89572b05c6d061933ba6785d77daf5b2d2d9caf50500d5975c929c62c16db6a2d42f758d2058004522448ec88f9148fd110aa3840940c12 404 | e2ec93490885374531e3305c2815ba8532fc973f4f1da988a01d8c346bc90b98f08d21c9c7e1c3844c45c3fd18bcba1ae4cdcb1fdfbc7cee9c3c7a71f2e89793 405 | c78f4f1efd9c3a32acf6503cd1ad5e7fffc5df4f3f75fe7afeddeb275fd9f15cc7fffed367bffdfaa51d082b5d85e0d5d7cffe78f1ecd5379ffff9c3130bbc99 406 | a0810eef930873e73a3e766eb10816a6426032c783e4ed2cfa2122ba45339e701423398bc57f478406fafa1c5164c1b5b019c13b09488c0d787576cf20dc0b93 407 | 9920168fd7c2c8001e30465b2cb146e19a9c4b0b737f164fec9327331d770ba123dbdc018a8dfc766653d05662731984d8a07993a258a0098eb170e4357688b1 408 | 6575770931e27a408609e36c2c9cbbc46921620d499f0c8c6a5a19ed9108f232b711847c1bb139b8e3b418b5adba8d8f4c24dc15885ac8f73135c27815cd048a 409 | 6c2efb28a27ac0f791086d247bf364a8e33a5c40a6279832a733c29cdb6c6e24b05e2de9d7405eec693fa0f3c84426821cda7cee23c674649b1d06218aa6366c 410 | 8fc4a18efd881f428922e7261336f80133ef10790e7940f1d674df21d848f7e96a701b9455a7b42a107965965872791533a37e7b733a4658490d08bfa1e71189 411 | 4f15f73559f7ff5b5907217df5ed53cbaa2eaaa0371362bda3f6d6647c1b6e5dbc03968cc8c5d7ee369ac53731dc2e9b0decbd74bf976ef77f2fdddbeee7772f 412 | d82b8d06f9965bc574abae36eed1d67dfb9850da13738af7b9daba73e84ca32e0c4a3bf5cc8ab3e7b8690887f24e86090cdc2441cac64998f88488b017a229ec 413 | ef8bae7432e10bd713ee4c19876dbf1ab6fa96783a8b0ed8287d5c2d16e5a3692a1e1c89d578c1cfc6e15143a4e84a75f50896b9576c27ea51794940dabe0d09 414 | 6d329344d942a2ba1c9441520fe610340b09b5b277c2a26e615193ee97a9da6001d4b2acc0d6c9810d57c3f53d30012378a242148f649ed2542fb3ab92f92e33 415 | bd2d984605c03e625901ab4cd725d7adcb93ab4b4bed0c99364868e566925091513d8c87688417d52947cf42e36d735d5fa5d4a02743a1e683d25ad1a8d6fe8d 416 | c579730d76ebda40635d2968ec1c37dc4ad9879219a269c31dc3633f1c4653a81d2eb7bc884ee0ddd95024e90d7f1e6599265cb4110fd3802bd149d520220227 417 | 0e2551c395cbcfd24063a5218a5bb104827061c9d541562e1a3948ba99643c1ee3a1d0d3ae8dc848a7a7a0f0a95658af2af3f383a5259b41ba7be1e8d819d059 418 | 720b4189f9d5a20ce0887078fb534ca33922f03a3313b255fdad35a685eceaef13550da5e3884e43b4e828ba98a77025e5191d7596c5403b5bac1902aa8564d1 419 | 080713d960f5a01add34eb1a2987ad5df7742319394d34573dd35015d935ed2a66ccb06c036bb13c5f93d7582d430c9aa677f854bad725b7bed4bab57d42d625 420 | 20e059fc2c5df70c0d41a3b69acca026196fcab0d4ecc5a8d93b960b3c85da599a84a6fa95a5dbb5b8653dc23a1d0c9eabf383dd7ad5c2d078b9af549156df3d 421 | f44f136c700fc4a30d2f81675470954af8f09020d810f5d49e24950db845ee8bc5ad0147ce2c210df741c16f7a41c90f72859adfc97965af90abf9cd72aee9fb 422 | e562c72f16daadd243682c228c8a7efacda50bafa2e87cf1e5458d6f7c7d89966fdb2e0d599467eaeb4a5e11575f5f8aa5ed5f5f1c02a2f3a052ead6cbf55625 423 | 572f37bb39afddaae5ea41a5956b57826abbdb0efc5abdfbd0758e14d86b9603afd2a9e52ac520c8799582a45fabe7aa5ea9d4f4aacd5ac76b3e5c6c6360e5a9 424 | 7c2c6201e155bc76ff010000ffff0300504b0304140006000800000021000dd1909fb60000001b010000270000007468656d652f7468656d652f5f72656c732f 425 | 7468656d654d616e616765722e786d6c2e72656c73848f4d0ac2301484f78277086f6fd3ba109126dd88d0add40384e4350d363f2451eced0dae2c082e8761be 426 | 9969bb979dc9136332de3168aa1a083ae995719ac16db8ec8e4052164e89d93b64b060828e6f37ed1567914b284d262452282e3198720e274a939cd08a54f980 427 | ae38a38f56e422a3a641c8bbd048f7757da0f19b017cc524bd62107bd5001996509affb3fd381a89672f1f165dfe514173d9850528a2c6cce0239baa4c04ca5b 428 | babac4df000000ffff0300504b01022d0014000600080000002100e9de0fbfff0000001c0200001300000000000000000000000000000000005b436f6e74656e 429 | 745f54797065735d2e786d6c504b01022d0014000600080000002100a5d6a7e7c0000000360100000b00000000000000000000000000300100005f72656c732f 430 | 2e72656c73504b01022d00140006000800000021006b799616830000008a0000001c00000000000000000000000000190200007468656d652f7468656d652f74 431 | 68656d654d616e616765722e786d6c504b01022d0014000600080000002100aa5225dfc60600008b1a00001600000000000000000000000000d6020000746865 432 | 6d652f7468656d652f7468656d65312e786d6c504b01022d00140006000800000021000dd1909fb60000001b0100002700000000000000000000000000d00900007468656d652f7468656d652f5f72656c732f7468656d654d616e616765722e786d6c2e72656c73504b050600000000050005005d010000cb0a00000000} 433 | {\*\colorschememapping 3c3f786d6c2076657273696f6e3d22312e302220656e636f64696e673d225554462d3822207374616e64616c6f6e653d22796573223f3e0d0a3c613a636c724d 434 | 617020786d6c6e733a613d22687474703a2f2f736368656d61732e6f70656e786d6c666f726d6174732e6f72672f64726177696e676d6c2f323030362f6d6169 435 | 6e22206267313d226c743122207478313d22646b3122206267323d226c743222207478323d22646b322220616363656e74313d22616363656e74312220616363 436 | 656e74323d22616363656e74322220616363656e74333d22616363656e74332220616363656e74343d22616363656e74342220616363656e74353d22616363656e74352220616363656e74363d22616363656e74362220686c696e6b3d22686c696e6b2220666f6c486c696e6b3d22666f6c486c696e6b222f3e} 437 | {\*\latentstyles\lsdstimax371\lsdlockeddef0\lsdsemihiddendef0\lsdunhideuseddef0\lsdqformatdef0\lsdprioritydef99{\lsdlockedexcept \lsdqformat1 \lsdpriority0 \lsdlocked0 Normal;\lsdqformat1 \lsdpriority9 \lsdlocked0 heading 1; 438 | \lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 2;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 3;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 4; 439 | \lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 5;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 6;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 7; 440 | \lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 8;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority9 \lsdlocked0 heading 9;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 1; 441 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 2;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 4;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 5; 442 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 6;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 7;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 8;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index 9; 443 | \lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 1;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 2;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 3; 444 | \lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 4;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 5;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 6; 445 | \lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 7;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 8;\lsdsemihidden1 \lsdunhideused1 \lsdpriority39 \lsdlocked0 toc 9;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Normal Indent; 446 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 footnote text;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 annotation text;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 header;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 footer; 447 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 index heading;\lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority35 \lsdlocked0 caption;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 table of figures; 448 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 envelope address;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 envelope return;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 footnote reference;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 annotation reference; 449 | \lsdsemihidden1 \lsdunhideused1 \lsdpriority0 \lsdlocked0 line number;\lsdsemihidden1 \lsdunhideused1 \lsdpriority0 \lsdlocked0 page number;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 endnote reference; 450 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 endnote text;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 table of authorities;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 macro;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 toa heading; 451 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Bullet;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Number;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List 2; 452 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List 4;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List 5;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Bullet 2; 453 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Bullet 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Bullet 4;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Bullet 5;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Number 2; 454 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Number 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Number 4;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Number 5;\lsdqformat1 \lsdpriority10 \lsdlocked0 Title; 455 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Closing;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Signature;\lsdsemihidden1 \lsdunhideused1 \lsdpriority1 \lsdlocked0 Default Paragraph Font;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text; 456 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text Indent;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Continue;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Continue 2;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Continue 3; 457 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Continue 4;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 List Continue 5;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Message Header;\lsdqformat1 \lsdpriority11 \lsdlocked0 Subtitle; 458 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Salutation;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Date;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text First Indent;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text First Indent 2; 459 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Note Heading;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text 2;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text Indent 2; 460 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Body Text Indent 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Block Text;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Hyperlink;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 FollowedHyperlink; 461 | \lsdqformat1 \lsdpriority22 \lsdlocked0 Strong;\lsdqformat1 \lsdpriority20 \lsdlocked0 Emphasis;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Document Map;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Plain Text; 462 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 E-mail Signature;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Top of Form;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Bottom of Form;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Normal (Web); 463 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Acronym;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Address;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Cite;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Code; 464 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Definition;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Keyboard;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Preformatted;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Sample; 465 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Typewriter;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 HTML Variable;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 annotation subject;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 No List; 466 | \lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Outline List 1;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Outline List 2;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Outline List 3;\lsdsemihidden1 \lsdunhideused1 \lsdlocked0 Balloon Text; 467 | \lsdpriority39 \lsdlocked0 Table Grid;\lsdsemihidden1 \lsdlocked0 Placeholder Text;\lsdqformat1 \lsdpriority1 \lsdlocked0 No Spacing;\lsdpriority60 \lsdlocked0 Light Shading;\lsdpriority61 \lsdlocked0 Light List;\lsdpriority62 \lsdlocked0 Light Grid; 468 | \lsdpriority63 \lsdlocked0 Medium Shading 1;\lsdpriority64 \lsdlocked0 Medium Shading 2;\lsdpriority65 \lsdlocked0 Medium List 1;\lsdpriority66 \lsdlocked0 Medium List 2;\lsdpriority67 \lsdlocked0 Medium Grid 1;\lsdpriority68 \lsdlocked0 Medium Grid 2; 469 | \lsdpriority69 \lsdlocked0 Medium Grid 3;\lsdpriority70 \lsdlocked0 Dark List;\lsdpriority71 \lsdlocked0 Colorful Shading;\lsdpriority72 \lsdlocked0 Colorful List;\lsdpriority73 \lsdlocked0 Colorful Grid;\lsdpriority60 \lsdlocked0 Light Shading Accent 1; 470 | \lsdpriority61 \lsdlocked0 Light List Accent 1;\lsdpriority62 \lsdlocked0 Light Grid Accent 1;\lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 1;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 1;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 1; 471 | \lsdsemihidden1 \lsdlocked0 Revision;\lsdqformat1 \lsdpriority34 \lsdlocked0 List Paragraph;\lsdqformat1 \lsdpriority29 \lsdlocked0 Quote;\lsdqformat1 \lsdpriority30 \lsdlocked0 Intense Quote;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 1; 472 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 1;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 1;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 1;\lsdpriority70 \lsdlocked0 Dark List Accent 1;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 1; 473 | \lsdpriority72 \lsdlocked0 Colorful List Accent 1;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 1;\lsdpriority60 \lsdlocked0 Light Shading Accent 2;\lsdpriority61 \lsdlocked0 Light List Accent 2;\lsdpriority62 \lsdlocked0 Light Grid Accent 2; 474 | \lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 2;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 2;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 2;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 2; 475 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 2;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 2;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 2;\lsdpriority70 \lsdlocked0 Dark List Accent 2;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 2; 476 | \lsdpriority72 \lsdlocked0 Colorful List Accent 2;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 2;\lsdpriority60 \lsdlocked0 Light Shading Accent 3;\lsdpriority61 \lsdlocked0 Light List Accent 3;\lsdpriority62 \lsdlocked0 Light Grid Accent 3; 477 | \lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 3;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 3;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 3;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 3; 478 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 3;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 3;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 3;\lsdpriority70 \lsdlocked0 Dark List Accent 3;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 3; 479 | \lsdpriority72 \lsdlocked0 Colorful List Accent 3;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 3;\lsdpriority60 \lsdlocked0 Light Shading Accent 4;\lsdpriority61 \lsdlocked0 Light List Accent 4;\lsdpriority62 \lsdlocked0 Light Grid Accent 4; 480 | \lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 4;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 4;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 4;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 4; 481 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 4;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 4;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 4;\lsdpriority70 \lsdlocked0 Dark List Accent 4;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 4; 482 | \lsdpriority72 \lsdlocked0 Colorful List Accent 4;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 4;\lsdpriority60 \lsdlocked0 Light Shading Accent 5;\lsdpriority61 \lsdlocked0 Light List Accent 5;\lsdpriority62 \lsdlocked0 Light Grid Accent 5; 483 | \lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 5;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 5;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 5;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 5; 484 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 5;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 5;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 5;\lsdpriority70 \lsdlocked0 Dark List Accent 5;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 5; 485 | \lsdpriority72 \lsdlocked0 Colorful List Accent 5;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 5;\lsdpriority60 \lsdlocked0 Light Shading Accent 6;\lsdpriority61 \lsdlocked0 Light List Accent 6;\lsdpriority62 \lsdlocked0 Light Grid Accent 6; 486 | \lsdpriority63 \lsdlocked0 Medium Shading 1 Accent 6;\lsdpriority64 \lsdlocked0 Medium Shading 2 Accent 6;\lsdpriority65 \lsdlocked0 Medium List 1 Accent 6;\lsdpriority66 \lsdlocked0 Medium List 2 Accent 6; 487 | \lsdpriority67 \lsdlocked0 Medium Grid 1 Accent 6;\lsdpriority68 \lsdlocked0 Medium Grid 2 Accent 6;\lsdpriority69 \lsdlocked0 Medium Grid 3 Accent 6;\lsdpriority70 \lsdlocked0 Dark List Accent 6;\lsdpriority71 \lsdlocked0 Colorful Shading Accent 6; 488 | \lsdpriority72 \lsdlocked0 Colorful List Accent 6;\lsdpriority73 \lsdlocked0 Colorful Grid Accent 6;\lsdqformat1 \lsdpriority19 \lsdlocked0 Subtle Emphasis;\lsdqformat1 \lsdpriority21 \lsdlocked0 Intense Emphasis; 489 | \lsdqformat1 \lsdpriority31 \lsdlocked0 Subtle Reference;\lsdqformat1 \lsdpriority32 \lsdlocked0 Intense Reference;\lsdqformat1 \lsdpriority33 \lsdlocked0 Book Title;\lsdsemihidden1 \lsdunhideused1 \lsdpriority37 \lsdlocked0 Bibliography; 490 | \lsdsemihidden1 \lsdunhideused1 \lsdqformat1 \lsdpriority39 \lsdlocked0 TOC Heading;\lsdpriority41 \lsdlocked0 Plain Table 1;\lsdpriority42 \lsdlocked0 Plain Table 2;\lsdpriority43 \lsdlocked0 Plain Table 3;\lsdpriority44 \lsdlocked0 Plain Table 4; 491 | \lsdpriority45 \lsdlocked0 Plain Table 5;\lsdpriority40 \lsdlocked0 Grid Table Light;\lsdpriority46 \lsdlocked0 Grid Table 1 Light;\lsdpriority47 \lsdlocked0 Grid Table 2;\lsdpriority48 \lsdlocked0 Grid Table 3;\lsdpriority49 \lsdlocked0 Grid Table 4; 492 | \lsdpriority50 \lsdlocked0 Grid Table 5 Dark;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful;\lsdpriority52 \lsdlocked0 Grid Table 7 Colorful;\lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 1;\lsdpriority47 \lsdlocked0 Grid Table 2 Accent 1; 493 | \lsdpriority48 \lsdlocked0 Grid Table 3 Accent 1;\lsdpriority49 \lsdlocked0 Grid Table 4 Accent 1;\lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 1;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 1; 494 | \lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 1;\lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 2;\lsdpriority47 \lsdlocked0 Grid Table 2 Accent 2;\lsdpriority48 \lsdlocked0 Grid Table 3 Accent 2; 495 | \lsdpriority49 \lsdlocked0 Grid Table 4 Accent 2;\lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 2;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 2;\lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 2; 496 | \lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 3;\lsdpriority47 \lsdlocked0 Grid Table 2 Accent 3;\lsdpriority48 \lsdlocked0 Grid Table 3 Accent 3;\lsdpriority49 \lsdlocked0 Grid Table 4 Accent 3; 497 | \lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 3;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 3;\lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 3;\lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 4; 498 | \lsdpriority47 \lsdlocked0 Grid Table 2 Accent 4;\lsdpriority48 \lsdlocked0 Grid Table 3 Accent 4;\lsdpriority49 \lsdlocked0 Grid Table 4 Accent 4;\lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 4; 499 | \lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 4;\lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 4;\lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 5;\lsdpriority47 \lsdlocked0 Grid Table 2 Accent 5; 500 | \lsdpriority48 \lsdlocked0 Grid Table 3 Accent 5;\lsdpriority49 \lsdlocked0 Grid Table 4 Accent 5;\lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 5;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 5; 501 | \lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 5;\lsdpriority46 \lsdlocked0 Grid Table 1 Light Accent 6;\lsdpriority47 \lsdlocked0 Grid Table 2 Accent 6;\lsdpriority48 \lsdlocked0 Grid Table 3 Accent 6; 502 | \lsdpriority49 \lsdlocked0 Grid Table 4 Accent 6;\lsdpriority50 \lsdlocked0 Grid Table 5 Dark Accent 6;\lsdpriority51 \lsdlocked0 Grid Table 6 Colorful Accent 6;\lsdpriority52 \lsdlocked0 Grid Table 7 Colorful Accent 6; 503 | \lsdpriority46 \lsdlocked0 List Table 1 Light;\lsdpriority47 \lsdlocked0 List Table 2;\lsdpriority48 \lsdlocked0 List Table 3;\lsdpriority49 \lsdlocked0 List Table 4;\lsdpriority50 \lsdlocked0 List Table 5 Dark; 504 | \lsdpriority51 \lsdlocked0 List Table 6 Colorful;\lsdpriority52 \lsdlocked0 List Table 7 Colorful;\lsdpriority46 \lsdlocked0 List Table 1 Light Accent 1;\lsdpriority47 \lsdlocked0 List Table 2 Accent 1;\lsdpriority48 \lsdlocked0 List Table 3 Accent 1; 505 | \lsdpriority49 \lsdlocked0 List Table 4 Accent 1;\lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 1;\lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 1;\lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 1; 506 | \lsdpriority46 \lsdlocked0 List Table 1 Light Accent 2;\lsdpriority47 \lsdlocked0 List Table 2 Accent 2;\lsdpriority48 \lsdlocked0 List Table 3 Accent 2;\lsdpriority49 \lsdlocked0 List Table 4 Accent 2; 507 | \lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 2;\lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 2;\lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 2;\lsdpriority46 \lsdlocked0 List Table 1 Light Accent 3; 508 | \lsdpriority47 \lsdlocked0 List Table 2 Accent 3;\lsdpriority48 \lsdlocked0 List Table 3 Accent 3;\lsdpriority49 \lsdlocked0 List Table 4 Accent 3;\lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 3; 509 | \lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 3;\lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 3;\lsdpriority46 \lsdlocked0 List Table 1 Light Accent 4;\lsdpriority47 \lsdlocked0 List Table 2 Accent 4; 510 | \lsdpriority48 \lsdlocked0 List Table 3 Accent 4;\lsdpriority49 \lsdlocked0 List Table 4 Accent 4;\lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 4;\lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 4; 511 | \lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 4;\lsdpriority46 \lsdlocked0 List Table 1 Light Accent 5;\lsdpriority47 \lsdlocked0 List Table 2 Accent 5;\lsdpriority48 \lsdlocked0 List Table 3 Accent 5; 512 | \lsdpriority49 \lsdlocked0 List Table 4 Accent 5;\lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 5;\lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 5;\lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 5; 513 | \lsdpriority46 \lsdlocked0 List Table 1 Light Accent 6;\lsdpriority47 \lsdlocked0 List Table 2 Accent 6;\lsdpriority48 \lsdlocked0 List Table 3 Accent 6;\lsdpriority49 \lsdlocked0 List Table 4 Accent 6; 514 | \lsdpriority50 \lsdlocked0 List Table 5 Dark Accent 6;\lsdpriority51 \lsdlocked0 List Table 6 Colorful Accent 6;\lsdpriority52 \lsdlocked0 List Table 7 Colorful Accent 6;}}{\*\datastore 010500000200000018000000 515 | 4d73786d6c322e534158584d4c5265616465722e362e3000000000000000000000060000 516 | d0cf11e0a1b11ae1000000000000000000000000000000003e000300feff090006000000000000000000000001000000010000000000000000100000feffffff00000000feffffff0000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 517 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 518 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 519 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 520 | fffffffffffffffffdfffffffeffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 521 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 522 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 523 | ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff 524 | ffffffffffffffffffffffffffffffff52006f006f007400200045006e00740072007900000000000000000000000000000000000000000000000000000000000000000000000000000000000000000016000500ffffffffffffffffffffffff0c6ad98892f1d411a65f0040963251e50000000000000000000000004074 525 | b0b954a5d101feffffff00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffff00000000000000000000000000000000000000000000000000000000 526 | 00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffff0000000000000000000000000000000000000000000000000000 527 | 000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffff000000000000000000000000000000000000000000000000 528 | 0000000000000000000000000000000000000000000000000105000000000000}} -------------------------------------------------------------------------------- /Code/non_local_dehazing/Readme.txt: -------------------------------------------------------------------------------- 1 | Package: Non-Local Dehazing 1.0 2 | Author: Dana Berman, danamena@post.tau.ac.il 3 | Date: May 4th, 2016 4 | 5 | This is the source code implementing the non-local image dehazing algorithm 6 | described in the paper: 7 | Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 8 | which can be found at: 9 | www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 10 | If you use this code, please cite our paper. 11 | 12 | The software code of the non-local image dehazing algorithm is provided 13 | under the attached Non-commercial_copyright_license.rtf 14 | The license can also be found at: 15 | www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 16 | 17 | 18 | There is no documentation provided beyond the comments embedded in the 19 | source code and this file. 20 | 21 | System Requirements: 22 | -------------------- 23 | The code requires matlab, and was tested on windows. 24 | 25 | 26 | Demo: 27 | ----- 28 | 1. Change matlab's directory to the folder the code was extracted to. 29 | 2. Run the file demo_non_local_dehazing.m in order to see the algorithm's 30 | perfomance on the attached images. -------------------------------------------------------------------------------- /Code/non_local_dehazing/TR1000.mat: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/non_local_dehazing/TR1000.mat -------------------------------------------------------------------------------- /Code/non_local_dehazing/adjust.m: -------------------------------------------------------------------------------- 1 | function adj = adjust(img,percen) 2 | % This is a utility function used by the non-local image dehazing algorithm 3 | % described in the paper: 4 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 5 | % which can be found at: 6 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 7 | % If you use this code, please cite our paper. 8 | % 9 | % The software code of the non-local image dehazing algorithm is provided 10 | % under the attached Non-commercial_copyright_license.rtf 11 | % The license can also be found at: 12 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 13 | % 14 | % 15 | % Contrast stretch utility function. Clip percen percentages of the pixels, 16 | % while avoiding a drastic change to the white-balance. 17 | 18 | if ~exist('percen','var') || isempty(percen), percen=[0.01 0.99]; end; 19 | 20 | % linear contrast stretch to [0,1], identical on all colors 21 | minn=min(img(:)); 22 | img=img-minn; 23 | img=img./max(img(:)); 24 | 25 | % limit the change magnitude so the WB would not be drastically changed 26 | contrast_limit = stretchlim(img,percen); 27 | val = 0.2; 28 | contrast_limit(2,:) = max(contrast_limit(2,:), 0.2); 29 | contrast_limit(2,:) = val*contrast_limit(2,:) + (1-val)*max(contrast_limit(2,:), mean(contrast_limit(2,:))); 30 | contrast_limit(1,:) = val*contrast_limit(1,:) + (1-val)*min(contrast_limit(1,:), mean(contrast_limit(1,:))); 31 | adj=imadjust(img,contrast_limit,[],1); 32 | -------------------------------------------------------------------------------- /Code/non_local_dehazing/demo_non_local_dehazing.m: -------------------------------------------------------------------------------- 1 | % This is a demo function implementing the non-local image dehazing algorithm 2 | % described in the paper: 3 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 4 | % which can be found at: 5 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 6 | % If you use this code, please cite our paper. 7 | % 8 | % The software code of the non-local image dehazing algorithm is provided 9 | % under the attached Non-commercial_copyright_license.rtf 10 | % The license can also be found at: 11 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 12 | % 13 | % Please read the instructions on Readme.txt in order to use this code. 14 | % 15 | % Author: Dana Berman, 2016. 16 | 17 | % Choose image to use, four example image are supplied with the code in the 18 | % sub-folder images: 19 | image_name = 'pumpkins'; % 'train'; % 'cityscape'; % 'forest'; % 20 | img_hazy = imread(['images/',image_name,'_input.png']); 21 | 22 | % The algorithm uses previous methods for airlight estimation. 23 | % Load the airlight and gamma from the param file. 24 | % These values were given by Ra'anan Fattal, above each image: 25 | % http://www.cs.huji.ac.il/~raananf/projects/dehaze_cl/results/ 26 | fid = fopen(['images/',image_name,'_params.txt'],'r'); 27 | [C] = textscan(fid,'%s %f'); 28 | fclose(fid); 29 | gamma = C{2}(1); A = zeros(1,1,3); A(1) = C{2}(2); A(2) = C{2}(3); A(3) = C{2}(4); 30 | 31 | [img_dehazed, trans_refined] = non_local_dehazing(img_hazy, A, gamma ); 32 | 33 | figure('Position',[50,50, size(img_hazy,2)*3 , size(img_hazy,1)]); 34 | subplot(1,3,1); imshow(img_hazy); title('Hazy input') 35 | subplot(1,3,2); imshow(img_dehazed); title('De-hazed output') 36 | subplot(1,3,3); imshow(trans_refined); colormap('jet'); title('Transmission') -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/cityscape_input.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/non_local_dehazing/images/cityscape_input.png -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/cityscape_params.txt: -------------------------------------------------------------------------------- 1 | gamma 1.6 2 | A1 0.81 3 | A2 0.81 4 | A3 0.82 -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/forest_input.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/non_local_dehazing/images/forest_input.png -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/forest_params.txt: -------------------------------------------------------------------------------- 1 | gamma 1 2 | A1 0.805 3 | A2 0.817 4 | A3 0.83 -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/pumpkins_input.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/non_local_dehazing/images/pumpkins_input.png -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/pumpkins_params.txt: -------------------------------------------------------------------------------- 1 | gamma 1 2 | A1 0.72 3 | A2 0.785 4 | A3 0.81 -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/train_input.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Code/non_local_dehazing/images/train_input.png -------------------------------------------------------------------------------- /Code/non_local_dehazing/images/train_params.txt: -------------------------------------------------------------------------------- 1 | gamma 1.5 2 | A1 0.53 3 | A2 0.53 4 | A3 0.53 -------------------------------------------------------------------------------- /Code/non_local_dehazing/non_local_dehazing.m: -------------------------------------------------------------------------------- 1 | function [img_dehazed, transmission] = non_local_dehazing(img_hazy, air_light, gamma) 2 | % This is the core function implementing the non-local image dehazing algorithm 3 | % described in the paper: 4 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 5 | % which can be found at: 6 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 7 | % If you use this code, please cite our paper. 8 | % 9 | % The software code of the non-local image dehazing algorithm is provided 10 | % under the attached Non-commercial_copyright_license.rtf 11 | % The license can also be found at: 12 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 13 | % 14 | % 15 | % Input arguments: 16 | % ---------------- 17 | % img_hazy - A hazy image in the range [0,255], type: uint8 18 | % air_light - As estimated by prior methods, normalized to the range [0,1] 19 | % gamma - Radiometric correction. If empty, 1 is assumed 20 | % 21 | % Output arguments: 22 | % ---------------- 23 | % img_dehazed - The restored radiance of the scene (uint8) 24 | % transmission - Transmission map of the scene, in the range [0,1] 25 | % 26 | % Author: Dana Berman, 2016. 27 | 28 | 29 | %% Validate input 30 | [h,w,n_colors] = size(img_hazy); 31 | if (n_colors ~= 3) % input verification 32 | error(['Dehazing on sphere requires an RGB image, while input ',... 33 | 'has only ',num2str(n_colors),' dimensions']); 34 | end 35 | 36 | if ~exist('air_light','var') || isempty(air_light) || (numel(air_light)~=3) 37 | error('Dehazing on sphere requires an RGB airlight'); 38 | end 39 | 40 | if ~exist('gamma','var') || isempty(gamma), gamma = 1; end 41 | 42 | img_hazy = im2double(img_hazy); 43 | img_hazy_corrected = img_hazy.^gamma; % radiometric correction 44 | 45 | %% Finding Haze-lines 46 | % Translate the coordinate system to be air_light-centric (Eq. (3)) 47 | dist_from_airlight = double(zeros(h,w,n_colors)); 48 | for color_idx=1:n_colors 49 | dist_from_airlight(:,:,color_idx) = img_hazy_corrected(:,:,color_idx) - air_light(:,:,color_idx); 50 | end 51 | 52 | % Calculate radius (Eq. (5)) 53 | radius = sqrt( dist_from_airlight(:,:,1).^2 + dist_from_airlight(:,:,2).^2 +dist_from_airlight(:,:,3).^2 ); 54 | 55 | % Cluster the pixels to haze-lines 56 | % Use a KD-tree impementation for fast clustering according to their angles 57 | dist_unit_radius = reshape(dist_from_airlight,[h*w,n_colors]); 58 | dist_norm = sqrt(sum(dist_unit_radius.^2,2)); 59 | dist_unit_radius = bsxfun(@rdivide, dist_unit_radius, dist_norm); 60 | Npoints = 1000; 61 | load(['TR',num2str(Npoints),'.mat']); 62 | mdl = KDTreeSearcher(TR.Points); 63 | ind = knnsearch(mdl, dist_unit_radius); 64 | 65 | %% Estimating Initial Transmission 66 | 67 | % Estimate radius as the maximal radius in each haze-line (Eq. (11)) 68 | K = accumarray(ind,radius(:),[Npoints,1],@max); 69 | radius_new = reshape( K(ind), h, w); 70 | 71 | % Estimate transmission as radii ratio (Eq. (12)) 72 | transmission_estimation = radius./radius_new; 73 | 74 | % Limit the transmission to the range [trans_min, 1] for numerical stability 75 | trans_min = 0.1; 76 | transmission_estimation = min(max(transmission_estimation, trans_min),1); 77 | 78 | %% Regularization 79 | 80 | % Apply lower bound from the image (Eqs. (13-14)) 81 | trans_lower_bound = 1 - min(bsxfun(@rdivide,img_hazy_corrected,reshape(air_light,1,1,3)) ,[],3); 82 | transmission_estimation = max(transmission_estimation, trans_lower_bound); 83 | 84 | % Solve optimization problem (Eq. (15)) 85 | % find bin counts for reliability - small bins (#pixels<50) do not comply with 86 | % the model assumptions and should be disregarded 87 | bin_count = accumarray(ind,1,[Npoints,1]); 88 | bin_count_map = reshape(bin_count(ind),h,w); 89 | bin_eval_fun = @(x) min(1, x/50); 90 | 91 | % Calculate std - this is the data-term weight of Eq. (15) 92 | K_std = accumarray(ind,radius(:),[Npoints,1],@std); 93 | radius_std = reshape( K_std(ind), h, w); 94 | radius_eval_fun = @(r) min(1, 3*max(0.001, r-0.1)); 95 | radius_reliability = radius_eval_fun(radius_std./max(radius_std(:))); 96 | data_term_weight = bin_eval_fun(bin_count_map).*radius_reliability; 97 | lambda = 0.1; 98 | transmission = wls_optimization(transmission_estimation, data_term_weight, img_hazy, lambda); 99 | 100 | %% Dehazing 101 | % (Eq. (16)) 102 | img_dehazed = zeros(h,w,n_colors); 103 | leave_haze = 1.06; % leave a bit of haze for a natural look (set to 1 to reduce all haze) 104 | for color_idx = 1:3 105 | img_dehazed(:,:,color_idx) = ( img_hazy_corrected(:,:,color_idx) - ... 106 | (1-leave_haze.*transmission).*air_light(color_idx) )./ max(transmission,trans_min); 107 | end 108 | 109 | % Limit each pixel value to the range [0, 1] (avoid numerical problems) 110 | img_dehazed(img_dehazed>1) = 1; 111 | img_dehazed(img_dehazed<0) = 0; 112 | img_dehazed = img_dehazed.^(1/gamma); % radiometric correction 113 | 114 | % For display, we perform a global linear contrast stretch on the output, 115 | % clipping 0.5% of the pixel values both in the shadows and in the highlights 116 | adj_percent = [0.005, 0.995]; 117 | img_dehazed = adjust(img_dehazed,adj_percent); 118 | 119 | img_dehazed = im2uint8(img_dehazed); 120 | 121 | end % function non_local_dehazing 122 | -------------------------------------------------------------------------------- /Code/non_local_dehazing/wls_optimization.m: -------------------------------------------------------------------------------- 1 | function out = wls_optimization(in, data_weight, guidance, lambda) 2 | % This is a utility function used by the non-local image dehazing algorithm 3 | % described in the paper: 4 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 5 | % which can be found at: 6 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 7 | % If you use this code, please cite our paper. 8 | % 9 | % The software code of the non-local image dehazing algorithm is provided 10 | % under the attached Non-commercial_copyright_license.rtf 11 | % The license can also be found at: 12 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 13 | % 14 | % 15 | % Weighted Least Squares optimization solver. 16 | % Given an input image IN, we seek a new image OUT, which, on the one hand, 17 | % is as close as possible to IN, and, at the same time, is as smooth as 18 | % possible everywhere, except across significant gradients in the hazy image. 19 | % 20 | % Input arguments: 21 | % ---------------- 22 | % in - Input image (2-D, double, N-by-M matrix). 23 | % data_weight - High values indicate it is accurate, small values 24 | % indicate it's not. 25 | % guidance - Source image for the affinity matrix. Same dimensions 26 | % as the input image IN. Default: log(IN) 27 | % lambda - Balances between the data term and the smoothness 28 | % term. Increasing lambda will produce smoother images. 29 | % Default value is 0.05 30 | % 31 | % This function is based on the implementation of the WLS Filer by Farbman, 32 | % Fattal, Lischinski and Szeliski, "Edge-Preserving Decompositions for 33 | % Multi-Scale Tone and Detail Manipulation", ACM Transactions on Graphics, 2008 34 | % The original function can be downloaded from: 35 | % http://www.cs.huji.ac.il/~danix/epd/wlsFilter.m 36 | 37 | small_num = 0.00001; 38 | 39 | if ~exist('lambda','var') || isempty(lambda), lambda = 0.05; end 40 | 41 | [h,w,~] = size(guidance); 42 | k = h*w; 43 | guidance = rgb2gray(guidance); 44 | 45 | % Compute affinities between adjacent pixels based on gradients of guidance 46 | dy = diff(guidance, 1, 1); 47 | dy = -lambda./(sum(abs(dy).^2,3) + small_num); 48 | dy = padarray(dy, [1 0], 'post'); 49 | dy = dy(:); 50 | 51 | dx = diff(guidance, 1, 2); 52 | dx = -lambda./(sum(abs(dx).^2,3) + small_num); 53 | dx = padarray(dx, [0 1], 'post'); 54 | dx = dx(:); 55 | 56 | 57 | % Construct a five-point spatially inhomogeneous Laplacian matrix 58 | B = [dx, dy]; 59 | d = [-h,-1]; 60 | tmp = spdiags(B,d,k,k); 61 | 62 | ea = dx; 63 | we = padarray(dx, h, 'pre'); we = we(1:end-h); 64 | so = dy; 65 | no = padarray(dy, 1, 'pre'); no = no(1:end-1); 66 | 67 | D = -(ea+we+so+no); 68 | Asmoothness = tmp + tmp' + spdiags(D, 0, k, k); 69 | 70 | % Normalize data weight 71 | data_weight = data_weight - min(data_weight(:)) ; 72 | data_weight = 1.*data_weight./(max(data_weight(:))+small_num); 73 | 74 | % Make sure we have a boundary condition for the top line: 75 | % It will be the minimum of the transmission in each column 76 | % With reliability 0.8 77 | reliability_mask = data_weight(1,:) < 0.6; % find missing boundary condition 78 | in_row1 = min( in,[], 1); 79 | data_weight(1,reliability_mask) = 0.8; 80 | in(1,reliability_mask) = in_row1(reliability_mask); 81 | 82 | Adata = spdiags(data_weight(:), 0, k, k); 83 | 84 | A = Adata + Asmoothness; 85 | b = Adata*in(:); 86 | 87 | % Solve 88 | % out = lsqnonneg(A,b); 89 | out = A\b; 90 | out = reshape(out, h, w); 91 | -------------------------------------------------------------------------------- /Code/screened_poisson_enhancement/GPLv3.txt: -------------------------------------------------------------------------------- 1 | 2 | GNU GENERAL PUBLIC LICENSE 3 | Version 3, 29 June 2007 4 | 5 | Copyright (C) 2007 Free Software Foundation, Inc. 6 | Everyone is permitted to copy and distribute verbatim copies 7 | of this license document, but changing it is not allowed. 8 | 9 | Preamble 10 | 11 | The GNU General Public License is a free, copyleft license for 12 | software and other kinds of works. 13 | 14 | The licenses for most software and other practical works are designed 15 | to take away your freedom to share and change the works. By contrast, 16 | the GNU General Public License is intended to guarantee your freedom to 17 | share and change all versions of a program--to make sure it remains free 18 | software for all its users. We, the Free Software Foundation, use the 19 | GNU General Public License for most of our software; it applies also to 20 | any other work released this way by its authors. You can apply it to 21 | your programs, too. 22 | 23 | When we speak of free software, we are referring to freedom, not 24 | price. Our General Public Licenses are designed to make sure that you 25 | have the freedom to distribute copies of free software (and charge for 26 | them if you wish), that you receive source code or can get it if you 27 | want it, that you can change the software or use pieces of it in new 28 | free programs, and that you know you can do these things. 29 | 30 | To protect your rights, we need to prevent others from denying you 31 | these rights or asking you to surrender the rights. Therefore, you have 32 | certain responsibilities if you distribute copies of the software, or if 33 | you modify it: responsibilities to respect the freedom of others. 34 | 35 | For example, if you distribute copies of such a program, whether 36 | gratis or for a fee, you must pass on to the recipients the same 37 | freedoms that you received. You must make sure that they, too, receive 38 | or can get the source code. And you must show them these terms so they 39 | know their rights. 40 | 41 | Developers that use the GNU GPL protect your rights with two steps: 42 | (1) assert copyright on the software, and (2) offer you this License 43 | giving you legal permission to copy, distribute and/or modify it. 44 | 45 | For the developers' and authors' protection, the GPL clearly explains 46 | that there is no warranty for this free software. For both users' and 47 | authors' sake, the GPL requires that modified versions be marked as 48 | changed, so that their problems will not be attributed erroneously to 49 | authors of previous versions. 50 | 51 | Some devices are designed to deny users access to install or run 52 | modified versions of the software inside them, although the manufacturer 53 | can do so. This is fundamentally incompatible with the aim of 54 | protecting users' freedom to change the software. The systematic 55 | pattern of such abuse occurs in the area of products for individuals to 56 | use, which is precisely where it is most unacceptable. Therefore, we 57 | have designed this version of the GPL to prohibit the practice for those 58 | products. If such problems arise substantially in other domains, we 59 | stand ready to extend this provision to those domains in future versions 60 | of the GPL, as needed to protect the freedom of users. 61 | 62 | Finally, every program is threatened constantly by software patents. 63 | States should not allow patents to restrict development and use of 64 | software on general-purpose computers, but in those that do, we wish to 65 | avoid the special danger that patents applied to a free program could 66 | make it effectively proprietary. To prevent this, the GPL assures that 67 | patents cannot be used to render the program non-free. 68 | 69 | The precise terms and conditions for copying, distribution and 70 | modification follow. 71 | 72 | TERMS AND CONDITIONS 73 | 74 | 0. Definitions. 75 | 76 | "This License" refers to version 3 of the GNU General Public License. 77 | 78 | "Copyright" also means copyright-like laws that apply to other kinds of 79 | works, such as semiconductor masks. 80 | 81 | "The Program" refers to any copyrightable work licensed under this 82 | License. Each licensee is addressed as "you". "Licensees" and 83 | "recipients" may be individuals or organizations. 84 | 85 | To "modify" a work means to copy from or adapt all or part of the work 86 | in a fashion requiring copyright permission, other than the making of an 87 | exact copy. The resulting work is called a "modified version" of the 88 | earlier work or a work "based on" the earlier work. 89 | 90 | A "covered work" means either the unmodified Program or a work based 91 | on the Program. 92 | 93 | To "propagate" a work means to do anything with it that, without 94 | permission, would make you directly or secondarily liable for 95 | infringement under applicable copyright law, except executing it on a 96 | computer or modifying a private copy. Propagation includes copying, 97 | distribution (with or without modification), making available to the 98 | public, and in some countries other activities as well. 99 | 100 | To "convey" a work means any kind of propagation that enables other 101 | parties to make or receive copies. Mere interaction with a user through 102 | a computer network, with no transfer of a copy, is not conveying. 103 | 104 | An interactive user interface displays "Appropriate Legal Notices" 105 | to the extent that it includes a convenient and prominently visible 106 | feature that (1) displays an appropriate copyright notice, and (2) 107 | tells the user that there is no warranty for the work (except to the 108 | extent that warranties are provided), that licensees may convey the 109 | work under this License, and how to view a copy of this License. If 110 | the interface presents a list of user commands or options, such as a 111 | menu, a prominent item in the list meets this criterion. 112 | 113 | 1. Source Code. 114 | 115 | The "source code" for a work means the preferred form of the work 116 | for making modifications to it. "Object code" means any non-source 117 | form of a work. 118 | 119 | A "Standard Interface" means an interface that either is an official 120 | standard defined by a recognized standards body, or, in the case of 121 | interfaces specified for a particular programming language, one that 122 | is widely used among developers working in that language. 123 | 124 | The "System Libraries" of an executable work include anything, other 125 | than the work as a whole, that (a) is included in the normal form of 126 | packaging a Major Component, but which is not part of that Major 127 | Component, and (b) serves only to enable use of the work with that 128 | Major Component, or to implement a Standard Interface for which an 129 | implementation is available to the public in source code form. A 130 | "Major Component", in this context, means a major essential component 131 | (kernel, window system, and so on) of the specific operating system 132 | (if any) on which the executable work runs, or a compiler used to 133 | produce the work, or an object code interpreter used to run it. 134 | 135 | The "Corresponding Source" for a work in object code form means all 136 | the source code needed to generate, install, and (for an executable 137 | work) run the object code and to modify the work, including scripts to 138 | control those activities. However, it does not include the work's 139 | System Libraries, or general-purpose tools or generally available free 140 | programs which are used unmodified in performing those activities but 141 | which are not part of the work. For example, Corresponding Source 142 | includes interface definition files associated with source files for 143 | the work, and the source code for shared libraries and dynamically 144 | linked subprograms that the work is specifically designed to require, 145 | such as by intimate data communication or control flow between those 146 | subprograms and other parts of the work. 147 | 148 | The Corresponding Source need not include anything that users 149 | can regenerate automatically from other parts of the Corresponding 150 | Source. 151 | 152 | The Corresponding Source for a work in source code form is that 153 | same work. 154 | 155 | 2. Basic Permissions. 156 | 157 | All rights granted under this License are granted for the term of 158 | copyright on the Program, and are irrevocable provided the stated 159 | conditions are met. This License explicitly affirms your unlimited 160 | permission to run the unmodified Program. The output from running a 161 | covered work is covered by this License only if the output, given its 162 | content, constitutes a covered work. This License acknowledges your 163 | rights of fair use or other equivalent, as provided by copyright law. 164 | 165 | You may make, run and propagate covered works that you do not 166 | convey, without conditions so long as your license otherwise remains 167 | in force. You may convey covered works to others for the sole purpose 168 | of having them make modifications exclusively for you, or provide you 169 | with facilities for running those works, provided that you comply with 170 | the terms of this License in conveying all material for which you do 171 | not control copyright. Those thus making or running the covered works 172 | for you must do so exclusively on your behalf, under your direction 173 | and control, on terms that prohibit them from making any copies of 174 | your copyrighted material outside their relationship with you. 175 | 176 | Conveying under any other circumstances is permitted solely under 177 | the conditions stated below. Sublicensing is not allowed; section 10 178 | makes it unnecessary. 179 | 180 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 181 | 182 | No covered work shall be deemed part of an effective technological 183 | measure under any applicable law fulfilling obligations under article 184 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 185 | similar laws prohibiting or restricting circumvention of such 186 | measures. 187 | 188 | When you convey a covered work, you waive any legal power to forbid 189 | circumvention of technological measures to the extent such circumvention 190 | is effected by exercising rights under this License with respect to 191 | the covered work, and you disclaim any intention to limit operation or 192 | modification of the work as a means of enforcing, against the work's 193 | users, your or third parties' legal rights to forbid circumvention of 194 | technological measures. 195 | 196 | 4. Conveying Verbatim Copies. 197 | 198 | You may convey verbatim copies of the Program's source code as you 199 | receive it, in any medium, provided that you conspicuously and 200 | appropriately publish on each copy an appropriate copyright notice; 201 | keep intact all notices stating that this License and any 202 | non-permissive terms added in accord with section 7 apply to the code; 203 | keep intact all notices of the absence of any warranty; and give all 204 | recipients a copy of this License along with the Program. 205 | 206 | You may charge any price or no price for each copy that you convey, 207 | and you may offer support or warranty protection for a fee. 208 | 209 | 5. Conveying Modified Source Versions. 210 | 211 | You may convey a work based on the Program, or the modifications to 212 | produce it from the Program, in the form of source code under the 213 | terms of section 4, provided that you also meet all of these conditions: 214 | 215 | a) The work must carry prominent notices stating that you modified 216 | it, and giving a relevant date. 217 | 218 | b) The work must carry prominent notices stating that it is 219 | released under this License and any conditions added under section 220 | 7. This requirement modifies the requirement in section 4 to 221 | "keep intact all notices". 222 | 223 | c) You must license the entire work, as a whole, under this 224 | License to anyone who comes into possession of a copy. This 225 | License will therefore apply, along with any applicable section 7 226 | additional terms, to the whole of the work, and all its parts, 227 | regardless of how they are packaged. This License gives no 228 | permission to license the work in any other way, but it does not 229 | invalidate such permission if you have separately received it. 230 | 231 | d) If the work has interactive user interfaces, each must display 232 | Appropriate Legal Notices; however, if the Program has interactive 233 | interfaces that do not display Appropriate Legal Notices, your 234 | work need not make them do so. 235 | 236 | A compilation of a covered work with other separate and independent 237 | works, which are not by their nature extensions of the covered work, 238 | and which are not combined with it such as to form a larger program, 239 | in or on a volume of a storage or distribution medium, is called an 240 | "aggregate" if the compilation and its resulting copyright are not 241 | used to limit the access or legal rights of the compilation's users 242 | beyond what the individual works permit. Inclusion of a covered work 243 | in an aggregate does not cause this License to apply to the other 244 | parts of the aggregate. 245 | 246 | 6. Conveying Non-Source Forms. 247 | 248 | You may convey a covered work in object code form under the terms 249 | of sections 4 and 5, provided that you also convey the 250 | machine-readable Corresponding Source under the terms of this License, 251 | in one of these ways: 252 | 253 | a) Convey the object code in, or embodied in, a physical product 254 | (including a physical distribution medium), accompanied by the 255 | Corresponding Source fixed on a durable physical medium 256 | customarily used for software interchange. 257 | 258 | b) Convey the object code in, or embodied in, a physical product 259 | (including a physical distribution medium), accompanied by a 260 | written offer, valid for at least three years and valid for as 261 | long as you offer spare parts or customer support for that product 262 | model, to give anyone who possesses the object code either (1) a 263 | copy of the Corresponding Source for all the software in the 264 | product that is covered by this License, on a durable physical 265 | medium customarily used for software interchange, for a price no 266 | more than your reasonable cost of physically performing this 267 | conveying of source, or (2) access to copy the 268 | Corresponding Source from a network server at no charge. 269 | 270 | c) Convey individual copies of the object code with a copy of the 271 | written offer to provide the Corresponding Source. This 272 | alternative is allowed only occasionally and noncommercially, and 273 | only if you received the object code with such an offer, in accord 274 | with subsection 6b. 275 | 276 | d) Convey the object code by offering access from a designated 277 | place (gratis or for a charge), and offer equivalent access to the 278 | Corresponding Source in the same way through the same place at no 279 | further charge. You need not require recipients to copy the 280 | Corresponding Source along with the object code. If the place to 281 | copy the object code is a network server, the Corresponding Source 282 | may be on a different server (operated by you or a third party) 283 | that supports equivalent copying facilities, provided you maintain 284 | clear directions next to the object code saying where to find the 285 | Corresponding Source. Regardless of what server hosts the 286 | Corresponding Source, you remain obligated to ensure that it is 287 | available for as long as needed to satisfy these requirements. 288 | 289 | e) Convey the object code using peer-to-peer transmission, provided 290 | you inform other peers where the object code and Corresponding 291 | Source of the work are being offered to the general public at no 292 | charge under subsection 6d. 293 | 294 | A separable portion of the object code, whose source code is excluded 295 | from the Corresponding Source as a System Library, need not be 296 | included in conveying the object code work. 297 | 298 | A "User Product" is either (1) a "consumer product", which means any 299 | tangible personal property which is normally used for personal, family, 300 | or household purposes, or (2) anything designed or sold for incorporation 301 | into a dwelling. In determining whether a product is a consumer product, 302 | doubtful cases shall be resolved in favor of coverage. For a particular 303 | product received by a particular user, "normally used" refers to a 304 | typical or common use of that class of product, regardless of the status 305 | of the particular user or of the way in which the particular user 306 | actually uses, or expects or is expected to use, the product. A product 307 | is a consumer product regardless of whether the product has substantial 308 | commercial, industrial or non-consumer uses, unless such uses represent 309 | the only significant mode of use of the product. 310 | 311 | "Installation Information" for a User Product means any methods, 312 | procedures, authorization keys, or other information required to install 313 | and execute modified versions of a covered work in that User Product from 314 | a modified version of its Corresponding Source. The information must 315 | suffice to ensure that the continued functioning of the modified object 316 | code is in no case prevented or interfered with solely because 317 | modification has been made. 318 | 319 | If you convey an object code work under this section in, or with, or 320 | specifically for use in, a User Product, and the conveying occurs as 321 | part of a transaction in which the right of possession and use of the 322 | User Product is transferred to the recipient in perpetuity or for a 323 | fixed term (regardless of how the transaction is characterized), the 324 | Corresponding Source conveyed under this section must be accompanied 325 | by the Installation Information. But this requirement does not apply 326 | if neither you nor any third party retains the ability to install 327 | modified object code on the User Product (for example, the work has 328 | been installed in ROM). 329 | 330 | The requirement to provide Installation Information does not include a 331 | requirement to continue to provide support service, warranty, or updates 332 | for a work that has been modified or installed by the recipient, or for 333 | the User Product in which it has been modified or installed. Access to a 334 | network may be denied when the modification itself materially and 335 | adversely affects the operation of the network or violates the rules and 336 | protocols for communication across the network. 337 | 338 | Corresponding Source conveyed, and Installation Information provided, 339 | in accord with this section must be in a format that is publicly 340 | documented (and with an implementation available to the public in 341 | source code form), and must require no special password or key for 342 | unpacking, reading or copying. 343 | 344 | 7. Additional Terms. 345 | 346 | "Additional permissions" are terms that supplement the terms of this 347 | License by making exceptions from one or more of its conditions. 348 | Additional permissions that are applicable to the entire Program shall 349 | be treated as though they were included in this License, to the extent 350 | that they are valid under applicable law. If additional permissions 351 | apply only to part of the Program, that part may be used separately 352 | under those permissions, but the entire Program remains governed by 353 | this License without regard to the additional permissions. 354 | 355 | When you convey a copy of a covered work, you may at your option 356 | remove any additional permissions from that copy, or from any part of 357 | it. (Additional permissions may be written to require their own 358 | removal in certain cases when you modify the work.) You may place 359 | additional permissions on material, added by you to a covered work, 360 | for which you have or can give appropriate copyright permission. 361 | 362 | Notwithstanding any other provision of this License, for material you 363 | add to a covered work, you may (if authorized by the copyright holders of 364 | that material) supplement the terms of this License with terms: 365 | 366 | a) Disclaiming warranty or limiting liability differently from the 367 | terms of sections 15 and 16 of this License; or 368 | 369 | b) Requiring preservation of specified reasonable legal notices or 370 | author attributions in that material or in the Appropriate Legal 371 | Notices displayed by works containing it; or 372 | 373 | c) Prohibiting misrepresentation of the origin of that material, or 374 | requiring that modified versions of such material be marked in 375 | reasonable ways as different from the original version; or 376 | 377 | d) Limiting the use for publicity purposes of names of licensors or 378 | authors of the material; or 379 | 380 | e) Declining to grant rights under trademark law for use of some 381 | trade names, trademarks, or service marks; or 382 | 383 | f) Requiring indemnification of licensors and authors of that 384 | material by anyone who conveys the material (or modified versions of 385 | it) with contractual assumptions of liability to the recipient, for 386 | any liability that these contractual assumptions directly impose on 387 | those licensors and authors. 388 | 389 | All other non-permissive additional terms are considered "further 390 | restrictions" within the meaning of section 10. If the Program as you 391 | received it, or any part of it, contains a notice stating that it is 392 | governed by this License along with a term that is a further 393 | restriction, you may remove that term. If a license document contains 394 | a further restriction but permits relicensing or conveying under this 395 | License, you may add to a covered work material governed by the terms 396 | of that license document, provided that the further restriction does 397 | not survive such relicensing or conveying. 398 | 399 | If you add terms to a covered work in accord with this section, you 400 | must place, in the relevant source files, a statement of the 401 | additional terms that apply to those files, or a notice indicating 402 | where to find the applicable terms. 403 | 404 | Additional terms, permissive or non-permissive, may be stated in the 405 | form of a separately written license, or stated as exceptions; 406 | the above requirements apply either way. 407 | 408 | 8. Termination. 409 | 410 | You may not propagate or modify a covered work except as expressly 411 | provided under this License. Any attempt otherwise to propagate or 412 | modify it is void, and will automatically terminate your rights under 413 | this License (including any patent licenses granted under the third 414 | paragraph of section 11). 415 | 416 | However, if you cease all violation of this License, then your 417 | license from a particular copyright holder is reinstated (a) 418 | provisionally, unless and until the copyright holder explicitly and 419 | finally terminates your license, and (b) permanently, if the copyright 420 | holder fails to notify you of the violation by some reasonable means 421 | prior to 60 days after the cessation. 422 | 423 | Moreover, your license from a particular copyright holder is 424 | reinstated permanently if the copyright holder notifies you of the 425 | violation by some reasonable means, this is the first time you have 426 | received notice of violation of this License (for any work) from that 427 | copyright holder, and you cure the violation prior to 30 days after 428 | your receipt of the notice. 429 | 430 | Termination of your rights under this section does not terminate the 431 | licenses of parties who have received copies or rights from you under 432 | this License. If your rights have been terminated and not permanently 433 | reinstated, you do not qualify to receive new licenses for the same 434 | material under section 10. 435 | 436 | 9. Acceptance Not Required for Having Copies. 437 | 438 | You are not required to accept this License in order to receive or 439 | run a copy of the Program. Ancillary propagation of a covered work 440 | occurring solely as a consequence of using peer-to-peer transmission 441 | to receive a copy likewise does not require acceptance. However, 442 | nothing other than this License grants you permission to propagate or 443 | modify any covered work. These actions infringe copyright if you do 444 | not accept this License. Therefore, by modifying or propagating a 445 | covered work, you indicate your acceptance of this License to do so. 446 | 447 | 10. Automatic Licensing of Downstream Recipients. 448 | 449 | Each time you convey a covered work, the recipient automatically 450 | receives a license from the original licensors, to run, modify and 451 | propagate that work, subject to this License. You are not responsible 452 | for enforcing compliance by third parties with this License. 453 | 454 | An "entity transaction" is a transaction transferring control of an 455 | organization, or substantially all assets of one, or subdividing an 456 | organization, or merging organizations. If propagation of a covered 457 | work results from an entity transaction, each party to that 458 | transaction who receives a copy of the work also receives whatever 459 | licenses to the work the party's predecessor in interest had or could 460 | give under the previous paragraph, plus a right to possession of the 461 | Corresponding Source of the work from the predecessor in interest, if 462 | the predecessor has it or can get it with reasonable efforts. 463 | 464 | You may not impose any further restrictions on the exercise of the 465 | rights granted or affirmed under this License. For example, you may 466 | not impose a license fee, royalty, or other charge for exercise of 467 | rights granted under this License, and you may not initiate litigation 468 | (including a cross-claim or counterclaim in a lawsuit) alleging that 469 | any patent claim is infringed by making, using, selling, offering for 470 | sale, or importing the Program or any portion of it. 471 | 472 | 11. Patents. 473 | 474 | A "contributor" is a copyright holder who authorizes use under this 475 | License of the Program or a work on which the Program is based. The 476 | work thus licensed is called the contributor's "contributor version". 477 | 478 | A contributor's "essential patent claims" are all patent claims 479 | owned or controlled by the contributor, whether already acquired or 480 | hereafter acquired, that would be infringed by some manner, permitted 481 | by this License, of making, using, or selling its contributor version, 482 | but do not include claims that would be infringed only as a 483 | consequence of further modification of the contributor version. For 484 | purposes of this definition, "control" includes the right to grant 485 | patent sublicenses in a manner consistent with the requirements of 486 | this License. 487 | 488 | Each contributor grants you a non-exclusive, worldwide, royalty-free 489 | patent license under the contributor's essential patent claims, to 490 | make, use, sell, offer for sale, import and otherwise run, modify and 491 | propagate the contents of its contributor version. 492 | 493 | In the following three paragraphs, a "patent license" is any express 494 | agreement or commitment, however denominated, not to enforce a patent 495 | (such as an express permission to practice a patent or covenant not to 496 | sue for patent infringement). To "grant" such a patent license to a 497 | party means to make such an agreement or commitment not to enforce a 498 | patent against the party. 499 | 500 | If you convey a covered work, knowingly relying on a patent license, 501 | and the Corresponding Source of the work is not available for anyone 502 | to copy, free of charge and under the terms of this License, through a 503 | publicly available network server or other readily accessible means, 504 | then you must either (1) cause the Corresponding Source to be so 505 | available, or (2) arrange to deprive yourself of the benefit of the 506 | patent license for this particular work, or (3) arrange, in a manner 507 | consistent with the requirements of this License, to extend the patent 508 | license to downstream recipients. "Knowingly relying" means you have 509 | actual knowledge that, but for the patent license, your conveying the 510 | covered work in a country, or your recipient's use of the covered work 511 | in a country, would infringe one or more identifiable patents in that 512 | country that you have reason to believe are valid. 513 | 514 | If, pursuant to or in connection with a single transaction or 515 | arrangement, you convey, or propagate by procuring conveyance of, a 516 | covered work, and grant a patent license to some of the parties 517 | receiving the covered work authorizing them to use, propagate, modify 518 | or convey a specific copy of the covered work, then the patent license 519 | you grant is automatically extended to all recipients of the covered 520 | work and works based on it. 521 | 522 | A patent license is "discriminatory" if it does not include within 523 | the scope of its coverage, prohibits the exercise of, or is 524 | conditioned on the non-exercise of one or more of the rights that are 525 | specifically granted under this License. You may not convey a covered 526 | work if you are a party to an arrangement with a third party that is 527 | in the business of distributing software, under which you make payment 528 | to the third party based on the extent of your activity of conveying 529 | the work, and under which the third party grants, to any of the 530 | parties who would receive the covered work from you, a discriminatory 531 | patent license (a) in connection with copies of the covered work 532 | conveyed by you (or copies made from those copies), or (b) primarily 533 | for and in connection with specific products or compilations that 534 | contain the covered work, unless you entered into that arrangement, 535 | or that patent license was granted, prior to 28 March 2007. 536 | 537 | Nothing in this License shall be construed as excluding or limiting 538 | any implied license or other defenses to infringement that may 539 | otherwise be available to you under applicable patent law. 540 | 541 | 12. No Surrender of Others' Freedom. 542 | 543 | If conditions are imposed on you (whether by court order, agreement or 544 | otherwise) that contradict the conditions of this License, they do not 545 | excuse you from the conditions of this License. If you cannot convey a 546 | covered work so as to satisfy simultaneously your obligations under this 547 | License and any other pertinent obligations, then as a consequence you may 548 | not convey it at all. For example, if you agree to terms that obligate you 549 | to collect a royalty for further conveying from those to whom you convey 550 | the Program, the only way you could satisfy both those terms and this 551 | License would be to refrain entirely from conveying the Program. 552 | 553 | 13. Use with the GNU Affero General Public License. 554 | 555 | Notwithstanding any other provision of this License, you have 556 | permission to link or combine any covered work with a work licensed 557 | under version 3 of the GNU Affero General Public License into a single 558 | combined work, and to convey the resulting work. The terms of this 559 | License will continue to apply to the part which is the covered work, 560 | but the special requirements of the GNU Affero General Public License, 561 | section 13, concerning interaction through a network will apply to the 562 | combination as such. 563 | 564 | 14. Revised Versions of this License. 565 | 566 | The Free Software Foundation may publish revised and/or new versions of 567 | the GNU General Public License from time to time. Such new versions will 568 | be similar in spirit to the present version, but may differ in detail to 569 | address new problems or concerns. 570 | 571 | Each version is given a distinguishing version number. If the 572 | Program specifies that a certain numbered version of the GNU General 573 | Public License "or any later version" applies to it, you have the 574 | option of following the terms and conditions either of that numbered 575 | version or of any later version published by the Free Software 576 | Foundation. If the Program does not specify a version number of the 577 | GNU General Public License, you may choose any version ever published 578 | by the Free Software Foundation. 579 | 580 | If the Program specifies that a proxy can decide which future 581 | versions of the GNU General Public License can be used, that proxy's 582 | public statement of acceptance of a version permanently authorizes you 583 | to choose that version for the Program. 584 | 585 | Later license versions may give you additional or different 586 | permissions. However, no additional obligations are imposed on any 587 | author or copyright holder as a result of your choosing to follow a 588 | later version. 589 | 590 | 15. Disclaimer of Warranty. 591 | 592 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 593 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 594 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 595 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 596 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 597 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 598 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 599 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 600 | 601 | 16. Limitation of Liability. 602 | 603 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 604 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 605 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 606 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 607 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 608 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 609 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 610 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 611 | SUCH DAMAGES. 612 | 613 | 17. Interpretation of Sections 15 and 16. 614 | 615 | If the disclaimer of warranty and limitation of liability provided 616 | above cannot be given local legal effect according to their terms, 617 | reviewing courts shall apply local law that most closely approximates 618 | an absolute waiver of all civil liability in connection with the 619 | Program, unless a warranty or assumption of liability accompanies a 620 | copy of the Program in return for a fee. 621 | 622 | END OF TERMS AND CONDITIONS 623 | 624 | How to Apply These Terms to Your New Programs 625 | 626 | If you develop a new program, and you want it to be of the greatest 627 | possible use to the public, the best way to achieve this is to make it 628 | free software which everyone can redistribute and change under these terms. 629 | 630 | To do so, attach the following notices to the program. It is safest 631 | to attach them to the start of each source file to most effectively 632 | state the exclusion of warranty; and each file should have at least 633 | the "copyright" line and a pointer to where the full notice is found. 634 | 635 | 636 | Copyright (C) 637 | 638 | This program is free software: you can redistribute it and/or modify 639 | it under the terms of the GNU General Public License as published by 640 | the Free Software Foundation, either version 3 of the License, or 641 | (at your option) any later version. 642 | 643 | This program is distributed in the hope that it will be useful, 644 | but WITHOUT ANY WARRANTY; without even the implied warranty of 645 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 646 | GNU General Public License for more details. 647 | 648 | You should have received a copy of the GNU General Public License 649 | along with this program. If not, see . 650 | 651 | Also add information on how to contact you by electronic and paper mail. 652 | 653 | If the program does terminal interaction, make it output a short 654 | notice like this when it starts in an interactive mode: 655 | 656 | Copyright (C) 657 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 658 | This is free software, and you are welcome to redistribute it 659 | under certain conditions; type `show c' for details. 660 | 661 | The hypothetical commands `show w' and `show c' should show the appropriate 662 | parts of the General Public License. Of course, your program's commands 663 | might be different; for a GUI interface, you would use an "about box". 664 | 665 | You should also get your employer (if you work as a programmer) or school, 666 | if any, to sign a "copyright disclaimer" for the program, if necessary. 667 | For more information on this, and how to apply and follow the GNU GPL, see 668 | . 669 | 670 | The GNU General Public License does not permit incorporating your program 671 | into proprietary programs. If your program is a subroutine library, you 672 | may consider it more useful to permit linking proprietary applications with 673 | the library. If this is what you want to do, use the GNU Lesser General 674 | Public License instead of this License. But first, please read 675 | . 676 | 677 | -------------------------------------------------------------------------------- /Code/screened_poisson_enhancement/README.txt: -------------------------------------------------------------------------------- 1 | % Screened Poisson Equation 2 | 3 | # ABOUT 4 | 5 | * Author : Catalina Sbert 6 | Ana Belén Petro 7 | * Copyright : (C) 2009-2013 IPOL Image Processing On Line http://www.ipol.im/ 8 | * License : GPL v3+, see GPLv3.txt 9 | 10 | * Version 1, released on November 15, 2013 11 | 12 | # OVERVIEW 13 | 14 | Given an image f, the algorithm computes a new image $u$ with the same gradient and with minimum variance. The solution is obtained by solving a Screened Poisson Equation using the Fast Fourier Transform as described in IPOL 15 | http://www.ipol.im/pub/algo/mps_screened_poisson_equation/ 16 | 17 | This program reads a PNG image, given L the tradeoff parameter between the two terms of the functional, and s the percentage of saturation of the simplest color balance the program computes a new PNG image as the solution of the screened Poisson equation. 18 | The program works on each color channel independently. 19 | 20 | # REQUIREMENTS 21 | 22 | The code is written in ANSI C, and should compile on any system with 23 | an ANSI C compiler. 24 | 25 | The io_png library is required for read and write a png image. 26 | 27 | The libpng header and libraries are required on the system for 28 | compilation and execution. See http://www.libpng.org/pub/png/libpng.html 29 | 30 | The fftw3 header and libraries are required on the system for 31 | compilation and execution. See http://www.fftw.org/ 32 | 33 | # COMPILATION 34 | 35 | Simply use the provided makefile, with the command `make`. 36 | 37 | # USAGE 38 | 39 | screened_poisson L input sim_input output [s] 40 | L the tradeoff parameter of the functional in (0, 2] 41 | input input file 42 | sim_input simplest color balance of the input 43 | output the solution after a simplest color balance with s% of saturation 44 | [s] optional parameter, the percentage of saturation of the simplest color balance, by default 0.1. 45 | 46 | 47 | #EXAMPLE 48 | 49 | ./screened_poisson 0.003 bias.png sbc_bias.png bias_output.png 50 | 51 | 52 | #CREDITS AND ACKNOWLEDGMENTS 53 | 54 | The author of io_png library is Nicolas Limare. 55 | 56 | # ABOUT THIS FILE 57 | 58 | Copyright 2009-2013 IPOL Image Processing On Line http://www.ipol.im/ 59 | Author: Catalina Sbert 60 | 61 | Copying and distribution of this file, with or without modification, 62 | are permitted in any medium without royalty provided the copyright 63 | notice and this notice are preserved. This file is offered as-is, 64 | without any warranty. 65 | -------------------------------------------------------------------------------- /Code/screened_poisson_enhancement/screenedPoisson.m: -------------------------------------------------------------------------------- 1 | function [ Iout ] = screenedPoisson( I, lambda ) 2 | I = double(I); 3 | It = (fft2(I)); % Fourier Transform of input 4 | [m,n] = size(It); 5 | % constant parts of the multiplier in Fourier domain 6 | normx=(pi^2)/(m^2); 7 | normy=(pi^2)/(n^2); 8 | 9 | for i = 1:m 10 | for j = 1:n 11 | if (i==1) && (j==1) 12 | It(i,j) = 0; 13 | else 14 | coeff = normx*(i^2)+normy*(j^2); 15 | % Solution to the Screened Poisson Equation in Fourier domain 16 | It(i,j)=It(i,j)*coeff/(coeff+lambda); 17 | end 18 | end 19 | end 20 | 21 | Iout = real(ifft2(It))/(4*m*n); % Inverse FFT, back to spatial 22 | 23 | end 24 | 25 | -------------------------------------------------------------------------------- /Code/screened_poisson_enhancement/screenedPoissonEnhancement.m: -------------------------------------------------------------------------------- 1 | function [ Iout ] = screenedPoissonEnhancement( I, lambda, s ) 2 | % MATLAB Implementation of the C code by Sbert and Petro (see reference) 3 | 4 | if (size(I,3) > 1) 5 | [m,n,~] = size(I); 6 | 7 | % Process each color channel separately 8 | IR = simplestColorBalance( reshape(I(:,:,1),m,n), s ); % Color balance the input 9 | It = screenedPoisson( IR, lambda ); % Screened Poisson equation based filtering 10 | Iout(:,:,1) = reshape( simplestColorBalance(It,s), m, n, 1); % Color balance the output 11 | 12 | % Repeat for other 2 channels 13 | IG = simplestColorBalance( reshape(I(:,:,2),m,n), s ); 14 | It = screenedPoisson( IG, lambda ); 15 | Iout(:,:,2) = reshape( simplestColorBalance(It,s), m, n, 1); 16 | 17 | IB = simplestColorBalance( reshape(I(:,:,3),m,n), s ); 18 | It = screenedPoisson( IB, lambda ); 19 | Iout(:,:,3) = reshape( simplestColorBalance(It,s), m, n, 1); 20 | else 21 | % Grayscale case 22 | Ic = simplestColorBalance( I, s ); 23 | It = screenedPoisson( Ic, lambda ); 24 | Iout = simplestColorBalance(It,s); 25 | end 26 | 27 | end 28 | 29 | -------------------------------------------------------------------------------- /Code/screened_poisson_enhancement/simplestColorBalance.m: -------------------------------------------------------------------------------- 1 | function [ Ic ] = simplestColorBalance( I, s ) 2 | % Implements the color balance from 3 | % N. Limare, J.L. Lisani, J.M. Morel, A.B. Petro, and C. Sbert, Simplest Color Balance, 4 | % Image Processing On Line, (2011). http://dx.doi.org/10.5201/ipol.2011.llmps-scb 5 | 6 | I = double(I); 7 | Ic = I; 8 | [m,n] = size(I); 9 | data = sort(reshape(I,1,m*n)); 10 | per = round(s*m*n/100); 11 | minVal = data(per); 12 | maxVal = data(m*n-1-per); 13 | 14 | if (maxVal <= minVal) 15 | for i = 1:m 16 | for j = 1:n 17 | Ic(i,j) = maxVal; 18 | end 19 | end 20 | else 21 | for i = 1:m 22 | for j = 1:n 23 | if Ic(i,j) < minVal % saturate at 0 24 | Ic(i,j) = 0; 25 | elseif Ic(i,j) > maxVal % saturate at 255 26 | Ic(i,j) = 255; 27 | else 28 | Ic(i,j) = 255*(Ic(i,j)-minVal)/(maxVal-minVal); % color balance 29 | end 30 | end 31 | end 32 | end 33 | 34 | end 35 | 36 | -------------------------------------------------------------------------------- /Code/spatial_temporal_information_fusion_video/dcDehazingSTCoh.m: -------------------------------------------------------------------------------- 1 | function [ Iout, nA ] = dcDehazingSTCoh( I,t_map,A,win_size,i,gap ) 2 | % Function using Dark Channel Prior and Spatial Temporal Information Fusion for Video frame (see references) 3 | % Refines tranmission through Guided Filter and obtains dehazed image from new transmission 4 | 5 | % Parameters for guided filter 6 | r = 15; % Window size parameter 7 | res = 0.001; % epsilon parameter in Guided filter equation 8 | 9 | [m, n, ~] = size(I); 10 | % Estimate airlight 11 | nA = A; 12 | if mod(i,gap) ~= 1 13 | dark_channel = get_dark_channel(I, win_size); 14 | nA = get_atmosphere(I, dark_channel); 15 | % Weighted with old value 16 | nA = 0.7*A + 0.3*nA; 17 | end 18 | % Refine tranmission using Guided Filter (Function from Dark Channel code) 19 | nt_map = reshape(guided_filter(rgb2gray(I), t_map, r, res), m, n); 20 | % Get dehazed image from new transmission map 21 | Iout = get_radiance(I, nt_map, nA); 22 | 23 | end 24 | 25 | -------------------------------------------------------------------------------- /Code/spatial_temporal_information_fusion_video/imageFromTransmissionMap.m: -------------------------------------------------------------------------------- 1 | function [img_dehazed] = imageFromTransmissionMap(img_hazy,transmission, air_light, gamma) 2 | %% This is part of the function in non_local_dehazing.m which computes the dehazed image 3 | % from the given tranmission map 4 | 5 | %% 6 | % This is the core function implementing the non-local image dehazing algorithm 7 | % described in the paper: 8 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 9 | % which can be found at: 10 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 11 | % If you use this code, please cite our paper. 12 | % 13 | % The software code of the non-local image dehazing algorithm is provided 14 | % under the attached Non-commercial_copyright_license.rtf 15 | % The license can also be found at: 16 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 17 | % 18 | % 19 | % Input arguments: (changed from original) 20 | % ---------------- 21 | % img_hazy - A hazy image in the range [0,255], type: uint8 22 | % transmission - Transmission map of the scene, in the range [0,1] 23 | % air_light - As estimated by prior methods, normalized to the range [0,1] 24 | % gamma - Radiometric correction. If empty, 1 is assumed 25 | % 26 | % Output arguments: (changed from original) 27 | % ---------------- 28 | % img_dehazed - The restored radiance of the scene (uint8) 29 | % 30 | % Author: Dana Berman, 2016. 31 | 32 | 33 | %% Compute Dehazed image 34 | trans_min = 0.1; 35 | [h,w,n_colors] = size(img_hazy); 36 | img_hazy = im2double(img_hazy); 37 | img_hazy_corrected = img_hazy.^gamma; % radiometric correction 38 | img_dehazed = zeros(h,w,n_colors); 39 | leave_haze = 1.06; % leave a bit of haze for a natural look (set to 1 to reduce all haze) 40 | for color_idx = 1:3 41 | img_dehazed(:,:,color_idx) = ( img_hazy_corrected(:,:,color_idx) - ... 42 | (1-leave_haze.*transmission).*air_light(color_idx) )./ max(transmission,trans_min); 43 | end 44 | 45 | % Limit each pixel value to the range [0, 1] (avoid numerical problems) 46 | img_dehazed(img_dehazed>1) = 1; 47 | img_dehazed(img_dehazed<0) = 0; 48 | img_dehazed = img_dehazed.^(1/gamma); % radiometric correction 49 | 50 | % For display, we perform a global linear contrast stretch on the output, 51 | % clipping 0.5% of the pixel values both in the shadows and in the highlights 52 | adj_percent = [0.005, 0.995]; 53 | img_dehazed = adjust(img_dehazed,adj_percent); 54 | 55 | img_dehazed = im2uint8(img_dehazed); 56 | 57 | end % function imageFromTransmissionMap 58 | -------------------------------------------------------------------------------- /Code/spatial_temporal_information_fusion_video/nLDehazingSTCoh.m: -------------------------------------------------------------------------------- 1 | function [ Iout, nA ] = nLDehazingSTCoh( I,t_map,A,gamma,i ) 2 | % Function using Non Local Dehazing and Spatial Temporal Information Fusion for Video frame (see references) 3 | % Refines tranmission through Guided Filter and obtains dehazed image from new transmission 4 | 5 | % Parameters for guided filter 6 | r = 15; % Window size parameter 7 | res = 0.001; % epsilon parameter in Guided filter equation 8 | 9 | [m, n, ~] = size(I); 10 | nA = zeros(1,1,3); 11 | if (i == 1) % For first frame 12 | nA = A; 13 | else 14 | % Estimate airlight like in Dark Channel Prior Method 15 | dark_channel = get_dark_channel(double(I)/255, 15); 16 | airlight = get_atmosphere(double(I)/255, dark_channel); 17 | % Weighted with old value 18 | nA(1) = 0.7*A(1) + 0.3*airlight(1); nA(2) = 0.7*A(2) + 0.3*airlight(2); nA(3) = 0.7*A(3) + 0.3*airlight(3); 19 | end 20 | % Refine tranmission using Guided Filter (Function from Dark Channel code) 21 | nt_map = reshape(guided_filter(rgb2gray(double(I)), t_map, r, res), m, n); 22 | % Get dehazed image from new transmission map 23 | Iout = imageFromTransmissionMap(I, nt_map, nA, gamma); 24 | 25 | end 26 | 27 | -------------------------------------------------------------------------------- /Code/spatial_temporal_information_fusion_video/non_local_dehazing_trans.m: -------------------------------------------------------------------------------- 1 | function transmission = non_local_dehazing_trans(img_hazy, air_light, gamma) 2 | %% This is part of the function in non_local_dehazing.m which computes only the transmission map 3 | 4 | %% 5 | % This is the core function implementing the non-local image dehazing algorithm 6 | % described in the paper: 7 | % Non-Local Image Dehazing. Berman, D. and Treibitz, T. and Avidan S., CVPR2016, 8 | % which can be found at: 9 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/NonLocalDehazing_CVPR2016.pdf 10 | % If you use this code, please cite our paper. 11 | % 12 | % The software code of the non-local image dehazing algorithm is provided 13 | % under the attached Non-commercial_copyright_license.rtf 14 | % The license can also be found at: 15 | % www.eng.tau.ac.il/~berman/NonLocalDehazing/Non-commercial_copyright_license.rtf 16 | % 17 | % 18 | % Input arguments: 19 | % ---------------- 20 | % img_hazy - A hazy image in the range [0,255], type: uint8 21 | % air_light - As estimated by prior methods, normalized to the range [0,1] 22 | % gamma - Radiometric correction. If empty, 1 is assumed 23 | % 24 | % Output arguments: (changed from original) 25 | % ---------------- 26 | % transmission - Transmission map of the scene, in the range [0,1] 27 | % 28 | % Author: Dana Berman, 2016. 29 | 30 | 31 | %% Validate input 32 | [h,w,n_colors] = size(img_hazy); 33 | if (n_colors ~= 3) % input verification 34 | error(['Dehazing on sphere requires an RGB image, while input ',... 35 | 'has only ',num2str(n_colors),' dimensions']); 36 | end 37 | 38 | if ~exist('air_light','var') || isempty(air_light) || (numel(air_light)~=3) 39 | error('Dehazing on sphere requires an RGB airlight'); 40 | end 41 | 42 | if ~exist('gamma','var') || isempty(gamma), gamma = 1; end 43 | 44 | img_hazy = im2double(img_hazy); 45 | img_hazy_corrected = img_hazy.^gamma; % radiometric correction 46 | 47 | %% Finding Haze-lines 48 | % Translate the coordinate system to be air_light-centric (Eq. (3)) 49 | dist_from_airlight = double(zeros(h,w,n_colors)); 50 | for color_idx=1:n_colors 51 | dist_from_airlight(:,:,color_idx) = img_hazy_corrected(:,:,color_idx) - air_light(:,:,color_idx); 52 | end 53 | 54 | % Calculate radius (Eq. (5)) 55 | radius = sqrt( dist_from_airlight(:,:,1).^2 + dist_from_airlight(:,:,2).^2 +dist_from_airlight(:,:,3).^2 ); 56 | 57 | % Cluster the pixels to haze-lines 58 | % Use a KD-tree impementation for fast clustering according to their angles 59 | dist_unit_radius = reshape(dist_from_airlight,[h*w,n_colors]); 60 | dist_norm = sqrt(sum(dist_unit_radius.^2,2)); 61 | dist_unit_radius = bsxfun(@rdivide, dist_unit_radius, dist_norm); 62 | Npoints = 1000; 63 | load(['TR',num2str(Npoints),'.mat']); 64 | mdl = KDTreeSearcher(TR.Points); 65 | ind = knnsearch(mdl, dist_unit_radius); 66 | 67 | %% Estimating Initial Transmission 68 | 69 | % Estimate radius as the maximal radius in each haze-line (Eq. (11)) 70 | K = accumarray(ind,radius(:),[Npoints,1],@max); 71 | radius_new = reshape( K(ind), h, w); 72 | 73 | % Estimate transmission as radii ratio (Eq. (12)) 74 | transmission_estimation = radius./radius_new; 75 | 76 | % Limit the transmission to the range [trans_min, 1] for numerical stability 77 | trans_min = 0.1; 78 | transmission_estimation = min(max(transmission_estimation, trans_min),1); 79 | 80 | %% Regularization 81 | 82 | % Apply lower bound from the image (Eqs. (13-14)) 83 | trans_lower_bound = 1 - min(bsxfun(@rdivide,img_hazy_corrected,reshape(air_light,1,1,3)) ,[],3); 84 | transmission_estimation = max(transmission_estimation, trans_lower_bound); 85 | 86 | % Solve optimization problem (Eq. (15)) 87 | % find bin counts for reliability - small bins (#pixels<50) do not comply with 88 | % the model assumptions and should be disregarded 89 | bin_count = accumarray(ind,1,[Npoints,1]); 90 | bin_count_map = reshape(bin_count(ind),h,w); 91 | bin_eval_fun = @(x) min(1, x/50); 92 | 93 | % Calculate std - this is the data-term weight of Eq. (15) 94 | K_std = accumarray(ind,radius(:),[Npoints,1],@std); 95 | radius_std = reshape( K_std(ind), h, w); 96 | radius_eval_fun = @(r) min(1, 3*max(0.001, r-0.1)); 97 | radius_reliability = radius_eval_fun(radius_std./max(radius_std(:))); 98 | data_term_weight = bin_eval_fun(bin_count_map).*radius_reliability; 99 | lambda = 0.1; 100 | transmission = wls_optimization(transmission_estimation, data_term_weight, img_hazy, lambda); 101 | 102 | end % function non_local_dehazing_trans 103 | -------------------------------------------------------------------------------- /Code/videoDehazing.m: -------------------------------------------------------------------------------- 1 | % Main file for Video Dehazing 2 | % Uses functions from image dehazing methods (see references) 3 | clc 4 | clear all 5 | close all 6 | addpath('non_local_dehazing','Dark-Channel-Haze-Removal-master','screened_poisson_enhancement','spatial_temporal_information_fusion_video') 7 | 8 | % Select Video to dehaze 9 | try 10 | mov=VideoReader('input.mp4'); 11 | catch 12 | warning('Input Video Not Found'); 13 | return 14 | end 15 | 16 | % Write Output video 17 | try 18 | vidObj = VideoWriter('dehazed_output'); 19 | catch 20 | warning('Ouput Video cannot be written'); 21 | return 22 | end 23 | 24 | 25 | % Video Processing Method 26 | % fmethod = 'frameByFrame'; % Dehazing algorithm applied on each frame separately 27 | fmethod = 'spatialTemporalFusion'; % Spatial-Temporal Information Fusion 28 | 29 | % Interval at which transmission is recomputed in S-T Information Fusion 30 | gap = 10; 31 | 32 | % Dehazing method (uncomment the one to use) 33 | dmethod = 'nld'; % Non-local dehazing 34 | % dmethod = 'dcp'; % Dark Channel Prior 35 | % dmethod = 'sp'; % Screened Poisson Contrast Enhancement 36 | 37 | % Parameters for each method (default values provided) 38 | % NLD 39 | gamma = 1; % Radiometric correction 40 | 41 | % DCP 42 | omega = 0.95; % Parameter to keep little haze for distant objects 43 | win_size = 5; % Patch size in dark channel method 44 | 45 | % SP 46 | lambda = 0.0001; % tradeoff parameter 47 | s = 0.2; % color saturation percentage 48 | 49 | %------------------------------------------------------------------------- 50 | 51 | open(vidObj); 52 | nFrames=mov.NumberOfFrames; 53 | ts = tic; 54 | if strcmp(dmethod,'nld') % Non-local Dehazing 55 | if strcmp(fmethod,'frameByFrame') 56 | for i=1:nFrames 57 | I=read(mov,i); % Read frame 58 | % Airlight estimation using the approach in Dark Channel Prior method 59 | dark_channel = get_dark_channel(double(I)/255, win_size); 60 | airlight = get_atmosphere(double(I)/255, dark_channel); 61 | A = zeros(1,1,3); A(1) = airlight(1); A(2) = airlight(2); A(3) = airlight(3); 62 | % Non-local Dehazing algorithm 63 | [Iout, trans_refined] = non_local_dehazing(I, A, gamma ); 64 | writeVideo(vidObj,uint8(Iout)); 65 | end 66 | elseif strcmp(fmethod,'spatialTemporalFusion') 67 | for i=1:nFrames 68 | I=read(mov,i); % Read frame 69 | if mod(i,gap) == 1 % Only for frames at intervals of gap 70 | if i == 1 % for the first frame 71 | % Airlight estimation using the approach in Dark Channel Prior method 72 | dark_channel = get_dark_channel(double(I)/255, win_size); 73 | airlight = get_atmosphere(double(I)/255, dark_channel); 74 | A = zeros(1,1,3); A(1) = airlight(1); A(2) = airlight(2); A(3) = airlight(3); 75 | % Non-local Dehazing algorithm to obtain the transmission map 76 | ot_map = non_local_dehazing_trans(I, A, gamma ); % Transmission Map of first frame from NLD 77 | nt_map = ot_map; % Will store Tranmission Map of frame at gap distance from current frame 78 | t_map = ot_map; % Set current map as map for first frame 79 | end 80 | if (i+gap) > nFrames % No frame at gap distance from current frame 81 | % Video near its end 82 | ot_map = nt_map; % Update current frame's transmission map 83 | nt_mapf = nt_map; % Use same map for the frame at gap distance (for computation) 84 | else % Frame exists at gap distance from current frame 85 | nI = read(mov,i+gap); % Read frame at gap distance 86 | % Airlight estimation using the approach in Dark Channel Prior method 87 | dark_channel = get_dark_channel(double(nI)/255, win_size); 88 | airlight = get_atmosphere(double(nI)/255, dark_channel); 89 | nA = zeros(1,1,3); nA(1) = airlight(1); nA(2) = airlight(2); nA(3) = airlight(3); 90 | nA = 0.7*A + 0.3*nA; % airlight weighted average with old airlight 91 | nt_mapf = non_local_dehazing_trans(nI, nA, gamma ); % compute transmission map from NLD 92 | end 93 | if (i > 1) 94 | % Set current map as average of current map, map at gap interval backward and forward 95 | % To avoid flickering 96 | t_map = 0.333*(nt_map + ot_map + nt_mapf); 97 | ot_map = t_map; % Save this map for use in linear interpolation for following frames 98 | end 99 | if (i+gap) <= nFrames 100 | nt_map = nt_mapf; % Update map of frame at gap interval, also to be used for linear interpolation 101 | end 102 | 103 | % For all other frames in between 104 | else 105 | tgap = mod(i,gap); % Determine position in the current set of gap frames 106 | if tgap == 0 107 | tgap = gap; 108 | end 109 | % Linear interpolation between map at first frame of the current set 110 | % and last frame of the set (at gap interval from the first frame) 111 | t_map = ot_map + ((tgap-1)/gap)*(nt_map-ot_map); 112 | end 113 | 114 | % Refine the transmission estimate using Guided Filter and get dehazed frame 115 | % also get updated airlight which will be propagated 116 | [Iout, A] = nLDehazingSTCoh(I,t_map,A,gamma,i); 117 | 118 | writeVideo(vidObj,uint8(Iout)); 119 | end 120 | end 121 | elseif strcmp(dmethod,'dcp') % Dark Channel Prior 122 | if strcmp(fmethod,'frameByFrame') 123 | for i=1:nFrames 124 | I=read(mov,i); % Read frame 125 | % Faster version of DCP 126 | writeVideo(vidObj,uint8(dehaze_fast( double(I), omega, win_size ))); % Airlight estimation inside 127 | end 128 | elseif strcmp(fmethod,'spatialTemporalFusion') 129 | % One difference with the corresponding section in NLD is here the 130 | % map of the frame at gap interval which is computed from DCP 131 | % method does not need to be averaged with frames at gap 132 | % distances backward and forward from it to reduce flickering. 133 | % Same linear interpolation method for intermediate frames 134 | for i=1:nFrames 135 | I=double(read(mov,i)); % Read frame 136 | if mod(i,gap) == 1 % Only for frames at intervals of gap 137 | if i == 1 % for the first frame 138 | % Airlight estimation 139 | dark_channel = get_dark_channel(I, win_size); 140 | A = get_atmosphere(I, dark_channel); 141 | ot_map = get_transmission_estimate(I, A, omega, win_size); % Transmission Map of first frame from DCP 142 | else 143 | ot_map = nt_map; % update map of first frame in current set of gap frames 144 | A = 0.7*A + 0.3*nA; % Airlight a weighted average with old value 145 | end 146 | if (i+gap) > nFrames % No frame at gap distance from current frame 147 | % Video near its end 148 | nt_map = ot_map; % Use same map for the frame at gap distance (for computation) 149 | nA = A; % Use same value of airlight as old one 150 | else 151 | nI = double(read(mov,i+gap)); % Read frame at gap distance 152 | % Compute airlight 153 | ndark_channel = get_dark_channel(nI, win_size); 154 | nA = get_atmosphere(nI, ndark_channel); 155 | if (i > 1) 156 | nA = 0.7*A + 0.3*nA; % weighted average with old value 157 | end 158 | % compute transmission map for frame at gap distance using DCP 159 | nt_map = get_transmission_estimate(nI, nA, omega, win_size); 160 | end 161 | end 162 | % Now for all frames 163 | % Linear interpolation between map at first frame of the current set 164 | % and last frame of the set (at gap interval from the first frame) 165 | tgap = mod(i,gap); 166 | if tgap == 0 167 | tgap = gap; 168 | end 169 | t_map = ot_map + ((tgap-1)/gap)*(nt_map-ot_map); 170 | 171 | % Refine the transmission estimate using Guided Filter and get dehazed frame 172 | % also get updated airlight which will be propagated 173 | [Iout, A] = dcDehazingSTCoh(I,t_map,A,win_size,i,gap); 174 | 175 | writeVideo(vidObj,uint8(Iout)); 176 | end 177 | end 178 | elseif strcmp(dmethod,'sp') % Screened Poisson Enhancement 179 | if strcmp(fmethod,'frameByFrame') 180 | for i=1:nFrames 181 | I=read(mov,i); % Read frame 182 | % Screened Poisson Equation based Image Enhancement 183 | writeVideo(vidObj,uint8(screenedPoissonEnhancement( I, lambda, s ))); 184 | end 185 | elseif strcmp(fmethod,'spatialTemporalFusion') 186 | disp('Spatial-Temporal Information Fusion not compatible with Screened Poisson') 187 | end 188 | end 189 | elapsed = toc(ts); 190 | disp('Elapsed time in seconds : ') 191 | disp(elapsed) 192 | close(vidObj); -------------------------------------------------------------------------------- /Code/videoEvaluationMetrics.m: -------------------------------------------------------------------------------- 1 | % Video Evaluation Metrics used in Qing et al. (see references) 2 | % Better Dehazing - Lower Mc, Higher Ec and Gc in dehazed video 3 | 4 | clear all 5 | 6 | % Video to evaluate 7 | try 8 | mov = VideoReader('dehazed_output.avi'); 9 | catch 10 | warning('Video Not Found'); 11 | return 12 | end 13 | 14 | 15 | nFrames = mov.numberOfFrames; 16 | meanc = []; 17 | ec = []; 18 | gc = []; 19 | 20 | for i = 1:nFrames 21 | I = read(mov,i); 22 | if (size(I,3) == 1) % Grayscale 23 | [m,n] = size(I); 24 | meanc = [meanc; mean(mean(I))]; % mean value 25 | h = imhist(I)/(m*n); % compute histogram 26 | ec = [ec; sum(-h.*log2(0.0001+h))]; % entropy 27 | j = 1:m-1; k = 1:n-1; 28 | gx = zeros(m-1,n-1); gy = zeros(m-1,n-1); 29 | gx(j,k) = I(j,k+1) - I(j,k); % gradient along x direction 30 | gy(j,k) = I(j+1,k) - I(j,k); % gradient along y direction 31 | gc = [gc; mean(mean(sqrt(0.5*(gx.^2 + gy.^2))))]; % average of gradient magnitude 32 | else % Color 33 | [m,n,~] = size(I); 34 | meanc = [meanc; reshape(mean(mean(I)),1,3)]; % mean value 35 | h1 = imhist(I(:,:,1))/(m*n); % compute histogram in each channel 36 | h2 = imhist(I(:,:,2))/(m*n); 37 | h3 = imhist(I(:,:,3))/(m*n); 38 | ec = [ec; [sum(-h1.*log2(0.0001+h1)),sum(-h2.*log2(0.0001+h2)),sum(-h3.*log2(0.0001+h3))]]; % entropy 39 | j = 1:m-1; k = 1:n-1; 40 | gx = zeros(m-1,n-1,3); gy = zeros(m-1,n-1,3); 41 | gx(j,k,:) = I(j,k+1,:) - I(j,k,:); % gradient along x direction 42 | gy(j,k,:) = I(j+1,k,:) - I(j,k,:); % gradient along y direction 43 | gc = [gc; reshape(mean(mean(sqrt(0.5*(gx.^2 + gy.^2)))),1,3)]; % average of gradient magnitude 44 | end 45 | end 46 | 47 | disp('In order of channels ') 48 | meanc = mean(meanc); 49 | disp('Mean value Mc for video = '); 50 | disp(meanc) 51 | ec = mean(ec); 52 | disp('Entropy Ec for video = '); 53 | disp(ec) 54 | gc = mean(gc); 55 | disp('Average Gradient Gc for video = '); 56 | disp(gc) 57 | 58 | -------------------------------------------------------------------------------- /Presentation.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/Presentation.pdf -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Robotics-Course-project 2 | Haze can cause poor visibility and loss of contrast in images and videos. In this article, we study the dehazing problem which can improve visibility and thus help in many computer vision applications. An extensive comparison of state of the art single image dehazing methods is done. One simple contrast enhancement method is used for dehazing. Structure- texture decomposition has been used in conjunction with this enhancement method to improve its performance in presence of synthetic noise. Methods which use a haze formation model and attempt at solving an ill-posed problem using computer vision priors are also investigated. The two priors studied are dark channel prior and the non-local prior. Both qualitative and quantitative comparisons for atmospheric and underwater images on all three methods provide a conclusive idea of which dehazing method performs better. All this knowledge has been extended to video dehazing. A video dehazing method which uses the spatial and temporal information in a video is studied in depth. An improved version of video dehazing is proposed in this article, which uses the spatial-temporal information fusion framework but does not suffer from some of its limitations. The new video dehazing method is shown to produce better results on test videos 3 | -------------------------------------------------------------------------------- /image-visibility-clarification.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/koujan/Robotics-Course-project/f6938a045e613fa16c4b77704ce2d286ebd73ae4/image-visibility-clarification.pdf --------------------------------------------------------------------------------