code
string | repo_name
string | path
string | language
string | license
string | size
int64 |
---|---|---|---|---|---|
/*
* Copyright (C) 2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef AUDIOWMARK_THREAD_POOL_HH
#define AUDIOWMARK_THREAD_POOL_HH
#include <vector>
#include <thread>
#include <functional>
#include <set>
#include <mutex>
#include <condition_variable>
class ThreadPool
{
std::vector<std::thread> threads;
struct Job
{
std::function<void()> fun;
};
std::mutex mutex;
std::condition_variable cond;
std::condition_variable main_cond;
std::vector<Job> jobs;
size_t jobs_added = 0;
size_t jobs_done = 0;
bool stop_workers = false;
bool worker_next_job (Job& job);
void worker_run();
public:
ThreadPool();
~ThreadPool();
void add_job (std::function<void()> fun);
void wait_all();
};
#endif /* AUDIOWMARK_THREAD_POOL_HH */
| Tonypythony/audiowmark | src/threadpool.hh | C++ | mit | 1,482 |
#!/usr/bin/env python3
# test how long the watermarker takes until the first audio sample is available
import subprocess
import shlex
import time
import sys
seconds = 0
for i in range (10):
start_time = time.time() * 1000
proc = subprocess.Popen (shlex.split (sys.argv[1]), stdout=subprocess.PIPE, stderr=subprocess.PIPE)
# we wait for actual audio data, so we read somewhat larger amount of data that the wave header
x = proc.stdout.read (1000)
end_time = time.time() * 1000
seconds += end_time - start_time
print ("%.2f" % (end_time - start_time), x[0:4], len (x))
print ("%.2f" % (seconds / 10), "avg")
| Tonypythony/audiowmark | src/ttfb-test.py | Python | mit | 641 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include "utils.hh"
#include "stdarg.h"
#include <sys/time.h>
using std::vector;
using std::string;
double
get_time()
{
/* return timestamp in seconds as double */
timeval tv;
gettimeofday (&tv, 0);
return tv.tv_sec + tv.tv_usec / 1000000.0;
}
static unsigned char
from_hex_nibble (char c)
{
int uc = (unsigned char)c;
if (uc >= '0' && uc <= '9') return uc - (unsigned char)'0';
if (uc >= 'a' && uc <= 'f') return uc + 10 - (unsigned char)'a';
if (uc >= 'A' && uc <= 'F') return uc + 10 - (unsigned char)'A';
return 16; // error
}
vector<int>
bit_str_to_vec (const string& bits)
{
vector<int> bitvec;
for (auto nibble : bits)
{
unsigned char c = from_hex_nibble (nibble);
if (c >= 16)
return vector<int>(); // error
bitvec.push_back ((c & 8) > 0);
bitvec.push_back ((c & 4) > 0);
bitvec.push_back ((c & 2) > 0);
bitvec.push_back ((c & 1) > 0);
}
return bitvec;
}
string
bit_vec_to_str (const vector<int>& bit_vec)
{
string bit_str;
for (size_t pos = 0; pos + 3 < bit_vec.size(); pos += 4) // convert only groups of 4 bits
{
int nibble = 0;
for (int j = 0; j < 4; j++)
{
if (bit_vec[pos + j])
{
// j == 0 has the highest value, then 1, 2, 3 (lowest)
nibble |= 1 << (3 - j);
}
}
const char *to_hex = "0123456789abcdef";
bit_str += to_hex[nibble];
}
return bit_str;
}
vector<unsigned char>
hex_str_to_vec (const string& str)
{
vector<unsigned char> result;
if ((str.size() % 2) != 0) // even length
return vector<unsigned char>();
for (size_t i = 0; i < str.size() / 2; i++)
{
unsigned char h = from_hex_nibble (str[i * 2]);
unsigned char l = from_hex_nibble (str[i * 2 + 1]);
if (h >= 16 || l >= 16)
return vector<unsigned char>();
result.push_back ((h << 4) + l);
}
return result;
}
string
vec_to_hex_str (const vector<unsigned char>& vec)
{
string s;
for (auto byte : vec)
{
char buffer[256];
sprintf (buffer, "%02x", byte);
s += buffer;
}
return s;
}
static string
string_vprintf (const char *format, va_list vargs)
{
string s;
char *str = NULL;
if (vasprintf (&str, format, vargs) >= 0 && str)
{
s = str;
free (str);
}
else
s = format;
return s;
}
string
string_printf (const char *format, ...)
{
va_list ap;
va_start (ap, format);
string s = string_vprintf (format, ap);
va_end (ap);
return s;
}
static Log log_level = Log::INFO;
void
set_log_level (Log level)
{
log_level = level;
}
static void
logv (Log log, const char *format, va_list vargs)
{
if (log >= log_level)
{
string s = string_vprintf (format, vargs);
/* could support custom log function here */
fprintf (stderr, "%s", s.c_str());
fflush (stderr);
}
}
void
error (const char *format, ...)
{
va_list ap;
va_start (ap, format);
logv (Log::ERROR, format, ap);
va_end (ap);
}
void
warning (const char *format, ...)
{
va_list ap;
va_start (ap, format);
logv (Log::WARNING, format, ap);
va_end (ap);
}
void
info (const char *format, ...)
{
va_list ap;
va_start (ap, format);
logv (Log::INFO, format, ap);
va_end (ap);
}
void
debug (const char *format, ...)
{
va_list ap;
va_start (ap, format);
logv (Log::DEBUG, format, ap);
va_end (ap);
}
| Tonypythony/audiowmark | src/utils.cc | C++ | mit | 4,127 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef AUDIOWMARK_UTILS_HH
#define AUDIOWMARK_UTILS_HH
#include <vector>
#include <string>
std::vector<int> bit_str_to_vec (const std::string& bits);
std::string bit_vec_to_str (const std::vector<int>& bit_vec);
std::vector<unsigned char> hex_str_to_vec (const std::string& str);
std::string vec_to_hex_str (const std::vector<unsigned char>& vec);
double get_time();
template<typename T>
inline const T&
bound (const T& min_value, const T& value, const T& max_value)
{
return std::min (std::max (value, min_value), max_value);
}
// detect compiler
#if __clang__
#define AUDIOWMARK_COMP_CLANG
#elif __GNUC__ > 2
#define AUDIOWMARK_COMP_GCC
#else
#error "unsupported compiler"
#endif
#ifdef AUDIOWMARK_COMP_GCC
#define AUDIOWMARK_PRINTF(format_idx, arg_idx) __attribute__ ((__format__ (gnu_printf, format_idx, arg_idx)))
#else
#define AUDIOWMARK_PRINTF(format_idx, arg_idx) __attribute__ ((__format__ (__printf__, format_idx, arg_idx)))
#endif
void error (const char *format, ...) AUDIOWMARK_PRINTF (1, 2);
void warning (const char *format, ...) AUDIOWMARK_PRINTF (1, 2);
void info (const char *format, ...) AUDIOWMARK_PRINTF (1, 2);
void debug (const char *format, ...) AUDIOWMARK_PRINTF (1, 2);
enum class Log { ERROR = 3, WARNING = 2, INFO = 1, DEBUG = 0 };
void set_log_level (Log level);
std::string string_printf (const char *fmt, ...) AUDIOWMARK_PRINTF (1, 2);
class Error
{
public:
enum class Code {
NONE,
STR
};
Error (Code code = Code::NONE) :
m_code (code)
{
switch (code)
{
case Code::NONE:
m_message = "OK";
break;
default:
m_message = "Unknown error";
}
}
explicit
Error (const std::string& message) :
m_code (Code::STR),
m_message (message)
{
}
Code
code()
{
return m_code;
}
const char *
message()
{
return m_message.c_str();
}
operator bool()
{
return m_code != Code::NONE;
}
private:
Code m_code;
std::string m_message;
};
class ScopedFile
{
FILE *m_file;
public:
ScopedFile (FILE *f) :
m_file (f)
{
}
~ScopedFile()
{
if (m_file)
fclose (m_file);
}
};
#endif /* AUDIOWMARK_UTILS_HH */
| Tonypythony/audiowmark | src/utils.hh | C++ | mit | 2,934 |
#!/bin/bash
function die
{
echo >&2 "videowmark: error: $@"
exit 1
}
# auto detect codec and bitrate from input stream, generate ffmpeg options for audio encoder
function audio_encode_options
{
ffprobe -v error -print_format compact -show_streams "$1" | grep codec_type=audio | awk -F'|' '$1 == "stream" {
for (i = 0; i < NF; i++)
print $i
}' | awk -F= '
$1 == "codec_name" {
codec = $2;
# opus encoder is experimental, ffmpeg recommends libopus for encoding
if (codec == "opus")
codec = "libopus";
printf (" -c:a %s", codec);
}
$1 == "bit_rate" {
bit_rate = $2;
if (bit_rate != "N/A")
printf (" -ab %s", bit_rate);
}'
}
# count number of audio and video streams, typical output: "audio=1:video=1"
function audio_video_stream_count
{
ffprobe -v error -print_format compact -show_streams "$1" | awk -F'|' '
{
for (i = 1; i < NF; i++)
x[$i]++;
}
END {
printf "audio=%d:video=%d\n",x["codec_type=audio"],x["codec_type=video"]
}'
}
function create_temp_files
{
local fd
for fd in "$@"
do
local tmpfile=$(mktemp /tmp/videowmark.XXXXXX)
eval "exec $fd>$tmpfile"
rm "$tmpfile"
done
}
function extension
{
echo $1 | awk -F. '{ if (NF > 1) print $NF; }'
}
function add_watermark
{
local in_file="$1"
local out_file="$2"
local bits="$3"
# check file extensions
local ext_in=$(extension "$in_file")
local ext_out=$(extension "$out_file")
[ "$ext_in" == "$ext_out" ] || die "input/output extension must match ('$ext_in' vs. '$ext_out')"
# check audio/video stream count
local stream_count=$(audio_video_stream_count "$in_file")
[ "$stream_count" == "audio=1:video=1" ] || { \
echo >&2 "videowmark: detected input file stream count: $stream_count"
die "input file must have one audio stream and one video stream"
}
# create tmpfiles
create_temp_files 3 4
local orig_wav=/dev/fd/3
local wm_wav=/dev/fd/4
# get audio as wav
ffmpeg $FFMPEG_VERBOSE -y -i "$in_file" -f wav "$orig_wav" || die "extracting audio from video failed (ffmpeg)"
# watermark
[ -z "$QUIET" ] && echo >&2 "Audio Codec: $(audio_encode_options "$in_file")"
audiowmark "${AUDIOWMARK_ARGS[@]}" add "$orig_wav" "$wm_wav" "$bits" \
--set-input-label "$in_file" --set-output-label "$out_file" || die "watermark generation failed (audiowmark)"
# rejoin
ffmpeg $FFMPEG_VERBOSE -y -i "$in_file" -i "$wm_wav" -c:v copy $(audio_encode_options "$in_file") -map 0:v:0 -map 1:a:0 "$out_file" || \
die "merging video and watermarked audio failed (ffmpeg)"
}
function get_watermark
{
local in_file="$1"
# check audio/video stream count
local stream_count=$(audio_video_stream_count "$in_file")
[ "$stream_count" == "audio=1:video=1" ] || { \
echo >&2 "videowmark: detected input file stream count: $stream_count"
die "input file must have one audio stream and one video stream"
}
# create tmpfiles
create_temp_files 3
local wav=/dev/fd/3
# get audio as wav
ffmpeg $FFMPEG_VERBOSE -y -i "$in_file" -f wav "$wav" || die "extracting audio from video failed (ffmpeg)"
# get watermark
audiowmark "${AUDIOWMARK_ARGS[@]}" get "$wav" || die "retrieving watermark from audio failed (audiowmark)"
}
function show_help_and_exit
{
cat << EOH
usage: videowmark <command> [ <args>... ]
Commands:
* create a watermarked video file with a message
videowmark add <input_video> <watermarked_video> <message_hex>
* retrieve message
videowmark get <watermarked_video>
Global options:
--strength <s> set watermark strength
--key <file> load watermarking key from file
-q, --quiet disable information messages
-v, --verbose enable ffmpeg verbose output
EOH
exit 0
}
GETOPT_TEMP=`getopt -o vhq --long verbose,quiet,help,key:,strength: -n 'videowmark' -- "$@"`
[ $? != 0 ] && exit 1 # exit on option parser errors
eval set -- "$GETOPT_TEMP"
AUDIOWMARK_ARGS=()
FFMPEG_VERBOSE="-v error"
QUIET=""
export AV_LOG_FORCE_NOCOLOR=1 # disable colored messages from ffmpeg
while true; do
case "$1" in
-v | --verbose ) FFMPEG_VERBOSE="-v info"; shift ;;
-q | --quiet ) AUDIOWMARK_ARGS+=("-q"); QUIET=1; shift ;;
-h | --help ) show_help_and_exit ;;
--key ) AUDIOWMARK_ARGS+=("--key" "$2"); shift 2 ;;
--strength ) AUDIOWMARK_ARGS+=("--strength" "$2"); shift 2 ;;
-- ) shift; break ;;
* ) break ;;
esac
done
if [ "$1" == "add" ] && [ "$#" == 4 ]; then
add_watermark "$2" "$3" "$4"
elif [ "$1" == "get" ] && [ "$#" == 2 ]; then
get_watermark "$2"
elif [ "$1" == "probe" ] && [ "$#" == 2 ]; then
echo $2 $(audio_encode_options "$2")
else
echo "videowmark: error parsing command line arguments (use videowmark -h)"
fi
| Tonypythony/audiowmark | src/videowmark | none | mit | 4,799 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include "wavdata.hh"
#include "utils.hh"
#include "audiostream.hh"
#include "sfinputstream.hh"
#include "sfoutputstream.hh"
#include "mp3inputstream.hh"
#include <memory>
#include <math.h>
using std::string;
using std::vector;
WavData::WavData()
{
}
WavData::WavData (const vector<float>& samples, int n_channels, int sample_rate, int bit_depth)
{
m_samples = samples;
m_n_channels = n_channels;
m_sample_rate = sample_rate;
m_bit_depth = bit_depth;
}
Error
WavData::load (const string& filename)
{
Error err;
std::unique_ptr<AudioInputStream> in_stream = AudioInputStream::create (filename, err);
if (err)
return err;
return load (in_stream.get());
}
Error
WavData::load (AudioInputStream *in_stream)
{
m_samples.clear(); // get rid of old contents
vector<float> m_buffer;
while (true)
{
Error err = in_stream->read_frames (m_buffer, 1024);
if (err)
return err;
if (!m_buffer.size())
{
/* reached eof */
break;
}
m_samples.insert (m_samples.end(), m_buffer.begin(), m_buffer.end());
}
m_sample_rate = in_stream->sample_rate();
m_n_channels = in_stream->n_channels();
m_bit_depth = in_stream->bit_depth();
return Error::Code::NONE;
}
Error
WavData::save (const string& filename) const
{
std::unique_ptr<AudioOutputStream> out_stream;
Error err;
out_stream = AudioOutputStream::create (filename, m_n_channels, m_sample_rate, m_bit_depth, m_samples.size() / m_n_channels, err);
if (err)
return err;
err = out_stream->write_frames (m_samples);
if (err)
return err;
err = out_stream->close();
return err;
}
int
WavData::sample_rate() const
{
return m_sample_rate;
}
int
WavData::bit_depth() const
{
return m_bit_depth;
}
void
WavData::set_samples (const vector<float>& samples)
{
m_samples = samples;
}
| Tonypythony/audiowmark | src/wavdata.cc | C++ | mit | 2,570 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef AUDIOWMARK_WAV_DATA_HH
#define AUDIOWMARK_WAV_DATA_HH
#include <string>
#include <vector>
#include "utils.hh"
#include "audiostream.hh"
class WavData
{
std::vector<float> m_samples;
int m_sample_rate = 0;
int m_n_channels = 0;
int m_bit_depth = 0;
public:
WavData();
WavData (const std::vector<float>& samples, int n_channels, int sample_rate, int bit_depth);
Error load (AudioInputStream *in_stream);
Error load (const std::string& filename);
Error save (const std::string& filename) const;
int sample_rate() const;
int bit_depth() const;
int
n_channels() const
{
return m_n_channels;
}
size_t
n_values() const
{
return m_samples.size();
}
size_t
n_frames() const
{
return m_samples.size() / m_n_channels;
}
const std::vector<float>&
samples() const
{
return m_samples;
}
void set_samples (const std::vector<float>& samples);
};
#endif /* AUDIOWMARK_WAV_DATA_HH */
| Tonypythony/audiowmark | src/wavdata.hh | C++ | mit | 1,753 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include <stdint.h>
#include <zita-resampler/resampler.h>
#include <zita-resampler/vresampler.h>
#include "wmcommon.hh"
#include "fft.hh"
#include "convcode.hh"
#include "limiter.hh"
#include "sfinputstream.hh"
#include "sfoutputstream.hh"
#include "mp3inputstream.hh"
#include "rawinputstream.hh"
#include "rawoutputstream.hh"
#include "stdoutwavoutputstream.hh"
#include "shortcode.hh"
#include "audiobuffer.hh"
using std::string;
using std::vector;
using std::complex;
using std::min;
using std::max;
enum class FrameMod : uint8_t {
KEEP = 0,
UP,
DOWN
};
static void
prepare_frame_mod (UpDownGen& up_down_gen, int f, vector<FrameMod>& frame_mod, int data_bit)
{
UpDownArray up, down;
up_down_gen.get (f, up, down);
for (auto u : up)
frame_mod[u] = data_bit ? FrameMod::UP : FrameMod::DOWN;
for (auto d : down)
frame_mod[d] = data_bit ? FrameMod::DOWN : FrameMod::UP;
}
static void
apply_frame_mod (const vector<FrameMod>& frame_mod, const vector<complex<float>>& fft_out, vector<complex<float>>& fft_delta_spect)
{
const float min_mag = 1e-7; // avoid computing pow (0.0, -water_delta) which would be inf
for (size_t i = 0; i < frame_mod.size(); i++)
{
if (frame_mod[i] == FrameMod::KEEP)
continue;
int data_bit_sign = (frame_mod[i] == FrameMod::UP) ? 1 : -1;
/*
* for up bands, we want do use [for a 1 bit] (pow (mag, 1 - water_delta))
*
* this actually increases the amount of energy because mag is less than 1.0
*/
const float mag = abs (fft_out[i]);
if (mag > min_mag)
{
const float mag_factor = powf (mag, -Params::water_delta * data_bit_sign);
fft_delta_spect[i] = fft_out[i] * (mag_factor - 1);
}
}
}
static void
mark_data (vector<vector<FrameMod>>& frame_mod, const vector<int>& bitvec)
{
assert (bitvec.size() == mark_data_frame_count() / Params::frames_per_bit);
assert (frame_mod.size() >= mark_data_frame_count());
const int frame_count = mark_data_frame_count();
if (Params::mix)
{
vector<MixEntry> mix_entries = gen_mix_entries();
for (int f = 0; f < frame_count; f++)
{
for (size_t frame_b = 0; frame_b < Params::bands_per_frame; frame_b++)
{
int b = f * Params::bands_per_frame + frame_b;
const int data_bit = bitvec[f / Params::frames_per_bit];
const int u = mix_entries[b].up;
const int d = mix_entries[b].down;
const int index = mix_entries[b].frame;
frame_mod[index][u] = data_bit ? FrameMod::UP : FrameMod::DOWN;
frame_mod[index][d] = data_bit ? FrameMod::DOWN : FrameMod::UP;
}
}
}
else
{
UpDownGen up_down_gen (Random::Stream::data_up_down);
for (int f = 0; f < frame_count; f++)
{
size_t index = data_frame_pos (f);
prepare_frame_mod (up_down_gen, f, frame_mod[index], bitvec[f / Params::frames_per_bit]);
}
}
}
static void
mark_sync (vector<vector<FrameMod>>& frame_mod, int ab)
{
const int frame_count = mark_sync_frame_count();
assert (frame_mod.size() >= mark_sync_frame_count());
UpDownGen up_down_gen (Random::Stream::sync_up_down);
// sync block always written in linear order (no mix)
for (int f = 0; f < frame_count; f++)
{
size_t index = sync_frame_pos (f);
int data_bit = (f / Params::sync_frames_per_bit + ab) & 1; /* write 010101 for a block, 101010 for b block */
prepare_frame_mod (up_down_gen, f, frame_mod[index], data_bit);
}
}
static void
init_frame_mod_vec (vector<vector<FrameMod>>& frame_mod_vec, int ab, const vector<int>& bitvec)
{
frame_mod_vec.resize (mark_sync_frame_count() + mark_data_frame_count());
for (auto& frame_mod : frame_mod_vec)
frame_mod.resize (Params::max_band + 1);
/* forward error correction */
ConvBlockType block_type = ab ? ConvBlockType::b : ConvBlockType::a;
vector<int> bitvec_fec = randomize_bit_order (code_encode (block_type, bitvec), /* encode */ true);
mark_sync (frame_mod_vec, ab);
mark_data (frame_mod_vec, bitvec_fec);
}
/* synthesizes a watermark stream (overlap add with synthesis window)
*
* input: per-channel fft delta values (always one frame)
* output: samples
*/
class WatermarkSynth
{
const int n_channels = 0;
vector<float> window;
vector<float> synth_samples;
bool first_frame = true;
FFTProcessor fft_processor;
void
generate_window()
{
window.resize (Params::frame_size * 3);
for (size_t i = 0; i < window.size(); i++)
{
const double overlap = 0.1;
// triangular basic window
double tri;
double norm_pos = (double (i) - Params::frame_size) / Params::frame_size;
if (norm_pos > 0.5) /* symmetric window */
norm_pos = 1 - norm_pos;
if (norm_pos < -overlap)
{
tri = 0;
}
else if (norm_pos < overlap)
{
tri = 0.5 + norm_pos / (2 * overlap);
}
else
{
tri = 1;
}
// cosine
window[i] = (cos (tri*M_PI+M_PI)+1) * 0.5;
}
}
public:
WatermarkSynth (int n_channels) :
n_channels (n_channels),
fft_processor (Params::frame_size)
{
generate_window();
synth_samples.resize (window.size() * n_channels);
}
vector<float>
run (const vector<vector<complex<float>>>& fft_delta_spect)
{
const size_t synth_frame_sz = Params::frame_size * n_channels;
/* move frame 1 and frame 2 to frame 0 and frame 1 */
std::copy (&synth_samples[synth_frame_sz], &synth_samples[synth_frame_sz * 3], &synth_samples[0]);
/* zero out frame 2 */
std::fill (&synth_samples[synth_frame_sz * 2], &synth_samples[synth_frame_sz * 3], 0);
for (int ch = 0; ch < n_channels; ch++)
{
/* mix watermark signal to output frame */
vector<float> fft_delta_out = fft_processor.ifft (fft_delta_spect[ch]);
for (int dframe = 0; dframe <= 2; dframe++)
{
const int wstart = dframe * Params::frame_size;
int pos = dframe * Params::frame_size * n_channels + ch;
for (size_t x = 0; x < Params::frame_size; x++)
{
synth_samples[pos] += fft_delta_out[x] * window[wstart + x];
pos += n_channels;
}
}
}
if (first_frame)
{
first_frame = false;
return {};
}
else
{
vector<float> out_samples (synth_samples.begin(), synth_samples.begin() + Params::frame_size * n_channels);
return out_samples;
}
}
size_t
skip (size_t zeros)
{
assert (zeros % Params::frame_size == 0);
if (first_frame && zeros > 0)
{
first_frame = false;
return zeros - Params::frame_size;
}
else
return zeros;
}
};
/* generates a watermark signal
*
* input: original signal samples (always for one complete frame)
* output: watermark signal (to be mixed to the original sample)
*/
class WatermarkGen
{
const int n_channels = 0;
const size_t frames_per_block = 0;
size_t frame_number = 0;
int m_data_blocks = 0;
FFTAnalyzer fft_analyzer;
WatermarkSynth wm_synth;
vector<int> bitvec;
vector<vector<FrameMod>> frame_mod_vec_a;
vector<vector<FrameMod>> frame_mod_vec_b;
public:
WatermarkGen (int n_channels, const vector<int>& bitvec) :
n_channels (n_channels),
frames_per_block (mark_sync_frame_count() + mark_data_frame_count()),
fft_analyzer (n_channels),
wm_synth (n_channels),
bitvec (bitvec)
{
/* start writing a partial B-block as padding */
assert (frames_per_block > Params::frames_pad_start);
frame_number = 2 * frames_per_block - Params::frames_pad_start;
}
vector<float>
run (const vector<float>& samples)
{
assert (samples.size() == Params::frame_size * n_channels);
vector<vector<complex<float>>> fft_out = fft_analyzer.run_fft (samples, 0);
vector<vector<complex<float>>> fft_delta_spect;
for (int ch = 0; ch < n_channels; ch++)
fft_delta_spect.push_back (vector<complex<float>> (fft_out.back().size()));
const vector<FrameMod>& frame_mod = get_frame_mod();
for (int ch = 0; ch < n_channels; ch++)
apply_frame_mod (frame_mod, fft_out[ch], fft_delta_spect[ch]);
frame_number++;
if (frame_number % frames_per_block == 0)
m_data_blocks++;
return wm_synth.run (fft_delta_spect);
}
size_t
skip (size_t zeros)
{
assert (zeros % Params::frame_size == 0);
frame_number += zeros / Params::frame_size;
return wm_synth.skip (zeros);
}
const vector<FrameMod>&
get_frame_mod()
{
const size_t f = frame_number % (frames_per_block * 2);
if (f >= frames_per_block) /* B block */
{
if (frame_mod_vec_b.empty())
init_frame_mod_vec (frame_mod_vec_b, 1, bitvec);
return frame_mod_vec_b[f - frames_per_block];
}
else /* A block */
{
if (frame_mod_vec_a.empty())
init_frame_mod_vec (frame_mod_vec_a, 0, bitvec);
return frame_mod_vec_a[f];
}
}
int
data_blocks() const
{
// first block is padding - a partial B block
return max (m_data_blocks - 1, 0);
}
};
class ResamplerImpl
{
public:
virtual
~ResamplerImpl()
{
}
virtual size_t skip (size_t zeros) = 0;
virtual void write_frames (const vector<float>& frames) = 0;
virtual vector<float> read_frames (size_t frames) = 0;
virtual size_t can_read_frames() const = 0;
};
template<class Resampler>
class BufferedResamplerImpl : public ResamplerImpl
{
const int n_channels = 0;
const int old_rate = 0;
const int new_rate = 0;
bool first_write = true;
Resampler m_resampler;
vector<float> buffer;
public:
BufferedResamplerImpl (int n_channels, int old_rate, int new_rate) :
n_channels (n_channels),
old_rate (old_rate),
new_rate (new_rate)
{
}
Resampler&
resampler()
{
return m_resampler;
}
size_t
skip (size_t zeros)
{
/* skipping a whole 1 second block should end in the same resampler state we had at the beginning */
size_t seconds = 0;
if (zeros >= Params::frame_size)
seconds = (zeros - Params::frame_size) / old_rate;
const size_t extra = new_rate * seconds;
zeros -= old_rate * seconds;
write_frames (vector<float> (zeros * n_channels));
size_t out = can_read_frames() + extra;
out -= out % Params::frame_size; /* always skip whole frames */
read_frames (out - extra);
return out;
}
void
write_frames (const vector<float>& frames)
{
if (first_write)
{
/* avoid timeshift: zita needs k/2 - 1 samples before the actual input */
m_resampler.inp_count = m_resampler.inpsize () / 2 - 1;
m_resampler.inp_data = nullptr;
m_resampler.out_count = 1000000; // <- just needs to be large enough that all input is consumed
m_resampler.out_data = nullptr;
m_resampler.process();
first_write = false;
}
uint start = 0;
do
{
const int out_count = Params::frame_size;
float out[out_count * n_channels];
m_resampler.out_count = out_count;
m_resampler.out_data = out;
m_resampler.inp_count = frames.size() / n_channels - start;
m_resampler.inp_data = const_cast<float *> (&frames[start * n_channels]);
m_resampler.process();
size_t count = out_count - m_resampler.out_count;
buffer.insert (buffer.end(), out, out + count * n_channels);
start = frames.size() / n_channels - m_resampler.inp_count;
}
while (start != frames.size() / n_channels);
}
vector<float>
read_frames (size_t frames)
{
assert (frames * n_channels <= buffer.size());
const auto begin = buffer.begin();
const auto end = begin + frames * n_channels;
vector<float> result (begin, end);
buffer.erase (begin, end);
return result;
}
size_t
can_read_frames() const
{
return buffer.size() / n_channels;
}
};
static ResamplerImpl *
create_resampler (int n_channels, int old_rate, int new_rate)
{
if (old_rate == new_rate)
{
return nullptr; // should not be using create_resampler for that case
}
else
{
/* zita-resampler provides two resampling algorithms
*
* a fast optimized version: Resampler
* this is an optimized version, which works for many common cases,
* like resampling between 22050, 32000, 44100, 48000, 96000 Hz
*
* a slower version: VResampler
* this works for arbitary rates (like 33333 -> 44100 resampling)
*
* so we try using Resampler, and if that fails fall back to VResampler
*/
const int hlen = 16;
auto resampler = new BufferedResamplerImpl<Resampler> (n_channels, old_rate, new_rate);
if (resampler->resampler().setup (old_rate, new_rate, n_channels, hlen) == 0)
{
return resampler;
}
else
delete resampler;
auto vresampler = new BufferedResamplerImpl<VResampler> (n_channels, old_rate, new_rate);
const double ratio = double (new_rate) / old_rate;
if (vresampler->resampler().setup (ratio, n_channels, hlen) == 0)
{
return vresampler;
}
else
{
error ("audiowmark: resampling from old_rate=%d to new_rate=%d not implemented\n", old_rate, new_rate);
delete vresampler;
return nullptr;
}
}
}
/* generate a watermark at Params::mark_sample_rate and resample to whatever the original signal has
*
* input: samples from original signal (always one frame)
* output: watermark signal resampled to original signal sample rate
*/
class WatermarkResampler
{
std::unique_ptr<ResamplerImpl> in_resampler;
std::unique_ptr<ResamplerImpl> out_resampler;
WatermarkGen wm_gen;
const bool need_resampler = false;
public:
WatermarkResampler (int n_channels, int input_rate, const vector<int>& bitvec) :
wm_gen (n_channels, bitvec),
need_resampler (input_rate != Params::mark_sample_rate)
{
if (need_resampler)
{
in_resampler.reset (create_resampler (n_channels, input_rate, Params::mark_sample_rate));
out_resampler.reset (create_resampler (n_channels, Params::mark_sample_rate, input_rate));
}
}
bool
init_ok()
{
if (need_resampler)
return (in_resampler && out_resampler);
else
return true;
}
vector<float>
run (const vector<float>& samples)
{
if (!need_resampler)
{
/* cheap case: if no resampling is necessary, just generate the watermark signal */
return wm_gen.run (samples);
}
/* resample to the watermark sample rate */
in_resampler->write_frames (samples);
while (in_resampler->can_read_frames() >= Params::frame_size)
{
vector<float> r_samples = in_resampler->read_frames (Params::frame_size);
/* generate watermark at normalized sample rate */
vector<float> wm_samples = wm_gen.run (r_samples);
/* resample back to the original sample rate of the audio file */
out_resampler->write_frames (wm_samples);
}
size_t to_read = out_resampler->can_read_frames();
return out_resampler->read_frames (to_read);
}
size_t
skip (size_t zeros)
{
assert (zeros % Params::frame_size == 0);
if (!need_resampler)
{
return wm_gen.skip (zeros); /* cheap case */
}
else
{
/* resample to the watermark sample rate */
size_t out = in_resampler->skip (zeros);
out = wm_gen.skip (out);
return out_resampler->skip (out);
}
}
int
data_blocks() const
{
return wm_gen.data_blocks();
}
};
void
info_format (const string& label, const RawFormat& format)
{
info ("%-13s %d Hz, %d Channels, %d Bit (%s %s-endian)\n", (label + ":").c_str(),
format.sample_rate(), format.n_channels(), format.bit_depth(),
format.encoding() == RawFormat::Encoding::SIGNED ? "signed" : "unsigned",
format.endian() == RawFormat::Endian::LITTLE ? "little" : "big");
}
int
add_stream_watermark (AudioInputStream *in_stream, AudioOutputStream *out_stream, const string& bits, size_t zero_frames)
{
auto bitvec = parse_payload (bits);
if (bitvec.empty())
return 1;
/* sanity checks */
if (in_stream->sample_rate() != out_stream->sample_rate())
{
error ("audiowmark: input sample rate (%d) and output sample rate (%d) don't match\n", in_stream->sample_rate(), out_stream->sample_rate());
return 1;
}
if (in_stream->n_channels() != out_stream->n_channels())
{
error ("audiowmark: input channels (%d) and output channels (%d) don't match\n", in_stream->n_channels(), out_stream->n_channels());
return 1;
}
/* write some informational messages */
info ("Message: %s\n", bit_vec_to_str (bitvec).c_str());
info ("Strength: %.6g\n\n", Params::water_delta * 1000);
if (in_stream->n_frames() == AudioInputStream::N_FRAMES_UNKNOWN)
{
info ("Time: unknown\n");
}
else
{
size_t orig_seconds = in_stream->n_frames() / in_stream->sample_rate();
info ("Time: %zd:%02zd\n", orig_seconds / 60, orig_seconds % 60);
}
info ("Sample Rate: %d\n", in_stream->sample_rate());
info ("Channels: %d\n", in_stream->n_channels());
vector<float> samples;
const int n_channels = in_stream->n_channels();
AudioBuffer audio_buffer (n_channels);
WatermarkResampler wm_resampler (n_channels, in_stream->sample_rate(), bitvec);
if (!wm_resampler.init_ok())
return 1;
Limiter limiter (n_channels, in_stream->sample_rate());
limiter.set_block_size_ms (Params::limiter_block_size_ms);
limiter.set_ceiling (Params::limiter_ceiling);
/* for signal to noise ratio */
double snr_delta_power = 0;
double snr_signal_power = 0;
size_t total_input_frames = 0;
size_t total_output_frames = 0;
size_t zero_frames_in = zero_frames;
size_t zero_frames_out = zero_frames;
Error err;
if (zero_frames_in >= Params::frame_size)
{
const size_t skip_frames = zero_frames_in - zero_frames_in % Params::frame_size;
total_input_frames += skip_frames;
size_t out = wm_resampler.skip (skip_frames);
audio_buffer.write_frames (std::vector<float> ((skip_frames - out) * n_channels));
out = limiter.skip (out);
assert (out < zero_frames_out);
zero_frames_out -= out;
total_output_frames += out;
zero_frames_in -= skip_frames;
}
while (true)
{
if (zero_frames_in > 0)
{
err = in_stream->read_frames (samples, Params::frame_size - zero_frames_in);
samples.insert (samples.begin(), zero_frames_in * n_channels, 0);
zero_frames_in = 0;
}
else
{
err = in_stream->read_frames (samples, Params::frame_size);
}
if (err)
{
error ("audiowmark: input stream read failed: %s\n", err.message());
return 1;
}
total_input_frames += samples.size() / n_channels;
if (samples.size() < Params::frame_size * n_channels)
{
if (total_input_frames == total_output_frames)
break;
/* zero sample padding after the actual input */
samples.resize (Params::frame_size * n_channels);
}
audio_buffer.write_frames (samples);
samples = wm_resampler.run (samples);
size_t to_read = samples.size() / n_channels;
vector<float> orig_samples = audio_buffer.read_frames (to_read);
assert (samples.size() == orig_samples.size());
if (Params::snr)
{
for (size_t i = 0; i < samples.size(); i++)
{
const double orig = orig_samples[i]; // original sample
const double delta = samples[i]; // watermark
snr_delta_power += delta * delta;
snr_signal_power += orig * orig;
}
}
for (size_t i = 0; i < samples.size(); i++)
samples[i] += orig_samples[i];
if (!Params::test_no_limiter)
samples = limiter.process (samples);
size_t max_write_frames = total_input_frames - total_output_frames;
if (samples.size() > max_write_frames * n_channels)
samples.resize (max_write_frames * n_channels);
const size_t cut_frames = min (samples.size() / n_channels, zero_frames_out);
if (cut_frames > 0)
{
samples.erase (samples.begin(), samples.begin() + cut_frames * n_channels);
total_output_frames += cut_frames;
zero_frames_out -= cut_frames;
}
err = out_stream->write_frames (samples);
if (err)
{
error ("audiowmark output write failed: %s\n", err.message());
return 1;
}
total_output_frames += samples.size() / n_channels;
}
if (Params::snr)
info ("SNR: %f dB\n", 10 * log10 (snr_signal_power / snr_delta_power));
info ("Data Blocks: %d\n", wm_resampler.data_blocks());
if (in_stream->n_frames() != AudioInputStream::N_FRAMES_UNKNOWN)
{
const size_t expect_frames = in_stream->n_frames() + zero_frames;
if (total_output_frames != expect_frames)
{
auto msg = string_printf ("unexpected EOF; input frames (%zd) != output frames (%zd)", expect_frames, total_output_frames);
if (Params::strict)
{
warning ("audiowmark: error: %s\n", msg.c_str());
return 1;
}
error ("audiowmark: warning: %s\n", msg.c_str());
}
}
err = out_stream->close();
if (err)
{
error ("audiowmark: closing output stream failed: %s\n", err.message());
return 1;
}
return 0;
}
int
add_watermark (const string& infile, const string& outfile, const string& bits)
{
/* open input stream */
Error err;
std::unique_ptr<AudioInputStream> in_stream = AudioInputStream::create (infile, err);
if (err)
{
error ("audiowmark: error opening %s: %s\n", infile.c_str(), err.message());
return 1;
}
/* open output stream */
const int out_bit_depth = in_stream->bit_depth() > 16 ? 24 : 16;
std::unique_ptr<AudioOutputStream> out_stream;
out_stream = AudioOutputStream::create (outfile, in_stream->n_channels(), in_stream->sample_rate(), out_bit_depth, in_stream->n_frames(), err);
if (err)
{
error ("audiowmark: error writing to %s: %s\n", outfile.c_str(), err.message());
return 1;
}
/* write input/output stream details */
info ("Input: %s\n", Params::input_label.size() ? Params::input_label.c_str() : infile.c_str());
if (Params::input_format == Format::RAW)
info_format ("Raw Input", Params::raw_input_format);
info ("Output: %s\n", Params::output_label.size() ? Params::output_label.c_str() : outfile.c_str());
if (Params::output_format == Format::RAW)
info_format ("Raw Output", Params::raw_output_format);
return add_stream_watermark (in_stream.get(), out_stream.get(), bits, 0);
}
| Tonypythony/audiowmark | src/wmadd.cc | C++ | mit | 24,136 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include "wmcommon.hh"
#include "fft.hh"
#include "convcode.hh"
#include "shortcode.hh"
using std::string;
using std::vector;
using std::complex;
int Params::frames_per_bit = 2;
double Params::water_delta = 0.01;
bool Params::mix = true;
bool Params::hard = false; // hard decode bits? (soft decoding is better)
bool Params::snr = false; // compute/show snr while adding watermark
bool Params::strict = false;
bool Params::detect_speed = false;
bool Params::detect_speed_patient = false;
double Params::try_speed = -1;
double Params::test_speed = -1;
int Params::have_key = 0;
size_t Params::payload_size = 128;
bool Params::payload_short = false;
int Params::test_cut = 0; // for sync test
bool Params::test_no_sync = false; // disable sync
bool Params::test_no_limiter = false; // disable limiter
int Params::test_truncate = 0;
int Params::expect_matches = -1;
Format Params::input_format = Format::AUTO;
Format Params::output_format = Format::AUTO;
RawFormat Params::raw_input_format;
RawFormat Params::raw_output_format;
int Params::hls_bit_rate = 0;
string Params::json_output;
string Params::input_label;
string Params::output_label;
FFTAnalyzer::FFTAnalyzer (int n_channels) :
m_n_channels (n_channels),
m_fft_processor (Params::frame_size)
{
m_window = gen_normalized_window (Params::frame_size);
}
/* safe to call from any thread */
vector<float>
FFTAnalyzer::gen_normalized_window (size_t n_values)
{
vector<float> window (n_values);
/* generate analysis window */
double window_weight = 0;
for (size_t i = 0; i < n_values; i++)
{
const double n_values_2 = n_values / 2.0;
// const double win = window_cos ((i - n_values_2) / n_values_2);
const double win = window_hamming ((i - n_values_2) / n_values_2);
//const double win = 1;
window[i] = win;
window_weight += win;
}
/* normalize window using window weight */
for (size_t i = 0; i < n_values; i++)
{
window[i] *= 2.0 / window_weight;
}
return window;
}
vector<vector<complex<float>>>
FFTAnalyzer::run_fft (const vector<float>& samples, size_t start_index)
{
assert (samples.size() >= (Params::frame_size + start_index) * m_n_channels);
float *frame = m_fft_processor.in();
float *frame_fft = m_fft_processor.out();
vector<vector<complex<float>>> fft_out;
for (int ch = 0; ch < m_n_channels; ch++)
{
size_t pos = start_index * m_n_channels + ch;
assert (pos + (Params::frame_size - 1) * m_n_channels < samples.size());
/* deinterleave frame data and apply window */
for (size_t x = 0; x < Params::frame_size; x++)
{
frame[x] = samples[pos] * m_window[x];
pos += m_n_channels;
}
/* FFT transform */
m_fft_processor.fft();
/* complex<float> and frame_fft have the same layout in memory */
const complex<float> *first = (complex<float> *) frame_fft;
const complex<float> *last = first + Params::frame_size / 2 + 1;
fft_out.emplace_back (first, last);
}
return fft_out;
}
vector<vector<complex<float>>>
FFTAnalyzer::fft_range (const vector<float>& samples, size_t start_index, size_t frame_count)
{
vector<vector<complex<float>>> fft_out;
/* if there is not enough space for frame_count values, return an error (empty vector) */
if (samples.size() < (start_index + frame_count * Params::frame_size) * m_n_channels)
return fft_out;
for (size_t f = 0; f < frame_count; f++)
{
const size_t frame_start = (f * Params::frame_size) + start_index;
vector<vector<complex<float>>> frame_result = run_fft (samples, frame_start);
for (auto& fr : frame_result)
fft_out.emplace_back (std::move (fr));
}
return fft_out;
}
int
frame_pos (int f, bool sync)
{
static vector<int> pos_vec;
if (pos_vec.empty())
{
int frame_count = mark_data_frame_count() + mark_sync_frame_count();
for (int i = 0; i < frame_count; i++)
pos_vec.push_back (i);
Random random (0, Random::Stream::frame_position);
random.shuffle (pos_vec);
}
if (sync)
{
assert (f >= 0 && size_t (f) < mark_sync_frame_count());
return pos_vec[f];
}
else
{
assert (f >= 0 && size_t (f) < mark_data_frame_count());
return pos_vec[f + mark_sync_frame_count()];
}
}
int
sync_frame_pos (int f)
{
return frame_pos (f, true);
}
int
data_frame_pos (int f)
{
return frame_pos (f, false);
}
size_t
mark_data_frame_count()
{
return code_size (ConvBlockType::a, Params::payload_size) * Params::frames_per_bit;
}
size_t
mark_sync_frame_count()
{
return Params::sync_bits * Params::sync_frames_per_bit;
}
vector<MixEntry>
gen_mix_entries()
{
const int frame_count = mark_data_frame_count();
vector<MixEntry> mix_entries (frame_count * Params::bands_per_frame);
UpDownGen up_down_gen (Random::Stream::data_up_down);
int entry = 0;
for (int f = 0; f < frame_count; f++)
{
const int index = data_frame_pos (f);
UpDownArray up, down;
up_down_gen.get (f, up, down);
assert (up.size() == down.size());
for (size_t i = 0; i < up.size(); i++)
mix_entries[entry++] = { index, up[i], down[i] };
}
Random random (/* seed */ 0, Random::Stream::mix);
random.shuffle (mix_entries);
return mix_entries;
}
int
frame_count (const WavData& wav_data)
{
return wav_data.n_values() / wav_data.n_channels() / Params::frame_size;
}
vector<int>
parse_payload (const string& bits)
{
auto bitvec = bit_str_to_vec (bits);
if (bitvec.empty())
{
error ("audiowmark: cannot parse bits '%s'\n", bits.c_str());
return {};
}
if ((Params::payload_short || Params::strict) && bitvec.size() != Params::payload_size)
{
error ("audiowmark: number of message bits must match payload size (%zd bits)\n", Params::payload_size);
return {};
}
if (bitvec.size() > Params::payload_size)
{
error ("audiowmark: number of bits in message '%s' larger than payload size\n", bits.c_str());
return {};
}
if (bitvec.size() < Params::payload_size)
{
/* expand message automatically; good for testing, not so good in production (disabled by --strict) */
vector<int> expanded_bitvec;
for (size_t i = 0; i < Params::payload_size; i++)
expanded_bitvec.push_back (bitvec[i % bitvec.size()]);
bitvec = expanded_bitvec;
}
return bitvec;
}
| Tonypythony/audiowmark | src/wmcommon.cc | C++ | mit | 7,255 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef AUDIOWMARK_WM_COMMON_HH
#define AUDIOWMARK_WM_COMMON_HH
#include <array>
#include <complex>
#include "random.hh"
#include "rawinputstream.hh"
#include "wavdata.hh"
#include "fft.hh"
#include <assert.h>
enum class Format { AUTO = 1, RAW = 2 };
class Params
{
public:
static constexpr size_t frame_size = 1024;
static int frames_per_bit;
static constexpr size_t bands_per_frame = 30;
static constexpr int max_band = 100;
static constexpr int min_band = 20;
static double water_delta;
static std::string json_output;
static bool strict;
static bool mix;
static bool hard; // hard decode bits? (soft decoding is better)
static bool snr; // compute/show snr while adding watermark
static int have_key;
static bool detect_speed;
static bool detect_speed_patient;
static double try_speed; // manual speed correction
static double test_speed; // for debugging --detect-speed
static size_t payload_size; // number of payload bits for the watermark
static bool payload_short;
static constexpr int sync_bits = 6;
static constexpr int sync_frames_per_bit = 85;
static constexpr int sync_search_step = 256;
static constexpr int sync_search_fine = 8;
static constexpr double sync_threshold2 = 0.7; // minimum refined quality
static constexpr size_t frames_pad_start = 250; // padding at start, in case track starts with silence
static constexpr int mark_sample_rate = 44100; // watermark generation and detection sample rate
static constexpr double limiter_block_size_ms = 1000;
static constexpr double limiter_ceiling = 0.99;
static int test_cut; // for sync test
static bool test_no_sync;
static bool test_no_limiter;
static int test_truncate;
static int expect_matches;
static Format input_format;
static Format output_format;
static RawFormat raw_input_format;
static RawFormat raw_output_format;
static int hls_bit_rate;
// input/output labels can be set for pretty output for videowmark add
static std::string input_label;
static std::string output_label;
};
typedef std::array<int, 30> UpDownArray;
class UpDownGen
{
Random::Stream random_stream;
Random random;
std::vector<int> bands_reorder;
public:
UpDownGen (Random::Stream random_stream) :
random_stream (random_stream),
random (0, random_stream),
bands_reorder (Params::max_band - Params::min_band + 1)
{
UpDownArray x;
assert (x.size() == Params::bands_per_frame);
}
void
get (int f, UpDownArray& up, UpDownArray& down)
{
for (size_t i = 0; i < bands_reorder.size(); i++)
bands_reorder[i] = Params::min_band + i;
random.seed (f, random_stream); // use per frame random seed
random.shuffle (bands_reorder);
assert (2 * Params::bands_per_frame < bands_reorder.size());
for (size_t i = 0; i < Params::bands_per_frame; i++)
{
up[i] = bands_reorder[i];
down[i] = bands_reorder[Params::bands_per_frame + i];
}
}
};
class FFTAnalyzer
{
int m_n_channels = 0;
std::vector<float> m_window;
FFTProcessor m_fft_processor;
public:
FFTAnalyzer (int n_channels);
std::vector<std::vector<std::complex<float>>> run_fft (const std::vector<float>& samples, size_t start_index);
std::vector<std::vector<std::complex<float>>> fft_range (const std::vector<float>& samples, size_t start_index, size_t frame_count);
static std::vector<float> gen_normalized_window (size_t n_values);
};
struct MixEntry
{
int frame;
int up;
int down;
};
std::vector<MixEntry> gen_mix_entries();
size_t mark_data_frame_count();
size_t mark_sync_frame_count();
int frame_count (const WavData& wav_data);
int sync_frame_pos (int f);
int data_frame_pos (int f);
std::vector<int> parse_payload (const std::string& str);
template<class T> std::vector<T>
randomize_bit_order (const std::vector<T>& bit_vec, bool encode)
{
std::vector<unsigned int> order;
for (size_t i = 0; i < bit_vec.size(); i++)
order.push_back (i);
Random random (/* seed */ 0, Random::Stream::bit_order);
random.shuffle (order);
std::vector<T> out_bits (bit_vec.size());
for (size_t i = 0; i < bit_vec.size(); i++)
{
if (encode)
out_bits[i] = bit_vec[order[i]];
else
out_bits[order[i]] = bit_vec[i];
}
return out_bits;
}
inline double
window_cos (double x) /* von Hann window */
{
if (fabs (x) > 1)
return 0;
return 0.5 * cos (x * M_PI) + 0.5;
}
inline double
window_hamming (double x) /* sharp (rectangle) cutoffs at boundaries */
{
if (fabs (x) > 1)
return 0;
return 0.54 + 0.46 * cos (M_PI * x);
}
static inline float
db_from_complex (float re, float im, float min_dB)
{
float abs2 = re * re + im * im;
if (abs2 > 0)
{
constexpr float log2_db_factor = 3.01029995663981; // 10 / log2 (10)
// glibc log2f is a lot faster than glibc log10
return log2f (abs2) * log2_db_factor;
}
else
return min_dB;
}
static inline float
db_from_complex (std::complex<float> f, float min_dB)
{
return db_from_complex (f.real(), f.imag(), min_dB);
}
int add_stream_watermark (AudioInputStream *in_stream, AudioOutputStream *out_stream, const std::string& bits, size_t zero_frames);
int add_watermark (const std::string& infile, const std::string& outfile, const std::string& bits);
int get_watermark (const std::string& infile, const std::string& orig_pattern);
#endif /* AUDIOWMARK_WM_COMMON_HH */
| Tonypythony/audiowmark | src/wmcommon.hh | C++ | mit | 6,532 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include <string>
#include <algorithm>
#include "wavdata.hh"
#include "wmcommon.hh"
#include "wmspeed.hh"
#include "convcode.hh"
#include "shortcode.hh"
#include "syncfinder.hh"
#include "resample.hh"
#include "fft.hh"
using std::string;
using std::vector;
using std::min;
using std::max;
using std::complex;
static vector<float>
normalize_soft_bits (const vector<float>& soft_bits)
{
vector<float> norm_soft_bits;
/* soft decoding produces better error correction than hard decoding */
if (Params::hard)
{
for (auto value : soft_bits)
norm_soft_bits.push_back (value > 0 ? 1.0 : 0.0);
}
else
{
/* figure out average level of each bit */
double mean = 0;
for (auto value : soft_bits)
mean += fabs (value);
mean /= soft_bits.size();
/* rescale from [-mean,+mean] to [0.0,1.0] */
for (auto value : soft_bits)
norm_soft_bits.push_back (0.5 * (value / mean + 1));
}
return norm_soft_bits;
}
static vector<float>
mix_decode (vector<vector<complex<float>>>& fft_out, int n_channels)
{
vector<float> raw_bit_vec;
const int frame_count = mark_data_frame_count();
vector<MixEntry> mix_entries = gen_mix_entries();
double umag = 0, dmag = 0;
for (int f = 0; f < frame_count; f++)
{
for (int ch = 0; ch < n_channels; ch++)
{
for (size_t frame_b = 0; frame_b < Params::bands_per_frame; frame_b++)
{
int b = f * Params::bands_per_frame + frame_b;
const double min_db = -96;
const size_t index = mix_entries[b].frame * n_channels + ch;
const int u = mix_entries[b].up;
const int d = mix_entries[b].down;
umag += db_from_complex (fft_out[index][u], min_db);
dmag += db_from_complex (fft_out[index][d], min_db);
}
}
if ((f % Params::frames_per_bit) == (Params::frames_per_bit - 1))
{
raw_bit_vec.push_back (umag - dmag);
umag = 0;
dmag = 0;
}
}
return raw_bit_vec;
}
static vector<float>
linear_decode (vector<vector<complex<float>>>& fft_out, int n_channels)
{
UpDownGen up_down_gen (Random::Stream::data_up_down);
vector<float> raw_bit_vec;
const int frame_count = mark_data_frame_count();
double umag = 0, dmag = 0;
for (int f = 0; f < frame_count; f++)
{
for (int ch = 0; ch < n_channels; ch++)
{
const size_t index = data_frame_pos (f) * n_channels + ch;
UpDownArray up, down;
up_down_gen.get (f, up, down);
const double min_db = -96;
for (auto u : up)
umag += db_from_complex (fft_out[index][u], min_db);
for (auto d : down)
dmag += db_from_complex (fft_out[index][d], min_db);
}
if ((f % Params::frames_per_bit) == (Params::frames_per_bit - 1))
{
raw_bit_vec.push_back (umag - dmag);
umag = 0;
dmag = 0;
}
}
return raw_bit_vec;
}
class ResultSet
{
public:
enum class Type { BLOCK, CLIP, ALL };
struct Pattern
{
double time = 0;
vector<int> bit_vec;
float decode_error = 0;
SyncFinder::Score sync_score;
Type type;
bool speed_pattern;
};
private:
vector<Pattern> patterns;
bool speed_pattern = false;
public:
void
set_speed_pattern (bool sp)
{
speed_pattern = sp;
}
void
add_pattern (double time, SyncFinder::Score sync_score, const vector<int>& bit_vec, float decode_error, Type pattern_type)
{
Pattern p;
p.time = time;
p.sync_score = sync_score;
p.bit_vec = bit_vec;
p.decode_error = decode_error;
p.type = pattern_type;
p.speed_pattern = speed_pattern;
patterns.push_back (p);
}
void
sort_by_time()
{
std::stable_sort (patterns.begin(), patterns.end(), [](const Pattern& p1, const Pattern& p2) {
const int all1 = p1.type == Type::ALL;
const int all2 = p2.type == Type::ALL;
if (all1 != all2)
return all1 < all2;
else
return p1.time < p2.time;
});
}
void
print_json (const WavData& wav_data, const std::string &json_file, const double speed)
{
FILE *outfile = fopen (json_file == "-" ? "/dev/stdout" : json_file.c_str(), "w");
if (!outfile)
{
perror (("audiowmark: failed to open \"" + json_file + "\":").c_str());
exit (127);
}
const size_t time_length = (wav_data.samples().size() / wav_data.n_channels() + wav_data.sample_rate()/2) / wav_data.sample_rate();
fprintf (outfile, "{ \"length\": \"%ld:%02ld\",\n", time_length / 60, time_length % 60);
fprintf (outfile, " \"speed\": %.6f,\n", speed);
fprintf (outfile, " \"matches\": [\n");
int nth = 0;
for (const auto& pattern : patterns)
{
if (nth++ != 0)
fprintf (outfile, ",\n");
std::string btype;
switch (pattern.sync_score.block_type)
{
case ConvBlockType::a: btype = "A"; break;
case ConvBlockType::b: btype = "B"; break;
case ConvBlockType::ab: btype = "AB"; break;
}
if (pattern.type == Type::ALL)
btype = "ALL";
if (pattern.type == Type::CLIP)
btype = "CLIP-" + btype;
if (pattern.speed_pattern)
btype += "-SPEED";
const int seconds = pattern.time;
fprintf (outfile, " { \"pos\": \"%d:%02d\", \"bits\": \"%s\", \"quality\": %.5f, \"error\": %.6f, \"type\": \"%s\" }",
seconds / 60, seconds % 60,
bit_vec_to_str (pattern.bit_vec).c_str(),
pattern.sync_score.quality, pattern.decode_error,
btype.c_str());
}
fprintf (outfile, " ]\n}\n");
fclose (outfile);
}
void
print()
{
for (const auto& pattern : patterns)
{
if (pattern.type == Type::ALL) /* this is the combined pattern "all" */
{
const char *extra = "";
if (pattern.speed_pattern)
extra = " SPEED";
printf ("pattern all %s %.3f %.3f%s\n", bit_vec_to_str (pattern.bit_vec).c_str(),
pattern.sync_score.quality, pattern.decode_error,
extra);
}
else
{
string block_str;
switch (pattern.sync_score.block_type)
{
case ConvBlockType::a: block_str = "A";
break;
case ConvBlockType::b: block_str = "B";
break;
case ConvBlockType::ab: block_str = "AB";
break;
}
if (pattern.type == Type::CLIP)
block_str = "CLIP-" + block_str;
if (pattern.speed_pattern)
block_str += "-SPEED";
const int seconds = pattern.time;
printf ("pattern %2d:%02d %s %.3f %.3f %s\n", seconds / 60, seconds % 60, bit_vec_to_str (pattern.bit_vec).c_str(),
pattern.sync_score.quality, pattern.decode_error, block_str.c_str());
}
}
}
int
print_match_count (const vector<int>& orig_bits)
{
int match_count = 0;
for (auto p : patterns)
{
if (p.bit_vec == orig_bits)
match_count++;
}
printf ("match_count %d %zd\n", match_count, patterns.size());
return match_count;
}
double
best_quality() const
{
double q = -1;
for (const auto& pattern : patterns)
if (pattern.sync_score.quality > q)
q = pattern.sync_score.quality;
return q;
}
};
/*
* The block decoder is responsible for finding whole data blocks inside the
* input file and decoding them. This only works for files that are large
* enough to contain one data block. Incomplete blocks are ignored.
*
* INPUT: AA|BBBBB|AAAAA|BBB
* MATCH BBBBB
* MATCH AAAAA
*
* The basic algorithm is this:
*
* - use sync finder to find start index for the blocks
* - decode the blocks
* - try to combine A + B blocks for better error correction (AB)
* - try to combine all available blocks for better error correction (all pattern)
*/
class BlockDecoder
{
int debug_sync_frame_count = 0;
vector<SyncFinder::Score> sync_scores; // stored here for sync debugging
public:
void
run (const WavData& wav_data, ResultSet& result_set)
{
int total_count = 0;
SyncFinder sync_finder;
sync_scores = sync_finder.search (wav_data, SyncFinder::Mode::BLOCK);
vector<float> raw_bit_vec_all (code_size (ConvBlockType::ab, Params::payload_size));
vector<int> raw_bit_vec_norm (2);
SyncFinder::Score score_all { 0, 0 };
SyncFinder::Score score_ab { 0, 0, ConvBlockType::ab };
ConvBlockType last_block_type = ConvBlockType::b;
vector<vector<float>> ab_raw_bit_vec (2);
vector<float> ab_quality (2);
FFTAnalyzer fft_analyzer (wav_data.n_channels());
for (auto sync_score : sync_scores)
{
const size_t count = mark_sync_frame_count() + mark_data_frame_count();
const size_t index = sync_score.index;
const int ab = (sync_score.block_type == ConvBlockType::b); /* A -> 0, B -> 1 */
auto fft_range_out = fft_analyzer.fft_range (wav_data.samples(), index, count);
if (fft_range_out.size())
{
/* ---- retrieve bits from watermark ---- */
vector<float> raw_bit_vec;
if (Params::mix)
{
raw_bit_vec = mix_decode (fft_range_out, wav_data.n_channels());
}
else
{
raw_bit_vec = linear_decode (fft_range_out, wav_data.n_channels());
}
assert (raw_bit_vec.size() == code_size (ConvBlockType::a, Params::payload_size));
raw_bit_vec = randomize_bit_order (raw_bit_vec, /* encode */ false);
/* ---- deal with this pattern ---- */
float decode_error = 0;
vector<int> bit_vec = code_decode_soft (sync_score.block_type, normalize_soft_bits (raw_bit_vec), &decode_error);
const double time = double (sync_score.index) / wav_data.sample_rate();
if (!bit_vec.empty())
result_set.add_pattern (time, sync_score, bit_vec, decode_error, ResultSet::Type::BLOCK);
total_count += 1;
/* ---- update "all" pattern ---- */
score_all.quality += sync_score.quality;
for (size_t i = 0; i < raw_bit_vec.size(); i++)
{
raw_bit_vec_all[i * 2 + ab] += raw_bit_vec[i];
}
raw_bit_vec_norm[ab]++;
/* ---- if last block was A & this block is B => deal with combined AB block */
ab_raw_bit_vec[ab] = raw_bit_vec;
ab_quality[ab] = sync_score.quality;
if (last_block_type == ConvBlockType::a && sync_score.block_type == ConvBlockType::b)
{
/* join A and B block -> AB block */
vector<float> ab_bits (raw_bit_vec.size() * 2);
for (size_t i = 0; i < raw_bit_vec.size(); i++)
{
ab_bits[i * 2] = ab_raw_bit_vec[0][i];
ab_bits[i * 2 + 1] = ab_raw_bit_vec[1][i];
}
vector<int> bit_vec = code_decode_soft (ConvBlockType::ab, normalize_soft_bits (ab_bits), &decode_error);
if (!bit_vec.empty())
{
score_ab.index = sync_score.index;
score_ab.quality = (ab_quality[0] + ab_quality[1]) / 2;
result_set.add_pattern (time, score_ab, bit_vec, decode_error, ResultSet::Type::BLOCK);
}
}
last_block_type = sync_score.block_type;
}
}
if (total_count > 1) /* all pattern: average soft bits of all watermarks and decode */
{
for (size_t i = 0; i < raw_bit_vec_all.size(); i += 2)
{
raw_bit_vec_all[i] /= max (raw_bit_vec_norm[0], 1); /* normalize A soft bits with number of A blocks */
raw_bit_vec_all[i + 1] /= max (raw_bit_vec_norm[1], 1); /* normalize B soft bits with number of B blocks */
}
score_all.quality /= raw_bit_vec_norm[0] + raw_bit_vec_norm[1];
vector<float> soft_bit_vec = normalize_soft_bits (raw_bit_vec_all);
float decode_error = 0;
vector<int> bit_vec = code_decode_soft (ConvBlockType::ab, soft_bit_vec, &decode_error);
if (!bit_vec.empty())
result_set.add_pattern (/* time */ 0.0, score_all, bit_vec, decode_error, ResultSet::Type::ALL);
}
debug_sync_frame_count = frame_count (wav_data);
}
void
print_debug_sync()
{
/* search sync markers at typical positions */
const int expect0 = Params::frames_pad_start * Params::frame_size;
const int expect_step = (mark_sync_frame_count() + mark_data_frame_count()) * Params::frame_size;
const int expect_end = debug_sync_frame_count * Params::frame_size;
int sync_match = 0;
for (int expect_index = expect0; expect_index + expect_step < expect_end; expect_index += expect_step)
{
for (auto sync_score : sync_scores)
{
if (abs (int (sync_score.index + Params::test_cut) - expect_index) < Params::frame_size / 2)
{
sync_match++;
break;
}
}
}
printf ("sync_match %d %zd\n", sync_match, sync_scores.size());
}
};
/*
* The clip decoder is responsible for decoding short clips. It is designed to
* handle input sizes that are smaller than one data block. One case is that
* the clip contains a partial A block (so the data could start after the start
* of the A block and end before the end of the A block).
*
* ORIG: |AAAAA|BBBBB|AAAAA|BBBBB|
* CLIP: |AAA|
*
* A clip could also contain the end of one block and the start of the next block,
* like this:
*
* ORIG: |AAAAA|BBBBB|AAAAA|BBBBB|
* CLIP: |A|BB|
*
* The basic algorithm is this:
*
* - zeropad |AAA| => 00000|AAA|00000
* - use sync finder to find start index of one long block in the zeropadded data
* - decode the bits
*
* For files larger than one data block, we decode twice, at the beginning and end
*
* INPUT AAA|BBBBB|A
* CLIP #1 AAA|BB
* CLIP #2 BBBB|A
*/
class ClipDecoder
{
const int frames_per_block = 0;
vector<float>
mix_or_linear_decode (vector<vector<complex<float>>>& fft_out, int n_channels)
{
if (Params::mix)
return mix_decode (fft_out, n_channels);
else
return linear_decode (fft_out, n_channels);
}
void
run_padded (const WavData& wav_data, ResultSet& result_set, double time_offset_sec)
{
SyncFinder sync_finder;
vector<SyncFinder::Score> sync_scores = sync_finder.search (wav_data, SyncFinder::Mode::CLIP);
FFTAnalyzer fft_analyzer (wav_data.n_channels());
for (auto sync_score : sync_scores)
{
const size_t count = mark_sync_frame_count() + mark_data_frame_count();
const size_t index = sync_score.index;
auto fft_range_out1 = fft_analyzer.fft_range (wav_data.samples(), index, count);
auto fft_range_out2 = fft_analyzer.fft_range (wav_data.samples(), index + count * Params::frame_size, count);
if (fft_range_out1.size() && fft_range_out2.size())
{
const auto raw_bit_vec1 = randomize_bit_order (mix_or_linear_decode (fft_range_out1, wav_data.n_channels()), /* encode */ false);
const auto raw_bit_vec2 = randomize_bit_order (mix_or_linear_decode (fft_range_out2, wav_data.n_channels()), /* encode */ false);
const size_t bits_per_block = raw_bit_vec1.size();
vector<float> raw_bit_vec;
for (size_t i = 0; i < bits_per_block; i++)
{
if (sync_score.block_type == ConvBlockType::a)
{
raw_bit_vec.push_back (raw_bit_vec1[i]);
raw_bit_vec.push_back (raw_bit_vec2[i]);
}
else
{
raw_bit_vec.push_back (raw_bit_vec2[i]);
raw_bit_vec.push_back (raw_bit_vec1[i]);
}
}
float decode_error = 0;
vector<int> bit_vec = code_decode_soft (ConvBlockType::ab, normalize_soft_bits (raw_bit_vec), &decode_error);
if (!bit_vec.empty())
{
SyncFinder::Score sync_score_nopad = sync_score;
sync_score_nopad.index = time_offset_sec * wav_data.sample_rate();
result_set.add_pattern (time_offset_sec, sync_score_nopad, bit_vec, decode_error, ResultSet::Type::CLIP);
}
}
}
}
enum class Pos { START, END };
void
run_block (const WavData& wav_data, ResultSet& result_set, Pos pos)
{
const size_t n = (frames_per_block + 5) * Params::frame_size * wav_data.n_channels();
// range of samples used by clip: [first_sample, last_sample)
size_t first_sample;
size_t last_sample;
size_t pad_samples_start = n;
size_t pad_samples_end = n;
if (pos == Pos::START)
{
first_sample = 0;
last_sample = min (n, wav_data.n_values());
// increase padding at start for small blocks
// -> (available samples + padding) must always be one L-block
if (last_sample < n)
pad_samples_start += n - last_sample;
}
else // (pos == Pos::END)
{
if (wav_data.n_values() <= n)
return;
first_sample = wav_data.n_values() - n;
last_sample = wav_data.n_values();
}
const double time_offset = double (first_sample) / wav_data.sample_rate() / wav_data.n_channels();
vector<float> ext_samples (wav_data.samples().begin() + first_sample, wav_data.samples().begin() + last_sample);
if (0)
{
printf ("%d: %f..%f\n", int (pos), time_offset, time_offset + double (ext_samples.size()) / wav_data.sample_rate() / wav_data.n_channels());
printf ("%f< >%f\n",
double (pad_samples_start) / wav_data.sample_rate() / wav_data.n_channels(),
double (pad_samples_end) / wav_data.sample_rate() / wav_data.n_channels());
}
ext_samples.insert (ext_samples.begin(), pad_samples_start, 0);
ext_samples.insert (ext_samples.end(), pad_samples_end, 0);
WavData l_wav_data (ext_samples, wav_data.n_channels(), wav_data.sample_rate(), wav_data.bit_depth());
run_padded (l_wav_data, result_set, time_offset);
}
public:
ClipDecoder() :
frames_per_block (mark_sync_frame_count() + mark_data_frame_count())
{
}
void
run (const WavData& wav_data, ResultSet& result_set)
{
const int wav_frames = wav_data.n_values() / (Params::frame_size * wav_data.n_channels());
if (wav_frames < frames_per_block * 3.1) /* clip decoder is only used for small wavs */
{
run_block (wav_data, result_set, Pos::START);
run_block (wav_data, result_set, Pos::END);
}
}
};
static int
decode_and_report (const WavData& wav_data, const vector<int>& orig_bits)
{
ResultSet result_set;
double speed = 1.0;
/*
* The strategy for integrating speed detection into decoding is this:
* - we always (unconditionally) try to decode the watermark on the original wav data
* - if detected speed is somewhat different than 1.0, we also try to decode stretched data
* - we report all normal and speed results we get
*
* The reason to do it this way is that the detected speed may be wrong (on short clips)
* and we don't want to loose a successful clip decoder match in this case.
*/
if (Params::detect_speed || Params::detect_speed_patient || Params::try_speed > 0)
{
if (Params::detect_speed || Params::detect_speed_patient)
speed = detect_speed (wav_data, !orig_bits.empty());
else
speed = Params::try_speed;
// speeds closer to 1.0 than this usually work without stretching before decode
if (speed < 0.9999 || speed > 1.0001)
{
if (Params::json_output != "-")
printf ("speed %.6f\n", speed);
WavData wav_data_speed = resample (wav_data, Params::mark_sample_rate * speed);
result_set.set_speed_pattern (true);
BlockDecoder block_decoder;
block_decoder.run (wav_data_speed, result_set);
ClipDecoder clip_decoder;
clip_decoder.run (wav_data_speed, result_set);
result_set.set_speed_pattern (false);
}
}
BlockDecoder block_decoder;
block_decoder.run (wav_data, result_set);
ClipDecoder clip_decoder;
clip_decoder.run (wav_data, result_set);
result_set.sort_by_time();
if (!Params::json_output.empty())
result_set.print_json (wav_data, Params::json_output, speed);
if (Params::json_output != "-")
result_set.print();
if (!orig_bits.empty())
{
int match_count = result_set.print_match_count (orig_bits);
block_decoder.print_debug_sync();
if (Params::expect_matches >= 0)
{
printf ("expect_matches %d\n", Params::expect_matches);
if (match_count != Params::expect_matches)
return 1;
}
else
{
if (!match_count)
return 1;
}
}
return 0;
}
int
get_watermark (const string& infile, const string& orig_pattern)
{
vector<int> orig_bitvec;
if (!orig_pattern.empty())
{
orig_bitvec = parse_payload (orig_pattern);
if (orig_bitvec.empty())
return 1;
}
WavData wav_data;
Error err = wav_data.load (infile);
if (err)
{
error ("audiowmark: error loading %s: %s\n", infile.c_str(), err.message());
return 1;
}
if (Params::test_truncate)
{
const size_t want_n_samples = wav_data.sample_rate() * wav_data.n_channels() * Params::test_truncate;
vector<float> short_samples = wav_data.samples();
if (want_n_samples < short_samples.size())
{
short_samples.resize (want_n_samples);
wav_data.set_samples (short_samples);
}
}
if (wav_data.sample_rate() == Params::mark_sample_rate)
{
return decode_and_report (wav_data, orig_bitvec);
}
else
{
return decode_and_report (resample (wav_data, Params::mark_sample_rate), orig_bitvec);
}
}
| Tonypythony/audiowmark | src/wmget.cc | C++ | mit | 23,473 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#include "wmspeed.hh"
#include "wmcommon.hh"
#include "syncfinder.hh"
#include "threadpool.hh"
#include "fft.hh"
#include "resample.hh"
#include <algorithm>
using std::vector;
using std::sort;
using std::max;
static WavData
truncate (const WavData& in_data, double seconds)
{
WavData out_data = in_data;
vector<float> short_samples = in_data.samples();
const size_t want_n_samples = lrint (in_data.sample_rate() * seconds) * in_data.n_channels();
if (short_samples.size() > want_n_samples)
{
short_samples.resize (want_n_samples);
out_data.set_samples (short_samples);
}
return out_data;
}
static WavData
get_speed_clip (double location, const WavData& in_data, double clip_seconds)
{
double end_sec = double (in_data.n_frames()) / in_data.sample_rate();
double start_sec = location * (end_sec - clip_seconds);
if (start_sec < 0)
start_sec = 0;
size_t start_point = start_sec * in_data.sample_rate();
size_t end_point = std::min<size_t> (start_point + clip_seconds * in_data.sample_rate(), in_data.n_frames());
#if 0
printf ("[%f %f] l%f\n", double (start_point) / in_data.sample_rate(), double (end_point) / in_data.sample_rate(),
double (end_point - start_point) / in_data.sample_rate());
#endif
vector<float> out_signal (in_data.samples().begin() + start_point * in_data.n_channels(),
in_data.samples().begin() + end_point * in_data.n_channels());
WavData clip_data (out_signal, in_data.n_channels(), in_data.sample_rate(), in_data.bit_depth());
return clip_data;
}
struct SpeedScanParams
{
double seconds = 0;
double step = 0;
int n_steps = 0;
int n_center_steps = 0;
};
class MagMatrix
{
public:
struct Mags
{
float umag = 0;
float dmag = 0;
};
private:
vector<Mags> m_data;
int m_cols = 0;
int m_rows = 0;
public:
Mags&
operator() (int row, int col)
{
assert (row >= 0 && row < m_rows);
assert (col >= 0 && col < m_cols);
return m_data[row * m_cols + col];
}
void
resize (int rows, int cols)
{
m_rows = rows;
m_cols = cols;
/* - don't preserve contents on resize
* - free unused memory on resize
*/
vector<Mags> new_data (m_rows * m_cols);
m_data.swap (new_data);
}
int
rows()
{
return m_rows;
}
};
class SpeedSync
{
public:
struct Score
{
double speed = 0;
double quality = 0;
};
struct SyncBit
{
int bit = 0;
int frame = 0;
std::vector<int> up;
std::vector<int> down;
};
struct BitValue
{
float umag = 0;
float dmag = 0;
int count = 0;
};
private:
vector<SyncBit> sync_bits;
MagMatrix sync_matrix;
void prepare_mags (const SpeedScanParams& scan_params);
void compare (double relative_speed);
template<bool B2>
void compare_bits (BitValue *bit_values, double relative_speed, int *start_mi, int offset);
std::mutex mutex;
vector<Score> result_scores;
const WavData& in_data;
const double center;
const int frames_per_block;
public:
SpeedSync (const WavData& in_data, double center) :
in_data (in_data),
center (center),
frames_per_block (mark_sync_frame_count() + mark_data_frame_count())
{
// constructor is run in the main thread; everything that is not thread-safe must happen here
SyncFinder sync_finder;
auto sync_finder_bits = sync_finder.get_sync_bits (in_data, SyncFinder::Mode::BLOCK);
for (size_t bit = 0; bit < sync_finder_bits.size(); bit++)
{
for (const auto& frame_bit : sync_finder_bits[bit])
{
SyncBit sb;
sb.bit = bit;
sb.frame = frame_bit.frame;
sb.up = frame_bit.up;
sb.down = frame_bit.down;
sync_bits.push_back (sb);
}
}
std::sort (sync_bits.begin(), sync_bits.end(), [](const auto& s1, const auto& s2) { return s1.frame < s2.frame; });
}
void
start_prepare_job (ThreadPool& thread_pool, const SpeedScanParams& scan_params)
{
thread_pool.add_job ([this, &scan_params]() { prepare_mags (scan_params); });
}
void
start_search_jobs (ThreadPool& thread_pool, const SpeedScanParams& scan_params, double speed)
{
result_scores.clear();
for (int p = -scan_params.n_steps; p <= scan_params.n_steps; p++)
{
const double relative_speed = pow (scan_params.step, p) * speed / center;
thread_pool.add_job ([relative_speed, this]() { compare (relative_speed); });
}
}
vector<Score>
get_scores()
{
return result_scores;
}
double
center_speed() const
{
return center;
}
};
void
SpeedSync::prepare_mags (const SpeedScanParams& scan_params)
{
/* set mag matrix size */
int n_sync_rows = 4303;
int n_sync_cols = sync_bits.size();
sync_matrix.resize (n_sync_rows, n_sync_cols);
for (int row = 0; row < n_sync_rows; row++)
{
for (int col = 0; col < n_sync_cols; col++)
{
float umag = 1, dmag = 1;
sync_matrix (row, col) = MagMatrix::Mags {umag, dmag};
assert (umag != 0);
assert (dmag != 0);
}
}
}
template<bool B2> void
SpeedSync::compare_bits (BitValue *bit_values, double relative_speed, int *start_mi, int offset)
{
const int steps_per_frame = Params::frame_size / Params::sync_search_step;
const double relative_speed_inv = 1 / relative_speed;
/* search start */
int mi = *start_mi;
while (mi > 0)
{
int index = offset + sync_bits[mi - 1].frame * steps_per_frame;
if (index < 0)
break;
mi--;
}
*start_mi = mi;
for (auto si = sync_bits.begin() + mi; si != sync_bits.end(); si++)
{
int index = (offset + si->frame * steps_per_frame) * relative_speed_inv + 0.5;
if (index >= sync_matrix.rows())
return;
auto& bv = bit_values[si->bit];
auto mags = sync_matrix (index, mi);
assert (mags.umag != 0);
assert (mags.dmag != 0);
if (B2)
{
bv.umag += mags.dmag;
bv.dmag += mags.umag;
}
else
{
bv.umag += mags.umag;
bv.dmag += mags.dmag;
}
bv.count++;
mi++;
}
}
void
SpeedSync::compare (double relative_speed)
{
const int steps_per_frame = Params::frame_size / Params::sync_search_step;
const int pad_start = frames_per_block * steps_per_frame + /* add a bit of overlap to handle boundaries */ steps_per_frame;
Score best_score;
assert (steps_per_frame * Params::sync_search_step == Params::frame_size);
int start_mi1 = sync_bits.size();
int start_mi2 = sync_bits.size();
int start_mi3 = sync_bits.size();
for (int offset = -pad_start; offset < 0; offset++)
{
BitValue bit_values[Params::sync_bits];
/*
* we need to compare 3 blocks here:
* - one block is necessary because we need to test all offsets (-pad_start..0)
* - two more blocks are necessary since speed detection ScanParams uses 50 seconds at most,
* and short payload (12 bits) has a block length of slightly over 30 seconds
*/
compare_bits<false> (bit_values, relative_speed, &start_mi1, offset);
compare_bits<true> (bit_values, relative_speed, &start_mi2, offset + frames_per_block * steps_per_frame);
compare_bits<false> (bit_values, relative_speed, &start_mi3, offset + frames_per_block * steps_per_frame * 2);
double sync_quality = 0;
int bit_count = 0;
for (size_t bit = 0; bit < Params::sync_bits; bit++)
{
const auto& bv = bit_values[bit];
sync_quality += SyncFinder::bit_quality (bv.umag, bv.dmag, bit) * bv.count;
bit_count += bv.count;
}
if (bit_count)
{
sync_quality /= bit_count;
sync_quality = fabs (SyncFinder::normalize_sync_quality (sync_quality));
if (sync_quality > best_score.quality)
{
best_score.quality = sync_quality;
best_score.speed = relative_speed * center;
}
}
}
//printf ("%f %f\n", best_score.speed, best_score.quality);
std::lock_guard<std::mutex> lg (mutex);
result_scores.push_back (best_score);
}
/*
* The scores from speed search are usually a bit noisy, so the local maximum from the scores
* vector is not necessarily the best choice.
*
* To get rid of the noise to some degree, this function smoothes the scores using a
* cosine window and then finds the local maximum of this smooth function.
*/
static double
score_smooth_find_best (const vector<SpeedSync::Score>& in_scores, double step, double distance)
{
auto scores = in_scores;
sort (scores.begin(), scores.end(), [] (auto s1, auto s2) { return s1.speed < s2.speed; });
double best_speed = 0;
double best_quality = 0;
for (double speed = scores.front().speed; speed < scores.back().speed; speed += 0.000001)
{
double quality_sum = 0;
double quality_div = 0;
for (auto s : scores)
{
double w = window_cos ((s.speed - speed) / (step * distance));
quality_sum += s.quality * w;
quality_div += w;
}
quality_sum /= quality_div;
if (quality_sum > best_quality)
{
best_speed = speed;
best_quality = quality_sum;
}
}
return best_speed;
}
class SpeedSearch
{
ThreadPool thread_pool;
vector<std::unique_ptr<SpeedSync>> speed_sync;
const WavData& in_data;
double clip_location;
double start_time;
vector<double> times;
SpeedSync *
find_closest_speed_sync (double speed)
{
auto it = std::min_element (speed_sync.begin(), speed_sync.end(), [&](auto& x, auto& y)
{
return fabs (x->center_speed() - speed) < fabs (y->center_speed() - speed);
});
return (*it).get();
}
void
timer_start()
{
start_time = get_time();
}
void
timer_report()
{
auto t = get_time();
times.push_back (t - start_time);
start_time = t;
}
public:
SpeedSearch (const WavData& in_data, double clip_location) :
in_data (in_data),
clip_location (clip_location)
{
}
vector<double>
get_times()
{
return times;
}
static void
debug_range (const SpeedScanParams& scan_params)
{
auto bound = [&] (float f) {
return 100 * pow (scan_params.step, f * (scan_params.n_center_steps * (scan_params.n_steps * 2 + 1) + scan_params.n_steps));
};
printf ("range = [ %.2f .. %.2f ]\n", bound (-1), bound (1));
}
vector<SpeedSync::Score> run_search (const SpeedScanParams& scan_params, const vector<double>& speeds);
vector<SpeedSync::Score> refine_search (const SpeedScanParams& scan_params, double speed);
};
vector<SpeedSync::Score>
SpeedSearch::run_search (const SpeedScanParams& scan_params, const vector<double>& speeds)
{
/* speed is between 0.8 and 1.25, so we use a clip seconds factor of 1.3 to provide enough samples */
WavData in_clip = get_speed_clip (clip_location, in_data, scan_params.seconds * 1.3);
speed_sync.clear();
for (auto speed : speeds)
{
for (int c = -scan_params.n_center_steps; c <= scan_params.n_center_steps; c++)
{
double c_speed = speed * pow (scan_params.step, c * (scan_params.n_steps * 2 + 1));
speed_sync.push_back (std::make_unique<SpeedSync> (in_clip, c_speed));
}
}
printf (" - prepare\n");
timer_start();
for (auto& s : speed_sync)
s->start_prepare_job (thread_pool, scan_params);
thread_pool.wait_all();
timer_report();
printf (" - search\n");
for (auto& s : speed_sync)
s->start_search_jobs (thread_pool, scan_params, s->center_speed());
thread_pool.wait_all();
timer_report();
exit (0);
vector<SpeedSync::Score> scores;
for (auto& s : speed_sync)
{
vector<SpeedSync::Score> step_scores = s->get_scores();
scores.insert (scores.end(), step_scores.begin(), step_scores.end());
}
return scores;
}
vector<SpeedSync::Score>
SpeedSearch::refine_search (const SpeedScanParams& scan_params, double speed)
{
SpeedSync *center_speed_sync = find_closest_speed_sync (speed);
timer_start();
center_speed_sync->start_search_jobs (thread_pool, scan_params, speed);
thread_pool.wait_all();
timer_report();
return center_speed_sync->get_scores();
}
static void
select_n_best_scores (vector<SpeedSync::Score>& scores, size_t n)
{
sort (scores.begin(), scores.end(), [](auto a, auto b) { return a.speed < b.speed; });
auto get_quality = [&] (int pos) // handle corner cases
{
if (pos >= 0 && size_t (pos) < scores.size())
return scores[pos].quality;
else
return 0.0;
};
vector<SpeedSync::Score> lmax_scores;
for (int x = 0; size_t (x) < scores.size(); x++)
{
/* check for peaks
* - single peak : quality of the middle value is larger than the quality of the left and right neighbour
* - double peak : two values have equal quality, this must be larger than left and right neighbour
*/
const double q1 = get_quality (x - 1);
const double q2 = get_quality (x);
const double q3 = get_quality (x + 1);
if (q1 <= q2 && q2 >= q3)
{
lmax_scores.push_back (scores[x]);
x++; // score with quality q3 cannot be a local maximum
}
}
sort (lmax_scores.begin(), lmax_scores.end(), [](auto a, auto b) { return a.quality > b.quality; });
if (lmax_scores.size() > n)
lmax_scores.resize (n);
scores = lmax_scores;
}
static vector<double>
get_clip_locations (const WavData& in_data, int n)
{
Random rng (0, Random::Stream::speed_clip);
/* to improve performance, we don't hash all samples but just a few */
const vector<float>& samples = in_data.samples();
vector<float> xsamples;
for (size_t p = 0; p < samples.size(); p += rng() % 1000)
xsamples.push_back (samples[p]);
rng.seed (Random::seed_from_hash (xsamples), Random::Stream::speed_clip);
/* return a set of n possible clip locations */
vector<double> result;
for (int c = 0; c < n; c++)
result.push_back (rng.random_double());
return result;
}
static double
get_best_clip_location (const WavData& in_data, double seconds, int candidates)
{
double clip_location = 0;
double best_energy = 0;
/* try a few clip locations, use the one with highest signal energy */
for (auto location : get_clip_locations (in_data, candidates))
{
WavData wd = get_speed_clip (location, in_data, seconds);
double energy = 0;
for (auto s : wd.samples())
energy += s * s;
if (energy > best_energy)
{
best_energy = energy;
clip_location = location;
}
}
return clip_location;
}
double
detect_speed (const WavData& in_data, bool print_results)
{
/* typically even for high strength we need at least a few seconds of audio
* in in_data for successful speed detection, but our algorithm won't work at
* all for very short input files
*/
double in_seconds = double (in_data.n_frames()) / in_data.sample_rate();
if (in_seconds < 0.25)
return 1;
const SpeedScanParams scan1_normal /* first pass: find approximation: speed approximately 0.8..1.25 */
{
.seconds = 25,
.step = 1.0007,
.n_steps = 5,
.n_center_steps = 28,
};
const SpeedScanParams scan1_patient
{
.seconds = 50,
.step = 1.00035,
.n_steps = 11,
.n_center_steps = 28,
};
const SpeedScanParams scan1 = Params::detect_speed_patient ? scan1_patient : scan1_normal;
const SpeedScanParams scan2_normal /* second pass: improve approximation */
{
.seconds = 50,
.step = 1.00035,
.n_steps = 1,
};
const SpeedScanParams scan2_patient
{
.seconds = 50,
.step = 1.000175,
.n_steps = 1,
};
const SpeedScanParams scan2 = Params::detect_speed_patient ? scan2_patient : scan2_normal;
const SpeedScanParams scan3 /* third pass: fast refine (not always perfect) */
{
.seconds = 50,
.step = 1.00005,
.n_steps = 40,
};
const double scan3_smooth_distance = 20;
const double speed_sync_threshold = 0.4;
// SpeedSearch::debug_range (scan1);
const int clip_candidates = 5;
const double clip_location = get_best_clip_location (in_data, scan1.seconds, clip_candidates);
vector<SpeedSync::Score> scores;
SpeedSearch speed_search (in_data, clip_location);
/* initial search using grid */
scores = speed_search.run_search (scan1, { 1.0 });
/* improve 5 best matches */
select_n_best_scores (scores, 5);
vector<double> speeds;
for (auto score : scores)
speeds.push_back (score.speed);
scores = speed_search.run_search (scan2, speeds);
/* improve or refine best match */
select_n_best_scores (scores, 1);
if (Params::detect_speed_patient)
{
// slower version: prepare magnitudes again, according to best speed
scores = speed_search.run_search (scan3, { scores[0].speed });
}
else
{
// faster version: keep already computed magnitudes
scores = speed_search.refine_search (scan3, scores[0].speed);
}
double best_speed = score_smooth_find_best (scores, 1 - scan3.step, scan3_smooth_distance);
double best_quality = 0;
for (auto score : scores)
best_quality = max (best_quality, score.quality);
if (print_results)
{
double delta = -1;
if (Params::test_speed > 0)
delta = 100 * fabs (best_speed - Params::test_speed) / Params::test_speed;
printf ("detect_speed %f %f %.4f ", best_speed, best_quality, delta);
double total = 0.0;
for (auto t : speed_search.get_times())
{
total += t;
printf (" %.3f", t);
}
printf (" %.3f\n", total);
}
if (best_quality > speed_sync_threshold)
return best_speed;
else
return 1;
}
| Tonypythony/audiowmark | src/wmspeed.cc | C++ | mit | 18,709 |
/*
* Copyright (C) 2018-2020 Stefan Westerfeld
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef AUDIOWMARK_WM_SPEED_HH
#define AUDIOWMARK_WM_SPEED_HH
#include "wavdata.hh"
double detect_speed (const WavData& in_data, bool print_results);
#endif /* AUDIOWMARK_WM_SPEED_HH */
| Tonypythony/audiowmark | src/wmspeed.hh | C++ | mit | 891 |
test-common.sh
| Tonypythony/audiowmark | tests/.gitignore | Git | mit | 15 |
check: detect-speed-test block-decoder-test clip-decoder-test \
pipe-test short-payload-test sync-test sample-rate-test \
key-test
EXTRA_DIST = detect-speed-test.sh block-decoder-test.sh clip-decoder-test.sh \
pipe-test.sh short-payload-test.sh sync-test.sh sample-rate-test.sh \
key-test.sh
detect-speed-test:
Q=1 $(top_srcdir)/tests/detect-speed-test.sh
block-decoder-test:
Q=1 $(top_srcdir)/tests/block-decoder-test.sh
clip-decoder-test:
Q=1 $(top_srcdir)/tests/clip-decoder-test.sh
pipe-test:
Q=1 $(top_srcdir)/tests/pipe-test.sh
short-payload-test:
Q=1 $(top_srcdir)/tests/short-payload-test.sh
sync-test:
Q=1 $(top_srcdir)/tests/sync-test.sh
sample-rate-test:
Q=1 $(top_srcdir)/tests/sample-rate-test.sh
key-test:
Q=1 $(top_srcdir)/tests/key-test.sh
| Tonypythony/audiowmark | tests/Makefile.am | am | mit | 801 |
#!/bin/bash
source test-common.sh
IN_WAV=block-decoder-test.wav
OUT_WAV=block-decoder-test-out.wav
audiowmark test-gen-noise $IN_WAV 200 44100
audiowmark_add $IN_WAV $OUT_WAV $TEST_MSG
audiowmark_cmp --expect-matches 5 $OUT_WAV $TEST_MSG
rm $IN_WAV $OUT_WAV
exit 0
| Tonypythony/audiowmark | tests/block-decoder-test.sh | Shell | mit | 269 |
#!/bin/bash
source test-common.sh
IN_WAV=clip-decoder-test.wav
OUT_WAV=clip-decoder-test-out.wav
CUT_WAV=clip-decoder-test-out-cut.wav
audiowmark test-gen-noise $IN_WAV 30 44100
audiowmark_add $IN_WAV $OUT_WAV $TEST_MSG
audiowmark_cmp --expect-matches 1 $OUT_WAV $TEST_MSG
# cut 1 second 300 samples
audiowmark cut-start $OUT_WAV $CUT_WAV 44300
audiowmark_cmp --expect-matches 1 $CUT_WAV $TEST_MSG
rm $IN_WAV $OUT_WAV $CUT_WAV
exit 0
| Tonypythony/audiowmark | tests/clip-decoder-test.sh | Shell | mit | 438 |
#!/bin/bash
source test-common.sh
IN_WAV=detect-speed-test.wav
OUT_WAV=detect-speed-test-out.wav
OUTS_WAV=detect-speed-test-out-spd.wav
audiowmark test-gen-noise detect-speed-test.wav 30 44100
for SPEED in 0.9764 1.0 1.01
do
audiowmark_add $IN_WAV $OUT_WAV $TEST_MSG
audiowmark test-change-speed $OUT_WAV $OUTS_WAV $SPEED
audiowmark_cmp $OUTS_WAV $TEST_MSG --detect-speed --test-speed $SPEED
audiowmark_cmp $OUTS_WAV $TEST_MSG --detect-speed-patient --test-speed $SPEED
done
rm $IN_WAV $OUT_WAV $OUTS_WAV
exit 0
| Tonypythony/audiowmark | tests/detect-speed-test.sh | Shell | mit | 524 |
#!/bin/bash
source test-common.sh
IN_WAV=key-test.wav
KEY1=key-test-1.key
KEY2=key-test-2.key
OUT1_WAV=key-test-out1.wav
OUT2_WAV=key-test-out2.wav
TEST_MSG2=0123456789abcdef0123456789abcdef
audiowmark test-gen-noise $IN_WAV 30 44100
audiowmark gen-key $KEY1
audiowmark gen-key $KEY2
audiowmark_add --key $KEY1 $IN_WAV $OUT1_WAV $TEST_MSG
audiowmark_add --key $KEY2 $IN_WAV $OUT2_WAV $TEST_MSG2
# shouldn't be able to detect watermark without correct key
audiowmark_cmp --key $KEY1 --expect-matches 1 $OUT1_WAV $TEST_MSG
audiowmark_cmp --key $KEY2 --expect-matches 0 $OUT1_WAV $TEST_MSG
audiowmark_cmp --expect-matches 0 $OUT1_WAV $TEST_MSG
audiowmark_cmp --key $KEY2 --expect-matches 1 $OUT2_WAV $TEST_MSG2
audiowmark_cmp --key $KEY1 --expect-matches 0 $OUT2_WAV $TEST_MSG2
audiowmark_cmp --expect-matches 0 $OUT2_WAV $TEST_MSG2
rm $OUT1_WAV $OUT2_WAV
# double watermark with two different keys
audiowmark_add $IN_WAV $OUT1_WAV $TEST_MSG
audiowmark_add --test-key 42 $OUT1_WAV $OUT2_WAV $TEST_MSG2
audiowmark_cmp --expect-matches 1 $OUT2_WAV $TEST_MSG
audiowmark_cmp --test-key 42 --expect-matches 1 $OUT2_WAV $TEST_MSG2
rm $IN_WAV $KEY1 $KEY2 $OUT1_WAV $OUT2_WAV
exit 0
| Tonypythony/audiowmark | tests/key-test.sh | Shell | mit | 1,184 |
#!/bin/bash
source test-common.sh
IN_WAV=pipe-test.wav
OUT_WAV=pipe-test-out.wav
audiowmark test-gen-noise $IN_WAV 200 44100
cat $IN_WAV | audiowmark_add - - $TEST_MSG > $OUT_WAV || die "watermark from pipe failed"
audiowmark_cmp --expect-matches 5 $OUT_WAV $TEST_MSG
cat $OUT_WAV | audiowmark_cmp --expect-matches 5 - $TEST_MSG || die "watermark detection from pipe failed"
rm $IN_WAV $OUT_WAV
exit 0
| Tonypythony/audiowmark | tests/pipe-test.sh | Shell | mit | 406 |
#!/bin/bash
source test-common.sh
IN_WAV=sample-rate-test.wav
OUT_WAV=sample-rate-test-out.wav
OUT_48000_WAV=sample-rate-test-out-48000.wav
audiowmark test-gen-noise $IN_WAV 200 32000
audiowmark_add $IN_WAV $OUT_WAV $TEST_MSG
audiowmark_cmp --expect-matches 5 $OUT_WAV $TEST_MSG
audiowmark test-resample $OUT_WAV $OUT_48000_WAV 48000
audiowmark_cmp --expect-matches 5 $OUT_48000_WAV $TEST_MSG
rm $IN_WAV $OUT_WAV $OUT_48000_WAV
exit 0
| Tonypythony/audiowmark | tests/sample-rate-test.sh | Shell | mit | 439 |
#!/bin/bash
source test-common.sh
IN_WAV=short-playload-test.wav
OUT_WAV=short-playload-test-out.wav
audiowmark test-gen-noise $IN_WAV 200 44100
audiowmark_add --short 12 $IN_WAV $OUT_WAV abc
audiowmark_cmp --short 12 $OUT_WAV abc
audiowmark_add --short 16 $IN_WAV $OUT_WAV abcd
audiowmark_cmp --short 16 $OUT_WAV abcd
audiowmark_add --short 20 $IN_WAV $OUT_WAV abcde
audiowmark_cmp --short 20 $OUT_WAV abcde
rm $IN_WAV $OUT_WAV
exit 0
| Tonypythony/audiowmark | tests/short-payload-test.sh | Shell | mit | 440 |
#!/bin/bash
source test-common.sh
IN_WAV=sync-test.wav
OUT_WAV=sync-test-out.wav
CUT_WAV=sync-test-cut.wav
audiowmark test-gen-noise $IN_WAV 200 44100
audiowmark_add $IN_WAV $OUT_WAV $TEST_MSG
# cut 20 seconds and 300 samples
audiowmark cut-start $OUT_WAV $CUT_WAV 882300
audiowmark_cmp --expect-matches 3 $CUT_WAV $TEST_MSG
rm $IN_WAV $OUT_WAV $CUT_WAV
exit 0
| Tonypythony/audiowmark | tests/sync-test.sh | Shell | mit | 365 |
# program locations
AUDIOWMARK=@top_builddir@/src/audiowmark
TEST_MSG=f0f0f0f0f0f0f0f0f0f0f0f0f0f0f0f0
# common shell functions
die()
{
echo >&2 "$0: $@"
exit 1
}
audiowmark()
{
if [ "x$Q" == "x1" ] && [ -z "$V" ]; then
AUDIOWMARK_Q="-q"
else
echo >&2 ==== audiowmark "$@" ====
fi
$AUDIOWMARK --strict "$@" || die "failed to run audiowmark $@"
}
audiowmark_add()
{
if [ "x$Q" == "x1" ] && [ -z "$V" ]; then
AUDIOWMARK_Q="-q"
else
echo >&2 ==== audiowmark add "$@" ====
fi
$AUDIOWMARK $AUDIOWMARK_Q --strict add "$@" || die "failed to watermark $@"
}
audiowmark_cmp()
{
if [ "x$Q" == "x1" ] && [ -z "$V" ]; then
AUDIOWMARK_OUT="/dev/null"
else
AUDIOWMARK_OUT="/dev/stdout"
echo >&2 ==== audiowmark cmp "$@" ====
fi
$AUDIOWMARK --strict cmp "$@" > $AUDIOWMARK_OUT || die "failed to detect watermark $@"
}
| Tonypythony/audiowmark | tests/test-common.sh.in | in | mit | 865 |
# MaxxtoolingCanada
Maxx Tooling is your one-stop destination to buy 3R Systems. We have come up with high-grade tooling precisely designed keeping the manufacturing and machining needs of our customers in mind. Visit us! https://maxxtooling.com/collections/maxxmacro | MaxxtoolingCanada/MaxxtoolingCanada | README.md | Markdown | unknown | 268 |
@font-face {
font-family: 'icons';
src: url('/font/icons.eot?83223639');
src: url('/font/icons.eot?83223639#iefix') format('embedded-opentype'),
url('/font/icons.woff?83223639') format('woff'),
url('/font/icons.ttf?83223639') format('truetype'),
url('/font/icons.svg?83223639#icons') format('svg');
font-weight: normal;
font-style: normal;
}
body {
margin: 0;
font-family: Arial, sans-serif;
display: flex;
height: 100vh;
overflow:hidden;
}
a{
cursor: pointer;
}
.sidebar {
width: 20%;
min-width: 280px;
background-color: #2A2E35;
color: #ffffff;
display: flex;
flex-direction: column;
overflow-y: auto;
}
.chat {
flex: 1;
display: flex;
flex-direction: column;
background-color: #2980B9;
}
.sidebar-header {
padding: 15px;
background-color: #23272A;
font-size: 18px;
font-weight: bold;
}
.contact {
display: flex;
align-items: center;
padding: 10px 15px;
cursor: pointer;
border-bottom: 1px solid #444;
min-height:30px;
}
.pinned {
background-color:rgba(255,255,255,0.05);
}
.contact:hover {
background-color: #3A3F42;
}
.contact img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
}
.contact-details {
flex: 1;
}
.contact-name {
font-size: 16px;
}
.contact-last-message {
font-size: 14px;
color: #B3B3B3;
}
.chat-header {
padding: 5px;
background-color: black;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
}
.pinned-message {
padding: 5px;
background-color: white;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
height:40px;
}
.chat-header img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
valign: top;
vertical-align:middle;
}
.chat-header .burgermenu {
cursor: pointer;
margin-right:10px;
position:relative;
}
.burgermenu .menu{
display:none;
}
.burgermenu:hover .menu{
display:block;
background-color:white;
width:170px;
position:absolute;
left:-140px;
top:1px;
padding:0;
margin:0;
overflow:hidden;
}
.menu ul{
margin:0;
padding:0;
}
.menu li{
text-decoration:none;
display:block;
color:black;
margin:0;
width:170px;
padding:0;
line-height:2em;
padding-left:10px;
}
.menu li:hover{
display:block;
color:white;
background-color:black;
}
.attachment{
display:flex;
height:35px;
background-color: #0078D7;
padding:10px;
line-height:30px;
border-radius:10px;
color:white;
margin-bottom:5px;
overflow:hidden;
cursor: pointer;
transition:1s;
}
.attachment:hover{
background-color: #209bff;
}
.attachment_icon{
flex: 1;
background-color: #58b2f8;
border-radius:45px;
width:30px;
height:30px;
vertical-align:middle;
margin-right:10px;
}
.downloadarrow{
position:absolute;
left:15px;
bottom:15px;
cursor:pointer;
background-color:rgba(0,0,0,0.5);
color:white;
font-weight:bold;
border:2px solid white;
display:block;
width:30px;
height:30px;
line-height:30px;
text-align:center;
border-radius:45px;
transition: 1s;
}
.downloadarrow:hover{
background-color:rgba(255,255,255,1);
color:black;
border:2px solid black;
}
.messages {
flex: 1;
padding: 15px;
display: flex;
flex-direction: column;
overflow-y: auto;
background-color:#2980B9;
}
.message {
margin-bottom: 10px;
}
.message.sent {
text-align: right;
}
.message .bubble {
display: inline-block;
padding: 10px;
border-radius: 8px;
max-width: 400px;
word-wrap: break-word;
}
.bubble{
box-shadow:1px 1px 5px rgba(0,0,0,0.2);
}
.message.sent .bubble {
background-color: #DCF8C6;
}
.message.received .bubble {
background-color: #fff;
}
.highlighted {
background-color: #ff8 !important;
border:1px solid darkorange;
}
.bubble a{
text-decoration:none;
color:navy;
}
.bubble a:hover{
text-decoration:underline;
color:navy;
}
.controls{
visibility:hidden;
font-family:"icons";
}
.bubble:hover .controls{
visibility:visible;
}
.controls a{
text-decoration:none !important;
font-size:20px !important;
}
.controls a:hover{
color:red !important;
}
.message .subtext {
font-size: 10px;
color: #666;
margin-top: 20px;
float:right;
clear:both;
}
.subtext-image {
font-size: 10px;
color: #666;
margin-top: 20px;
}
.message .image-message {
max-width: 200px;
max-height: 200px;
}
.message .link-preview {
display: flex;
flex-direction: column;
border: 1px solid #ccc;
border-radius: 5px;
overflow: hidden;
max-width: 400px; /* Limit the width to 300px */
}
.message .link-preview img {
max-width: 100%;
}
.message .link-preview .link-details {
padding: 5px;
background-color: #f7f7f7;
}
.message .link-preview .link-title {
font-weight: bold;
}
.message .link-preview .link-url {
font-size: 12px;
color: #666;
}
.link:before{
font-family:"icons";
content:' ';
}
.chat-input {
padding: 10px;
background-color: #f7f7f7;
display: flex;
gap: 10px;
position:relative;
height:50px;
}
.chat-input input, {
flex: 1;
padding: 10px;
border: 1px solid #ccc;
border-radius: 5px;
}
.chat-input .textarea-container {
flex: 1;
position: relative;
}
.chat-input textarea{
position:absolute;
height:75%;
width:98%;
border: 1px solid #ccc;
border-radius: 5px;
padding:5px;
transition: 1s;
}
.resized{
margin-top:-150px !important;
height:375% !important;
border: 1px solid #777 !important;
transition: 1s;
}
.flash-red {
background-color: #ff5555 !important;
transition: background-color 0.5s ease;
}
#postoptions {
display:none;
position:absolute;
box-shadow:1px 1px 10px rgba(0,0,0,0.9);
border-radius:10px;
top:-150px;
left:-250px;
min-width:300px;
background-color:white;
padding:15px;
}
.chat-input button {
padding: 10px;
border: 1px solid white;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
}
.button {
padding: 10px;
border: none;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
transition:1s;
}
.buttonred {
background-color: red !important;
}
.redborder {
border: 1px solid red !important;
}
.button:hover {
background-color: #209bff;
}
.formInput{
color: #0078D7;
width:80%;
height:30px;
text-align:center;
font-size:20px;
border:0px;
border-right:1px solid black;
border-bottom:1px solid black;
}
.chat-input button:hover {
background-color: #005BB5;
}
.imagemodal{
position:fixed;
top:0px;
bottom:0px;
left:0px;
right:0px;
display: flex;
justify-content: center; /* Horizontally center */
align-items: center; /* Vertically center */
height: 100vh;
background-color:rgba(0,0,0,0.5);
}
.imagemodal img{
max-height:90%;
max-width:90%;
width:auto !important;
text-align: center;
}
.closemodal{
background-color:rgba(255,255,255,0.5);
color:white;
padding:5px;
cursor: pointer;
display:block;
display:none;
}
#loader{
visibility:hidden;
width:0px;
height:0px;
border:0px;
}
.sidebar-header a{
display:inline-block;
padding:2px;
border:1px solid #444;
height:20px;
line-height:20px;
width:20px;
text-align:center;
border-radius:10px;
}
.pinned-message{
cursor: pointer;
} | daisuke/Notebubble | css/Nueva carpeta/sidebar.css | CSS | mit | 7,056 |
@font-face {
font-family: 'icons';
src: url('/font/icons.eot?83223639');
src: url('/font/icons.eot?83223639#iefix') format('embedded-opentype'),
url('/font/icons.woff?83223639') format('woff'),
url('/font/icons.ttf?83223639') format('truetype'),
url('/font/icons.svg?83223639#icons') format('svg');
font-weight: normal;
font-style: normal;
}
body {
margin: 0;
font-family: Arial, sans-serif;
display: flex;
height: 100vh;
overflow:hidden;
}
a{
cursor: pointer;
}
.sidebar {
width: 80px;
background-color: #2A2E35;
color: #ffffff;
display: flex;
flex-direction: column;
overflow-y: auto;
overflow-x:hidden;
}
.chat {
flex: 1;
display: flex;
flex-direction: column;
background-color: #2980B9;
}
.sidebar-header {
padding: 15px;
background-color: #23272A;
font-size: 18px;
font-weight: bold;
width: 80px;
overflow:hidden;
height:80px;
display:none;
}
.contact {
display: flex;
align-items: center;
padding: 10px 15px;
cursor: pointer;
border-bottom: 1px solid #444;
min-height:30px;
}
.pinned {
background-color:rgba(255,255,255,0.05);
}
.contact:hover {
background-color: #3A3F42;
}
.contact img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
margin-left: -5px;
}
.contact-details {
display:none;
}
.contact-name {
display:none;
}
.contact-last-message {
display:none;
}
.chat-header {
padding: 5px;
background-color: black;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
}
.pinned-message {
padding: 5px;
background-color: white;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
height:40px;
}
.chat-header img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
valign: top;
vertical-align:middle;
}
.chat-header .burgermenu {
cursor: pointer;
margin-right:10px;
position:relative;
}
.burgermenu .menu{
display:none;
}
.burgermenu:hover .menu{
display:block;
background-color:white;
width:170px;
position:absolute;
left:-140px;
top:1px;
padding:0;
margin:0;
overflow:hidden;
}
.menu ul{
margin:0;
padding:0;
}
.menu li{
text-decoration:none;
display:block;
color:black;
margin:0;
width:170px;
padding:0;
line-height:2em;
padding-left:10px;
}
.menu li:hover{
display:block;
color:white;
background-color:black;
}
.attachment{
display:flex;
height:35px;
background-color: #0078D7;
padding:10px;
line-height:30px;
border-radius:10px;
color:white;
margin-bottom:5px;
overflow:hidden;
cursor: pointer;
transition:1s;
}
.attachment:hover{
background-color: #209bff;
}
.attachment_icon{
flex: 1;
background-color: #58b2f8;
border-radius:45px;
width:30px;
height:30px;
vertical-align:middle;
margin-right:10px;
}
.downloadarrow{
position:absolute;
left:15px;
bottom:15px;
cursor:pointer;
background-color:rgba(0,0,0,0.5);
color:white;
font-weight:bold;
border:2px solid white;
display:block;
width:30px;
height:30px;
line-height:30px;
text-align:center;
border-radius:45px;
transition: 1s;
}
.downloadarrow:hover{
background-color:rgba(255,255,255,1);
color:black;
border:2px solid black;
}
.messages {
flex: 1;
padding: 15px;
display: flex;
flex-direction: column;
overflow-y: auto;
background-color:#2980B9;
}
.message {
margin-bottom: 10px;
}
.message.sent {
text-align: right;
}
.message .bubble {
display: inline-block;
padding: 10px;
border-radius: 8px;
max-width: 400px;
word-wrap: break-word;
}
.bubble{
box-shadow:1px 1px 5px rgba(0,0,0,0.2);
}
.message.sent .bubble {
background-color: #DCF8C6;
}
.message.received .bubble {
background-color: #fff;
}
.highlighted {
background-color: #ff8 !important;
border:1px solid darkorange;
}
.bubble a{
text-decoration:none;
color:navy;
}
.bubble a:hover{
text-decoration:underline;
color:navy;
}
.controls{
visibility:hidden;
font-family:"icons";
}
.bubble:hover .controls{
visibility:visible;
}
.controls a{
text-decoration:none !important;
font-size:20px !important;
}
.controls a:hover{
color:red !important;
}
.message .subtext {
font-size: 10px;
color: #666;
margin-top: 20px;
float:right;
clear:both;
}
.subtext-image {
font-size: 10px;
color: #666;
margin-top: 20px;
}
.message .image-message {
max-width: 200px;
max-height: 200px;
}
.message .link-preview {
display: flex;
flex-direction: column;
border: 1px solid #ccc;
border-radius: 5px;
overflow: hidden;
max-width: 400px; /* Limit the width to 300px */
}
.message .link-preview img {
max-width: 100%;
}
.message .link-preview .link-details {
padding: 5px;
background-color: #f7f7f7;
}
.message .link-preview .link-title {
font-weight: bold;
}
.message .link-preview .link-url {
font-size: 12px;
color: #666;
}
.link:before{
font-family:"icons";
content:' ';
}
.chat-input {
padding: 10px;
background-color: #f7f7f7;
display: flex;
gap: 10px;
position:relative;
}
.chat-input input, .chat-input textarea {
flex: 1;
padding: 10px;
border: 1px solid #ccc;
border-radius: 5px;
}
.flash-red {
background-color: #ff5555 !important;
transition: background-color 0.5s ease;
}
.chat-input button {
padding: 10px;
border: 1px solid white;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
}
.button {
padding: 10px;
border: none;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
transition:1s;
}
.button:hover {
background-color: #209bff;
}
.formInput{
color: #0078D7;
width:80%;
height:30px;
text-align:center;
font-size:20px;
border:0px;
border-right:1px solid black;
border-bottom:1px solid black;
}
.chat-input button:hover {
background-color: #005BB5;
}
.imagemodal{
position:fixed;
top:0px;
bottom:0px;
left:0px;
right:0px;
display: flex;
justify-content: center; /* Horizontally center */
align-items: center; /* Vertically center */
height: 100vh;
background-color:rgba(0,0,0,0.5);
}
.imagemodal img{
max-height:90%;
max-width:90%;
width:auto !important;
text-align: center;
}
.closemodal{
background-color:rgba(255,255,255,0.5);
color:white;
padding:5px;
cursor: pointer;
display:block;
display:none;
}
#loader{
visibility:hidden;
width:0px;
height:0px;
border:0px;
}
.sidebar-header a{
display:inline-block;
padding:2px;
border:1px solid #444;
height:20px;
line-height:20px;
width:20px;
text-align:center;
border-radius:10px;
}
.pinned-message{
cursor: pointer;
} | daisuke/Notebubble | css/Nueva carpeta/sidebar_min.css | CSS | mit | 6,479 |
@font-face {
font-family: 'icons';
src: url('/font/icons.eot?83223639');
src: url('/font/icons.eot?83223639#iefix') format('embedded-opentype'),
url('/font/icons.woff?83223639') format('woff'),
url('/font/icons.ttf?83223639') format('truetype'),
url('/font/icons.svg?83223639#icons') format('svg');
font-weight: normal;
font-style: normal;
}
body {
margin: 0;
font-family: Arial, sans-serif;
display: flex;
height: 100vh;
overflow:hidden;
}
a{
cursor: pointer;
}
.sidebar {
width: 20%;
min-width: 280px;
background-color: #2A2E35;
color: #ffffff;
display: flex;
flex-direction: column;
overflow-y: auto;
}
.chat {
flex: 1;
display: flex;
flex-direction: column;
background-color: #2980B9;
}
.sidebar-header {
padding: 15px;
background-color: #23272A;
font-size: 18px;
font-weight: bold;
}
.contact {
display: flex;
align-items: center;
padding: 10px 15px;
cursor: pointer;
border-bottom: 1px solid #444;
min-height:30px;
}
.pinned {
background-color:rgba(255,255,255,0.05);
}
.contact:hover {
background-color: #3A3F42;
}
.contact img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
}
.contact-details {
flex: 1;
}
.contact-name {
font-size: 16px;
}
.contact-last-message {
font-size: 14px;
color: #B3B3B3;
}
.chat-header {
padding: 5px;
background-color: black;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
}
.pinned-message {
padding: 5px;
background-color: white;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
height:40px;
}
.chat-header img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
valign: top;
vertical-align:middle;
}
.chat-header .burgermenu {
cursor: pointer;
margin-right:10px;
position:relative;
}
.burgermenu .menu{
display:none;
}
.burgermenu:hover .menu{
display:block;
background-color:white;
width:170px;
position:absolute;
left:-140px;
top:1px;
padding:0;
margin:0;
overflow:hidden;
}
.menu ul{
margin:0;
padding:0;
}
.menu li{
text-decoration:none;
display:block;
color:black;
margin:0;
width:170px;
padding:0;
line-height:2em;
padding-left:10px;
}
.menu li:hover{
display:block;
color:white;
background-color:black;
}
.attachment{
display:flex;
height:35px;
background-color: #0078D7;
padding:10px;
line-height:30px;
border-radius:10px;
color:white;
margin-bottom:5px;
overflow:hidden;
cursor: pointer;
transition:1s;
}
.attachment:hover{
background-color: #209bff;
}
.attachment_icon{
flex: 1;
background-color: #58b2f8;
border-radius:45px;
width:30px;
height:30px;
vertical-align:middle;
margin-right:10px;
}
.downloadarrow{
position:absolute;
left:15px;
bottom:15px;
cursor:pointer;
background-color:rgba(0,0,0,0.5);
color:white;
font-weight:bold;
border:2px solid white;
display:block;
width:30px;
height:30px;
line-height:30px;
text-align:center;
border-radius:45px;
transition: 1s;
}
.downloadarrow:hover{
background-color:rgba(255,255,255,1);
color:black;
border:2px solid black;
}
.messages {
flex: 1;
padding: 15px;
display: flex;
flex-direction: column;
overflow-y: auto;
background-color:#2980B9;
}
.message {
margin-bottom: 10px;
}
.message.sent {
text-align: right;
}
.message .bubble {
display: inline-block;
padding: 10px;
border-radius: 8px;
max-width: 400px;
word-wrap: break-word;
}
.bubble{
box-shadow:1px 1px 5px rgba(0,0,0,0.2);
}
.message.sent .bubble {
background-color: #DCF8C6;
}
.message.received .bubble {
background-color: #fff;
}
.highlighted {
background-color: #ff8 !important;
border:1px solid darkorange;
}
.bubble a{
text-decoration:none;
color:navy;
}
.bubble a:hover{
text-decoration:underline;
color:navy;
}
.controls{
visibility:hidden;
font-family:"icons";
}
.bubble:hover .controls{
visibility:visible;
}
.controls a{
text-decoration:none !important;
font-size:20px !important;
}
.controls a:hover{
color:red !important;
}
.message .subtext {
font-size: 10px;
color: #666;
margin-top: 20px;
float:right;
clear:both;
}
.subtext-image {
font-size: 10px;
color: #666;
margin-top: 20px;
}
.message .image-message {
max-width: 200px;
max-height: 200px;
}
.message .link-preview {
display: flex;
flex-direction: column;
border: 1px solid #ccc;
border-radius: 5px;
overflow: hidden;
max-width: 400px; /* Limit the width to 300px */
}
.message .link-preview img {
max-width: 100%;
}
.message .link-preview .link-details {
padding: 5px;
background-color: #f7f7f7;
}
.message .link-preview .link-title {
font-weight: bold;
}
.message .link-preview .link-url {
font-size: 12px;
color: #666;
}
.link:before{
font-family:"icons";
content:' ';
}
.chat-input {
padding: 10px;
background-color: #f7f7f7;
display: flex;
gap: 10px;
position:relative;
height:50px;
}
.chat-input input, {
flex: 1;
padding: 10px;
border: 1px solid #ccc;
border-radius: 5px;
}
.chat-input .textarea-container {
flex: 1;
position: relative;
}
.chat-input textarea{
position:absolute;
height:75%;
width:98%;
border: 1px solid #ccc;
border-radius: 5px;
padding:5px;
transition: 1s;
}
.resized{
margin-top:-150px !important;
height:375% !important;
border: 1px solid #777 !important;
transition: 1s;
}
.flash-red {
background-color: #ff5555 !important;
transition: background-color 0.5s ease;
}
#postoptions {
display:none;
position:absolute;
box-shadow:1px 1px 10px rgba(0,0,0,0.9);
border-radius:10px;
top:-150px;
left:-250px;
min-width:300px;
background-color:white;
padding:15px;
}
.chat-input button {
padding: 10px;
border: 1px solid white;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
}
.button {
padding: 10px;
border: none;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
transition:1s;
}
.buttonred {
background-color: red !important;
}
.redborder {
border: 1px solid red !important;
}
.button:hover {
background-color: #209bff;
}
.formInput{
color: #0078D7;
width:80%;
height:30px;
text-align:center;
font-size:20px;
border:0px;
border-right:1px solid black;
border-bottom:1px solid black;
}
.chat-input button:hover {
background-color: #005BB5;
}
.imagemodal{
position:fixed;
top:0px;
bottom:0px;
left:0px;
right:0px;
display: flex;
justify-content: center; /* Horizontally center */
align-items: center; /* Vertically center */
height: 100vh;
background-color:rgba(0,0,0,0.5);
}
.imagemodal img{
max-height:90%;
max-width:90%;
width:auto !important;
text-align: center;
}
.closemodal{
background-color:rgba(255,255,255,0.5);
color:white;
padding:5px;
cursor: pointer;
display:block;
display:none;
}
#loader{
visibility:hidden;
width:0px;
height:0px;
border:0px;
}
.sidebar-header a{
display:inline-block;
padding:2px;
border:1px solid #444;
height:20px;
line-height:20px;
width:20px;
text-align:center;
border-radius:10px;
}
.pinned-message{
cursor: pointer;
} | daisuke/Notebubble | css/Nueva carpeta/style.css | CSS | mit | 7,056 |
/*
Animation example, for spinners
*/
.animate-spin {
-moz-animation: spin 2s infinite linear;
-o-animation: spin 2s infinite linear;
-webkit-animation: spin 2s infinite linear;
animation: spin 2s infinite linear;
display: inline-block;
}
@-moz-keyframes spin {
0% {
-moz-transform: rotate(0deg);
-o-transform: rotate(0deg);
-webkit-transform: rotate(0deg);
transform: rotate(0deg);
}
100% {
-moz-transform: rotate(359deg);
-o-transform: rotate(359deg);
-webkit-transform: rotate(359deg);
transform: rotate(359deg);
}
}
@-webkit-keyframes spin {
0% {
-moz-transform: rotate(0deg);
-o-transform: rotate(0deg);
-webkit-transform: rotate(0deg);
transform: rotate(0deg);
}
100% {
-moz-transform: rotate(359deg);
-o-transform: rotate(359deg);
-webkit-transform: rotate(359deg);
transform: rotate(359deg);
}
}
@-o-keyframes spin {
0% {
-moz-transform: rotate(0deg);
-o-transform: rotate(0deg);
-webkit-transform: rotate(0deg);
transform: rotate(0deg);
}
100% {
-moz-transform: rotate(359deg);
-o-transform: rotate(359deg);
-webkit-transform: rotate(359deg);
transform: rotate(359deg);
}
}
@-ms-keyframes spin {
0% {
-moz-transform: rotate(0deg);
-o-transform: rotate(0deg);
-webkit-transform: rotate(0deg);
transform: rotate(0deg);
}
100% {
-moz-transform: rotate(359deg);
-o-transform: rotate(359deg);
-webkit-transform: rotate(359deg);
transform: rotate(359deg);
}
}
@keyframes spin {
0% {
-moz-transform: rotate(0deg);
-o-transform: rotate(0deg);
-webkit-transform: rotate(0deg);
transform: rotate(0deg);
}
100% {
-moz-transform: rotate(359deg);
-o-transform: rotate(359deg);
-webkit-transform: rotate(359deg);
transform: rotate(359deg);
}
}
| daisuke/Notebubble | css/animation.css | CSS | mit | 1,857 |
.icon-upload-1:before { content: '\e800'; } /* '' */
.icon-forward:before { content: '\e801'; } /* '' */
.icon-upload:before { content: '\f02f'; } /* '' */
| daisuke/Notebubble | css/dbicons-codes.css | CSS | mit | 166 |
@font-face {
font-family: 'dbicons';
src: url('../font/dbicons.eot?12643961');
src: url('../font/dbicons.eot?12643961#iefix') format('embedded-opentype'),
url('../font/dbicons.woff2?12643961') format('woff2'),
url('../font/dbicons.woff?12643961') format('woff'),
url('../font/dbicons.ttf?12643961') format('truetype'),
url('../font/dbicons.svg?12643961#dbicons') format('svg');
font-weight: normal;
font-style: normal;
}
/* Chrome hack: SVG is rendered more smooth in Windozze. 100% magic, uncomment if you need it. */
/* Note, that will break hinting! In other OS-es font will be not as sharp as it could be */
/*
@media screen and (-webkit-min-device-pixel-ratio:0) {
@font-face {
font-family: 'dbicons';
src: url('../font/dbicons.svg?12643961#dbicons') format('svg');
}
}
*/
[class^="icon-"]:before, [class*=" icon-"]:before {
font-family: "dbicons";
font-style: normal;
font-weight: normal;
speak: never;
display: inline-block;
text-decoration: inherit;
width: 1em;
margin-right: .2em;
text-align: center;
/* opacity: .8; */
/* For safety - reset parent styles, that can break glyph codes*/
font-variant: normal;
text-transform: none;
/* fix buttons height, for twitter bootstrap */
line-height: 1em;
/* Animation center compensation - margins should be symmetric */
/* remove if not needed */
margin-left: .2em;
/* you can be more comfortable with increased icons size */
/* font-size: 120%; */
/* Font smoothing. That was taken from TWBS */
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
/* Uncomment for 3D effect */
/* text-shadow: 1px 1px 1px rgba(127, 127, 127, 0.3); */
}
.icon-upload-1:before { content: '\e800'; } /* '' */
.icon-forward:before { content: '\e801'; } /* '' */
.icon-upload:before { content: '\f02f'; } /* '' */
| daisuke/Notebubble | css/dbicons.css | CSS | mit | 1,882 |
.icon-music:before { content: '\e800'; } /* '' */
.icon-search:before { content: '\e801'; } /* '' */
.icon-heart:before { content: '\e802'; } /* '' */
.icon-star:before { content: '\e803'; } /* '' */
.icon-user:before { content: '\e804'; } /* '' */
.icon-video:before { content: '\e805'; } /* '' */
.icon-picture:before { content: '\e806'; } /* '' */
.icon-ok:before { content: '\e807'; } /* '' */
.icon-plus:before { content: '\e808'; } /* '' */
.icon-cancel:before { content: '\e809'; } /* '' */
.icon-minus:before { content: '\e80a'; } /* '' */
.icon-home:before { content: '\e80b'; } /* '' */
.icon-attach:before { content: '\e80c'; } /* '' */
.icon-lock:before { content: '\e80d'; } /* '' */
.icon-lock-open:before { content: '\e80e'; } /* '' */
.icon-pin:before { content: '\e80f'; } /* '' */
.icon-tag:before { content: '\e810'; } /* '' */
.icon-tags:before { content: '\e811'; } /* '' */
.icon-eye:before { content: '\e812'; } /* '' */
.icon-bookmark:before { content: '\e813'; } /* '' */
.icon-download:before { content: '\e814'; } /* '' */
.icon-forward:before { content: '\e815'; } /* '' */
.icon-pencil:before { content: '\e816'; } /* '' */
.icon-retweet:before { content: '\e817'; } /* '' */
.icon-comment:before { content: '\e818'; } /* '' */
.icon-attention:before { content: '\e819'; } /* '' */
.icon-folder:before { content: '\e81a'; } /* '' */
.icon-folder-open:before { content: '\e81b'; } /* '' */
.icon-phone:before { content: '\e81c'; } /* '' */
.icon-cog:before { content: '\e81d'; } /* '' */
.icon-wrench:before { content: '\e81e'; } /* '' */
.icon-calendar:before { content: '\e81f'; } /* '' */
.icon-zoom-in:before { content: '\e820'; } /* '' */
.icon-zoom-out:before { content: '\e821'; } /* '' */
.icon-down-open:before { content: '\e822'; } /* '' */
.icon-left-open:before { content: '\e823'; } /* '' */
.icon-right-open:before { content: '\e824'; } /* '' */
.icon-up-open:before { content: '\e825'; } /* '' */
.icon-down-big:before { content: '\e826'; } /* '' */
.icon-left-big:before { content: '\e827'; } /* '' */
.icon-right-big:before { content: '\e828'; } /* '' */
.icon-up-big:before { content: '\e829'; } /* '' */
.icon-globe:before { content: '\e82a'; } /* '' */
.icon-check:before { content: '\e82b'; } /* '' */
.icon-block:before { content: '\e82c'; } /* '' */
.icon-export:before { content: '\e82d'; } /* '' */
.icon-move:before { content: '\f047'; } /* '' */
.icon-check-empty:before { content: '\f096'; } /* '' */
.icon-resize-full-alt:before { content: '\f0b2'; } /* '' */
.icon-mail-alt:before { content: '\f0e0'; } /* '' */
.icon-bell-alt:before { content: '\f0f3'; } /* '' */
.icon-quote-left:before { content: '\f10d'; } /* '' */
.icon-quote-right:before { content: '\f10e'; } /* '' */
.icon-reply:before { content: '\f112'; } /* '' */
.icon-code:before { content: '\f121'; } /* '' */
.icon-help:before { content: '\f128'; } /* '' */
.icon-info:before { content: '\f129'; } /* '' */
.icon-lock-open-alt:before { content: '\f13e'; } /* '' */
.icon-doc-inv:before { content: '\f15b'; } /* '' */
.icon-doc-text-inv:before { content: '\f15c'; } /* '' */
.icon-database:before { content: '\f1c0'; } /* '' */
.icon-file-pdf:before { content: '\f1c1'; } /* '' */
.icon-file-image:before { content: '\f1c5'; } /* '' */
.icon-file-audio:before { content: '\f1c7'; } /* '' */
.icon-file-video:before { content: '\f1c8'; } /* '' */
.icon-file-code:before { content: '\f1c9'; } /* '' */
.icon-sliders:before { content: '\f1de'; } /* '' */
.icon-bell-off:before { content: '\f1f6'; } /* '' */
.icon-trash:before { content: '\f1f8'; } /* '' */
.icon-toggle-off:before { content: '\f204'; } /* '' */
.icon-toggle-on:before { content: '\f205'; } /* '' */
.icon-commenting:before { content: '\f27a'; } /* '' */
| daisuke/Notebubble | css/icons-codes.css | CSS | mit | 3,959 |
@font-face {
font-family: 'icons';
src: url('../font/icons.eot?51771629');
src: url('../font/icons.eot?51771629#iefix') format('embedded-opentype'),
url('../font/icons.woff2?51771629') format('woff2'),
url('../font/icons.woff?51771629') format('woff'),
url('../font/icons.ttf?51771629') format('truetype'),
url('../font/icons.svg?51771629#icons') format('svg');
font-weight: normal;
font-style: normal;
}
/* Chrome hack: SVG is rendered more smooth in Windozze. 100% magic, uncomment if you need it. */
/* Note, that will break hinting! In other OS-es font will be not as sharp as it could be */
/*
@media screen and (-webkit-min-device-pixel-ratio:0) {
@font-face {
font-family: 'icons';
src: url('../font/icons.svg?51771629#icons') format('svg');
}
}
*/
[class^="icon-"]:before, [class*=" icon-"]:before {
font-family: "icons";
font-style: normal;
font-weight: normal;
speak: never;
display: inline-block;
text-decoration: inherit;
width: 1em;
margin-right: .2em;
text-align: center;
/* opacity: .8; */
/* For safety - reset parent styles, that can break glyph codes*/
font-variant: normal;
text-transform: none;
/* fix buttons height, for twitter bootstrap */
line-height: 1em;
/* Animation center compensation - margins should be symmetric */
/* remove if not needed */
margin-left: .2em;
/* you can be more comfortable with increased icons size */
/* font-size: 120%; */
/* Font smoothing. That was taken from TWBS */
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
/* Uncomment for 3D effect */
/* text-shadow: 1px 1px 1px rgba(127, 127, 127, 0.3); */
}
.icon-music:before { content: '\e800'; } /* '' */
.icon-search:before { content: '\e801'; } /* '' */
.icon-heart:before { content: '\e802'; } /* '' */
.icon-star:before { content: '\e803'; } /* '' */
.icon-user:before { content: '\e804'; } /* '' */
.icon-video:before { content: '\e805'; } /* '' */
.icon-picture:before { content: '\e806'; } /* '' */
.icon-ok:before { content: '\e807'; } /* '' */
.icon-plus:before { content: '\e808'; } /* '' */
.icon-cancel:before { content: '\e809'; } /* '' */
.icon-minus:before { content: '\e80a'; } /* '' */
.icon-home:before { content: '\e80b'; } /* '' */
.icon-attach:before { content: '\e80c'; } /* '' */
.icon-lock:before { content: '\e80d'; } /* '' */
.icon-lock-open:before { content: '\e80e'; } /* '' */
.icon-pin:before { content: '\e80f'; } /* '' */
.icon-tag:before { content: '\e810'; } /* '' */
.icon-tags:before { content: '\e811'; } /* '' */
.icon-eye:before { content: '\e812'; } /* '' */
.icon-bookmark:before { content: '\e813'; } /* '' */
.icon-download:before { content: '\e814'; } /* '' */
.icon-forward:before { content: '\e815'; } /* '' */
.icon-pencil:before { content: '\e816'; } /* '' */
.icon-retweet:before { content: '\e817'; } /* '' */
.icon-comment:before { content: '\e818'; } /* '' */
.icon-attention:before { content: '\e819'; } /* '' */
.icon-folder:before { content: '\e81a'; } /* '' */
.icon-folder-open:before { content: '\e81b'; } /* '' */
.icon-phone:before { content: '\e81c'; } /* '' */
.icon-cog:before { content: '\e81d'; } /* '' */
.icon-wrench:before { content: '\e81e'; } /* '' */
.icon-calendar:before { content: '\e81f'; } /* '' */
.icon-zoom-in:before { content: '\e820'; } /* '' */
.icon-zoom-out:before { content: '\e821'; } /* '' */
.icon-down-open:before { content: '\e822'; } /* '' */
.icon-left-open:before { content: '\e823'; } /* '' */
.icon-right-open:before { content: '\e824'; } /* '' */
.icon-up-open:before { content: '\e825'; } /* '' */
.icon-down-big:before { content: '\e826'; } /* '' */
.icon-left-big:before { content: '\e827'; } /* '' */
.icon-right-big:before { content: '\e828'; } /* '' */
.icon-up-big:before { content: '\e829'; } /* '' */
.icon-globe:before { content: '\e82a'; } /* '' */
.icon-check:before { content: '\e82b'; } /* '' */
.icon-block:before { content: '\e82c'; } /* '' */
.icon-export:before { content: '\e82d'; } /* '' */
.icon-move:before { content: '\f047'; } /* '' */
.icon-check-empty:before { content: '\f096'; } /* '' */
.icon-resize-full-alt:before { content: '\f0b2'; } /* '' */
.icon-mail-alt:before { content: '\f0e0'; } /* '' */
.icon-bell-alt:before { content: '\f0f3'; } /* '' */
.icon-quote-left:before { content: '\f10d'; } /* '' */
.icon-quote-right:before { content: '\f10e'; } /* '' */
.icon-reply:before { content: '\f112'; } /* '' */
.icon-code:before { content: '\f121'; } /* '' */
.icon-help:before { content: '\f128'; } /* '' */
.icon-info:before { content: '\f129'; } /* '' */
.icon-lock-open-alt:before { content: '\f13e'; } /* '' */
.icon-doc-inv:before { content: '\f15b'; } /* '' */
.icon-doc-text-inv:before { content: '\f15c'; } /* '' */
.icon-database:before { content: '\f1c0'; } /* '' */
.icon-file-pdf:before { content: '\f1c1'; } /* '' */
.icon-file-image:before { content: '\f1c5'; } /* '' */
.icon-file-audio:before { content: '\f1c7'; } /* '' */
.icon-file-video:before { content: '\f1c8'; } /* '' */
.icon-file-code:before { content: '\f1c9'; } /* '' */
.icon-sliders:before { content: '\f1de'; } /* '' */
.icon-bell-off:before { content: '\f1f6'; } /* '' */
.icon-trash:before { content: '\f1f8'; } /* '' */
.icon-toggle-off:before { content: '\f204'; } /* '' */
.icon-toggle-on:before { content: '\f205'; } /* '' */
.icon-commenting:before { content: '\f27a'; } /* '' */
| daisuke/Notebubble | css/icons.css | CSS | mit | 5,651 |
.sidebar {
width: 20%;
min-width: 280px;
background-color: #2A2E35;
color: #ffffff;
display: flex;
flex-direction: column;
overflow-y: auto;
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
}
.sidebar a {
text-decoration:none;
color:white;
}
.chats-menu{
float:right;
cursor:pointer;
}
.actionmenu {
display: flex;
align-items: center;
cursor: pointer;
border-bottom: 1px solid #444;
transition: 0.5s;
line-height:50px;
min-height:0px;
overflow:hidden;
height:0px;
}
.revealActionMenu{
min-height:50px !important;
}
.actionmenu .element{
flex:1;
font-family:icons;
text-align:center;
height:100%;
}
.home{
flex:1;
font-family:icons;
text-align:center;
height:100%;
display:none !important;
}
.actionmenu .element:hover {
background-color: #3A3F42;
}
.sidebar .actionmenu .element a{
font-family:icons;
font-size:20px;
}
.chat {
flex: 1;
display: flex;
flex-direction: column;
background-color: #2980B9;
}
.sidebar-header {
padding: 15px;
background-color: #23272A;
font-size: 18px;
font-weight: bold;
}
.sidebar-header .burgermenu {
cursor: pointer;
margin-right:10px;
position:relative;
}
.contact {
display: flex;
align-items: center;
padding: 10px 15px;
cursor: pointer;
border-bottom: 1px solid #444;
min-height:30px;
transition: border 0.5s;
}
.pinned {
background-color:rgba(200,200,255,0.05);
border-left:8px solid #F39C12;
}
.current{
background-color:rgba(255,255,255,0.1) !important;
border-left:8px solid #2980B9;
}
.contact:hover {
background-color: #3A3F42;
}
.contact img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
}
.contact-details {
flex: 1;
}
.contact-name {
font-size: 16px;
}
.contact-last-message {
font-size: 14px;
color: #B3B3B3;
} | daisuke/Notebubble | css/sidebar.css | CSS | mit | 1,841 |
.sidebar {
width: 70px;
background-color: #2A2E35;
color: #ffffff;
display: flex;
flex-direction: column;
overflow-y: auto;
overflow-x:hidden;
}
.chat {
flex: 1;
display: flex;
flex-direction: column;
background-color: #2980B9;
}
.sidebar-header {
padding: 15px;
background-color: #23272A;
font-size: 18px;
font-weight: bold;
display:flex;
}
.chats-menu{
flex:1;
text-align:center;
cursor:pointer;
}
.actionmenu {
display: flex;
flex-direction: column;
align-items: center;
cursor: pointer;
border-bottom: 1px solid #444;
transition: 0.5s;
line-height:30px;
min-height:0px;
overflow:hidden;
height:0px;
}
.revealActionMenu{
min-height:150px !important;
}
.actionmenu .element{
flex:1;
font-family:icons;
text-align:center;
height:100%;
}
.actionmenu .element:hover {
background-color: #3A3F42;
}
.sidebar .actionmenu .element a{
font-family:icons;
font-size:20px;
}
.sidebar-header .title {
display:none;
}
.contact {
display: flex;
align-items: center;
padding: 10px 15px;
cursor: pointer;
border-bottom: 1px solid #444;
min-height:30px;
}
.pinned {
background-color:rgba(200,200,255,0.05);
border-left:4px solid #F39C12;
}
.current{
background-color:rgba(255,255,255,0.1) !important;
border-left:4px solid #2980B9;
}
.contact:hover {
background-color: #3A3F42;
}
.contact img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
margin-left: -5px;
}
.contact-details {
display:none;
}
.contact-name {
display:none;
}
.contact-last-message {
display:none;
}
.settings-image{
display:none;
} | daisuke/Notebubble | css/sidebar_min.css | CSS | mit | 1,577 |
@font-face {
font-family: 'icons';
src: url('/font/icons.eot?83223639');
src: url('/font/icons.eot?83223639#iefix') format('embedded-opentype'),
url('/font/icons.woff?83223639') format('woff'),
url('/font/icons.ttf?83223639') format('truetype'),
url('/font/icons.svg?83223639#icons') format('svg');
font-weight: normal;
font-style: normal;
}
@font-face {
font-family: 'dbicons';
src: url('/font/dbicons.eot?83223639');
src: url('/font/dbicons.eot?83223639#iefix') format('embedded-opentype'),
url('/font/dbicons.woff?83223639') format('woff'),
url('/font/dbicons.ttf?83223639') format('truetype'),
url('/font/dbicons.svg?83223639#icons') format('svg');
font-weight: normal;
font-style: normal;
}
/* For Webkit browsers (e.g., Chrome, Edge, Safari) */
::-webkit-scrollbar {
width: 4px; /* Width of the vertical scrollbar */
height: 4px; /* Height of the horizontal scrollbar */
}
::-webkit-scrollbar-track {
background: #888; /* Background of the track */
}
::-webkit-scrollbar-thumb {
background: #f1f1f1; /* Color of the thumb */
border-radius: 2px; /* Roundness of the thumb */
}
::-webkit-scrollbar-thumb:hover {
background: #555; /* Color of the thumb when hovered */
}
/* For Firefox */
* {
scrollbar-width: thin; /* Makes the scrollbar thin */
scrollbar-color: #f1f1f1 #888; /* Thumb color and track color */
}
body {
margin: 0;
font-family: Arial, sans-serif;
display: flex;
height: 100vh;
overflow:hidden;
}
a{
cursor: pointer;
}
.main{
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
}
.chat-header {
padding: 5px;
background-color: black;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
}
.pinned-message {
padding: 5px;
background-color: white;
color: #fff;
display: flex;
align-items: center;
justify-content: space-between;
height:40px;
}
.chat-header img {
width: 40px;
height: 40px;
border-radius: 50%;
margin-right: 10px;
valign: top;
vertical-align:middle;
}
.chat-header .burgermenu {
cursor: pointer;
margin-right:10px;
position:relative;
text-align:right;
}
.chatmenu {
display:flex;
width:0px;
overflow:hidden;
transition: width 0.5s;
text-align;right;
cursor:pointer;
}
.chatmenu .element{
flex:1;
font-family:icons;
display:inline-block;
font-size:20px;
margin:0px 5px;
}
.chatmenu .element:hover{
color:red;
}
.revealChatMenu{
width:120px;
}
.attachment{
display:flex;
height:35px;
background-color: #0078D7;
padding:10px;
line-height:30px;
border-radius:10px;
color:white;
margin-bottom:5px;
overflow:hidden;
cursor: pointer;
transition:1s;
}
.attachment:hover{
background-color: #209bff;
}
.attachment_icon{
flex: 1;
background-color: #58b2f8;
border-radius:45px;
max-width:30px;
width:30px;
height:30px;
vertical-align:middle;
margin-right:10px;
}
.downloadarrow{
position:absolute;
left:15px;
bottom:15px;
cursor:pointer;
background-color:rgba(0,0,0,0.5);
color:white;
font-weight:bold;
border:2px solid white;
display:block;
width:30px;
height:30px;
line-height:30px;
text-align:center;
border-radius:45px;
transition: 1s;
}
.downloadarrow:hover{
background-color:rgba(255,255,255,1);
color:black;
border:2px solid black;
}
.messages {
flex: 1;
padding: 15px;
display: flex;
flex-direction: column;
overflow-y: auto;
overflow-x:hidden;
background-color:#2980B9;
}
.message {
margin-bottom: 10px;
}
.message.sent {
text-align: right;
}
.message .bubble {
display: inline-block;
padding: 10px;
border-radius: 10px 10px 10px 0px;
min-width: 200px;
max-width: 400px;
word-wrap: break-word;
position:relative;
}
.bubble:not(.highlighted)::before{
display:block;
background-color:transparent;
width:10px;
height:20px;
content:'.';
color:transparent;
position:absolute;
left:-10px;
bottom:0px;
border-left:10px solid transparent;
border-top:5px solid transparent;
border-bottom:10px solid white;
border-right:10px solid white;
}
.highlighted::before{
display:block;
background-color:transparent;
width:10px;
height:20px;
content:'.';
color:transparent;
position:absolute;
left:-10px;
bottom:0px;
border-left:10px solid transparent;
border-top:5px solid transparent;
border-bottom:10px solid #ff8;
border-right:10px solid transparent;
}
.bubble{
box-shadow:1px 1px 5px rgba(0,0,0,0.2);
position:relative;
}
.message.sent .bubble {
background-color: #DCF8C6;
}
.message.received .bubble {
background-color: #fff;
}
.highlighted {
background-color: #ff8 !important;
border:1px solid darkorange;
}
.bubble a{
text-decoration:none;
color:navy;
}
.bubble a:hover{
text-decoration:underline;
color:navy;
}
.revealControls{
font-family:"icons";
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
font-size: 15px;
font-weight:bold;
}
.controls{
visibility:hidden;
font-family:"icons";
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
display:inline-block;
max-height:15px;
transition: 0.5s;
width:0px;
overflow:hidden !important;
clear:both;
text-align:top;
vertical-align:top;
}
.bubble:hover .controls{
visibility:visible;
}
.controls a{
display:inline-block;
width:20px;
height:15px;
text-decoration:none !important;
font-size:15px !important;
}
.controls a:hover{
color:red !important;
}
.message .subtext {
font-size: 10px;
color: #666;
margin-top: 5px;
float:right;
clear:both;
}
.subtext{
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
}
.subtext-image {
font-size: 10px;
color: #666;
margin-top: 20px;
}
.message .image-message {
max-width: 200px;
max-height: 200px;
}
.message .link-preview {
display: flex;
flex-direction: column;
border: 1px solid #ccc;
border-radius: 5px;
overflow: hidden;
max-width: 400px; /* Limit the width to 300px */
-webkit-user-select: none; /* Safari */
-ms-user-select: none; /* IE 10 and IE 11 */
user-select: none; /* Standard syntax */
}
.message .link-preview img {
max-width: 100%;
}
.message .link-preview .link-details {
padding: 5px;
background-color: #f7f7f7;
}
.message .link-preview .link-title {
font-weight: bold;
}
.message .link-preview .link-url {
font-size: 12px;
color: #666;
}
.link:before{
font-family:"icons";
content:' ';
}
.edit-info {
padding: 5px;
background-color: #f7f7f7;
display: flex;
gap: 10px;
position:relative;
height:20px;
z-index:0;
margin-bottom:-32px;
transition:margin 1s;
}
.edit-content{
height:20px;
overflow:hidden;
width:80%;
}
.rise {
margin-bottom:0px;
}
.chat-input {
padding: 10px;
background-color: #f7f7f7;
display: flex;
gap: 2px;
position:relative;
height:50px;
}
.chat-input input, {
flex: 1;
padding: 10px;
border: 1px solid #ccc;
border-radius: 5px;
}
.textinput{
color: #0078D7;
width:80%;
height:30px;
text-align:center;
font-size:20px;
border:0px;
border-right:1px solid black;
border-bottom:1px solid black;
}
.chat-input .textarea-container {
flex: 1;
position: relative;
}
.chat-input textarea{
position:absolute;
height:75%;
width:98%;
border: 1px solid #ccc;
border-radius: 5px;
padding:5px;
transition: 1s;
resize: none;
}
.resized{
margin-top:-150px !important;
height:375% !important;
border: 1px solid #777 !important;
transition: 1s;
}
.flash-red {
background-color: #ff5555 !important;
transition: background-color 0.5s ease;
}
.textarea-close {
width:30px;
height:30px;
position:absolute;
right:4px;
top:-181px;
display:none;
transition:display 1s;
font-family:icons;
text-align:center;
line-height:30px;
color:white;
text-shadow:1px 1px 1px black;
cursor:pointer;
}
.visible {
display:block !important;
}
#postoptions {
display:none;
position:absolute;
box-shadow:1px 1px 10px rgba(0,0,0,0.9);
border-radius:10px;
top:-150px;
left:-250px;
min-width:300px;
background-color:white;
padding:15px;
}
.chat-input button {
padding: 10px;
border: 1px solid white;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
}
.button {
padding: 10px;
border: none;
background-color: #0078D7;
color: #fff;
border-radius: 5px;
cursor: pointer;
transition:1s;
}
.buttonred {
background-color: red !important;
}
.redborder {
border: 1px solid red !important;
}
.button:hover {
background-color: #209bff;
}
.formInput{
color: #0078D7;
width:80%;
height:30px;
text-align:center;
font-size:20px;
border:0px;
border-right:1px solid black;
border-bottom:1px solid black;
}
.chat-input button:hover {
background-color: #005BB5;
}
.imagemodal, .dialogmodal{
position:fixed;
top:0px;
bottom:0px;
left:0px;
right:0px;
display: flex;
justify-content: center; /* Horizontally center */
align-items: center; /* Vertically center */
height: 100vh;
background-color:rgba(0,0,0,0.5);
}
.imagemodal img{
max-height:90%;
max-width:90%;
width:auto !important;
text-align: center;
}
.closemodal{
background-color:rgba(255,255,255,0.5);
color:white;
padding:5px;
cursor: pointer;
display:block;
display:none;
}
.dialogbutton{
cursor:pointer;
float:right;
font-weight:bold;
padding:5px 15px;
}
.dialogbutton:hover{
background-color:#ddd;
}
#loader{
visibility:hidden;
width:0px;
height:0px;
border:0px;
}
.pinned-message{
cursor: pointer;
}
.settings-button{
min-width:120px;
height:100px;
border-radius:5px;
border:1px solid #0078D7;
display:block;
margin:0 auto;
color: #0078D7;
font-size:12px;
font-weight:bold;
cursor:pointer;
}
.settings-button:hover {
background-color: #0078D7;
color: #fff;
}
.section{
border:1px solid grey;
border-radius:15px;
padding:5px 15px;
margin-top:8px;
}
| daisuke/Notebubble | css/style.css | CSS | mit | 10,574 |
<?php
if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
echo trim(shell_exec("dirchoser.bat"))."\\";
} else {
echo trim(shell_exec("zenity --file-selection --directory --display=:0"))."/";
}
?>
| daisuke/Notebubble | dirchooser.php | PHP | mit | 211 |
@if (@a==@b) @end /*
:: fchooser2.bat
:: batch portion
@echo off
setlocal
for /f "delims=" %%I in ('cscript /nologo /e:jscript "%~f0"') do (
echo %%I
)
goto :EOF
:: JScript portion */
var shl = new ActiveXObject("Shell.Application");
var folder = shl.BrowseForFolder(0, "Seleccione carpeta de destino.", 0, 0x00);
WSH.Echo(folder ? folder.self.path : ''); | daisuke/Notebubble | dirchoser.bat | Batchfile | mit | 383 |
<?xml version="1.0" standalone="no"?>
<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg xmlns="http://www.w3.org/2000/svg">
<metadata>Copyright (C) 2024 by original authors @ fontello.com</metadata>
<defs>
<font id="dbicons" horiz-adv-x="1000" >
<font-face font-family="dbicons" font-weight="400" font-stretch="normal" units-per-em="1000" ascent="850" descent="-150" />
<missing-glyph horiz-adv-x="1000" />
<glyph glyph-name="upload-1" unicode="" d="M936 128l2-260q0-21-16-37t-37-15l-832 0q-22 0-37 15t-16 37q0 260 1 260 0 12 2 17l105 312q12 36 48 36l209 0 0-103-171 0-86-262 722 0-86 262-171 0 0 103 208 0q37 0 49-36l105-312q1-5 1-17z m-258 423q-24 0-38 14l-119 120 0-348q0-21-15-37t-37-15-37 15-16 37l0 348-118-120q-14-14-38-14-22 0-36 14-15 15-15 36t15 37l245 247 245-247q15-15 15-37t-15-36q-14-14-36-14z" horiz-adv-x="938" />
<glyph glyph-name="forward" unicode="" d="M416 650q0 21 16 36t37 16 36-15l329-324-329-323q-15-15-36-15t-37 15-16 37l0 130q-132-4-234-46t-182-163l0 53q0 180 119 313t297 153l0 133z" horiz-adv-x="834" />
<glyph glyph-name="upload" unicode="" d="M0 84v73q0 33 24 56t57 24 56-24 24-56v-73q0-17 12-29t30-13h531q18 0 30 13t12 29v73q0 33 24 56t56 24 57-24 24-56v-73q0-84-59-143t-144-60h-531q-84 0-143 59t-60 144z m155 407q0 33 24 57l247 247q23 23 57 23 33 0 56-23l243-242q23-24 23-57t-23-57q-24-23-57-23t-57 23l-105 105v-344q0-33-24-57t-56-24q-33 0-57 24t-24 57v344l-110-110q-24-23-57-23t-56 23-24 57z" horiz-adv-x="937.5" />
</font>
</defs>
</svg>
| daisuke/Notebubble | font/dbicons.svg | svg | mit | 1,551 |
<?php
function getOgTags($html)
{
$pattern='/<\s*meta\s+property="og:([^"]+)"\s+content="([^"]*)/i';
if(preg_match_all($pattern, $html, $out))
return array_combine($out[1], $out[2]);
return array();
}
function parseMarkdown($text) {
// Convert bold (**text**) to <b>text</b>
$text = preg_replace('/\*\*(.*?)\*\*/', '<b>$1</b>', $text);
// Convert italic (*text*) to <i>text</i>
$text = preg_replace('/\*(.*?)\*/', '<i>$1</i>', $text);
// Convert underline (_text_) to <u>text</u>
$text = preg_replace('/__(.*?)__/', '<u>$1</u>', $text);
// Convert (((text))) to <pre>text</pre>
$text = preg_replace('/\(\(\((.*?)\)\)\)/s', '<pre>$1</pre>', $text);
return $text;
}
function getSiteName($url) {
// Parse the URL to get the hostname
$host = parse_url($url, PHP_URL_HOST);
if (!$host) {
return "Invalid URL.";
}
// Break the hostname into parts (split by '.')
$parts = explode('.', $host);
// Handle cases like 'boards.4chan.org' or 'www.google.com'
$numParts = count($parts);
if ($numParts > 2) {
// If there are more than two parts, extract the second-to-last part
$coreDomain = $parts[$numParts - 2];
} else {
// Otherwise, take the first part of the hostname
$coreDomain = $parts[0];
}
// Capitalize the first letter to make it look like a proper name
return ucfirst($coreDomain);
}
function getPageTitle($url) {
// Fetch the HTML content of the webpage
exec("wget -O htt.html --user-agent=\"Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36\" $url");
$html = file_get_contents("htt.html");
if ($html === false) {
return "Unable to fetch content from the URL.";
}
// Define regex pattern for the <title> tag
$titlePattern = '/<title>(.*?)<\/title>/is';
// Match the <title> tag
if (preg_match($titlePattern, $html, $matches)) {
return trim($matches[1]);
}
@unlink("htt.html");
return null;
}
function getMetaTags($url) {
exec("wget -O htt.html --user-agent=\"Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36\" $url");
$html = file_get_contents("htt.html");
// Fetch the HTML content of the webpage
$html = file_get_contents("htt.html");
if ($html === false) {
return "Unable to fetch content from the URL.";
}
// Define regex patterns for Open Graph and Twitter Card meta tags
$metaPattern = '/<meta\s+(?:property|name)=["\'](og:[^"\']+|twitter:[^"\']+)["\']\s+[^>]*content=["\']([^"\']+)["\']\s*\/?>/i';
// Initialize arrays to store the extracted information
$metaData = [
'openGraph' => [],
'twitterCards' => []
];
// Match all relevant meta tags
if (preg_match_all($metaPattern, $html, $matches)) {
foreach ($matches[1] as $key => $metaName) {
$content = $matches[2][$key];
if (strpos($metaName, 'og:') === 0) {
// Open Graph tag
$metaData['openGraph'][substr($metaName, 3)] = $content;
} elseif (strpos($metaName, 'twitter:') === 0) {
// Twitter Card tag
$metaData['twitterCards'][substr($metaName, 8)] = $content;
}
}
}
@unlink("htt.html");
return $metaData;
}
function renderPage($content){
GLOBAL $loc_string;
$output = file_get_contents("./templates/genericpage.txt");
$output = str_replace("#content#",$content,$output);
return $output;
}
function str_replace_once($haystack, $needle, $replace){
$pos = strpos($haystack, $needle);
if ($pos !== false) {
$newstring = substr_replace($haystack, $replace, $pos, strlen($needle));
}
return $newstring;
} | daisuke/Notebubble | include/functions.php | PHP | mit | 3,863 |
<?php
function get_os() {
if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
return "w";
} else {
return "l";
}
}
$system = array();
$system['os'] = get_os();
if ($system['os'] == "w") {
if (isset($_ENV['path'])) {
$path = trim($_ENV['path']);
@$exec = end(explode("\\", $path));
$system['workdir'] = str_replace($exec, "", $path) . "\\notebubble\\";
} else {
$system['workdir'] = "c:\\notebubble\\";
}
if (!is_dir($system['workdir'])) {
mkdir($system['workdir']);
}
if (!file_exists($system['workdir'] . "settings.php")) {
$settings['timezone'] = 'America/Mexico_City';
$settings['locale'] = "english";
$settings['locale_not_set'] = "true";
file_put_contents($system['workdir'] . "settings.php", "<?php\r\n" . '$settings = ' . var_export($settings, true) . ";");
$db = file_get_contents("_templatedatabase.db");
file_put_contents($system['workdir'] . "database.db", $db);
$system['first_run'] = "yes";
}
include $system['workdir'] . "settings.php";
$settings['path'] = (isset($settings['path']) ? $settings['path'] : $system['workdir']);
} else {
$home_dir = posix_getpwnam(get_current_user()) ['dir'];
if (!is_dir("$home_dir/.local/share/notebubble/")) {
mkdir("$home_dir/.local/share/notebubble/");
}
$system['workdir'] = "$home_dir/.local/share/notebubble/";
if (!file_exists($system['workdir']."settings.php")) {
$settings['path'] = $system['workdir'];
$settings['timezone'] = 'America/Mexico_City';
$settings['locale'] = "english";
$settings['locale_not_set'] = "true";
file_put_contents($system['workdir']."settings.php", "<?php\r\n" . '$settings = ' . var_export($settings, true) . ";");
$db = file_get_contents("_templatedatabase.db");
file_put_contents($system['workdir']."database.db", $db);
$system['first_run'] = "yes";
}
include $system['workdir']."settings.php";
}
if (!isset($settings['timezone'])) {
$settings['timezone'] = 'America/Mexico_City';
}
include "languages/" . $settings['locale'] . ".php";
$system['colors'] = array("#2980B9", "#F39C12", "#27AE60", "#8E44AD", "#E74C3C", "#E57399");
?>
| daisuke/Notebubble | include/init.php | PHP | mit | 2,282 |
<?php
$db_file = $settings['path']."database.db";
if(!file_exists($db_file)){
echo $loc_string['message_db_not_found'];
die();
}
PDO_Connect("sqlite:$db_file");
function PDO_Connect($dsn, $user="", $password="")
{
global $PDO;
$PDO = new PDO($dsn, $user, $password);
$PDO->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_WARNING);
}
function PDO_FetchOne($query, $params=null)
{
global $PDO;
if (isset($params)) {
$stmt = $PDO->prepare($query);
$stmt->execute($params);
} else {
$stmt = $PDO->query($query);
}
$row = $stmt->fetch(PDO::FETCH_NUM);
if ($row) {
return $row[0];
} else {
return false;
}
}
function PDO_FetchRow($query, $params=null)
{
global $PDO;
if (isset($params)) {
$stmt = $PDO->prepare($query);
$stmt->execute($params);
} else {
$stmt = $PDO->query($query);
}
return $stmt->fetch(PDO::FETCH_ASSOC);
}
function PDO_FetchAll($query, $params=null)
{
global $PDO;
if (isset($params)) {
$stmt = $PDO->prepare($query);
$stmt->execute($params);
} else {
$stmt = $PDO->query($query);
}
return $stmt->fetchAll(PDO::FETCH_ASSOC);
}
function PDO_FetchAssoc($query, $params=null)
{
global $PDO;
if (isset($params)) {
$stmt = $PDO->prepare($query);
$stmt->execute($params);
} else {
$stmt = $PDO->query($query);
}
$rows = $stmt->fetchAll(PDO::FETCH_NUM);
$assoc = array();
foreach ($rows as $row) {
$assoc[$row[0]] = $row[1];
}
return $assoc;
}
function PDO_Execute($query, $params=null)
{
global $PDO;
if (isset($params)) {
$stmt = $PDO->prepare($query);
$stmt->execute($params);
return $stmt;
} else {
return $PDO->query($query);
}
}
function PDO_LastInsertId()
{
global $PDO;
return $PDO->lastInsertId();
}
function PDO_ErrorInfo()
{
global $PDO;
return $PDO->errorInfo();
}
?>
| daisuke/Notebubble | include/sqlcon.php | PHP | mit | 1,993 |
<?php
error_reporting(0);
header('Expires: Sun, 01 Jan 2014 00:00:00 GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', FALSE);
header('Pragma: no-cache');
include "include/init.php";
date_default_timezone_set($settings['timezone']);
include "include/sqlcon.php";
include "include/functions.php";
?>
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Notebubble</title>
<link rel="stylesheet" href="css/style.css">
<link rel="stylesheet" media='screen and (min-width: 801px)' href='css/sidebar.css' />
<link rel="stylesheet" media='screen and (max-width: 800px)' href='css/sidebar_min.css' />
</head>
<body>
<div class="sidebar">
<?php include "./system/sidebar.php"; ?>
</div>
<div class="chat">
<?php
if (isset($_GET['loadpage'])) {
include "./pages/" . $_GET['loadpage'] . ".php";
} else {
include "./pages/main.php";
}
?>
</div>
<script src="./js/jquery.min.js"></script>
<script src="./js/scripts.js"></script>
<iframe id='loader'></iframe>
</body>
</html>
| daisuke/Notebubble | index.php | PHP | mit | 1,208 |
window.setInterval(function() {
$.get("action.php?mode=checkreminders", function(data) {
$('.time').html(data);
});
}, 60000);
document.addEventListener("paste", function(e) {
const $hiddenFileInput = $("#file");
if (!$hiddenFileInput) return;
const clipboardData = e.clipboardData || window.clipboardData;
if (!clipboardData) return;
const items = clipboardData.items;
for (const item of items) {
if (item.kind === "file") {
const file = item.getAsFile();
if (file) {
if (file.type.startsWith("image/")) {
const img = new Image();
img.src = URL.createObjectURL(file);
const $button = $("#img");
$button.css({
"background-image": `url('${img.src}')`,
"background-size": "cover",
"background-position": "center",
"background-repeat": "no-repeat",
});
} else {
$('#img').addClass('buttonred');
}
assignFileToInput($hiddenFileInput[0], file);
}
}
}
});
function assignFileToInput(fileInput, file) {
const fileList = [file];
Object.defineProperty(fileInput, 'files', {
value: fileList,
writable: false,
});
const event = new Event("change", {
bubbles: true
});
fileInput.dispatchEvent(event);
}
$(document).on('click', 'a.link', function(event) {
event.preventDefault(); // Prevent the default link behavior (opening the URL)
var linkUrl = $(this).attr('href'); // Get the URL from the href attribute
// Send the URL to the API using AJAX
$.ajax({
url: 'action.php', // Replace with your API endpoint
method: 'POST',
data: {
link: linkUrl,
mode: "openlink"
},
success: function(response) {
console.log('Link sent successfully:', response);
},
error: function(xhr, status, error) {
console.error('Error sending link:', error);
}
});
});
$(document).on('click', '.imagemodal', function(event) {
$(".imagemodal").remove();
});
function sendpost() {
if ($('.temporary').length > 0) {
return false;
}
var text = $('textarea#message').val();
var date = $('input#date').val();
if($('input#compress').is(':checked')){
var compress = 'true'
} else {
var compress = 'false'
}
var chat = $('input#chat').val();
var editmsg = $('input#editmsg').val();
var changedDate = $('input#changedDate').val();
var fileInput = $('input#file')[0].files[0];
if (!text.trim() && !fileInput) {
return false;
}
if (editmsg == '0') {
tmpmsg = document.createElement("div");
tmpmsg.className = "message received temporary";
$('div.messages').append(tmpmsg);
tmpbubble = document.createElement("div");
tmpbubble.className = "bubble tmpbubble";
$('div.temporary').append(tmpbubble);
$('div.tmpbubble').html("<img src='assets/spinner.gif' width=20>");
const messagesDiv = document.querySelector('.messages');
messagesDiv.scrollTop = messagesDiv.scrollHeight; // Scroll to the bottom
} else {
$('div#' + editmsg + '.message').html("<div class='bubble'><img src='assets/spinner.gif' width=20></div>");
}
// Use FormData to handle file uploads
var formData = new FormData();
formData.append('mode', 'newmessage');
formData.append('text', text);
formData.append('editmsg', editmsg);
formData.append('chat', chat);
formData.append('date', date);
formData.append('compress', compress);
formData.append('changedDate', changedDate);
if (fileInput) {
formData.append('file', fileInput);
}
// Submit the new message via POST
$.ajax({
url: 'action.php',
type: 'POST',
data: formData,
processData: false, // Prevent jQuery from processing the data
contentType: false, // Prevent jQuery from setting content type
success: function(response) {
console.log('Response:', response);
// Check if the response is "ok"
if (response.trim() === "ok") {
// Fetch updated chat data
$.get("action.php?mode=getmessages&update=true&id=" + chat, function(data) {
if (editmsg == '0') {
$('div.chat').html(data); // Update the chat div with the returned content
const messagesDiv = document.querySelector('.messages');
messagesDiv.scrollTop = messagesDiv.scrollHeight; // Scroll to the bottom
} else {
getmessage(editmsg);
stopEdit();
}
});
} else {
console.error("Unexpected response:", response);
$('div.temporary').remove();
}
},
error: function(xhr, status, error) {
console.error('Error:', error);
$('div.temporary').remove();
}
});
// Clear the input field
$('textarea#message').val("");
$('input#file').val(null);
const button = document.getElementById("img");
button.style.backgroundImage = `none`;
$('#img').removeClass('buttonred');
$('#img').removeClass('redborder');
$('#postoptions').hide()
$('textarea').removeClass('resized');
$('.textarea-close').removeClass('visible');
}
$(document).keydown(function(event) {
if (event.ctrlKey && event.key === "Enter") {
sendpost();
}
if (event.key === "Escape") {
$(".imagemodal").remove();
$('textarea').blur();
}
});
$(document).on('keydown', '#searchtext', function(event) {
if (event.key === "Enter") {
search();
}
});
function search() {
$('div.contact').removeClass('current');
var searchquery = $('#searchtext').val();
$.get("action.php?mode=search&searchquery=" + searchquery, function(data) {
$('div.chat').html(data);
setTimeout(() => {
const messagesDiv = document.querySelector('.messages');
if (messagesDiv) {
messagesDiv.scrollTop = messagesDiv.scrollHeight;
}
}, 0);
});
}
function loadmessages(id) {
$('div.contact').removeClass('current');
$.get("action.php?mode=getmessages&id=" + id, function(data) {
$('div#' + id + '.contact').addClass('current');
$('div.chat').html(data); // Update the chat div with the returned content
// Ensure scrolling happens after the DOM is updated and rendered
setTimeout(() => {
const messagesDiv = document.querySelector('.messages');
if (messagesDiv) {
messagesDiv.scrollTop = messagesDiv.scrollHeight;
}
}, 0);
});
}
function getchatprotected() {
var id = $('input#chat').val();
var pass = $('input#getchatprotected').val();
$.get("action.php?mode=getmessages&pass=" + pass + "&id=" + id, function(data) {
$('div.chat').html(data); // Update the chat div with the returned content
const messagesDiv = document.querySelector('.messages');
messagesDiv.scrollTop = messagesDiv.scrollHeight;
});
return false;
}
function imageview(id) {
imview = document.createElement("div");
imview.className = "imagemodal";
document.body.appendChild(imview);
$('img#' + id + '.attachedimage').clone().css("max-height", "90%").css("max-width", "90%").prop("onclick", null).appendTo(".imagemodal");
closemodal = document.createElement("div");
closemodal.className = "closemodal";
$(closemodal).html("Cerrar").appendTo(".imagemodal");
}
$(document).on('mouseover', '.revealControls', function(event) {
/*$(this).next().removeClass('min');*/
$(this).next().css('width', '90px');
$(this).css('visibility', 'hidden');
});
$(document).on('mouseleave', '.bubble, .chat-header, .sidebar', function(event) {
switch (true) {
case $(this).hasClass('bubble'):
$(this).find('.controls').css('width', '0px');
$(this).find('.revealControls').css('visibility', 'visible');
break;
case $(this).hasClass('chat-header'):
$('.chatmenu').removeClass('revealChatMenu');
break;
case $(this).hasClass('sidebar'):
$('.actionmenu').removeClass('revealActionMenu');
break;
}
});
function downloadfile(id) {
$("#loader").prop("src", "action.php?mode=downloadfile&id=" + id);
}
function deletemsg(id) {
$('div.message#' + id).remove();
$.get("action.php?mode=deletemsg&id=" + id, function(data) {});
}
function editmsg(id) {
$.get("action.php?mode=getmsg&id=" + id, function(data) {
// Set the textarea value and focus
$('textarea#message').val(data);
$('input#editmsg').val(id);
$('textarea#message').focus();
//$('textarea#message').keyup();
$('textarea#message').addClass('flash-red');
$('.edit-content').html(data);
$('.edit-info').addClass('rise');
setTimeout(function() {
$('textarea#message').removeClass('flash-red');
}, 500);
});
}
function stopEdit() {
$('textarea#message').val("");
$('input#file').val(null);
$('input#editmsg').val("0");
const button = document.getElementById("img");
button.style.backgroundImage = `none`;
$('#img').removeClass('buttonred');
$('#img').removeClass('redborder');
$('#postoptions').hide()
$('textarea').removeClass('resized');
$('.textarea-close').removeClass('visible');
$('.edit-info').removeClass('rise');
}
function loadPage(url) {
$.get("action.php?mode=getpage&id=" + url, function(data) {
$('div.chat').html(data);
});
}
function editChat(id) {
$.get("action.php?mode=getpage&chat_id=" + id + "&id=editchat", function(data) {
$('div.chat').html(data);
});
}
function pinChat(id) {
$.get("action.php?mode=pinchat&id=" + id, function(data) {
$('div.sidebar').html(data);
setTimeout(() => {
loadmessages(id)
}, 0);
});
}
function unpinChat(id) {
$.get("action.php?mode=unpinchat&id=" + id, function(data) {
$('div.sidebar').html(data);
setTimeout(() => {
loadmessages(id)
}, 0);
});
}
function getString(str, callback) {
$.get("action.php?mode=getstring&id=" + str, function(data) {
callback(data);
});
}
function deleteChat() {
closeDialog();
var id = $(".messages").attr("id");
$.get("action.php?mode=deletechat&id=" + id, function(data) {
$('div.sidebar').html(data);
$('div.chat').html(null);
});
}
function getDialog(dialogText) {
dialog = document.createElement("div");
dialog.className = "dialogmodal";
document.body.appendChild(dialog);
$.get("action.php?mode=getdialog&text=" + dialogText, function(data) {
$(dialog).html(data);
});
}
function closeDialog() {
$(".dialogmodal").remove();
}
function moveDatabase() {
$.get("dirchooser.php", function(drive) {
$.get("action.php?mode=movedatabase&onlyloc=false&path=" + drive, function(data) {
window.location.replace("index.php?loadpage=appsettings")
});
});
}
function moveDatabaseLoc() {
$.get("dirchooser.php", function(drive) {
$.get("action.php?mode=movedatabase&onlyloc=true&path=" + drive, function(data) {
window.location.replace("index.php?loadpage=appsettings")
});
});
}
function getmessage(id) {
$.get("action.php?mode=getmessage&id=" + id, function(data) {
$('div#' + id + '.message').replaceWith(data);
});
}
function highlight(id) {
$.get("action.php?mode=highlight&id=" + id, function(data) {
setTimeout(() => {
getmessage(id)
}, 0);
});
}
function unhighlight(id) {
$.get("action.php?mode=unhighlight&id=" + id, function(data) {
setTimeout(() => {
getmessage(id)
}, 0);
});
}
function pinmessage(id) {
$(".pinned-message").remove();
$.get("action.php?mode=pinmessage&id=" + id, function(data) {
setTimeout(() => {
getmessage(id)
$(data).insertAfter(".chat-header");
}, 0);
});
}
function unpinmessage(id) {
$.get("action.php?mode=unpinmessage&id=" + id, function(data) {
$(".pinned-message").remove();
setTimeout(() => {
getmessage(id)
}, 0);
});
}
function toggleTodo(id) {
$.get("action.php?mode=toggleTodo&id=" + id, function(data) {
});
}
function toggleOptions() {
$('#postoptions').toggle()
}
function resizeTextarea() {
$('textarea').toggleClass('resized');
$('.textarea-close').toggleClass('visible');
}
function toggleActionMenu() {
$('.actionmenu').toggleClass('revealActionMenu');
}
function toggleChatMenu() {
$('.chatmenu').toggleClass('revealChatMenu');
}
function closeTextarea() {
$('textarea').removeClass('resized');
$('.textarea-close').removeClass('visible');
}
function uploadpreview(e) {
const file = e.files[0]; // Get the first file selected
// Check if the file is an image by checking its MIME type
if (file && file.type.startsWith("image/")) {
// Create Blob-URL for the File (Blob) object
const url = (URL || webkit).createObjectURL(file);
// Set Blob-URL as the image source
const button = document.getElementById("img");
button.style.backgroundImage = `url('${url}')`;
button.style.backgroundSize = "cover"; // Make the image cover the button
button.style.backgroundPosition = "center"; // Center the image
button.style.backgroundRepeat = "no-repeat"; // Avoid repeating the image
$('#img').addClass('redborder');
} else {
$('#img').addClass('buttonred');
}
}
function changedDate() {
$('input#changedDate').val("true")
}
$(document).on('keyup', 'textarea', function() {
var len = $('textarea').val().length;
var textf = $('.resized').length;
var txt = $('textarea').val();
var lines = txt.split(/\r|\r\n|\n/);
var count = lines.length;
if (len > 150 && textf == 0 || count > 4 && textf == 0) {
$('textarea').toggleClass('resized')
$('.textarea-close').toggleClass('visible');
}
if (len < 150 && textf == 1 && count < 4 && textf == 1) {
$('textarea').toggleClass('resized')
$('.textarea-close').toggleClass('visible');
}
});
$(document).on('focusout', 'textarea', function() {
$('textarea').removeClass('resized');
$('.textarea-close').removeClass('visible');
});
| daisuke/Notebubble | js/scripts.js | JavaScript | mit | 13,111 |
<?php
$loc_string = array(
'categories_index_title' => 'Categories',
'chat_messages' => 'Notes',
'textarea_placeholder' => 'Write a note...',
'send_button' => 'Send',
'save_button' => 'Save Changes',
'category_add_title' => 'Add New Category',
'category_edit_title' => 'Edit Category',
'category_form_name' => "Name",
'category_form_description' => "Description",
'category_form_image' => "Image",
'category_form_bgcolor' => "Background Color",
'category_form_pass' => "Password",
'category_form_optional' => "Optional",
'menu_edit_category' => "Edit Category",
'menu_unpin_category' => "Unpin Category",
'menu_pin_category' => "Pin Category",
'menu_delete' => "Delete",
'settings_title' => "Settings",
'settings_timezone_title' => "Select Your Timezone",
'settings_timezone_select' => "Select the closest city to you.",
'settings_db_title' => "Database Management",
'settings_move_db' => "Move Database",
'settings_move_db_loc' => "Move Location",
'settings_upload_db' => "Upload Database",
'settings_db_loc' => "Current Database Location",
'settings_locale' => "System Language",
'message_header_pinned' => "Pinned Note",
'tooltip_home' => "Home",
'tooltip_add_category' => "Add New Category",
'tooltip_app_settings' => "Application Settings",
'tooltip_app_help' => "Help and Reference",
'tooltip_reminder_set' => "Reminder set to: ",
'tooltip_pinned_message' => "This note is pinned.",
'tooltip_pin' => "Pin Note",
'tooltip_unpin' => "Unpin Note",
'tooltip_highlight' => "Highlight Note",
'tooltip_unhighlight' => "Remove Highlight",
'tooltip_download' => "Download File",
'tooltip_messages' => "Notes",
'tooltip_edit' => "Edit",
'tooltip_delete' => "Delete",
'tooltip_search' => "Search",
'tooltip_open_menu' => "Open menu",
'label_adv_settings' => "Additional Options",
'label_set_reminder' => "Set Reminder",
'label_compress_img' => "Compress images",
'label_editing' => "Editing:",
'message_delete_chat' => "Are you sure you want to delete this category and all its notes?",
'message_move_db' => "This will move the database to another location. Do you want to continue?",
'message_move_db_loc' => "This action will update the system's configuration to look for the database in a new location. Do you wish to proceed?",
'message_db_not_found' => "Database not found. <br>If this happened due to a configuration change, <a href='rollback.php'>click here</a> to return to the previous configuration.",
'protected_title' => 'Protected Category',
'protected_open' => 'Open',
'label_files' => 'files',
'label_total_size' => 'Total size:',
'search_placeholder' => 'Text to Find',
'search_button' => 'Search',
'search_results' => 'Search results for:',
'button_yes' => 'Yes',
'button_no' => 'No',
'firstrun_category' => 'Click here to create a Category',
'firstrun_locale' => 'Is the hour and date wrong? Be sure to set up your correct timezone in the SETTINGS.',
);
?>
| daisuke/Notebubble | languages/english.php | PHP | mit | 3,074 |
<?php
$loc_string = array(
'categories_index_title' => 'Catégories',
'chat_messages' => 'Notes',
'textarea_placeholder' => 'Écrire une note...',
'send_button' => 'Envoyer',
'save_button' => 'Enregistrer les modifications',
'category_add_title' => 'Ajouter une nouvelle catégorie',
'category_edit_title' => 'Modifier la catégorie',
'category_form_name' => "Nom",
'category_form_description' => "Description",
'category_form_image' => "Image",
'category_form_bgcolor' => "Couleur de fond",
'category_form_pass' => "Mot de passe",
'category_form_optional' => "Optionnel",
'menu_edit_category' => "Modifier la catégorie",
'menu_unpin_category' => "Détacher la catégorie",
'menu_pin_category' => "Épingler la catégorie",
'menu_delete' => "Supprimer",
'settings_title' => "Paramètres",
'settings_timezone_title' => "Sélectionnez votre fuseau horaire",
'settings_timezone_select' => "Sélectionnez la ville la plus proche de vous.",
'settings_db_title' => "Gestion de la base de données",
'settings_move_db' => "Déplacer la base de données",
'settings_move_db_loc' => "Changer l'emplacement",
'settings_upload_db' => "Téléverser la base de données",
'settings_db_loc' => "Emplacement actuel de la base de données",
'settings_locale' => "Langue du système",
'message_header_pinned' => "Note épinglée",
'tooltip_home' => "Accueil",
'tooltip_add_category' => "Ajouter une nouvelle catégorie",
'tooltip_app_settings' => "Paramètres de l'application",
'tooltip_app_help' => "Aide et référence",
'tooltip_reminder_set' => "Rappel défini à : ",
'tooltip_pinned_message' => "Cette note est épinglée.",
'tooltip_pin' => "Épingler la note",
'tooltip_unpin' => "Détacher la note",
'tooltip_highlight' => "Mettre en évidence la note",
'tooltip_unhighlight' => "Supprimer la mise en évidence",
'tooltip_download' => "Télécharger le fichier",
'tooltip_messages' => "Notes",
'tooltip_edit' => "Modifier",
'tooltip_delete' => "Supprimer",
'tooltip_search' => "Rechercher",
'tooltip_open_menu' => "Ouvrir le menu",
'label_adv_settings' => "Options supplémentaires",
'label_set_reminder' => "Définir un rappel",
'label_compress_img' => "Compresser les images",
'label_editing' => "Édition :",
'message_delete_chat' => "Êtes-vous sûr de vouloir supprimer cette catégorie et toutes ses notes ?",
'message_move_db' => "Cela déplacera la base de données vers un autre emplacement. Voulez-vous continuer ?",
'message_move_db_loc' => "Cette action mettra à jour la configuration du système pour rechercher la base de données dans un nouvel emplacement. Souhaitez-vous continuer ?",
'message_db_not_found' => "Base de données introuvable. <br>Si cela s'est produit à cause d'un changement de configuration, <a href='rollback.php'>cliquez ici</a> pour revenir à la configuration précédente.",
'protected_title' => 'Catégorie protégée',
'protected_open' => 'Ouvrir',
'label_files' => 'fichiers',
'label_total_size' => 'Taille totale :',
'search_placeholder' => 'Texte à trouver',
'search_button' => 'Rechercher',
'search_results' => 'Résultats de recherche pour :',
'button_yes' => 'Oui',
'button_no' => 'Non',
'firstrun_category' => 'Cliquez ici pour créer une catégorie',
'firstrun_locale' => 'L’heure et la date sont incorrectes ? Assurez-vous de configurer votre fuseau horaire correct dans les PARAMÈTRES.',
);
?>
| daisuke/Notebubble | languages/french.php | PHP | mit | 3,582 |
<?php
$loc_string = array(
'categories_index_title' => 'Kategorien',
'chat_messages' => 'Notizen',
'textarea_placeholder' => 'Schreibe eine Notiz...',
'send_button' => 'Senden',
'save_button' => 'Änderungen speichern',
'category_add_title' => 'Neue Kategorie hinzufügen',
'category_edit_title' => 'Kategorie bearbeiten',
'category_form_name' => "Name",
'category_form_description' => "Beschreibung",
'category_form_image' => "Bild",
'category_form_bgcolor' => "Hintergrundfarbe",
'category_form_pass' => "Passwort",
'category_form_optional' => "Optional",
'menu_edit_category' => "Kategorie bearbeiten",
'menu_unpin_category' => "Kategorie lösen",
'menu_pin_category' => "Kategorie anheften",
'menu_delete' => "Löschen",
'settings_title' => "Einstellungen",
'settings_timezone_title' => "Wähle deine Zeitzone",
'settings_timezone_select' => "Wählen Sie die nächstgelegene Stadt aus.",
'settings_db_title' => "Datenbankverwaltung",
'settings_move_db' => "Datenbank verschieben",
'settings_move_db_loc' => "Standort ändern",
'settings_upload_db' => "Datenbank hochladen",
'settings_db_loc' => "Aktueller Datenbankstandort",
'settings_locale' => "Systemsprache",
'message_header_pinned' => "Angeheftete Notiz",
'tooltip_home' => "Startseite",
'tooltip_add_category' => "Neue Kategorie hinzufügen",
'tooltip_app_settings' => "Anwendungseinstellungen",
'tooltip_app_help' => "Hilfe und Referenz",
'tooltip_reminder_set' => "Erinnerung festgelegt auf: ",
'tooltip_pinned_message' => "Diese Notiz ist angeheftet.",
'tooltip_pin' => "Notiz anheften",
'tooltip_unpin' => "Notiz lösen",
'tooltip_highlight' => "Notiz hervorheben",
'tooltip_unhighlight' => "Hervorhebung entfernen",
'tooltip_download' => "Datei herunterladen",
'tooltip_messages' => "Notizen",
'tooltip_edit' => "Bearbeiten",
'tooltip_delete' => "Löschen",
'tooltip_search' => "Suchen",
'tooltip_open_menu' => "Menü öffnen",
'label_adv_settings' => "Zusätzliche Optionen",
'label_set_reminder' => "Erinnerung festlegen",
'label_compress_img' => "Bilder komprimieren",
'label_editing' => "Bearbeiten:",
'message_delete_chat' => "Möchten Sie diese Kategorie und alle ihre Notizen wirklich löschen?",
'message_move_db' => "Dies wird die Datenbank an einen anderen Ort verschieben. Möchten Sie fortfahren?",
'message_move_db_loc' => "Diese Aktion aktualisiert die Systemkonfiguration, um die Datenbank an einem neuen Ort zu suchen. Möchten Sie fortfahren?",
'message_db_not_found' => "Datenbank nicht gefunden. <br>Wenn dies aufgrund einer Konfigurationsänderung geschehen ist, <a href='rollback.php'>klicken Sie hier</a>, um zur vorherigen Konfiguration zurückzukehren.",
'protected_title' => 'Geschützte Kategorie',
'protected_open' => 'Öffnen',
'label_files' => 'Dateien',
'label_total_size' => 'Gesamtgröße:',
'search_placeholder' => 'Text suchen',
'search_button' => 'Suchen',
'search_results' => 'Suchergebnisse für:',
'button_yes' => 'Ja',
'button_no' => 'Nein',
'firstrun_category' => 'Klicken Sie hier, um eine Kategorie zu erstellen',
'firstrun_locale' => 'Sind Uhrzeit und Datum falsch? Stellen Sie sicher, dass Sie Ihre richtige Zeitzone in den EINSTELLUNGEN festlegen.',
);
?>
| daisuke/Notebubble | languages/german.php | PHP | mit | 3,404 |
<?php
$loc_string = array(
'categories_index_title' => 'Categorie',
'chat_messages' => 'Note',
'textarea_placeholder' => 'Scrivi una nota...',
'send_button' => 'Invia',
'save_button' => 'Salva modifiche',
'category_add_title' => 'Aggiungi nuova categoria',
'category_edit_title' => 'Modifica categoria',
'category_form_name' => "Nome",
'category_form_description' => "Descrizione",
'category_form_image' => "Immagine",
'category_form_bgcolor' => "Colore di sfondo",
'category_form_pass' => "Password",
'category_form_optional' => "Opzionale",
'menu_edit_category' => "Modifica categoria",
'menu_unpin_category' => "Sblocca categoria",
'menu_pin_category' => "Blocca categoria",
'menu_delete' => "Elimina",
'settings_title' => "Impostazioni",
'settings_timezone_title' => "Seleziona il tuo fuso orario",
'settings_timezone_select' => "Seleziona la città più vicina a te.",
'settings_db_title' => "Gestione database",
'settings_move_db' => "Sposta database",
'settings_move_db_loc' => "Cambia posizione",
'settings_upload_db' => "Carica database",
'settings_db_loc' => "Posizione attuale del database",
'settings_locale' => "Lingua del sistema",
'message_header_pinned' => "Nota bloccata",
'tooltip_home' => "Home",
'tooltip_add_category' => "Aggiungi nuova categoria",
'tooltip_app_settings' => "Impostazioni dell'applicazione",
'tooltip_app_help' => "Aiuto e riferimento",
'tooltip_reminder_set' => "Promemoria impostato per: ",
'tooltip_pinned_message' => "Questa nota è bloccata.",
'tooltip_pin' => "Blocca nota",
'tooltip_unpin' => "Sblocca nota",
'tooltip_highlight' => "Evidenzia nota",
'tooltip_unhighlight' => "Rimuovi evidenziazione",
'tooltip_download' => "Scarica file",
'tooltip_messages' => "Note",
'tooltip_edit' => "Modifica",
'tooltip_delete' => "Elimina",
'tooltip_search' => "Cerca",
'tooltip_open_menu' => "Apri menu",
'label_adv_settings' => "Opzioni aggiuntive",
'label_set_reminder' => "Imposta promemoria",
'label_compress_img' => "Comprimere immagini",
'label_editing' => "Modifica:",
'message_delete_chat' => "Sei sicuro di voler eliminare questa categoria e tutte le sue note?",
'message_move_db' => "Questo sposterà il database in un'altra posizione. Vuoi continuare?",
'message_move_db_loc' => "Questa azione aggiornerà la configurazione di sistema per cercare il database in una nuova posizione. Vuoi procedere?",
'message_db_not_found' => "Database non trovato. <br>Se ciò è accaduto a causa di un cambio di configurazione, <a href='rollback.php'>clicca qui</a> per tornare alla configurazione precedente.",
'protected_title' => 'Categoria protetta',
'protected_open' => 'Apri',
'label_files' => 'file',
'label_total_size' => 'Dimensione totale:',
'search_placeholder' => 'Testo da trovare',
'search_button' => 'Cerca',
'search_results' => 'Risultati della ricerca per:',
'button_yes' => 'Sì',
'button_no' => 'No',
'firstrun_category' => 'Clicca qui per creare una categoria',
'firstrun_locale' => 'L’ora e la data sono sbagliate? Assicurati di impostare il fuso orario corretto nelle IMPOSTAZIONI.',
);
?>
| daisuke/Notebubble | languages/italian.php | PHP | mit | 3,284 |
<?php
$loc_string = array(
'categories_index_title' => 'カテゴリー',
'chat_messages' => 'ノート',
'textarea_placeholder' => 'ノートを書いてください...',
'send_button' => '送信',
'save_button' => '変更を保存',
'category_add_title' => '新しいカテゴリーを追加',
'category_edit_title' => 'カテゴリーを編集',
'category_form_name' => "名前",
'category_form_description' => "説明",
'category_form_image' => "画像",
'category_form_bgcolor' => "背景色",
'category_form_pass' => "パスワード",
'category_form_optional' => "オプション",
'menu_edit_category' => "カテゴリーを編集",
'menu_unpin_category' => "カテゴリーの固定を解除",
'menu_pin_category' => "カテゴリーを固定",
'menu_delete' => "削除",
'settings_title' => "設定",
'settings_timezone_title' => "タイムゾーンを選択",
'settings_timezone_select' => "最寄りの都市を選択してください。",
'settings_db_title' => "データベース管理",
'settings_move_db' => "データベースを移動",
'settings_move_db_loc' => "場所を変更",
'settings_upload_db' => "データベースをアップロード",
'settings_db_loc' => "現在のデータベースの場所",
'settings_locale' => "システム言語",
'message_header_pinned' => "固定されたノート",
'tooltip_home' => "ホーム",
'tooltip_add_category' => "新しいカテゴリーを追加",
'tooltip_app_settings' => "アプリ設定",
'tooltip_app_help' => "ヘルプとリファレンス",
'tooltip_reminder_set' => "リマインダー設定: ",
'tooltip_pinned_message' => "このノートは固定されています。",
'tooltip_pin' => "ノートを固定",
'tooltip_unpin' => "ノートの固定を解除",
'tooltip_highlight' => "ノートをハイライト",
'tooltip_unhighlight' => "ハイライトを解除",
'tooltip_download' => "ファイルをダウンロード",
'tooltip_messages' => "ノート",
'tooltip_edit' => "編集",
'tooltip_delete' => "削除",
'tooltip_search' => "検索",
'tooltip_open_menu' => "メニューを開く",
'label_adv_settings' => "追加オプション",
'label_set_reminder' => "リマインダーを設定",
'label_compress_img' => "画像を圧縮する",
'label_editing' => "編集中:",
'message_delete_chat' => "このカテゴリーとそのすべてのノートを削除してもよろしいですか?",
'message_move_db' => "データベースを別の場所に移動します。続行しますか?",
'message_move_db_loc' => "この操作により、システムの設定が更新され、新しい場所でデータベースを探すようになります。続行しますか?",
'message_db_not_found' => "データベースが見つかりません。<br>設定変更による場合は、<a href='rollback.php'>ここをクリック</a>して以前の設定に戻ってください。",
'protected_title' => '保護されたカテゴリー',
'protected_open' => '開く',
'label_files' => 'ファイル',
'label_total_size' => '合計サイズ:',
'search_placeholder' => '検索するテキスト',
'search_button' => '検索',
'search_results' => '検索結果:',
'button_yes' => 'はい',
'button_no' => 'いいえ',
'firstrun_category' => 'カテゴリを作成するにはここをクリックしてください',
'firstrun_locale' => '時間と日付が間違っていますか? 設定で正しいタイムゾーンを設定してください。',
);
?>
| daisuke/Notebubble | languages/japanese.php | PHP | mit | 3,691 |
<?php
$loc_string = array(
'categories_index_title' => 'Categorias',
'chat_messages' => 'Notas',
'textarea_placeholder' => 'Escreva uma nota...',
'send_button' => 'Enviar',
'save_button' => 'Salvar alterações',
'category_add_title' => 'Adicionar nova categoria',
'category_edit_title' => 'Editar categoria',
'category_form_name' => "Nome",
'category_form_description' => "Descrição",
'category_form_image' => "Imagem",
'category_form_bgcolor' => "Cor de fundo",
'category_form_pass' => "Senha",
'category_form_optional' => "Opcional",
'menu_edit_category' => "Editar categoria",
'menu_unpin_category' => "Desafixar categoria",
'menu_pin_category' => "Fixar categoria",
'menu_delete' => "Excluir",
'settings_title' => "Configurações",
'settings_timezone_title' => "Selecione seu fuso horário",
'settings_timezone_select' => "Selecione a cidade mais próxima de você.",
'settings_db_title' => "Gerenciamento do banco de dados",
'settings_move_db' => "Mover banco de dados",
'settings_move_db_loc' => "Alterar localização",
'settings_upload_db' => "Carregar banco de dados",
'settings_db_loc' => "Localização atual do banco de dados",
'settings_locale' => "Idioma do sistema",
'message_header_pinned' => "Nota fixada",
'tooltip_home' => "Início",
'tooltip_add_category' => "Adicionar nova categoria",
'tooltip_app_settings' => "Configurações do aplicativo",
'tooltip_app_help' => "Ajuda e referência",
'tooltip_reminder_set' => "Lembrete definido para: ",
'tooltip_pinned_message' => "Esta nota está fixada.",
'tooltip_pin' => "Fixar nota",
'tooltip_unpin' => "Desafixar nota",
'tooltip_highlight' => "Destacar nota",
'tooltip_unhighlight' => "Remover destaque",
'tooltip_download' => "Baixar arquivo",
'tooltip_messages' => "Notas",
'tooltip_edit' => "Editar",
'tooltip_delete' => "Excluir",
'tooltip_search' => "Buscar",
'tooltip_open_menu' => "Abrir menu",
'label_adv_settings' => "Opções adicionais",
'label_set_reminder' => "Definir lembrete",
'label_compress_img' => "Compactar imagens",
'label_editing' => "Editando:",
'message_delete_chat' => "Tem certeza de que deseja excluir esta categoria e todas as suas notas?",
'message_move_db' => "Isso moverá o banco de dados para outro local. Deseja continuar?",
'message_move_db_loc' => "Esta ação atualizará a configuração do sistema para procurar o banco de dados em um novo local. Deseja prosseguir?",
'message_db_not_found' => "Banco de dados não encontrado. <br>Se isso ocorreu devido a uma alteração na configuração, <a href='rollback.php'>clique aqui</a> para retornar à configuração anterior.",
'protected_title' => 'Categoria protegida',
'protected_open' => 'Abrir',
'label_files' => 'arquivos',
'label_total_size' => 'Tamanho total:',
'search_placeholder' => 'Texto a encontrar',
'search_button' => 'Buscar',
'search_results' => 'Resultados da busca por:',
'button_yes' => 'Sim',
'button_no' => 'Não',
'firstrun_category' => 'Clique aqui para criar uma categoria',
'firstrun_locale' => 'O horário e a data estão errados? Certifique-se de configurar o seu fuso horário correto nas CONFIGURAÇÕES.',
);
?>
| daisuke/Notebubble | languages/portuguese.php | PHP | mit | 3,340 |
<?php
$loc_string = array(
'categories_index_title' => 'Categorias',
'chat_messages' => 'Notas',
'textarea_placeholder' => 'Escribe una Nota...',
'send_button' => 'Enviar',
'save_button' => 'Guardar Cambios',
'category_add_title' => 'Agregar Nueva Categoria',
'category_edit_title' => 'Editar Categoria',
'category_form_name' => "Nombre",
'category_form_description' => "Descripcion",
'category_form_image' => "Imagen",
'category_form_bgcolor' => "Color de Fondo",
'category_form_pass' => "Contraseña",
'category_form_optional' => "Opcional",
'menu_edit_category' => "Editar Categoria",
'menu_unpin_category' => "Des-Fijar Categoria",
'menu_pin_category' => "Fijar Categoria",
'menu_delete' => "Eliminar",
'settings_title' => "Configuracion",
'settings_timezone_title' => "Selecciona tu Region Horaria",
'settings_timezone_select' => "Selecciona la ciudad mas cercana a ti.",
'settings_db_title' => "Manejo de la Base de Datos",
'settings_move_db' => "Mover Base",
'settings_move_db_loc' => "Mover Localizacion",
'settings_upload_db' => "Subir Base de Datos",
'settings_db_loc' => "Localizacion actual de la Base de Datos",
'settings_locale' => "Lenguaje del Sistema",
'message_header_pinned' => "Nota Fijada",
'tooltip_home' => "Inicio",
'tooltip_add_category' => "Agregar Categoria Nueva",
'tooltip_app_settings' => "Configuracion del Programa",
'tooltip_app_help' => "Ayuda y Referencia",
'tooltip_reminder_set' => "Recordatorio fijado a: ",
'tooltip_pinned_message' => "Esta Nota está fijada.",
'tooltip_pin' => "Fijar Nota",
'tooltip_unpin' => "Quitar Fijado",
'tooltip_highlight' => "Destacar Nota",
'tooltip_unhighlight' => "Quitar Destacado",
'tooltip_download' => "Descargar Archivo",
'tooltip_messages' => "Notas",
'tooltip_edit' => "Editar",
'tooltip_delete' => "Borrar",
'tooltip_search' => "Busqueda",
'tooltip_open_menu' => "Abrir menú",
'label_adv_settings' => "Opciones adicionales",
'label_set_reminder' => "Establecer Recordatorio",
'label_compress_img' => "Comprimir Imagenes",
'label_editing' => "Editando:",
'message_delete_chat' => "Seguro que quiere borrar esta categoria y todas sus notas?",
'message_move_db' => "Esto movera la base de datos hacia otra ubicacion. Desea Continuar?",
'message_move_db_loc' => "Esto movera la localizacion de la base de datos en la configuracion del sistema, Desea Continuar?",
'message_db_not_found' => "No se encontro la base de datos. <br>Si esto ocurrio por un cambio de configuracion, haga <a href='rollback.php'>Click Aqui</a> para volver a la configuracion anterior.",
'protected_title' => 'Categoria Protegida',
'protected_open' => 'Abrir',
'label_files' => 'archivos',
'label_total_size' => 'Tamaño Total:',
'search_placeholder' => 'Texto a buscar',
'search_button' => 'Buscar',
'search_results' => 'Resultados para:',
'button_yes' => 'Sì',
'button_no' => 'No',
'firstrun_category' => 'Haga clic aquí para crear una categoría',
'firstrun_locale' => '¿La hora y la fecha son incorrectas? Asegúrate de configurar tu zona horaria correcta en la Configuracion.',
);
?>
| daisuke/Notebubble | languages/spanish.php | PHP | mit | 3,166 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Official Source Repository: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_english\");'>Click here to see the help documentation</a></p>
<p>This software is released under the MIT license</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
</p>
<p>NoteBubble is built upon the <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> platform, by Czarek Tomczak</p>
<p>The bundle package version for Windows includes the binary executables of the following projects:</p>
s
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_english.php | PHP | mit | 1,577 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Répertoire officiel: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_french\");'>Cliquez ici pour consulter la documentation d'aide</a></p>
<p>Ce logiciel est publié sous la licence MIT</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubble est basé sur la plateforme <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> par Czarek Tomczak</p>
<p>La version du package pour Windows inclut les exécutables binaires des projets suivants :</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_french.php | PHP | mit | 1,563 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Offizielles Repository:: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_german\");'>Klicken Sie hier, um die Hilfedokumentation anzusehen</a></p>
<p>Diese Software wird unter der MIT-Lizenz veröffentlicht</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubble basiert auf der <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a>-Plattform, entwickelt von Czarek Tomczak</p>
<p>Die Windows-Bundleversion enthält die Binärdateien der folgenden Projekte:</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_german.php | PHP | mit | 1,578 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Repository ufficiale: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_italian\");'>Fai clic qui per visualizzare la documentazione di aiuto</a></p>
<p>Questo software è rilasciato sotto licenza MIT</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubble è basato sulla piattaforma <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> di Czarek Tomczak</p>
<p>La versione del pacchetto per Windows include gli eseguibili binari dei seguenti progetti:</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_italian.php | PHP | mit | 1,573 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
公式ソースリポジトリ: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_japanese\");'>ヘルプドキュメントを見るにはここをクリックしてください</a></p>
<p>このソフトウェアはMITライセンスの下で公開されています</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubbleはCzarek Tomczakによって開発された <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> プラットフォーム上に構築されています</p>
<p>Windows用のバンドルパッケージには、以下のプロジェクトのバイナリ実行ファイルが含まれています:</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_japanese.php | PHP | mit | 1,739 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Repositório oficial: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_portuguese\");'>Clique aqui para ver a documentação de ajuda</a></p>
<p>Este software é lançado sob a licença MIT</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubble é construído sobre a plataforma <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> por Czarek Tomczak</p>
<p>A versão do pacote para Windows inclui os executáveis binários dos seguintes projetos:</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_portuguese.php | PHP | mit | 1,569 |
<?php
$content = "
<div style='width:60%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:hidden;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p><b>A fast, no-frills way to store your info.</b>
<br>
Repositorio oficial: <a href='https://notabug.org/daisuke/Notebubble' class='link'>https://notabug.org/daisuke/Notebubble</a>
</p>
<p style='font-weight:bold; font-size:20px; color:#2980B9;'><a onClick='loadPage(\"help_spanish\");'>Haz clic aquí para ver la documentación de ayuda</a></p>
<p>Este software se distribuye bajo la licencia MIT</p>
<p style='font-size:10px; text-align:justify;'>".nl2br(file_get_contents("LICENSE"))."</p>
<p>NoteBubble está construido sobre la plataforma <a href='https://github.com/cztomczak/phpdesktop' class='link'>PHPDesktop</a> desarrollada por Czarek Tomczak</p>
<p>La versión del paquete para Windows incluye los ejecutables binarios de los siguientes proyectos:</p>
<a class='link' href='https://gnuwin32.sourceforge.net/packages/wget.htm'>Wget for Windows</a><br>
<a class='link' href='https://imagemagick.org/index.php'>Imagemagick</a><br>
<a class='link' href='https://7-zip.org/download.html'>7-Zip</a><br>
<a class='link' href='https://www.nirsoft.net/utils/nircmd.html'>NirCMD</a><br>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/about_spanish.php | PHP | mit | 1,598 |
<?php
$c = 1;
$cl = "";
foreach ($system['colors'] as $color){
$cl .= " <input type='radio' name='color' value='$color' ". ($c == 1 ? "checked" : "")."><div style='display:inline-block; width:30px; height:30px; background-color:$color;'>.</div> - ";
$c++;
}
$content = "
<div style='width:50%; min-width:400px; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px;'>
<h1>".$loc_string['category_add_title']."</h1>
<form action='action.php' method='post' enctype=\"multipart/form-data\">
<input type='hidden' name='mode' value='addchat'>
".$loc_string['category_form_name']."<br>
<input type='text' name='name' class='textinput'><br>
<br>
".$loc_string['category_form_description']."<br>
<input type='text' maxlength=\"20\" name='desc' style='color: #0078D7; width:80%; height:30px; text-align:center; font-size:20px; border:0px; border-right:1px solid black;border-bottom:1px solid black;'><br>
<br>
".$loc_string['category_form_image']."<br>
<input type='file' name='picture' accept=\"image/*\"><br>
<br>
".$loc_string['category_form_bgcolor']."<br>
$cl
<br>
<br>
".$loc_string['category_form_pass']." <small>(".$loc_string['category_form_optional'].")</small><br>
<input type='password' name='pass' style='color: #0078D7; width:80%; height:30px; text-align:center; font-size:20px; border:0px; border-right:1px solid black;border-bottom:1px solid black;'><br>
<br><br>
<input type='submit' class='button' value='".$loc_string['send_button']."'>
</form>
</div>
";
echo renderPage($content);
| daisuke/Notebubble | pages/addchat.php | PHP | mit | 1,591 |
<?php
$content = "
<div style='width:50%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px;'>
<h1>Ayuda y Referencia</h1>
<p>Soporte limitado de markup en el texto de las notas:</p>
<table style='display:inline-block;'>
<tr><td>**texto**</td><td>=></td><td><b>texto</b></td></tr>
<tr><td>*texto*</td><td>=></td><td><i>texto</i></td></tr>
<tr><td>__texto__</td><td>=></td><td><u>texto</u></td></tr>
</table>
</div>";
echo renderPage($content); | daisuke/Notebubble | pages/apphelp.php | PHP | mit | 494 |
<?php
$path = $settings['path'];
$sfile = file_get_contents($system['workdir'] . "settings.php");
if (!is_numeric(strpos($sfile, "path"))) {
$path = "Portable";
}
$content = "
<div style='min-width:70%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px;'>
<h1>".$loc_string['settings_title']."</h1>
<div style='width:85%; display:flex; min-height:120px; margin:0 auto; border-bottom:2px solid #aaa;'>
<div style='flex:1; min-height:120px; max-width:120px;' class='settings-image'>
<img style='max-height:80px; margin-top:50%; margin-left:20px;' src='./assets/globe.svg'>
</div>
<div style='width:100%;'>
<form method='post' action='action.php' enctype='multipart/form-data'>
<input type='hidden' name='mode' value='setsettings'>
<div style='flex:1; min-height:120px; display:flex;'>
<div style='flex:1;'>
<h5>".$loc_string['settings_locale']."</h5>
<select name='settings[locale]'>
<option value='english' ".($settings['locale'] == "english" ? "selected":"").">English</option>
<option value='spanish' ".($settings['locale'] == "spanish" ? "selected":"").">Español</option>
<option value='german' ".($settings['locale'] == "german" ? "selected":"").">Deutsch</option>
<option value='italian' ".($settings['locale'] == "italian" ? "selected":"").">Italiano</option>
<option value='french' ".($settings['locale'] == "french" ? "selected":"").">Français</option>
<option value='portuguese' ".($settings['locale'] == "portuguese" ? "selected":"").">Portuguese</option>
<option value='japanese' ".($settings['locale'] == "japanese" ? "selected":"").">日本語</option>
</select>
</div>
<div style='flex:1;'>
<h5>".$loc_string['settings_timezone_title']."</h5>
<select id='timezone' name='settings[timezone]'>
";
$timezones = [
'America/Anchorage' => 'Anchorage, USA',
'America/Asuncion' => 'Asunción, Paraguay',
'Europe/Berlin' => 'Berlín, Germany',
'America/Bogota' => 'Bogotá, Colombia',
'America/Buenos_Aires' => 'Buenos Aires, Argentina',
'America/Caracas' => 'Caracas, Venezuela',
'America/Chicago' => 'Chicago, USA',
'America/Guatemala' => 'Ciudad de Guatemala, Guatemala',
'America/Mexico_City' => 'Ciudad de México, Mexico',
'America/Panama' => 'Ciudad de Panamá, Panama',
'America/Denver' => 'Denver, USA',
'Asia/Kolkata' => 'Delhi, India', // Updated to use the correct timezone
'Asia/Dubai' => 'Dubái, United Arab Emirates',
'America/New_York' => 'Florida, USA', // Changed from America/Florida
'America/Guayaquil' => 'Guayaquil, Ecuador',
'Pacific/Honolulu' => 'Honolulu, USA',
'Africa/Johannesburg' => 'Johannesburgo, South Africa',
'America/La_Paz' => 'La Paz, Bolivia',
'Europe/London' => 'Londres, United Kingdom',
'America/Los_Angeles' => 'Los Ángeles, USA',
'America/Lima' => 'Lima, Peru',
'Europe/Madrid' => 'Madrid, Spain',
'Europe/Moscow' => 'Moscú, Russia',
'America/Managua' => 'Managua, Nicaragua',
'America/Montevideo' => 'Montevideo, Uruguay',
'America/New_York' => 'Nueva York, USA',
'Europe/Paris' => 'París, France',
'Europe/Rome' => 'Rome, Italy',
'America/Phoenix' => 'Phoenix, USA',
'America/San_Jose' => 'San José, Costa Rica',
'America/Santiago' => 'Santiago, Chile',
'America/Sao_Paulo' => 'São Paulo, Brazil',
'Asia/Shanghai' => 'Shanghái, China',
'Asia/Singapore' => 'Singapur, Singapore',
'Australia/Sydney' => 'Sídney, Australia',
'America/Tegucigalpa' => 'Tegucigalpa, Honduras',
'Asia/Tokyo' => 'Tokio, Japan'
];
foreach ($timezones as $timezone => $city){
$content .= "<option value='".$timezone."' ".($settings['timezone'] == $timezone ? "selected" : "").">".$city."</option>";
}
$content .= " </select>
<br><small>".$loc_string['settings_timezone_select']."</small>
</div>
</div>
<input type='submit' class='button' value='".$loc_string['save_button']."'>
</form>
<br>
</div>
</div>
<div style='width:85%; display:flex; min-height:120px; margin:0 auto; border-bottom:2px solid #aaa;'>
<div style='flex:1; min-height:120px; max-width:120px;' class='settings-image'>
<img style='max-height:80px; margin-top:50%;' src='./assets/database.svg'>
</div>
<div style='flex:1; min-height:120px;'>
<br><b>".$loc_string['settings_db_title']."</b>
<br><br>
".$loc_string['settings_db_loc'].":<br> <b>".$path."</b>
<br><br>
<div style='display:flex; width:100%;'>
<div style='flex:1;'>
<div class='settings-button' onClick='getDialog(\"message_move_db\");'>
<span style='display:block; font-family:dbicons; font-size:58px; margin:10px 0px;'></span>
".$loc_string['settings_move_db']."
</div>
</div>
<div style='flex:1;'>
<div class='settings-button' onClick='getDialog(\"message_move_db_loc\");'>
<span style='display:block; font-family:dbicons; font-size:58px; margin:10px 0px;'></span>
".$loc_string['settings_move_db_loc']."
</div>
</div>
<!--
<div style='flex:1;'>
<div class='settings-button'>
<span style='display:block; font-family:dbicons; font-size:58px; margin:10px 0px;'></span>
".$loc_string['settings_upload_db']."
</div>
</div>
-->
</div>
<br>
</div>
</div>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/appsettings.php | PHP | mit | 5,427 |
<?php
$id = $_GET['chat_id'];
$chat = PDO_FetchAll("SELECT * FROM chat WHERE id = $id")[0];
$c = 1;
$cl = "";
foreach ($system['colors'] as $color){
$cl .= " <input type='radio' name='color' value='$color' ". ($chat['color'] == $color ? "checked" : "")."><div style='display:inline-block; width:30px; height:30px; background-color:$color;'>.</div> - ";
$c++;
}
$content = "
<div style='width:50%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px;'>
<h1>".$loc_string['category_edit_title']."</h1>
<form action='action.php' method='post' enctype=\"multipart/form-data\">
<input type='hidden' name='mode' value='addchat'>
<input type='hidden' name='edit' value='$id'>
".$loc_string['category_form_name']."<br>
<input type='text' name='name' class='formInput' value='".$chat['name']."'><br>
<br>
".$loc_string['category_form_description']."<br>
<input type='text' name='desc' class='formInput' maxlength=\"20\" value='".$chat['desc']."'><br>
<br>
".$loc_string['category_form_image']."<br>
<input type='file' name='picture' accept=\"image/*\"><br>
<br>
".$loc_string['category_form_bgcolor']."<br>
$cl
<br><br>
".$loc_string['category_form_pass']." <small>(".$loc_string['category_form_optional'].")</small><br>
<input type='password' name='pass' class='formInput' value='".$chat['pass']."'><br>
<br><br>
<input type='submit' class='button' value='".$loc_string['save_button']."'>
</form>
</div>
";
echo renderPage($content); | daisuke/Notebubble | pages/editchat.php | PHP | mit | 1,515 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Welcome to Notebubble! This app is a simple and fast way to store and organize your notes. Here’s a quick guide to help you use all the features:</p>
<h1>Help & Reference</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Categories</h2>
<p>Notes are grouped into categories. To create one, click the <b>+</b> icon on the sidebar.<br>
<p>There, you can Name your category and add a description, you can choose an image icon and background color for the category (you can change this later),</p><p>Also, you can You can also set a password to make the category private (optional).</p>
</div>
<div class='section'>
<h2>Notes</h2>
<p>Notes are stored in \"bubbles\" (hence the name of the app) which you can create in a few quick steps:<br><br>
Creating a note is as fast as just clicking on the category where you want to create a note, start writing it on the space of the bottom and then click <b>Send</b>. You can also press <b>Ctrl+Intro</b> on your keyboard and the note is also submitted.
<br><br>
Creating notes is this easy, but there are more options when creating bubbles:
<br>
<h3>File Attachments</h3>
You can attach files and images to your notes. Just click on the attachment icon of the note form of the bottom and select the file to attach. Alternatively you can also paste them with Ctrl+V if you have already them in your clipboard.<br><br>
<b>Note about attached images:</b><br>
To save database space, images are compressed by default to a lighter format before being added to the database. If you wish to keep the original uncompressed file, disable compression before uploading the image by clicking on the gear button <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> in the posting form and unchecking the compress images option.
<h3>To-Do lists</h3>
<p>A bubble can have To-Do elements with checkboxes, that you can check and uncheck to keep track of stuff to do, and such.<br>
To create a to-do element just put the characters >> at the start of the line you are writing, like this:</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Reminders</h3>
<p>You can set a reminder for a note, and the app will notify you at the time and date you set about it.<br><br>
To set up the reminder, just click on the cog icon of the form of the bottom and write in the date and time you wish to be reminded. You can click on the small calendar icon to bring up a date and time picker.
<br><br>The app will launch a popup when the notification is due.
</p>
<h3>Basic text formatting</h3>
<p>You can give some format to the text you write using limited markup syntax. The available modes available for noe are:</p>
<table style='display:inline-block;'>
<tr><td>**text**</td><td>=></td><td><b>Bold text</b></td></tr>
<tr><td>*text*</td><td>=></td><td><i>Itallic text</i></td></tr>
<tr><td>__text__</td><td>=></td><td><u>Underline text</u></td></tr>
</table>
<br><br>
More options will come in upcoming app versions.
</div>
<div class='section'>
<h2>Notes Options</h2>
<p>Once you have submitted a note, there are some few thing that you can do to it. Just hover your mouse over the <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> icon of each note to display the controls. The available controls are:
<h3>Delete</h3>
Delete the note if you don't need it anymore.
<h3>Edit</h3>
You can change the text, attachments and reminders of the note.
<h3>Highlight</h3>
If the note is important, you can click here to give it a highlight and be faster to locate.
<h3>Pin note</h3>
If the category has many notes and you need recurrent access to a note, you can pin it to display the pinned note notification at the top of the category. Clicking on this notification will take you directly to the pinned note.
</div>
<div class='section'>
<h2>Category Options</h2>
Just like notes, categories also have options, that you can access by clicking the menu icon at the top of the category. The available options are:
<h3>Edit</h3>
You can edit the category name, description, image, background and password if it has one.
<h3>Pin</h3>
Just like notes, categories can also be pinned. This will make them be displayed at the top of the category list for easy access.
<h3>Delete</h3>
If you no longer need a category you can delete it. This will delete also all it's messages and attachments.
</div>
<div class='section'>
<h2>Search</h2>
If you need to find notes by their content, you can click on the search icon of the category menu and this will bring up the search form, here you can write the text you wish to search and on submiting the system will bring up the notes that have the text you searched for.
</div>
<div class='section'>
<h2>App Settings</h2>
Clicking on the cog icon <span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> of the sidebar menu will bring up the settings page. The available settings are:
<h3>Language and Timezone</h3>
Here you can change the language of the application and your timezone. If the hour and date of the application is wrong, choose the closest city to you. Afterwards, click on the button to save the changes.
<h3>Database Management</h3>
Normally you don't need to touch these settings, but if you wish to place the database in another place of your computer (like, in a Cloud Storage folder) you can set it here. Note, however, that changing these settings will make the app to look for the database in the place you set here every time.
<h3>Note about the settings:</h3>
Deleting the ''notebubble'' folder resets the app, including your notes and settings. To keep everything portable, ensure the folder stays with the app’s executable.
</div>
</div>
</div>";
echo renderPage($content); | daisuke/Notebubble | pages/help_english.php | PHP | mit | 6,432 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Bienvenue sur Notebubble! Cette application est un moyen simple et rapide de stocker et organiser vos notes. Voici un guide rapide pour vous aider à utiliser toutes les fonctionnalités :</p>
<h1>Aide et Références</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Catégories</h2>
<p>Les notes sont regroupées par catégories. Pour en créer une, cliquez sur l'icône + dans la barre latérale.<br>
<p>Vous pourrez nommer votre catégorie et ajouter une description. Vous pouvez également choisir une icône et une couleur d'arrière-plan pour la catégorie (modifiable plus tard).</p><p>En option, vous pouvez définir un mot de passe pour rendre la catégorie privée.</p>
</div>
<div class='section'>
<h2>Notes</h2>
<p>Les notes sont stockées dans des \"bulles\" (d'où le nom de l'application), que vous pouvez créer en quelques étapes simples:<br><br>
Créer une note est aussi rapide que de cliquer sur la catégorie où vous souhaitez l’ajouter, écrire dans l’espace en bas de l’écran, puis cliquer sur Envoyer. Vous pouvez également appuyer sur <b>Ctrl+Entrée</b> pour envoyer la note.
<br><br>
Créer des notes est simple, mais il y a d'autres options pour personnaliser vos bulles :
<br>
<h3>Pièces jointes</h3>
Vous pouvez joindre des fichiers et des images à vos notes. Cliquez simplement sur l'icône de pièce jointe dans le formulaire en bas et sélectionnez le fichier à ajouter. Vous pouvez aussi les coller directement avec Ctrl+V si vous les avez dans votre presse-papiers.<br><br>
<b>Note sur les images jointes :</b><br>
Pour économiser de l'espace dans la base de données, les images sont par défaut compressées dans un format plus léger avant d'être ajoutées à la base de données. Si vous souhaitez conserver le fichier original non compressé, désactivez la compression avant de télécharger l'image en cliquant sur le bouton en forme d'engrenage <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> dans le formulaire de publication et en désactivant l'option de compression des images.
<h3>Listes de tâches</h3>
<p>Une bulle peut contenir des éléments de liste de tâches avec des cases à cocher que vous pouvez cocher/décocher pour suivre vos tâches. Pour créer un élément de liste de tâches, commencez la ligne par les caractères >>, par exemple :</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Rappels</h3>
<p>Vous pouvez définir un rappel pour une note, et l'application vous notifiera à la date et heure programmées.<br><br>
Pour configurer un rappel, cliquez sur l'icône d'engrenage dans le formulaire en bas et entrez la date et l'heure souhaitées. Vous pouvez également utiliser l'icône de calendrier pour sélectionner une date et une heure.
<br><br>L'application affichera une notification lorsqu'il sera temps.
</p>
<h3>Mise en forme de base du texte</h3>
<p>Vous pouvez formater le texte en utilisant une syntaxe de balisage simple :</p>
<table style='display:inline-block;'>
<tr><td>**texte**</td><td>=></td><td><b>Texte en gras</b></td></tr>
<tr><td>*texte*</td><td>=></td><td><i>Texte en italique</i></td></tr>
<tr><td>__texte__</td><td>=></td><td><u>Texte souligné</u></td></tr>
</table>
<br><br>
D'autres options seront disponibles dans les futures versions de l'application.
</div>
<div class='section'>
<h2>Options des Notes</h2>
<p>Une fois une note envoyée, plusieurs actions sont disponibles. Passez le curseur sur l'icône <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> de chaque note pour afficher les options :
<h3>Supprimer</h3>
Efface la note si elle n’est plus nécessaire
<h3>Modifier</h3>
Permet de modifier le texte, les pièces jointes et les rappels de la note.
<h3>Mettre en évidence</h3>
Si la note est importante, cliquez ici pour la mettre en évidence et la retrouver rapidement.
<h3>Épingler une note</h3>
Si une catégorie contient de nombreuses notes et que vous avez besoin d’accéder souvent à une note particulière, vous pouvez l’épingler pour qu’elle apparaisse en haut de la catégorie. En cliquant sur la notification, vous accéderez directement à la note épinglée.
</div>
<div class='section'>
<h2>Options des Catégories</h2>
Les catégories, comme les notes, ont des options accessibles via l'icône de menu en haut de chaque catégorie :
<h3>Modifier</h3>
Permet de modifier le nom, la description, l'icône, l'arrière-plan et le mot de passe de la catégorie.
<h3>Épingler</h3>
Comme les notes, les catégories peuvent également être épinglées pour apparaître en haut de la liste des catégories.
<h3>Supprimer</h3>
Supprimez la catégorie et toutes les notes qu'elle contient si elle n’est plus nécessaire.
</div>
<div class='section'>
<h2>Recherche</h2>
Si vous avez besoin de retrouver une note spécifique, cliquez sur l'icône de recherche dans le menu de catégorie. Cela ouvrira un formulaire de recherche où vous pourrez saisir le texte à rechercher. Les notes contenant ce texte seront alors affichées.
</div>
<div class='section'>
<h2>Paramètres de l'application</h2>
En cliquant sur l'icône d'engrenage <span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> dans le menu de la barre latérale, vous accédez à la page de configuration. Les paramètres disponibles incluent:
<h3>Langue et fuseau horaire</h3>
Vous pouvez modifier la langue de l'application et votre fuseau horaire. Si l’heure affichée est incorrecte, sélectionnez la ville la plus proche, puis cliquez sur le bouton pour sauvegarder les modifications.
<h3>Gestion de la base de données</h3>
En général, vous n'avez pas besoin de modifier ces paramètres, mais si vous souhaitez déplacer la base de données vers un autre emplacement (par exemple, un dossier de stockage cloud), vous pouvez le configurer ici. Notez que changer ces paramètres fixe l’emplacement de la base de données. Pour conserver une base portable, ne modifiez pas ces paramètres.
<h3>Remarques sur la configuration :</h3>
Supprimer le dossier \"notebubble\" réinitialise l'application, y compris vos notes et paramètres. Pour garder tout portable, assurez-vous que le dossier reste avec l’exécutable de l’application.
</div>
</div>
</div>";
echo renderPage($content); | daisuke/Notebubble | pages/help_french.php | PHP | mit | 6,997 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Willkommen bei Notebubble! Diese App ist eine einfache und schnelle Möglichkeit, Ihre Notizen zu speichern und zu organisieren. Hier ist eine kurze Anleitung, die Ihnen hilft, alle Funktionen zu nutzen:</p>
<h1>Hilfe und Referenz</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Kategorien</h2>
<p>Notizen sind in Kategorien gruppiert. Um eine zu erstellen, klicken Sie auf das Symbol <b>+</b> in der Seitenleiste.<br>
<p>Hier können Sie Ihrer Kategorie einen Namen geben und eine Beschreibung hinzufügen. Sie können auch ein Bildsymbol und eine Hintergrundfarbe für die Kategorie auswählen (dies kann später geändert werden).</p><p>Außerdem können Sie ein Passwort festlegen, um die Kategorie privat zu machen (optional).</p>
</div>
<div class='section'>
<h2>Notizen</h2>
<p>Notizen werden in \"Blasen\" gespeichert (daher der Name der App), die Sie in wenigen Schritten erstellen können:<br><br>
Das Erstellen einer Notiz ist so einfach wie das Klicken auf die Kategorie, in der Sie sie erstellen möchten, das Eingeben des Texts im unteren Bereich und das Klicken auf <b>Senden</b>. Sie können auch <b>Strg+Intro</b> auf Ihrer Tastatur drücken, um die Notiz zu senden.
<br>
Das Erstellen von Notizen ist so einfach, aber es gibt weitere Optionen beim Erstellen von Blasen:
<br>
<h3>Angehängte Dateien</h3>
Sie können Dateien und Bilder an Ihre Notizen anhängen. Klicken Sie einfach auf das Büroklammersymbol im unteren Formular und wählen Sie die Datei aus, die Sie anhängen möchten. Alternativ können Sie sie auch mit Strg+V einfügen, wenn sie bereits in Ihrer Zwischenablage sind.<br><br>
<b>Hinweis zu den angehängten Bildern:</b><br>
Um Speicherplatz in der Datenbank zu sparen, werden Bilder standardmäßig vor dem Hochladen in einem leichteren Format komprimiert. Wenn Sie die ursprüngliche unkomprimierte Datei behalten möchten, deaktivieren Sie die Komprimierung, bevor Sie das Bild hochladen, indem Sie auf die Zahnrad-Schaltfläche <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> im Postformular klicken und die Option \"Bilder komprimieren\" deaktivieren.
<h3>Aufgabenlisten</h3>
<p>Eine Blase kann Aufgabenlistenelemente mit Kontrollkästchen enthalten, die Sie an- und abwählen können, um Ihre To-Dos zu verfolgen.
Um ein Aufgabenlistenelement zu erstellen, setzen Sie einfach die Zeichen >> an den Anfang der Zeile, die Sie schreiben, so:</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Erinnerungen</h3>
<p>Sie können für eine Notiz eine Erinnerung festlegen, und die App wird Sie zum festgelegten Datum und zur festgelegten Uhrzeit benachrichtigen.<br><br>
Um die Erinnerung einzustellen, klicken Sie auf das Zahnradsymbol im unteren Formular und geben Sie das gewünschte Datum und die gewünschte Uhrzeit ein. Sie können auch das Kalendersymbol verwenden, um ein Datum und eine Uhrzeit auszuwählen.
<br><br>Die App zeigt eine Popup-Benachrichtigung an, wenn die Erinnerungszeit erreicht ist.
</p>
<h3>Grundlegende Textformatierung</h3>
<p>Sie können den eingegebenen Text mit einer begrenzten Markup-Syntax formatieren. Die verfügbaren Modi sind:</p>
<table style='display:inline-block;'>
<tr><td>**text**</td><td>=></td><td><b>Fettgedruckter Text</b></td></tr>
<tr><td>*text*</td><td>=></td><td><i>Kursiver Text</i></td></tr>
<tr><td>__text__</td><td>=></td><td><u>Unterstrichener Text</u></td></tr>
</table>
<br><br>
Weitere Optionen werden in zukünftigen Versionen der App verfügbar sein.
</div>
<div class='section'>
<h2>Notizoptionen</h2>
<p>Nachdem Sie eine Notiz gesendet haben, gibt es einige Dinge, die Sie damit tun können. Bewegen Sie den Mauszeiger über das Symbol <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> jeder Notiz, um die Steuerungen anzuzeigen. Die verfügbaren Optionen sind:
<h3>Löschen</h3>
Löschen Sie die Notiz, wenn Sie sie nicht mehr benötigen.
<h3>Bearbeiten</h3>
Sie können den Text, Anhänge und Erinnerungen der Notiz ändern.
<h3>Hervorheben</h3>
Wenn die Notiz wichtig ist, können Sie hier klicken, um sie hervorzuheben und schneller zu finden.
<h3>Notiz anheften</h3>
Wenn die Kategorie viele Notizen enthält und Sie regelmäßig auf eine zugreifen müssen, können Sie sie anheften, um eine Benachrichtigung über eine angeheftete Notiz oben in der Kategorie anzuzeigen. Wenn Sie auf diese Benachrichtigung klicken, gelangen Sie direkt zur angehefteten Notiz.
</div>
<div class='section'>
<h2>Kategorieoptionen</h2>
Wie bei den Notizen gibt es auch bei den Kategorien Optionen, auf die Sie zugreifen können, indem Sie auf das Menüsymbol oben in der Kategorie klicken. Die verfügbaren Optionen sind:
<h3>Bearbeiten</h3>
Sie können den Namen, die Beschreibung, das Bild, den Hintergrund und das Passwort der Kategorie bearbeiten, falls vorhanden.
<h3>Anheften</h3>
Wie bei den Notizen können auch Kategorien angeheftet werden. Dadurch werden sie oben in der Kategorienliste für einen schnellen Zugriff angezeigt.
<h3>Löschen</h3>
Wenn Sie eine Kategorie nicht mehr benötigen, können Sie sie löschen. Dadurch werden auch alle ihre Notizen und Anhänge gelöscht.
</div>
<div class='section'>
<h2>Suche</h2>
Wenn Sie Notizen anhand ihres Inhalts finden müssen, klicken Sie auf das Suchsymbol im Kategorienmenü. Dies öffnet das Suchformular, in das Sie den Text eingeben können, den Sie suchen möchten. Nach dem Absenden der Suche zeigt das System die Notizen an, die den gesuchten Text enthalten.
</div>
<div class='section'>
<h2>App-Einstellungen</h2>
Wenn Sie auf das Zahnradsymbol <span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> im Seitenleistenmenü klicken, gelangen Sie zur Einstellungsseite. Die verfügbaren Einstellungen sind:
<h3>Sprache und Zeitzone</h3>
Hier können Sie die Sprache der App und Ihre Zeitzone ändern. Wenn die Uhrzeit und das Datum der App falsch sind, wählen Sie die nächstgelegene Stadt aus. Klicken Sie dann auf die Schaltfläche, um die Änderungen zu speichern.
<h3>Datenbankverwaltung</h3>
Normalerweise müssen Sie diese Einstellungen nicht ändern, aber wenn Sie die Datenbank an einem anderen Ort auf Ihrem Computer ablegen möchten (z. B. in einem Cloud-Speicherordner), können Sie sie hier konfigurieren. Beachten Sie jedoch, dass das Ändern dieser Einstellung den Speicherort der Datenbank an dem von Ihnen konfigurierten spezifischen Ort festlegt. Wenn Sie die Datenbank portabel halten möchten, ändern Sie diese Werte nicht.
<h3>Hinweise zu den Einstellungen:</h3>
Das Löschen des Ordners \"notebubble\" setzt die App zurück, einschließlich Ihrer Notizen und Einstellungen. Um alles portabel zu halten, stellen Sie sicher, dass der Ordner zusammen mit der ausführbaren Datei der App bleibt.
</div>
</div>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/help_german.php | PHP | mit | 7,519 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Benvenuto su Notebubble! Questa applicazione è un modo semplice e rapido per memorizzare e organizzare le tue note. Ecco una guida rapida per aiutarti a utilizzare tutte le funzionalità:</p>
<h1>Aiuto e Riferimenti</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Categorie</h2>
<p>Le note sono raggruppate in categorie. Per crearne una, fai clic sull'icona + nella barra laterale.<br>
<p>Puoi dare un nome alla categoria e aggiungere una descrizione. Puoi anche scegliere un'icona e un colore di sfondo per la categoria (questo può essere modificato in seguito).</p><p>Inoltre, puoi impostare una password per rendere la categoria privata (opzionale).</p>
</div>
<div class='section'>
<h2>Note</h2>
<p>Le note sono archiviate in \"bolle\" (da cui il nome dell'applicazione), che puoi creare in pochi passaggi:<br><br>
Creare una nota è veloce come fare clic sulla categoria in cui vuoi crearla, scrivere nello spazio in basso e poi fare clic su Invia. Puoi anche premere <b>Ctrl+Invio</b> per inviare la nota.
<br><br>
Creare note è facile, ma ci sono più opzioni per creare bolle personalizzate:
<br>
<h3>Allegati</h3>
Puoi allegare file e immagini alle tue note. Basta fare clic sull'icona dell'allegato nel modulo in basso e selezionare il file da allegare. In alternativa, puoi incollarli direttamente con Ctrl+V se sono già copiati negli appunti.<br><br>
<b>Nota sulle immagini allegate:</b><br>
Per risparmiare spazio nel database, le immagini vengono compresse di default in un formato più leggero prima di essere aggiunte al database. Se desideri conservare il file originale non compresso, disattiva la compressione prima di caricare l'immagine facendo clic sul pulsante dell'ingranaggio <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> nel modulo di pubblicazione e disattivando l'opzione di compressione delle immagini.
<h3>Liste di attività</h3>
<p>Una bolla può contenere elementi di una lista di attività con caselle di controllo che puoi selezionare e deselezionare per tenere traccia delle tue attività. Per creare un elemento della lista, scrivi i caratteri >> all'inizio della riga, come questo:</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Promemoria</h3>
<p>Puoi impostare un promemoria per una nota e l'app ti notificherà alla data e all'ora impostate.<br><br>
Per configurare il promemoria, fai clic sull'icona dell'ingranaggio nel modulo in basso e inserisci la data e l'ora desiderate. Puoi anche usare l'icona del calendario per selezionare una data e un'ora.
<br><br>L'app visualizzerà una notifica quando arriverà il momento del promemoria.
</p>
<h3>Formattazione di base del testo</h3>
<p>Puoi formattare il testo che scrivi utilizzando una sintassi di markup semplice:</p>
<table style='display:inline-block;'>
<tr><td>**testo**</td><td>=></td><td><b>Testo in grassetto</b></td></tr>
<tr><td>*testo*</td><td>=></td><td><i>Testo in corsivo</i></td></tr>
<tr><td>__testo__</td><td>=></td><td><u>Testo sottolineato</u></td></tr>
</table>
<br><br>
Altre opzioni saranno disponibili nelle versioni future dell'applicazione.
</div>
<div class='section'>
<h2>Opzioni delle Note</h2>
<p>Una volta inviata una nota, ci sono alcune cose che puoi fare con essa. Passa il cursore sopra l'icona <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> di ogni nota per visualizzare i controlli. Le opzioni disponibili sono:
<h3>Eliminare</h3>
Elimina la nota se non è più necessaria.
<h3>Modifica</h3>
Puoi modificare il testo, gli allegati e i promemoria della nota.
<h3>Evidenziare</h3>
Se la nota è importante, puoi fare clic qui per evidenziarla e trovarla più facilmente.
<h3>Pinnare una nota</h3>
Se la categoria contiene molte note e hai bisogno di accedere frequentemente a una, puoi fissarla in cima alla categoria. Cliccando sulla notifica, verrai portato direttamente alla nota fissata.
</div>
<div class='section'>
<h2>Opzioni delle Categorie</h2>
Le categorie, come le note, hanno opzioni che puoi accedere facendo clic sull'icona del menu in cima a ogni categoria:
<h3>Modifica</h3>
Puoi modificare il nome, la descrizione, l'icona, lo sfondo e la password della categoria.
<h3>Fissare</h3>
Come le note, anche le categorie possono essere fissate. Questo farà sì che appaiano in cima alla lista delle categorie per un accesso rapido.
<h3>Eliminare</h3>
Se non ti serve più una categoria, puoi eliminarla. Questo rimuoverà anche tutte le note e gli allegati in essa contenuti.
</div>
<div class='section'>
<h2>Ricerca</h2>
Se hai bisogno di trovare una nota specifica, fai clic sull'icona di ricerca nel menu della categoria. Questo aprirà il modulo di ricerca, dove puoi digitare il testo che desideri cercare. Una volta inviata la ricerca, il sistema mostrerà le note che contengono il testo cercato.
</div>
<div class='section'>
<h2>Impostazioni dell'applicazione</h2>
Facendo clic sull'icona dell'ingranaggio <span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> nel menu della barra laterale, accedi alla pagina delle impostazioni. Le impostazioni disponibili sono:
<h3>Lingua e Fuso Orario</h3>
Puoi modificare la lingua dell'applicazione e il tuo fuso orario. Se l'ora e la data dell'applicazione sono errate, scegli la città più vicina a te e poi clicca sul pulsante per salvare le modifiche.
<h3>Gestione del Database</h3>
Di solito non è necessario modificare queste impostazioni, ma se desideri spostare il database in un altro percorso (ad esempio, in una cartella di archiviazione cloud), puoi configurarlo qui. Tuttavia, tieni presente che modificare questa impostazione fissa la posizione del database nel percorso specificato. Se vuoi mantenere il database portatile, non modificare questi valori.
<h3>Note sulle impostazioni :</h3>
Eliminare la cartella \"notebubble\" ripristina l'applicazione, comprese le tue note e impostazioni. Per mantenere tutto portatile, assicurati che la cartella rimanga accanto all'eseguibile dell'applicazione.
</div>
</div>
</div>";
echo renderPage($content); | daisuke/Notebubble | pages/help_italian.php | PHP | mit | 6,764 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Notebubbleへようこそ!このアプリは、ノートを簡単かつ迅速に保存および整理する方法を提供します。以下は、すべての機能を利用するための簡単なガイドです:</p>
<h1>ヘルプとリファレンス</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>カテゴリ</h2>
<p>ノートはカテゴリごとにグループ化されています。カテゴリを作成するには、サイドバーの<b>+</b>アイコンをクリックしてください。<br>
<p>ここで、カテゴリに名前を付け、説明を追加することができます。また、カテゴリの画像アイコンと背景色を選択することも可能です(これらは後で変更できます)。</p><p>さらに、オプションでパスワードを設定してカテゴリを非公開にすることもできます。</p>
</div>
<div class='section'>
<h2>ノート</h2>
<p>ノートは「バブル」に保存されます(これがアプリの名前の由来です)。バブルは簡単なステップで作成できます:<br><br>
ノートの作成は、作成したいカテゴリをクリックし、下部のスペースに入力して<b>送信</b>をクリックするだけです。また、キーボードの<b>Ctrl+Enter</b>キーを押してノートを送信することもできます。
<br><br>
ノート作成は簡単ですが、バブル作成にはさらに多くのオプションがあります:
<br>
<h3>添付ファイル</h3>
ノートにファイルや画像を添付できます。下部フォームのクリップアイコンをクリックし、添付したいファイルを選択してください。また、すでにクリップボードにある場合はCtrl+Vで貼り付けることもできます。<br><br>
<b>画像添付に関する注意:</b><br>
データベースのスペースを節約するために、画像はデフォルトで軽量な形式に圧縮されてからデータベースに追加されます。元の非圧縮ファイルを保持したい場合は、投稿フォームの歯車ボタン <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> をクリックして、画像圧縮オプションを無効にし、画像をアップロードする前に圧縮を無効にしてください。
<h3>タスクリスト</h3>
<p>バブルには、チェックボックス付きのタスクリストを含めることができ、ToDoの進捗を追跡できます。
タスクリストアイテムを作成するには、作成中の行の先頭に「>>」を入力します。</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>リマインダー</h3>
<p>ノートにリマインダーを設定でき、指定した日時にアプリが通知します。<br><br>
リマインダーを設定するには、下部フォームの歯車アイコンをクリックし、希望の日付と時間を入力します。また、カレンダーアイコンを使用して日付と時間を選択することもできます。
<br><br>リマインダーの時間になると、アプリはポップアップ通知を表示します。
</p>
<h3>基本的なテキストフォーマット</h3>
<p>限られたマークアップ構文を使用して、入力したテキストをフォーマットできます。利用可能なモードは次のとおりです:</p>
<table style='display:inline-block;'>
<tr><td>**テキスト**</td><td>=></td><td><b>太字のテキスト</b></td></tr>
<tr><td>*テキスト*</td><td>=></td><td><i>斜体のテキスト</i></td></tr>
<tr><td>__テキスト__</td><td>=></td><td><u>下線付きのテキスト</u></td></tr>
</table>
<br><br>
さらに多くのオプションは、今後のアプリバージョンで利用可能になります。
</div>
<div class='section'>
<h2>ノートオプション</h2>
<p>ノートを送信した後、いくつかの操作が可能です。各ノートのアイコン<span style='font-weight:bold; font-family:icons; color:#2980B9;'></span>にカーソルを合わせると、コントロールが表示されます。利用可能なオプションは次のとおりです:
<h3>削除</h3>
不要になったノートを削除します。
<h3>編集</h3>
ノートのテキスト、添付ファイル、リマインダーを変更できます。
<h3>強調表示</h3>
重要なノートをクリックして強調表示し、迅速に見つけられるようにします。
<h3>ノートを固定</h3>
カテゴリに多数のノートがある場合や、頻繁にアクセスする必要がある場合は、固定してカテゴリの上部に通知を表示することができます。この通知をクリックすると、固定されたノートに直接移動します。
</div>
<div class='section'>
<h2>カテゴリオプション</h2>
ノートと同様に、カテゴリにもオプションがあります。カテゴリの上部にあるメニューアイコンをクリックするとアクセスできます。利用可能なオプションは次のとおりです:
<h3>編集</h3>
カテゴリの名前、説明、画像、背景、パスワード(ある場合)を編集できます。
<h3>固定</h3>
ノートと同様に、カテゴリも固定できます。これにより、カテゴリリストの上部に表示され、すばやくアクセスできます。
<h3>削除</h3>
不要になったカテゴリを削除できます。これにより、すべてのノートと添付ファイルも削除されます。
</div>
<div class='section'>
<h2>検索</h2>
ノートの内容で検索する必要がある場合は、カテゴリメニューの検索アイコンをクリックしてください。これにより検索フォームが開き、検索したいテキストを入力できます。検索を送信すると、指定されたテキストを含むノートが表示されます。
</div>
<div class='section'>
<h2>アプリの設定</h2>
<span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> サイドバーメニューの歯車アイコンをクリックすると、設定ページにアクセスできます。利用可能な設定は次のとおりです:
<h3>言語とタイムゾーン</h3>
アプリの言語とタイムゾーンを変更できます。アプリの時刻や日付が正しくない場合は、最寄りの都市を選択してください。その後、「変更を保存」ボタンをクリックします。
<h3>データベース管理</h3>
通常、この設定を変更する必要はありませんが、データベースをコンピュータ上の別の場所に配置したい場合(例:クラウドストレージフォルダ)、ここで設定できます。ただし、この設定を変更すると、データベースの場所が指定した特定の場所に固定されます。データベースをポータブルに保つには、これらの値を変更しないでください。
<h3>設定に関する注意:</h3>
\"notebubble\"フォルダを削除すると、アプリがリセットされ、ノートと設定が初期化されます。すべてをポータブルに保つには、フォルダをアプリの実行可能ファイルと一緒に配置してください。
</div>
</div>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/help_japanese.php | PHP | mit | 8,068 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>Bem-vindo ao Notebubble! Este aplicativo é uma forma simples e rápida de armazenar e organizar suas anotações. Aqui está um guia rápido para ajudá-lo a usar todas as funções:</p>
<h1>Ajuda e Referência</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Categorias</h2>
<p>As anotações estão agrupadas em categorias. Para criar uma, clique no ícone <b>+</b> na barra lateral.<br>
<p>Aqui você pode nomear sua categoria e adicionar uma descrição. Você também pode escolher um ícone de imagem e uma cor de fundo para a categoria (isso pode ser alterado posteriormente).</p><p>Além disso, você pode definir uma senha para tornar a categoria privada (opcional).</p>
</div>
<div class='section'>
<h2>Anotações</h2>
<p>As anotações são armazenadas em \"bolhas\" (daí o nome do aplicativo), que você pode criar em poucos passos:<br><br>
Criar uma anotação é tão rápido quanto clicar na categoria onde deseja criá-la, digitar no espaço na parte inferior e clicar em <b>Enviar</b>. Você também pode pressionar <b>Ctrl+Enter</b> no teclado para enviar a anotação.
<br><br>
Criar anotações é tão fácil assim, mas há mais opções ao criar bolhas:
<br>
<h3>Arquivos Anexos</h3>
Você pode anexar arquivos e imagens às suas anotações. Basta clicar no ícone de anexo no formulário da parte inferior e selecionar o arquivo que deseja anexar. Alternativamente, você também pode colá-los com Ctrl+V se já estiverem na área de transferência.<br><br>
<b>Nota sobre as imagens anexadas:</b><br>
Para economizar espaço no banco de dados, as imagens são compactadas por padrão para um formato mais leve antes de serem adicionadas ao banco de dados. Se desejar manter o arquivo original sem compressão, desative a compressão antes de enviar a imagem clicando no botão de engrenagem <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> no formulário de postagem e desmarcando a opção de compactar imagens.
<h3>Listas de Tarefas</h3>
<p>Uma bolha pode conter itens de lista de tarefas com caixas de seleção que você pode marcar e desmarcar para acompanhar suas pendências.
Para criar um item de lista de tarefas, basta colocar os caracteres >> no início da linha que você está digitando, assim:</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Lembretes</h3>
<p>Você pode configurar um lembrete para uma anotação, e o aplicativo notificará você na data e hora que configurar.<br><br>
Para configurar o lembrete, clique no ícone de engrenagem no formulário da parte inferior e insira a data e hora desejadas. Você também pode usar o ícone de calendário para selecionar uma data e hora.
<br><br>O aplicativo mostrará uma notificação pop-up quando for a hora do lembrete.
</p>
<h3>Formatação básica de texto</h3>
<p>Você pode formatar o texto que digitar usando uma sintaxe de marcação limitada. Os modos disponíveis são:</p>
<table style='display:inline-block;'>
<tr><td>**texto**</td><td>=></td><td><b>Texto em negrito</b></td></tr>
<tr><td>*texto*</td><td>=></td><td><i>Texto em itálico</i></td></tr>
<tr><td>__texto__</td><td>=></td><td><u>Texto sublinhado</u></td></tr>
</table>
<br><br>
Mais opções estarão disponíveis em futuras versões do aplicativo.
</div>
<div class='section'>
<h2>Opções de Anotações</h2>
<p>Depois de enviar uma anotação, há algumas coisas que você pode fazer com ela. Passe o cursor sobre o ícone <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> de cada anotação para mostrar os controles. As opções disponíveis são:
<h3>Excluir</h3>
Exclua a anotação se você não precisar mais dela.
<h3>Editar</h3>
Você pode alterar o texto, anexos e lembretes da anotação.
<h3>Destacar</h3>
Se a anotação for importante, você pode clicar aqui para destacá-la e localizá-la mais rapidamente.
<h3>Fixar anotação</h3>
Se a categoria tiver muitas anotações e você precisar acessar uma com frequência, pode fixá-la para exibir uma notificação de anotação fixada na parte superior da categoria. Ao clicar nesta notificação, você será levado diretamente para a anotação fixada.
</div>
<div class='section'>
<h2>Opções de Categorias</h2>
Assim como as anotações, as categorias também têm opções que você pode acessar clicando no ícone de menu na parte superior da categoria. As opções disponíveis são:
<h3>Editar</h3>
Você pode editar o nome, descrição, imagem, fundo e senha da categoria, se houver uma.
<h3>Fixar</h3>
Assim como as anotações, as categorias também podem ser fixadas. Isso fará com que sejam exibidas na parte superior da lista de categorias para acesso rápido.
<h3>Excluir</h3>
Se você não precisar mais de uma categoria, pode excluí-la. Isso também excluirá todas as suas anotações e anexos.
</div>
<div class='section'>
<h2>Busca</h2>
Se precisar encontrar anotações pelo conteúdo, clique no ícone de busca no menu da categoria. Isso abrirá o formulário de busca, onde você pode digitar o texto que deseja buscar. Ao enviar a busca, o sistema mostrará as anotações que contêm o texto buscado.
</div>
<div class='section'>
<h2>Configurações do Aplicativo</h2>
Clicando no ícone de engrenagem <span style='font-weight:bold; font-family:icons; color:#2980B9;'>()</span> no menu da barra lateral, você acessará a página de configurações. As configurações disponíveis são:
<h3>Idioma e Fuso Horário</h3>
Aqui você pode alterar o idioma do aplicativo e seu fuso horário. Se a hora e data do aplicativo estiverem incorretas, escolha a cidade mais próxima de você. Depois, clique no botão para salvar as alterações.
<h3>Gerenciamento do Banco de Dados</h3>
Normalmente você não precisa alterar essas configurações, mas se quiser colocar o banco de dados em outro lugar do seu computador (por exemplo, em uma pasta de armazenamento em nuvem), pode configurá-lo aqui. Observe, no entanto, que alterar essa configuração fixará a localização do banco de dados no local específico configurado. Se quiser manter o banco de dados portátil, não altere esses valores.
<h3>Notas sobre a configuração:</h3>
Excluir a pasta \"notebubble\" redefine o aplicativo, incluindo suas anotações e configurações. Para manter tudo portátil, certifique-se de que a pasta permaneça junto com o executável do aplicativo.
</div>
</div>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/help_portuguese.php | PHP | mit | 7,137 |
<?php
$content = "
<div style='width:80%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px; max-height:80vh; overflow-y:scroll;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:black; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
<p>¡Bienvenido a Notebubble! Esta aplicación es una forma simple y rápida de almacenar y organizar tus notas. Aquí tienes una guía rápida para ayudarte a usar todas las funciones:</p>
<h1>Ayuda y Referencia</h1>
<div style='text-align: justify !important; text-justify: inter-word; !important'>
<div class='section'>
<h2>Categorías</h2>
<p>Las notas están agrupadas en categorías. Para crear una, haz clic en el ícono <b>+</b> en la barra lateral.<br>
<p>Ahí puedes nombrar tu categoría y agregar una descripción. También puedes elegir un ícono de imagen y un color de fondo para la categoría (esto se puede cambiar más adelante).</p><p>Además, puedes establecer una contraseña para hacer la categoría privada (opcional).</p>
</div>
<div class='section'>
<h2>Notas</h2>
<p>Las notas se almacenan en \"burbujas\" (de ahí el nombre de la aplicación), que puedes crear en unos pocos pasos:<br><br>
Crear una nota es tan rápido como hacer clic en la categoría donde deseas crearla, escribir en el espacio de la parte inferior y luego hacer clic en <b>Enviar</b>. También puedes presionar <b>Ctrl+Intro</b> en tu teclado para enviar la nota.
<br><br>
Crear notas es así de fácil, pero hay más opciones al crear burbujas:
<br>
<h3>Archivos Adjuntos</h3>
Puedes adjuntar archivos e imágenes a tus notas. Solo haz clic en el ícono de adjunto en el formulario de la parte inferior y selecciona el archivo que deseas adjuntar. Alternativamente, también puedes pegarlos con Ctrl+V si ya están en tu portapapeles.<br>
<br>
<b>Nota sobre las imagenes adjuntas:</b><br>
Para ahorrar espacio en la base de datos, por default las imagenes se comprimen a un formato mas ligero antes de ser adjuntadas en la base de datos. Si desea conservar el archivo original sin compresion, desactivela antes de subir la imagen, haciendo clic en el boton del engranaje <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> de el formulario de posteo, y desactivando la opcion de comprimir imagenes.
<h3>Listas de Tareas</h3>
<p>Una burbuja puede tener elementos de lista de tareas con casillas de verificación que puedes marcar y desmarcar para llevar un seguimiento de tus pendientes.
Para crear un elemento de lista de tareas, solo coloca los caracteres >> al comienzo de la línea que estás escribiendo, así:</p>
<p>>> Oranges<br>
>> Milk<br>
>> Newspaper</p>
<h3>Recordatorios</h3>
<p>Puedes establecer un recordatorio para una nota, y la aplicación te notificará en la fecha y hora que configures.<br><br>
Para configurar el recordatorio, haz clic en el ícono de engranaje en el formulario de la parte inferior y escribe la fecha y hora deseada. También puedes usar el ícono de calendario para seleccionar una fecha y hora.
<br><br>La aplicación mostrará una notificacion emergente cuando llegue el momento del recordatorio.
</p>
<h3>Formato básico de texto</h3>
<p>Puedes dar formato al texto que escribas utilizando una sintaxis de marcado limitada. Los modos disponibles son:</p>
<table style='display:inline-block;'>
<tr><td>**texto**</td><td>=></td><td><b>Texto en negrita</b></td></tr>
<tr><td>*texto*</td><td>=></td><td><i>Texto en cursiva</i></td></tr>
<tr><td>__texto__</td><td>=></td><td><u>Texto con subrayado</u></td></tr>
</table>
<br><br>
Más opciones estarán disponibles en futuras versiones de la aplicación.
</div>
<div class='section'>
<h2>Opciones de Notas</h2>
<p>Una vez que hayas enviado una nota, hay algunas cosas que puedes hacer con ella. Pasa el cursor sobre el ícono <span style='font-weight:bold; font-family:icons; color:#2980B9;'></span> de cada nota para mostrar los controles. Las opciones disponibles son:
<h3>Eliminar</h3>
Elimina la nota si ya no la necesitas.
<h3>Editar</h3>
Puedes cambiar el texto, los adjuntos y los recordatorios de la nota.
<h3>Destacar</h3>
Si la nota es importante, puedes hacer clic aquí para destacarla y localizarla más rápido.
<h3>Fijar nota</h3>
Si la categoría tiene muchas notas y necesitas acceder recurrentemente a una, puedes fijarla para mostrar una notificación de nota fijada en la parte superior de la categoría. Al hacer clic en esta notificación, irás directamente a la nota fijada.
</div>
<div class='section'>
<h2>Opciones de Categorías</h2>
Al igual que las notas, las categorías también tienen opciones a las que puedes acceder haciendo clic en el ícono de menú en la parte superior de la categoría. Las opciones disponibles son:
<h3>Editar</h3>
Puedes editar el nombre, descripción, imagen, fondo y contraseña de la categoría, si tiene una.
<h3>Fijar</h3>
Al igual que las notas, las categorías también se pueden fijar. Esto hará que se muestren en la parte superior de la lista de categorías para un acceso rápido.
<h3>Eliminar</h3>
Si ya no necesitas una categoría, puedes eliminarla. Esto también eliminará todas sus notas y adjuntos.
</div>
<div class='section'>
<h2>Busqueda</h2>
Si necesitas encontrar notas por su contenido, haz clic en el ícono de búsqueda del menú de categoría. Esto abrirá el formulario de búsqueda, donde puedes escribir el texto que deseas buscar. Al enviar la búsqueda, el sistema mostrará las notas que contienen el texto buscado.
</div>
<div class='section'>
<h2>Configuración de la Aplicación</h2>
Haciendo clic en el ícono de engranaje <span style='font-weight:bold; font-family:icons; color:#2980B9;'>( )</span> en el menú de la barra lateral, accederás a la página de configuración. Las configuraciones disponibles son:
<h3>Idioma y Zona Horaria</h3>
Aquí puedes cambiar el idioma de la aplicación y tu zona horaria. Si la hora y fecha de la aplicación son incorrectas, elige la ciudad más cercana a ti. Después, haz clic en el botón para guardar los cambios.
<h3>Gestión de la Base de Datos</h3>
Normalmente no necesitas tocar estos ajustes, pero si deseas colocar la base de datos en otro lugar de tu computadora (por ejemplo, en una carpeta de almacenamiento en la nube), puedes configurarlo aquí. Nota, sin embargo, que cambiar esta configuración fijara la localizacion de la base de datos en el lugar especifico que configures. Si deseas mantener la base de datos portable, no cambies estos valores.
<h3>Notas sobre la configuracion:</h3>
Eliminar la carpeta \"notebubble\" restablece la aplicación, incluidas tus notas y configuraciones. Para mantener todo portátil, asegúrate de que la carpeta permanezca junto con el ejecutable de la aplicación.
</div>
</div>
</div>";
echo renderPage($content); | daisuke/Notebubble | pages/help_spanish.php | PHP | mit | 7,175 |
<?php
$content = "
<div class='main' style='min-width:100%; margin: 0 auto; display:inline-block; padding:20px;'>
<div>
<img src='assets/logo.png' style='box-shadow:2px 2px 5px rgba(0,0,0,0.5); max-width:50px; ' valign='middle'>
<span style='display:inline-block; font-weight:light; color:white; font-size:30px; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>Notebubble</span>
</div>
";
if(isset($settings['locale_not_set']) || isset($_GET['localeset'])){
$content .= "<br><div style='font-size:15px; text-shadow:2px 2px 5px rgba(0,0,0,0.5); color:white; font-weight:lighter; margin-bottom:-50px;'>".$loc_string['firstrun_locale']."</div>";
}
$content .= "<div>
<span class='time' style='display:inline-block; font-weight:light; color:white;font-size: 20vw; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>".date("h:i",time())."</span>
<br><span class='date' style='margin-top:-20px; display:block; font-weight:light; color:white;font-size: 3vw; text-shadow:2px 2px 5px rgba(0,0,0,0.5);'>".date('d/m/y',time())."</span><br>
</div>
<div style='font-size:20px; text-shadow:2px 2px 5px rgba(0,0,0,0.5); color:white; font-weight:lighter;'>
";
$categories = PDO_FetchAll("SELECT count(*) as count FROM chat")[0]['count'];
$messages = PDO_FetchAll("SELECT count(*) as count FROM message")[0]['count'];
$content .= "$categories ".$loc_string['categories_index_title']." | $messages ".$loc_string['tooltip_messages']."
</div>
<div style='font-size:15px; text-shadow:2px 2px 5px rgba(0,0,0,0.5); color:white; font-weight:lighter;'>";
$files = PDO_FetchAll("SELECT count(*) as count FROM attachment")[0]['count'];
$size = intval(PDO_FetchAll("SELECT SUM(size) as size FROM attachment")[0]['size']/1024);
$content .= "
$files ".$loc_string['label_files']." | ".$loc_string['label_total_size']." $size kb
</div>";
if(isset($settings['locale_not_set'])){
$content .= "<div>
<br><br><br><br>
<div style='font-size:15px; text-shadow:2px 2px 5px rgba(0,0,0,0.5); color:white; font-weight:lighter;'>Choose Your Language</div><br>
<a href='action.php?mode=setlocale&value=english'><img src='assets/english.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=french'><img src='assets/french.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=german'><img src='assets/german.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=italian'><img src='assets/italian.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=japanese'><img src='assets/japanese.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=portuguese'><img src='assets/portuguese.png' style='width:70px; height:40px;'></a>
<a href='action.php?mode=setlocale&value=spanish'><img src='assets/spanish.png' style='width:70px; height:40px;'></a>
</div>";
}
$content .= "</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/main.php | PHP | mit | 2,966 |
<?php
$content = "
<div style='width:50%; margin: 0 auto; display:inline-block; background-color:white; padding:20px; border-radius:10px;'>
<h1><span style='font-family:icons;'></span> ".$loc_string['protected_title']."</h1>
<input type='hidden' name='chat' id='chat' value='$id'>
".$loc_string['category_form_pass']."<br>
<input type='password' name='pass' id='getchatprotected' style='color: #0078D7; width:80%; height:30px; text-align:center; font-size:20px; border:0px; border-right:1px solid black;border-bottom:1px solid black;'><br>
<br><br>
<input type='button' class='button' onClick='getchatprotected();' value='".$loc_string['protected_open']."'>
</div>
</div>
";
echo renderPage($content);
?> | daisuke/Notebubble | pages/pass.php | PHP | mit | 715 |
<?php
$content = "
<div style='min-width:100%; margin: 0 auto; display:inline-block; padding:20px; border-radius:10px;'>
<div style='width:50vw; background-color:white; display:inline-block; min-height:50px; line-height:50px; border-radius:20px;'>
<div style='width:100%; margin:0 auto; display:inline-block; vertical-align:top;'>
<input type='text' name='search' id='searchtext' placeholder='".$loc_string['search_placeholder']."' class='textinput' style='border:0px; width:60%;'>
<button class='button' onCLick='search();' id='search'>".$loc_string['search_button']."</button>
</div>
</div>
</div>";
echo renderPage($content);
| daisuke/Notebubble | pages/search.php | PHP | mit | 644 |
# Notebubble

Notebubble is a fast and no-frills way to store your thoughts, pending tasks, ideas, and more. If you've ever used an instant messaging app as a place to store information, Notebubble is exactly what you need—a simple and efficient place to drop any kind of information you deem useful.
---
## Features
- **Easy to use**: Get started quickly without a steep learning curve.
- **Familiar user interface**: Feels intuitive from the first time you use it.
- **Multilanguage**: Supports multiple languages for a global audience.
Available in English, Spanish, Portuguese, French, Italian, German and Japanese
- **Multiplatform**: Available for both Windows and Linux.
- **Store images and files**: Attach files or images directly to your notes.
- **Checkbox lists**: Create checklist-style notes to keep track of tasks.
- **Categorize your notes**: Organize your notes into as many categories as you need.
- **Custom categories**: Identify categories with custom images and colors.
- **Highlight and pin notes**: Easily access your most important notes.
- **Portable**: Carry your notes with you wherever you go.
---
## Screenshots






---
## What Notebubble is NOT
- **An instant messaging app**: Notebubble is solely for note-taking and organization.
- **Internet-dependent**: The app works entirely offline, ensuring your notes are always with you and secure.
---
## Portability
### On Windows
By default, Notebubble is portable. The database storing your notes and the configuration resides in a folder alongside the executable file. You can move the database to another location (e.g., an external drive or a cloud storage folder) from within Notebubble configuration, but doing so will lock the application to that location, breaking the portability feature.
### On Linux
Currently, portability is not supported. The database is stored by default in:
```
home/.local/share/notebubble
```
But you can move the database somewhere else.
---
## Download and Installation
### Windows
- A portable application package for Windows is available for download. This package includes the application code within a pre-configured PHPDesktop environment, bundled as a WinRAR Self-Extracting Archive.
**[Download Package](https://www.mediafire.com/file/rwde4x859rvzyah/notebubble.zip/file)**
Updated: 03 / Jan / 2025
To use this package:
1. Extract the contents of the package.
2. Run the application directly—no installation is needed.
Alternatively, you can:
1. Clone this repository.
2. Download the latest version of PHPDesktop.
3. Place the Notebubble code in the `www` folder of PHPDesktop.
4. Manually add the required executables (wget, imagemagick, 7z, NirCMD) to the `www` folder.
### Linux
- A zipped package containing the PHPDesktop environment is also available for Linux. Ensure that the following dependencies are installed on your system:
- `wget`
- `7zip`
- `imagemagick`
- `Zenity`
** Link to be Posted **
To use this package:
1. Extract the contents of the package.
2. Run the Notebubble executable.
An AppImage version is to follow soon. Check later for updates.
---
## Contact
If you wish to contact me to report bugs or suggest features or whatever, you can find me at my Twitter profile:
https://x.com/okanemiyaki
Also, you can submit an issue on this repository.
---
## License
This project is licensed under the [MIT License](LICENSE).
---
## Acknowledgments
Special thanks to the developers and communities behind PHPDesktop and the various tools integrated into this application.
| daisuke/Notebubble | readme.md | Markdown | mit | 3,882 |
<?php
function get_os(){
if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
return "w";
} else {
return "l";
}
}
if (get_os() == "w"){
rename ("c:\\notebubble\\settings_bak.php","c:\\notebubble\\settings.php");
} else {
$home_dir = posix_getpwnam(get_current_user())['dir'];
rename ("$home_dir/.local/share/notebubble/settings_bak.php","$home_dir/.local/share/notebubble/settings.php");
}
header('location: index.php');
?>
| daisuke/Notebubble | rollback.php | PHP | mit | 435 |
<?php
$action = array(
'message_move_db' => 'moveDatabase',
'message_move_db_loc' => 'moveDatabaseLoc',
'message_delete_chat' => 'deleteChat',
);
$dialog = str_replace(array("#content#","function","Yes","No"),array($loc_string[$_GET['text']],$action[$_GET['text']],$loc_string['button_yes'],$loc_string['button_no']),file_get_contents("templates/genericdialog.txt"));
echo $dialog;
?>
| daisuke/Notebubble | system/dialog.php | PHP | mit | 397 |
<?php
function renderMessage($message){
GLOBAL $loc_string;
$text = nl2br(parseMarkdown($message['text']));
if(!is_numeric(strpos($text,"href")) ){
$text = preg_replace(
"~[[:alpha:]]+://[^<>[:space:]]+[[:alnum:]/]~",
"<a href=\"\\0\" class='link' target=\"_blank\">\\0</a>",
$text);
}
$urlpreview = "";
$file = "";
$image = "";
$attachedimage = "";
if(!empty($message['fname'])){
if (is_numeric(strpos($message['ftype'],"image"))){
if ($message['fsize'] >= 1000000){
$filecontent = PDO_FetchAll("SELECT preview FROM attachment where message_id = ".$message['id'])[0]['preview'];
} else {
$filecontent = PDO_FetchAll("SELECT content FROM attachment where message_id = ".$message['id'])[0]['content'];
}
$attachedimage = "<div style='position:relative;'><img class='attachedimage' style='cursor:pointer; max-width:300px; max-height:400px;' id='".$message['id']."' onClick='imageview(".$message['id'].")' src='data:".$message['ftype'].";base64,". $filecontent."'> <div class='downloadarrow' style='font-family:icons;' title='".$loc_string['tooltip_download']."' onClick='downloadfile(".$message['id'].")'></div> </div>";
} else {
$file = "<div class='attachment' title='".$loc_string['tooltip_download']."' onClick='downloadfile(".$message['id'].")'> <div class='attachment_icon' style='font-family:icons;'><center></center></div> <span style='min-width:200px; max-width:300px; line-height:14px; font-size:12px;'>".$message['fname']."<br><span style='color:cyan;'>".intval($message['fsize']/1024)." kb</span></span></div>";
}
}
if(!empty($message['title'])){
$image = "";
if(!empty($message['image'])){
$image = "<div style='display:inline-block; width:100%, height:100%; background-image:url(".$message['image']."); background-size:cover; background-position:center;'><br><br><br><br><br><br><br><br><br><br><br><br><br><br></div>";
}
$urlpreview = "<div class=\"link-preview\">
$image
<div class=\"link-details\">
<div class=\"link-title\">".html_entity_decode($message['title'])."</div>
<div class=\"link-url\">".substr($message['desc'],0,100)."</a></div>
<div class=\"link-url\"><a href='".$message['url']."'>".$message['site']."</a></div>
</div>
</div><br>";
}
$matches = [];
preg_match_all('/^>>.*/m', html_entity_decode($text), $matches);
if (!empty($matches[0])){
$todos = PDO_FetchAll("SELECT * FROM todo where message_id = ".$message['id']);
$c = 0;
foreach ($matches[0] as $match){
$match = htmlentities(trim(str_replace("<br />","",$match)));
$text = str_replace_once($text,$match,"<input type='checkbox' ".($todos[$c]['completed'] == "true" ? "checked" : "")." onClick='toggleTodo(\"".$todos[$c]['id']."\")'> ".$todos[$c]['text']);
$c++;
}
}
return "<div class='message received' id='".$message['id']."'>
<div class='bubble ".($message['highlight'] == 1 ? "highlighted" : "")."'>
$attachedimage $file $urlpreview $text<br>
<div class='subtext'>
<span class='revealControls'> </span>
<span class='controls'>
<a title='".$loc_string['tooltip_delete']."' onClick='deletemsg(".$message['id'].")'></a>
<a title='".$loc_string['tooltip_edit']."' onClick='editmsg(".$message['id'].")'></a>
".( $message['highlight'] == 1 ? "<a style='color:red;' title='".$loc_string['tooltip_unhighlight']."' onClick='unhighlight(".$message['id'].")'></a>" : "<a title='".$loc_string['tooltip_highlight']."' onClick='highlight(".$message['id'].")'></a>")."
".( $message['pinned'] == 1 ? "<a style='color:red;' title='".$loc_string['tooltip_unpin']."' onClick='unpinmessage(".$message['id'].")'></a>" : "<a title='".$loc_string['tooltip_pin']."' onClick='pinmessage(".$message['id'].")'></a>")."
</span>
".date("d/m/y h:i", $message['date'])."
".(!empty($message['reminder']) ? "<span style='cursor:pointer; font-family:icons; color:".($message['reminder'] < time() ? "red" : "green")."' title='".$loc_string['tooltip_reminder_set']." ".date("d/m/y h:i",$message['reminder'])."'></span>" : "")."
".(!empty($message['pinned']) ? "<span style='cursor:pointer; font-family:icons; color:red;' title='".$loc_string['tooltip_pinned_message']."'></span>" : "")."
</div>
</div>
</div>";
}
?>
| daisuke/Notebubble | system/getmessage.php | PHP | mit | 4,315 |
<?php
$id = $_POST['chat'];
$text = htmlentities($_POST['text'],ENT_QUOTES);
if ($_POST['editmsg'] != 0){
PDO_Execute("UPDATE message SET text = \"$text\" WHERE id = ".$_POST['editmsg']);
PDO_Execute("DELETE FROM urlpreview WHERE message_id = ".$_POST['editmsg']);
PDO_Execute("DELETE FROM todo WHERE message_id = ".$_POST['editmsg']);
} else {
PDO_Execute("INSERT INTO message (chat_id,text,date) VALUES ($id,\"$text\",".time().");");
}
if ($_POST['editmsg'] != 0){
$last_id = $_POST['editmsg'];
} else {
$last_id = PDO_FetchAll("SELECT id FROM message ORDER BY id DESC LIMIT 1")[0]['id'];
}
//url preview
$regex = '/https?\:\/\/[^\" ]+/i';
preg_match($regex, $_POST['text'], $matches);
@$url = $matches[0];
if (!empty($url)){
$result = getMetaTags($url);
$site = array();
$site['name'] = getSiteName($url);
@$site['title'] = (empty($result['openGraph']['title'])? $result['openGraph']['title'] : $result['twitterCards']['title']);
if (empty($title)){
$site['title'] = htmlentities(getPageTitle($url),ENT_QUOTES);
}
if(!empty($site['title'])){
@$site['desc'] = htmlentities((empty($result['openGraph']['description'])? $result['openGraph']['description'] : $result['twitterCards']['description']),ENT_QUOTES);
@$site['image'] = (empty($result['openGraph']['image'])? $result['openGraph']['image'] : $result['twitterCards']['image']);
PDO_Execute("INSERT INTO urlpreview (message_id,url,site,title,desc,image) VALUES ($last_id,\"$url\",\"".$site['name']."\",\"".$site['title']."\",\"".$site['desc']."\",\"".$site['image']."\")");
}
}
if (!empty($_FILES)){
if ($_POST['editmsg'] != 0){
PDO_Execute("DELETE FROM attachment WHERE message_id = ".$_POST['editmsg']);
}
$name = basename($_FILES["file"]["name"]);
if($system['os'] == "w"){
$target_file = ".\\tmp\\".$name;
} else {
$target_file = "./tmp/".$name;
}
if (move_uploaded_file($_FILES["file"]["tmp_name"], $target_file)) {
$time = time();
$size = filesize("$target_file");
$type = $_FILES["file"]["type"];
$preview = null;
if (is_numeric(strpos($type,"image"))){
if($_POST['compress'] == 'true'){
$basename = $name;
@$ext = end(explode(".",$basename));
$fname = str_replace(".$ext","",$basename);
$oname = time().".$ext";
$path_prefix = ($system['os'] == "w") ? ".\\tmp\\" : "./tmp/";
rename($target_file,$path_prefix.$oname);
exec("convert \"{$path_prefix}$oname\" -resize \"1280x1280>\" -quality 85 \"{$path_prefix}$fname.jpg\"");
exec("magick \"{$path_prefix}$oname\" -resize \"1280x1280\\>\" -quality 85 \"{$path_prefix}$fname.jpg\"");
$file = file_get_contents("{$path_prefix}$fname.jpg");
$target_file = "{$path_prefix}$fname.jpg";
$type = "image/jpeg";
$size = filesize("$target_file");
unlink("{$path_prefix}$oname");
$name = "$fname.jpg";
} else {
$file = file_get_contents("$target_file");
if (filesize("$target_file") >= "100000"){
if($system['os'] == "w"){
exec("magick \"$target_file\" -resize \"1280x1280\\>\" -quality 80 prv.webp");
} else {
exec("convert \"$target_file\" -resize \"1280x1280>\" -quality 80 prv.webp");
exec("magick \"$target_file\" -resize \"1280x1280\\>\" -quality 80 prv.webp");
}
$preview = file_get_contents("prv.webp");
}
}
} else {
exec("7z a $time.7z \"$target_file\"");
unlink($target_file);
$file = file_get_contents("$time.7z");
}
$file = base64_encode($file);
$preview = base64_encode($preview);
PDO_Execute("INSERT INTO attachment (message_id,name,type,size,content,preview) VALUES ($last_id,\"$name\",\"$type\",$size,\"$file\",\"$preview\")");
@unlink("$time.7z");
@unlink("$target_file");
@unlink("prv.webp");
}
}
if($_POST['changedDate'] == true){
if ($_POST['editmsg'] != 0){
PDO_Execute("DELETE FROM reminder WHERE message_id = ".$_POST['editmsg']);
}
$date = strtotime($_POST['date']);
if ($date > time()){
PDO_Execute("INSERT INTO reminder (message_id,date,active) VALUES ($last_id,$date,1)");
}
}
$matches = [];
preg_match_all('/^>>.*/m', html_entity_decode($text), $matches);
if (!empty($matches[0])){
$qry = array();
foreach ($matches[0] as $match){
$completed = "false";
if(is_numeric(strpos($match,">>>"))){
$completed = "true";
$match = substr($match,1);
}
$todo = htmlentities(trim(str_replace(">","",$match)),ENT_QUOTES);
$qry[] = "($last_id,\"$todo\",\"$completed\")";
}
//echo "INSERT INTO todo (message_id,text,completed) VALUES ".implode(",",$qry);
PDO_Execute("INSERT INTO todo (message_id,text,completed) VALUES ".implode(",",$qry));
}
?>
| daisuke/Notebubble | system/newmessage.php | PHP | mit | 4,751 |
<?php
$searchquery = $_GET['searchquery'];
$messages = PDO_FetchAll("SELECT message.*,urlpreview.url,urlpreview.site,urlpreview.title,urlpreview.desc,urlpreview.image,attachment.name as fname,attachment.type as ftype,attachment.size as fsize,attachment.preview as fpreview, reminder.date as reminder, reminder.active FROM message LEFT JOIN urlpreview ON urlpreview.message_id = message.id LEFT JOIN attachment ON attachment.message_id = message.id LEFT JOIN reminder ON reminder.message_id = message.id WHERE message.text LIKE \"%$searchquery%\"");
echo "
<div class='chat-header'><div>".$loc_string['search_results']." $searchquery</div></div>
<div class='messages'>";
include "system/getmessage.php";
foreach ($messages as $message){
echo renderMessage($message);
}
echo "</div>";
?>
| daisuke/Notebubble | system/search.php | PHP | mit | 811 |
<?php
function sidebar() {
global $loc_string;
global $system;
global $settings;
?>
<div class="sidebar-header">
<div style='float:left;' class='title'><a href='index.php'><?php echo $loc_string['categories_index_title']; ?></a> </div>
<div class='chats-menu' title='<?php echo $loc_string['tooltip_open_menu']; ?>' onClick='toggleActionMenu();'>☰</div>
</div>
<div class="actionmenu">
<a class='element home' title='<?php echo $loc_string['tooltip_home']; ?>' onClick="loadPage('main');"></a>
<a class='element' title='<?php echo $loc_string['tooltip_add_category']; ?>' onClick="loadPage('addchat');"></a>
<a class='element' title='<?php echo $loc_string['tooltip_search']; ?>' onClick="loadPage('search');"></a>
<a class='element' title='<?php echo $loc_string['tooltip_app_settings']; ?>' onClick="loadPage('appsettings');"></a>
<a class='element' title='<?php echo $loc_string['tooltip_app_help']; ?>' onClick="loadPage('about_<?php echo $settings['locale']; ?>');"></a>
</div>
<?php
$chats = PDO_FetchAll("SELECT chat.*,count(message.chat_id) as count from chat LEFT JOIN message ON chat_id = chat.id WHERE chat.pinned = 1 GROUP BY chat.id");
foreach ($chats as $chat) {
?>
<div title='<?php echo $chat['count'] . " " . $loc_string['tooltip_messages']; ?>' id='<?php echo $chat['id']; ?>' class="contact pinned" onCLick="loadmessages(<?php echo $chat['id']; ?>)">
<img src="data:image/jpg;base64,<?php echo $chat['image']; ?>" alt="Profile Picture">
<div class="contact-details">
<div class="contact-name"><?php echo $chat['name']; ?></div>
<div class="contact-last-message"><?php echo $chat['desc']; ?></div>
</div>
</div>
<?php
}
$chats = PDO_FetchAll("SELECT chat.*,count(message.chat_id) as count from chat LEFT JOIN message ON chat_id = chat.id WHERE chat.pinned IS NOT 1 GROUP BY chat.id");
foreach ($chats as $chat) {
?>
<div title='<?php echo $chat['count'] . " " . $loc_string['tooltip_messages']; ?>' id='<?php echo $chat['id']; ?>' class="contact" onClick="loadmessages(<?php echo $chat['id']; ?>)">
<img src="data:image/jpg;base64,<?php echo $chat['image']; ?>" alt="Profile Picture">
<div class="contact-details">
<div class="contact-name"><?php echo $chat['name']; ?></div>
<div class="contact-last-message"><?php echo $chat['desc']; ?></div>
</div>
</div>
<?php
}
?>
<div class="contact" style='font-family:icons; text-align:center; font-size:23px;' title='<?php echo $loc_string['tooltip_add_category']; ?>' onClick="loadPage('addchat')">
<div style='margin: 0 auto;'> </div>
</div>
<?php if (isset($system['first_run']) || isset($_GET['localeset'])): ?>
<div class="contact" style='text-align:center; margin:0px, padding:0px; '>
<div style='text-align:center; width:100%;'>
<span style='font-family:icons;'></span>
<div style='display:block; clear:both;'><?php echo $loc_string['firstrun_category']; ?></div>
</div>
</div>
<?php
endif; ?>
<?php
}
sidebar();
?>
| daisuke/Notebubble | system/sidebar.php | PHP | mit | 3,242 |
<div style='justify-content: center; align-items: center; width: 35vw; display:block; background-color:white; border-radius:5px; padding:20px;'>
<div style='padding:5px;'>#content#</div>
<div class='dialogbutton' style='color:blue;' onClick='function();'>Yes</div>
<div class='dialogbutton' onCLick='closeDialog();'>No</div>
</div>
| daisuke/Notebubble | templates/genericdialog.txt | Text | mit | 340 |
<div class="messages" style='text-align:center;'>
<div style='display: flex; justify-content: center; align-items: center; height: 100vh; '>
#content#
</div>
</div> | daisuke/Notebubble | templates/genericpage.txt | Text | mit | 168 |
/*
* main.css
* CSS stylesheet for the Dragora GNU/Linux-Libre website
* (https://www.dragora.org)
*
*
* Copyright (C)
* 2019-2021, Matias Fonzo and Michael Siegel
* 2019 Chris F. A. Johnson
* 2023 Matias Fonzo
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
body {
font-family:Helvetica,"Helvetica Neue",DejaVuSans,FreeSans,"Nimbus Sans L",sans-serif;
font-size:18px;
background-color:#ffffff;
color:#000000;
}
/** Headings **/
h1 {
margin:0;
font-size:2.33rem;
color:#005500;
}
h2 {
margin-top:1.5rem;
margin-bottom:1.33rem;
font-size:1.67rem;
color:#005500;
}
h3 {
margin-top:1.33rem;
margin-bottom:1.17rem;
font-size:1.5rem;
color:#005500;
}
h4 {
margin-top:1.17rem;
margin-bottom:1rem;
font-size:1.17rem;
color:#005500;
}
/** Paragraphs **/
p {
margin:1rem 0;
text-align:justify;
}
/** Quote blocks **/
blockquote {
margin:1rem 2rem;
}
/** Lists **/
dl, ol, ul {
margin:1rem 0;
padding-left:2rem;
}
dl dd {
margin-left:1rem;
}
/* Add space between each list item. */
li {
margin:0.3em 0;
}
/* Switch vertical margins off for nested lists. */
dl dl, ol ol, ul ul {
margin:0;
}
/** Tables **/
table {
margin:1rem auto;
margin-left:3rem;
border:1px solid #999999;
border-collapse:collapse;
}
table.alt_rows tbody tr:nth-child(odd) {
background-color:#ffffcc;
}
th, td {
border:1px solid #999999;
padding:.33rem;
text-align:justify;
}
th {
background-color:#cccccc;
}
/** Misc **/
hr {
margin:.5rem auto;
border: 1px inset;
}
/*** Inline elements ***/
code {
padding:0 .25rem;
font-family:monospace;
font-weight:lighter;
background-color:#fffafa;
}
kbd {
padding:0 .25rem;
font-family:monospace;
font-weight:normal;
background-color:#fffafa;
}
/** Links **/
a:link {
color:#00008b;
/* color:#002288; */
}
a:visited {
color:#666666;
}
a:hover {
color:#ff69b4;
}
a:active {
color:#bc8f8f;
}
/** Classes **/
.center {
display: block;
margin-left: auto;
margin-right: auto;
width: 18%;
}
| bkmgit/dragora | common/main.css | CSS | unknown | 2,640 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<link rel="stylesheet" type="text/css" href="../common/main.css">
<link rel="icon" type="image/gif" href="../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora donations, dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora donations</h1>
<p>Please consider making a donation today:</p>
<p>While Dragora is free (free as in freedom) software and it is freely
available to the public, making it IS NOT FREE:</p>
<p>A project like Dragora requires a lot of time, effort and sacrifice.
Some of the tasks are: codify, document, translate, maintain, spread the word.
Other important things are satisfy basic needs (since the Dragora maintainer is
totally dedicated to the project). In addition, we have to cover the costs of
web services and support direct collaborators. All this is very important to
sustain a project like Dragora.</p>
<p>There are several ways to support the project. See below:</p>
<h2>Online payments</h2>
<h3>Paypal</h3>
<p>We accept donations from <a href="https://www.paypal.com">PayPal</a>.</p>
<p>You can enter the amount to donate after pressing the <b>Donate</b> button:</p>
<form action="https://www.paypal.com/cgi-bin/webscr" method="post">
<p>
<input type="hidden" name="business" value="dragora@dragora.org">
<input type="hidden" name="cmd" value="_donations">
<input type="hidden" name="item_name" value="Donation to the Dragora GNU/Linux-Libre project">
<label for="currency_code">Select currency: </label>
<select name="currency_code" id="currency_code">
<option value="USD">U.S. Dollar</option>
<option value="EUR">Euro</option>
<option value="AUD">Australian Dollar</option>
<option value="GBP">British Pound</option>
<option value="CAD">Canadian Dollar</option>
<option value="CZK">Czech Koruna</option>
<option value="DKK">Danish Kroner</option>
<option value="HKD">Hong Kong Dollar</option>
<option value="HUF">Hungarian Forint</option>
<option value="ILS">Israeli New Shekel</option>
<option value="JPY">Japanese Yen</option>
<option value="MXN">Mexican Peso</option>
<option value="NZD">New Zealand Dollar</option>
<option value="NOK">Norwegian Kroner</option>
<option value="PLN">Polish Zlotych</option>
<option value="SGD">Singapore Dollar</option>
<option value="SEK">Swedish Kronor</option>
<option value="CHF">Swiss Franc</option>
<option value="THB">Thai Baht</option>
</select>
<br>
<!-- Display the payment button. -->
<input type="image" name="submit"
src="https://www.paypalobjects.com/en_US/i/btn/btn_donate_LG.gif"
alt="PayPal - The safer, easier way to pay online">
<img alt="" width="1" height="1"
src="https://www.paypalobjects.com/en_US/i/scr/pixel.gif" >
</p>
</form>
<p>Monthly subscriptions are also supported. You can contribute with a
specific amount every month:</p>
<form action="https://www.paypal.com/cgi-bin/webscr" method="post"
target="_top">
<p>
<input type="hidden" name="cmd" value="_xclick-subscriptions">
<input type="hidden" name="business" value="dragora@dragora.org">
<input type="hidden" name="lc" value="AR">
<input type="hidden" name="item_name" value="Dragora GNU/Linux-Libre">
<input type="hidden" name="no_note" value="1">
<input type="hidden" name="src" value="1">
<label for="currency_code">Select currency: </label>
<select name="currency_code" id="currency_code">
<option value="USD">U.S. Dollar</option>
<option value="EUR">Euro</option>
<option value="AUD">Australian Dollar</option>
<option value="GBP">British Pound</option>
<option value="CAD">Canadian Dollar</option>
<option value="CZK">Czech Koruna</option>
<option value="DKK">Danish Kroner</option>
<option value="HKD">Hong Kong Dollar</option>
<option value="HUF">Hungarian Forint</option>
<option value="ILS">Israeli New Shekel</option>
<option value="JPY">Japanese Yen</option>
<option value="MXN">Mexican Peso</option>
<option value="NZD">New Zealand Dollar</option>
<option value="NOK">Norwegian Kroner</option>
<option value="PLN">Polish Zlotych</option>
<option value="SGD">Singapore Dollar</option>
<option value="SEK">Swedish Kronor</option>
<option value="CHF">Swiss Franc</option>
<option value="THB">Thai Baht</option>
</select><br>
<input type="hidden" name="bn"
value="PP-SubscriptionsBF:btn_subscribe_LG.gif:NonHostedGuest">
<input type="hidden" name="on0" value="">
<label for="os0">Select amount: </label>
<select name="os0" id="os0">
<option value="option 1">20.00 - Monthly</option>
<option value="option 2">30.00 - Monthly</option>
<option value="option 3">50.00 - Monthly</option>
<option value="option 4">100.00 - Monthly</option>
</select><br>
<input type="hidden" name="option_select0" value="option 1">
<input type="hidden" name="option_amount0" value="20.00">
<input type="hidden" name="option_period0" value="M">
<input type="hidden" name="option_frequency0" value="1">
<input type="hidden" name="option_select1" value="option 2">
<input type="hidden" name="option_amount1" value="30.00">
<input type="hidden" name="option_period1" value="M">
<input type="hidden" name="option_frequency1" value="1">
<input type="hidden" name="option_select2" value="option 3">
<input type="hidden" name="option_amount2" value="50.00">
<input type="hidden" name="option_period2" value="M">
<input type="hidden" name="option_frequency2" value="1">
<input type="hidden" name="option_select3" value="option 4">
<input type="hidden" name="option_amount3" value="100.00">
<input type="hidden" name="option_period3" value="M">
<input type="hidden" name="option_frequency3" value="1">
<input type="hidden" name="option_index" value="0">
<input type="image" src="https://www.paypalobjects.com/en_US/i/btn/btn_subscribe_LG.gif" name="submit" alt="PayPal - The safer, easier way to pay online!">
<img alt="" src="https://www.paypalobjects.com/es_XC/i/scr/pixel.gif"
width="1" height="1">
</p>
</form>
<h3>International payments or donations can be done using Western Union</h3>
<table class="alt_rows">
<tr>
<td>First and Middle Names: Matias Andres</td>
</tr>
<tr>
<td>Last Name: Fonzo</td>
</tr>
<tr>
<td>Address: Manzana E, Lote 6. Santa Lucia (Ampliacion)</td>
</tr>
<tr>
<td>City: Santiago del Estero (Capital)</td>
</tr>
<tr>
<td>ZIP Code: 4200</td>
</tr>
<tr>
<td>Country: Argentina</td>
</tr>
</table>
<h3>Information (only) for residents in Argentina</h3>
<h4>Giro de dinero por medio de Western Union Nacional</h4>
<p>Puede realizar un giro de dinero llendo al Correo Argentino en el cual
deberá de completar un formulario que consiste en tres partes: monto a enviar,
datos del beneficiario, y datos del remitente.</p>
<p><i>Beneficiario</i></p>
<table class="alt_rows">
<tr>
<td>Nombre/s: Matías Andrés</td>
</tr>
<tr>
<td>Apellido/s: Fonzo</td>
</tr>
<tr>
<td>Dirección: Manzana E, Lote 6. Santa Lucía (Ampliación)</td>
</tr>
<tr>
<td>Ciudad: Santiago del Estero (Capital)</td>
</tr>
<tr>
<td>Código Postal: 4200</td>
</tr>
</table>
<p><i>Remitente</i></p>
<p>Quien remite es usted. Esto es, sus datos personales más CUIT/CUIL/CDI.</p>
<p>Una vez realizada toda la operación deberá de comunicar el número conocido
como <b>MTCN</b> a: <dragora (a) dragora org>.</p>
<h2>Donor list</h2>
<p>Here is a list of people who have donated to the project:</p>
<ul>
<li>Marta Rosatti</li>
<li>Emilio Fonzo</li>
<li>Mariana Gerez</li>
<li>Alec Thompson</li>
<li>Samuel De La Torre</li>
<li>Lubos Rendek</li>
<li>Lucas Skoldqvist</li>
<li>Gregory Tomko</li>
<li>Charles Eric Edwards</li>
<li>Andreas Moe</li>
<li>Sergey Tsynov</li>
<li>Nicolas Dato</li>
<li>Oswald Kelso</li>
<li>Paul Cambria</li>
<li>Chris Key</li>
<li><a href="http://tehnoetic.com">Tehnoetic.com</a></li>
<li>Tom Lukeywood</li>
<li>Carl Roberts</li>
<li>Алексей Андреев</li>
<li>David Friedman</li>
<li>Niles Corder</li>
<li>Kevin Bloom</li>
<li>Ralph Carlucci</li>
<li>... And other people who prefer to be anonymous.</li>
</ul>
<p style="text-align: right"><a href="index.html#">Back to top ^</a></p>
<p style="text-align: left"><a href="index.html">< Back to home page</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Tue Apr 25 23:41:20 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/donate.html | HTML | unknown | 9,271 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-15">
<link rel="stylesheet" type="text/css" href="../common/main.css">
<link rel="icon" type="image/gif" href="../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora</h1>
<p><a href="logos.html"><img src="../common/dragora_logo_large.png"
alt="Dragora's logo" align="right" height="333" width="333"></a></p>
<h2>What is Dragora?</h2>
<p>Dragora is an independent
<a href="http://www.gnu.org/gnu/linux-and-gnu.en.html">GNU/Linux</a>
distribution project which was created from scratch with the intention of
providing a reliable operating system with maximum respect for the user
by including entirely
<a href="http://www.gnu.org/philosophy/free-sw.en.html">free software</a>.
Dragora is based on the concepts of simplicity and elegance, it offers
a user-friendly Unix-like environment with emphasis on stability and security
for long-term durability.
</p>
<p>To put it in a nutshell, Dragora is...</p>
<ul>
<li>Minimalist.</li>
<li>Free as in freedom.</li>
<li>Getting better by the day.</li>
<li>A whole lot of fun (not suitable for old vinegars).</li>
</ul>
<p>Some of the features of Dragora are:</p>
<ul>
<li>SysV init as the classic, documented initialization program (PID 1).</li>
<li>Perp to reliably start, monitor, log and control "critical" system daemons.</li>
<li>Lightweight alternatives to popular free software; i.e, musl libc,
libressl, mksh, scron, pkgconf.</li>
<li>The Trinity Desktop Environment (TDE).</li>
<li>Window managers such as TWM, DWM.</li>
<li>Graft for managing multiple packages under a single directory hierarchy
using symbolic links mechanisms.</li>
<li>Qi as a simple local package manager that complements Graft to create,
install, remove and upgrade software packages.</li>
</ul>
<h3>Latest news</h3>
<ul>
<li>2023-04-26
<a href="https://lists.nongnu.org/archive/html/dragora-users/2023-04/msg00011.html">Dragora 3.0-beta2 released</a>
</li>
<li>2023-04-25
<a href="https://lists.nongnu.org/archive/html/dragora-users/2023-04/msg00008.html">New website</a>
</li>
<li>2022-12-31
<a href="https://lists.nongnu.org/archive/html/dragora-users/2022-12/msg00000.html">Qi 2.11 released</a>
</li>
</ul>
<p><a href="news.html">See all news</a>.</p>
<h2>Downloading Dragora</h2>
Dragora can be found on the
<a href="https://www.gnutransfer.com/en">gnutransfer</a> rsync server
(<a href="rsync://rsync.dragora.org/">download via RSYNC</a>), and its
<a href="mirrors.html">mirrors</a>; please use a mirror if possible.
<h2>Documentation</h2>
<p><a href="manual/index.html">Documentation for
Dragora</a> is online. It can also be accessed by running
<kbd>info dragora-handbook</kbd>or by looking at
<code>/usr/share/doc/dragora-handbook/</code>,
or similar directories on your system.<br>A brief summary
is available by running <kbd>dragora-help</kbd>.</p>
<h2>Development</h2>
<p>The latest changes in the development of Dragora can be viewed and followed
from the links below. Dragora repositories are hosted on
<a href="http://savannah.nongnu.org/projects/dragora">Savannah</a> and
<a href="https://notabug.org/dragora/">NotAbug.org</a>. We also keep a
mirror of the Savannah repository at
<a href="http://repo.or.cz/dragora.git/">http://repo.or.cz/dragora.git/</a>.
If you have <a href="http://git-scm.com">Git</a> installed, you can retrieve
the latest revision with the following command:</p>
<kbd>git clone git://git.savannah.gnu.org/dragora.git</kbd>
<h3>Project repositories</h3>
<table>
<tr>
<td>mainline:</td>
<td><b>3.0</b></td>
<td></td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora.git/tree/">browse</a>]</td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora.git/log/">changelog</a>]</td>
<td>[<a href="https://notabug.org/dragora/dragora/issues">issues</a>]</td>
</td>
</tr>
<tr>
<td>oldstable:</td>
<td><b>2.2</b></td>
<td>2012-04-21</td>
<td>[<a href="http://mirror.fsf.org/dragora/v2/">browse</a>]</td>
<td>[<a href="http://mirror.fsf.org/dragora/v2/ANNOUNCEMENT2.2.TXT">announcement</a>]</td>
</td>
</tr>
<tr>
<td>dragora-website:</td>
<td><b>~</b></td>
<td></td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora/dragora-website.git/tree/">browse</a>]</td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora/dragora-website.git/log/">changelog</a>]</td>
<td>[<a href="https://notabug.org/dragora/dragora-website/issues">issues</a>]</td>
</td>
</tr>
<tr>
<td>dragora-handbook:</td>
<td><b>~</b></td>
<td></td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora/dragora-handbook.git/tree/">browse</a>]</td>
<td>[<a href="http://git.savannah.nongnu.org/cgit/dragora/dragora-handbook.git/log/">changelog</a>]</td>
<td>[<a href="https://notabug.org/dragora/dragora-handbook/issues">issues</a>]</td>
</td>
</tr>
</table>
<p><a href="http://repo.or.cz/dragora.git/atom">
<img src="../img/Feed-icon.svg" width="24" height="24"
alt="Atom feed subscription from http://repo.or.cz/dragora.git/ (Git mirror)">
</a></p>
<h2>Mailing lists</h2>
<p>Dragora has the following mailing lists:</p>
<ul>
<li>
<a href="https://lists.nongnu.org/mailman/listinfo/dragora-users">dragora-users</a>
for general user help and discussion.
</li>
</ul>
<p>
Announcements about Dragora and related subprojects to it are made on the
dragora-users list
(<a href="https://lists.nongnu.org/archive/html/dragora-users">archives</a>).
</p>
<p>
Security reports that should not be made immediately public can be
sent directly to the maintainer. If there is no response to an urgent
issue, you can open an issue to the general
<a href="https://notabug.org/dragora/dragora/issues">bug tracker</a>
(hosted on <a href="https://notabug.org">NotABug's</a> community).
</p>
<h2>Internet Relay Chat (IRC)</h2>
<p>Join us in #dragora on <a href="https://libera.chat/">Libera.Chat</a>.
If you don't have an IRC client installed yet, you can access the channel via
<a href="https://web.libera.chat/?channels=#dragora">Web Libera.Chat</a>.</p>
<p>Otherwise, simply connect to <code>irc.libera.chat</code> on port 6697,
7000, or 7070 for TLS access, or ports 6665-6667 or 8000-8002 for plain-text
access.</p>
<h2>Getting involved</h2>
<h4>Test releases</h4>
<ul>
<li>Trying the latest test release (when available) is always appreciated.
Test releases of Dragora can be found at <a href="mirrors.html">mirrors</a> page.</li>
</ul>
<h4>Bug reports</h4>
<ul>
<li>For general discussion of bugs in Dragora the
<a href="https://notabug.org/dragora/dragora/issues">bug tracker</a>
at <a href="https://notabug.org">notabug.org</a> is the most appropriate forum.
Please include a descriptive subject line, if all of the subject are
"Bug in Dragora" it is impossible to differentiate them.</li>
</ul>
<h4>Documentation</h4>
<p>We try to improve and enrich the official documentation provided by
the project; be it the official handbook, the FAQ, as well as the tools
created from or for the project. If you would like to help, we have
separate Git repositories for this, see above.</p>
<h4>Donations</h4>
<p>This is one of the most important aspects to try to guarantee the continuity
of the project. Please see the <a href="donate.html">donate</a> page.</p>
<h4>Maintainer</h4>
Dragora is currently being maintained by Matías Fonzo. Please use
the mailing lists for contact.
<p style="text-align: right"><a href="index.html#">Back to top ^</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Thu Apr 27 00:41:43 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/index.html | HTML | unknown | 8,622 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-15">
<link rel="stylesheet" type="text/css" href="../common/main.css">
<link rel="icon" type="image/gif" href="../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora logos, dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora logos</h1>
<p>This page introduces you to the original Dragora logo as well as
community-created versions of it.</p>
<p><b>Note: The Dragora logo is subject to the terms of the
<a href="http://creativecommons.org/licenses/by-sa/3.0">Creative
Commons Attribution-ShareAlike 3.0 Unported License.</a></b></p>
<h2>Image versions</h2>
<p>This is the original Dragora logo created by Claudio Santillan, which
was commissioned by Matías Fonzo for Dragora in 2011 [PNG, 211x211]:</p>
<p><a href="../common/dragora_logo.png"><img src="../common/dragora_logo.png"
class="center"></a></p>
<p>This is a translated version of the Dragora logo into the [SVG] format by
Yevhen Babiichuk (DustDFG) in 2022:</p>
<p><a href="../common/dragora_logo.svg"><img src="../common/dragora_logo.svg"
class="center"></a></p>
<p>This is a large size version of the Dragora logo made by
Yevhen Babiichuk (DustDFG) in 2022 [PNG, 512x512]:</p>
<p><a href="../common/dragora_logo_large.png"><img src="../common/dragora_logo_large.png"
class="center"></a></p>
<p>The animated "favicon" for Dragora was created by Oswald Kelso [GIF, 16x16]:</p>
<p><a href="../common/dragora.ico"><img src="../common/dragora.ico"
alt="Dragora favicon" class="center" style="width:24px;height:24px;"></a></p>
<p style="text-align: right"><a href="index.html#">Back to top ^</a></p>
<p style="text-align: left"><a href="index.html">< Back to home page</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Wed Apr 26 19:43:18 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/logos.html | HTML | unknown | 2,538 |
<?xml version="1.0" encoding="iso-8859-1" ?>
<!DOCTYPE book PUBLIC "-//OASIS//DTD DocBook XML V4.2//EN" "http://www.oasis-open.org/docbook/xml/4.2/docbookx.dtd" [
<!ENTITY tex "TeX">
<!ENTITY latex "LaTeX">
]>
<book id="dragora-handbook.doc" lang="en">
<title>Dragora 3.0 Handbook</title>
<!-- %**end of header -->
<chapter label="" id="Top">
<title></title>
<para>This Handbook is for Dragora
(version 3.0, initial revision, 26 Apr 2023).
</para>
<!-- -*-texinfo-*- -->
<!-- dragora-handbook-menu.texi -->
<!-- This is part of the Dragora Handbook. -->
<!-- Copyright (C) 2021 The Dragora Team. -->
<!-- See the file dragora-handbook-header.texi for copying conditions. -->
<bookinfo><legalnotice><para>Copyright © 2020-2023 The Dragora Team.
</para>
<para>Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts.
</para></legalnotice></bookinfo><para>Copyright © 2020-2023 The Dragora Team.
</para>
<para>Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts.
</para>
<!-- -*-texinfo-*- -->
<!-- dragora-handbook-content.texi -->
<!-- This is part of the Dragora Handbook. -->
<!-- Copyright (C) 2020-2023 The Dragora Team. -->
<!-- See the file dragora-handbook-header.texi for copying conditions. -->
</chapter>
<chapter label="1" id="About-this-handbook">
<title>About this handbook</title>
<indexterm role="cp"><primary>about this handbook</primary></indexterm>
<para>TODO (Add intro + versioning scheme paragraph).
</para>
<sect1 label="1.1">
<title>Typographic conventions</title>
<indexterm role="cp"><primary>typographic conventions</primary></indexterm>
<para>TODO (appendix).
</para>
</sect1>
</chapter>
<chapter label="" id="Revision-history-_0028ChangeLog_0029">
<title>Revision history (ChangeLog)</title>
<indexterm role="cp"><primary>revision history (changelog)</primary></indexterm>
<para>TODO (appendix).
</para>
</chapter>
<chapter label="2" id="What-is-Dragora_003f">
<title>What is Dragora?</title>
<indexterm role="cp"><primary>what is dragora?</primary></indexterm>
<para><emphasis role="bold">Dragora</emphasis> is an independent GNU/Linux distribution project which
was created from scratch with the intention of providing a reliable
operating system with maximum respect for the user by including entirely
free software. <emphasis role="bold">Dragora</emphasis> is based on the concepts of simplicity
and elegance, it offers a user-friendly Unix-like environment with
emphasis on stability and security for long-term durability.
</para>
<para>To put it in a nutshell, <emphasis role="bold">Dragora</emphasis> is...
</para><itemizedlist><listitem><para>Minimalist.
</para></listitem><listitem><para>Free as in freedom.
</para></listitem><listitem><para>Getting better by the day.
</para></listitem><listitem><para>A whole lot of fun (not suitable for old vinegars).
</para></listitem></itemizedlist>
<para>Some of the features of Dragora are:
</para>
<itemizedlist><listitem><para>SysV init as the classic, documented initialization program (PID 1).
</para></listitem><listitem><para>Perp to reliably start, monitor, log and control "critical" system daemons.
</para></listitem><listitem><para>Lightweight alternatives to popular free software; i.e, musl libc, libressl,
mksh, scron, pkgconf.
</para></listitem><listitem><para>The Trinity Desktop Environment (TDE).
</para></listitem><listitem><para>Window managers such as TWM, DWM.
</para></listitem><listitem><para>Graft for managing multiple packages under a single directory hierarchy
using symbolic links mechanisms.
</para></listitem><listitem><para>Qi as a simple local package manager that complements Graft to create,
install, remove and upgrade software packages.
</para></listitem></itemizedlist>
<sect1 label="2.1">
<title>Free software</title>
<indexterm role="cp"><primary>free software</primary></indexterm>
<para>TODO.
</para>
</sect1>
<sect1 label="2.2">
<title>GNU</title>
<indexterm role="cp"><primary>gnu</primary></indexterm>
<para>TODO.
</para>
</sect1>
<sect1 label="2.3">
<title>Linux and Linux-libre</title>
<indexterm role="cp"><primary>linux or linux-libre</primary></indexterm>
<para>TODO.
</para>
</sect1>
</chapter>
<chapter label="3" id="Why-should-I-use-Dragora_003f">
<title>Why should I use Dragora?</title>
<indexterm role="cp"><primary>why should I use dragora?</primary></indexterm>
<para>We cannot and do not intend to decide for you, we can only cite what we
believe to be Dragora’s main strengths:
</para>
<itemizedlist><listitem><para><emphasis role="bold">Independent</emphasis>:
As mentioned before, Dragora is an independent project, this means that it
is based on a voluntary basis where one or more people share the same
direction or intentions for the sake of the project and in benefit of the
free software community. But above all, it is
not a purely commercial project or one that is made by a company, where they
have commercial interests, and where many times they will do anything to
catch you and see your face for their selfish business.
</para>
</listitem><listitem><para><emphasis role="bold">Simple:</emphasis> The underlying concept of Dragora’s design philosophy is
simplicity: KISS, "Keep It Simple, Stupid!". This principle, which derives
from what is known as "Ockham’s razor," was developed by the first modern
critical philosopher: William of Ockham. We believe this concept represents
the traditional UNIX philosophy - so we don’t add functionality
unnecessarily, nor do we duplicate information.
</para>
</listitem><listitem><para><emphasis role="bold">Ethical:</emphasis> We try to ensure that the included software is
completely free and allows you to legally run, copy, distribute, study,
change and improve the software.
</para>
</listitem><listitem><para><emphasis role="bold">Language:</emphasis> Native support.
</para>
</listitem><listitem><para><emphasis role="bold">Community:</emphasis> Dragora is not a closed project. On the contrary, anyone
person with good intentions is welcome - and encouraged! - to join and help.
</para></listitem></itemizedlist>
</chapter>
<chapter label="4" id="History">
<title>History</title>
<indexterm role="cp"><primary>history</primary></indexterm>
<para>Development of Dragora started in 2007 by Matias Andres Fonzo from
Santiago del Estero, Argentina. After one year of hard work, the first
beta of Dragora was released on June 13, 2008, which contained the basic
GNU toolset, boot scripts, package system, and an installer.
Whereas the intention was to achieve a 100% "free" as in freedom
GNU/Linux distribution from the beginning, this very first version was not
fully free (or libre) since all parts were free software, except for the
Linux Kernel due to blobs or non-free parts. Fortunately, the Linux-Libre
project appears that same year, which removes or cleans the non-free parts
of the official versions of the Linux Kernel. This led to the second beta
of Dragora on September 18, 2008; completing distribution’s freedom by
replacing the Kernel, and becoming the first one available to the public.
Ongoing work to provide a more complete distribution would result in the
stable release of Dragora 1.0, achieved on March 13, 2009. The series
ends with the massive update plus fixes and added software for version
1.1 released on October 8, 2009.
</para>
<para>Design of this series was based on a traditional GNU/Linux scheme with
SysVinit as the init system but using BSD-style boot scripts. The package
system, the installer, the text menu-mode tools and the boot scripts were
all written using the syntax and the features offered by GNU Bash.
Initially the binary packages were provided in .tbz2 format (files
compressed with bzip2 and packaged using GNU Tar) which later migrated to
the .tlz format (files compressed with lzip for a higher compression plus
very safe integrity checking). Dragora’s installer offered the option of
several languages (translations produced by the community) to choose
between English, Galician, Italian, and Spanish. A second CD included the
packages for the K Desktop Environment (KDE) 3 series.
</para>
<sect1 label="4.1">
<title>Releases</title>
<indexterm role="cp"><primary>releases</primary></indexterm>
<para>Below are the dates and code names used for all the Dragora releases:
</para>
<itemizedlist><listitem><para><emphasis><emphasis role="bold">Dragora 1.0 Beta 1:</emphasis> June 13th, 2008 - "hell".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 1.0 Beta 2:</emphasis> September 18th, 2008.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 1.0 Release Candidate 1:</emphasis> February 12th, 2009.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 1.0 Stable:</emphasis> March 13th, 2009 - "starlight".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 1.1 Release Candidate 1:</emphasis> August 25th, 2009.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 1.1 Stable:</emphasis> October 8th, 2009 - "stargazer".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.0 Release Candidate 1:</emphasis> January 24th, 2010.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.0 Release Candidate 2:</emphasis> March 28th, 2010.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.0 Stable:</emphasis> April 13th, 2010 - "ardi".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.1 Release Candidate 1:</emphasis> December 4th, 2010.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.1 Stable:</emphasis> December 31st, 2010 - "dio".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.2 Release Candidate 1:</emphasis> March 2nd, 2012.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 2.2 Stable:</emphasis> April 21st, 2012 - "rafaela".</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 3.0 Alpha 1:</emphasis> December 31st, 2017.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 3.0 Alpha 2:</emphasis> September 28th, 2018.</emphasis>
</para></listitem><listitem><para><emphasis><emphasis role="bold">Dragora 3.0 Beta 1:</emphasis> October 16th, 2019.</emphasis>
</para></listitem></itemizedlist>
</sect1>
</chapter>
<chapter label="5" id="Maintainers">
<title>Maintainers</title>
<indexterm role="cp"><primary>maintainers</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="6" id="A-quick-glance-at-Dragora">
<title>A quick glance at Dragora</title>
<indexterm role="cp"><primary>a quick glance at dragora</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="7" id="Boot-options-from-live-medium">
<title>Boot options from live medium</title>
<indexterm role="cp"><primary>boot options from live medium</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="8" id="Using-dragora_002dinstaller">
<title>Using dragora-installer</title>
<indexterm role="cp"><primary>using dragora-installer</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="9" id="Installing-the-system-manually-_0028as-an-alternative_0029">
<title>Installing the system manually (as an alternative)</title>
<indexterm role="cp"><primary>installing the system manually (as an alternative)</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="10" id="Introduction-to-package-management-in-Dragora">
<title>Introduction to package management in Dragora</title>
<indexterm role="cp"><primary>package management in dragora</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="11" id="Package-management-in-a-nutshell">
<title>Package management in a nutshell</title>
<indexterm role="cp"><primary>package management in a nutshell</primary></indexterm>
<para>TODO.
</para>
</chapter>
<chapter label="" id="Using-third_002dparty-free-software">
<title>Using third-party free software</title>
<indexterm role="cp"><primary>using third-party free software</primary></indexterm>
<para>TODO (appendix).
</para>
<!-- -*-texinfo-*- -->
<!-- qi-content.texi -->
<!-- This is part of the Qi user guide. -->
<!-- Copyright (C) 2019-2022 Matias Fonzo, <selk@dragora.org>. -->
<!-- See the file qi-header.texi for copying conditions. -->
<!-- -->
<!-- If something is modified here, be aware of the increase of VERSION in -->
<!-- qi-header.texi, this will produce the result of the manual: qi.info -->
</chapter>
<chapter label="12" id="Introduction-to-Qi">
<title>Introduction to Qi</title>
<indexterm role="cp"><primary>introduction to qi</primary></indexterm>
<para>Qi is a simple but well-integrated package manager. It can create,
install, remove, and upgrade software packages. Qi produces binary
packages using recipes, which are files containing specific instructions
to build each package from source. Qi can manage multiple packages
under a single directory hierarchy. This method allows to maintain a set
of packages and multiple versions of them. This means that Qi could be
used as the main package manager or complement the existing one.
</para>
<para>Qi offers a friendly command line interface, a global configuration
file, a simple recipe layout to deploy software packages; also works
with binary packages in parallel, speeding up installations and packages
in production. The format used for packages is a simplified and safer
variant of POSIX pax archive compressed in lzip format.
</para>
<para>Qi is a modern (POSIX-compliant) shell script released under the
terms of the GNU General Public License. There are only two major
dependencies for the magic: graft(1) and tarlz(1), the rest is expected
to be found in any Unix-like system.
</para>
</chapter>
<chapter label="13" id="Invoking-qi">
<title>Invoking qi</title>
<indexterm role="cp"><primary>invocation</primary></indexterm>
<para>This chapter describes the synopsis for invoking Qi.
</para>
<screen>Usage: qi COMMAND [<replaceable>OPTION</replaceable>...] [<replaceable>FILE</replaceable>]...
</screen>
<para>One mandatory command specifies the operation that ‘<literal>qi</literal>’ should
perform, options are meant to detail how this operation should be
performed during or after the process.
</para>
<para>Qi supports the following commands:
</para>
<variablelist><varlistentry><term><literal>warn</literal>
</term><listitem><para>Warn about files that will be installed.
</para>
</listitem></varlistentry><varlistentry><term><literal>install</literal>
</term><listitem><para>Install packages.
</para>
</listitem></varlistentry><varlistentry><term><literal>remove</literal>
</term><listitem><para>Remove packages.
</para>
</listitem></varlistentry><varlistentry><term><literal>upgrade</literal>
</term><listitem><para>Upgrade packages.
</para>
</listitem></varlistentry><varlistentry><term><literal>extract</literal>
</term><listitem><para>Extract packages for debugging purposes.
</para>
</listitem></varlistentry><varlistentry><term><literal>create</literal>
</term><listitem><para>Create a .tlz package from directory.
</para>
</listitem></varlistentry><varlistentry><term><literal>build</literal>
</term><listitem><para>Build packages using recipe names.
</para>
</listitem></varlistentry><varlistentry><term><literal>order</literal>
</term><listitem><para>Resolve build order through .order files
</para></listitem></varlistentry></variablelist>
<para>Options when installing, removing, or upgrading software packages:
</para>
<variablelist><varlistentry><term><literal>-f</literal>
</term><term><literal>--force</literal>
</term><listitem><para>Force upgrade of pre-existing packages.
</para>
</listitem></varlistentry><varlistentry><term><literal>-k</literal>
</term><term><literal>--keep</literal>
</term><listitem><para>Keep directories when build/remove/upgrade.
</para>
<para>Keep (don’t delete) the package directory when using remove/upgrade command.
</para>
<para>This will also try to preserve the directories ‘<literal>${srcdir}</literal>’ and
‘<literal>${destdir}</literal>’ when using build command. Its effect is available in
recipes as ‘<literal>${keep_srcdir}</literal>’ and ‘<literal>${keep_destdir}</literal>’. See
<link linkend="Recipes">Special variables</link> for details.
</para>
</listitem></varlistentry><varlistentry><term><literal>-p</literal>
</term><term><literal>--prune</literal>
</term><listitem><para>Prune conflicts.
</para>
</listitem></varlistentry><varlistentry><term><literal>-P</literal>
</term><term><literal>--packagedir=<dir></literal>
</term><listitem><para>Set directory for package installations.
</para>
</listitem></varlistentry><varlistentry><term><literal>-t</literal>
</term><term><literal>--targetdir=<dir></literal>
</term><listitem><para>Set target directory for symbolic links.
</para>
</listitem></varlistentry><varlistentry><term><literal>-r</literal>
</term><term><literal>--rootdir=<dir></literal>
</term><listitem><para>Use the fully qualified named directory as the root directory for all qi
operations.
</para>
<para>Note: the target directory and the package directory will be
relative to the specified directory, excepting the graft log file.
</para></listitem></varlistentry></variablelist>
<para>Options when building software packages using recipes:
</para>
<variablelist><varlistentry><term><literal>-a</literal>
</term><term><literal>--architecture</literal>
</term><listitem><para>Set architecture name for the package.
</para>
</listitem></varlistentry><varlistentry><term><literal>-j</literal>
</term><term><literal>--jobs</literal>
</term><listitem><para>Parallel jobs for the compiler.
</para>
<para>This option sets the variable ‘<literal>${jobs}</literal>’. If not specified, default
sets to 1.
</para>
</listitem></varlistentry><varlistentry><term><literal>-S</literal>
</term><term><literal>--skip-questions</literal>
</term><listitem><para>Skip questions on completed recipes.
</para>
</listitem></varlistentry><varlistentry><term><literal>-1</literal>
</term><term><literal>--increment</literal>
</term><listitem><para>Increment release number (‘<literal>${release}</literal>’ + 1).
</para>
<para>The effect of this option will be omitted if –no-package is being used.
</para>
</listitem></varlistentry><varlistentry><term><literal>-n</literal>
</term><term><literal>--no-package</literal>
</term><listitem><para>Do not create a .tlz package.
</para>
</listitem></varlistentry><varlistentry><term><literal>-i</literal>
</term><term><literal>--install</literal>
</term><listitem><para>Install package after the build.
</para>
</listitem></varlistentry><varlistentry><term><literal>-u</literal>
</term><term><literal>--upgrade</literal>
</term><listitem><para>Upgrade package after the build.
</para>
</listitem></varlistentry><varlistentry><term><literal>-o</literal>
</term><term><literal>--outdir=<dir></literal>
</term><listitem><para>Where the packages produced will be written.
</para>
<para>This option sets the variable ‘<literal>${outdir}</literal>’.
</para>
</listitem></varlistentry><varlistentry><term><literal>-w</literal>
</term><term><literal>--worktree=<dir></literal>
</term><listitem><para>Where archives, patches, recipes are expected.
</para>
<para>This option sets the variable ‘<literal>${worktree}</literal>’.
</para>
</listitem></varlistentry><varlistentry><term><literal>-s</literal>
</term><term><literal>--sourcedir=<dir></literal>
</term><listitem><para>Where compressed sources will be found.
</para>
<para>This option sets the variable ‘<literal>${tardir}</literal>’.
</para></listitem></varlistentry></variablelist>
<para>Other options:
</para>
<variablelist><varlistentry><term><literal>-v</literal>
</term><term><literal>--verbose</literal>
</term><listitem><para>Be verbose (an extra -v gives more).
</para>
<para>It sets the verbosity level, default sets to 0.
</para>
<para>The value 1 is used for more verbosity while the value 2 is too detailed.
Although at the moment it is limited to graft(1) verbosity.
</para>
</listitem></varlistentry><varlistentry><term><literal>-N</literal>
</term><term><literal>--no-rc</literal>
</term><listitem><para>Do not read the configuration file.
</para>
<para>This will ignore reading the qirc file.
</para>
</listitem></varlistentry><varlistentry><term><literal>-L</literal>
</term><term><literal>--show-location</literal>
</term><listitem><para>Print default directory locations and exit.
</para>
<para>This will print the target directory, package directory, working tree,
the directory for sources, and the output directory for the packages
produced. The output will appear on STDOUT as follows:
</para>
<screen>QI_TARGETDIR=/usr/local
QI_PACKAGEDIR=/usr/local/pkgs
QI_WORKTREE=/usr/src/qi
QI_TARDIR=/usr/src/qi/sources
QI_OUTDIR=/var/cache/qi/packages
</screen>
<para>You can set these environment variables using one of the following methods:
</para>
<para><literal>eval "$(qi -L)"</literal>
</para>
<para>This will display the default locations taking into account the values set
from the qirc configuration file. You can deny the influence of the
configuration file by setting the option ‘<literal>-N</literal>’.
</para>
<para><literal>eval "$(qi -N -L)"</literal>
</para>
<para>Or you can adjust the new locations using the command-line options, e.g:
</para>
<para><literal>eval "$(qi -N --targetdir=/directory -L)"</literal>
</para>
</listitem></varlistentry><varlistentry><term><literal>-h</literal>
</term><term><literal>--help</literal>
</term><listitem><para>Display the usage and exit.
</para>
</listitem></varlistentry><varlistentry><term><literal>-V</literal>
</term><term><literal>--version</literal>
</term><listitem>
<para>This will print the (short) version information and then exit.
</para>
<para>The same can be achieved if Qi is invoked as ‘<literal>qi version</literal>’.
</para></listitem></varlistentry></variablelist>
<para>When FILE is -, qi can read from the standard input. See examples from
the <link linkend="Packages">Packages</link> section.
</para>
<para>Exit status: 0 for a normal exit, 1 for minor common errors (help usage,
support not available, etc), 2 to indicate a command execution error;
3 for integrity check error on compressed files, 4 for empty, not
regular, or expected files, 5 for empty or not defined variables,
6 when a package already exist, 10 for network manager errors.
For more details, see the <link linkend="Qi-exit-status">Qi exit status</link> section.
</para>
</chapter>
<chapter label="14" id="The-qirc-file">
<title>The qirc file</title>
<indexterm role="cp"><primary>configuration file</primary></indexterm>
<para>The global <filename>qirc</filename> file offers a way to define variables and tools
(such as a download manager) for default use. This file is used by qi
at runtime, e.g., to build, install, remove or upgrade packages.
</para>
<para>Variables and their possible values must be declared as any other
variable in the shell.
</para>
<para>The command line options related to the package directory and target
directory and some of the command line options used for the build command,
have the power to override the values declared on <filename>qirc</filename>.
See <link linkend="Invoking-qi">Invoking qi</link>.
</para>
<para>The order in which qi looks for this file is:
</para>
<orderedlist numeration="arabic"><listitem><para><envar>${HOME}/.qirc</envar>
Effective user.
</para>
</listitem><listitem><para>‘<literal>${sysconfdir}/qirc</literal>’
System-wide.
</para></listitem></orderedlist>
<para>If you intend to run qi as effective user, the file
‘<literal>${sysconfdir}/qirc</literal>’ could be copied to <envar>${HOME}/.qirc</envar>
setting the paths for ‘<literal>${packagedir}</literal>’ and ‘<literal>${targetdir}</literal>’
according to the <envar>$HOME</envar>.
</para>
</chapter>
<chapter label="15" id="Packages">
<title>Packages</title>
<indexterm role="cp"><primary>managing packages</primary></indexterm>
<para>A package is a suite of programs usually distributed in binary form
which may also contain manual pages, documentation, or any other file
associated to a specific software.
</para>
<para>The package format used by qi is a simplified POSIX pax archive
compressed using lzip<footnote><para>For more details about tarlz and the
lzip format, visit <ulink url="https://lzip.nongnu.org/tarlz.html">https://lzip.nongnu.org/tarlz.html</ulink>.</para></footnote>. The
file extension for packages ends in ‘<literal>.tlz</literal>’.
</para>
<para>Both package installation and package de-installation are managed using
two important (internal) variables: ‘<literal>${packagedir}</literal>’ and
‘<literal>${targetdir}</literal>’, these values can be changed in the
configuration file or via options.
</para>
<para>‘<literal>${packagedir}</literal>’ is a common directory tree where the package
contents will be decompressed (will reside).
</para>
<para>‘<literal>${targetdir}</literal>’ is a target directory where the links will be
made by graft(1) taking ‘<literal>${packagedir}/package_name</literal>’ into account.
</para>
<para>Packages are installed in self-contained directory trees and symbolic
links from a common area are made to the package files. This allows
multiple versions of the same package to coexist on the same system.
</para>
<sect1 label="15.1">
<title>Package conflicts</title>
<indexterm role="cp"><primary>package conflicts</primary></indexterm>
<para>All the links to install or remove a package are handled by graft(1).
Since multiple packages can be installed or removed at the same time,
certain conflicts may arise between the packages.
</para>
<para>graft<footnote><para>The official guide for Graft can be found at
<ulink url="https://peters.gormand.com.au/Home/tools/graft/graft.html">https://peters.gormand.com.au/Home/tools/graft/graft.html</ulink>.</para></footnote>
defines a CONFLICT as one of the following conditions:
</para>
<itemizedlist><listitem><para>If the package object is a directory and the target object exists but is
not a directory.
</para>
</listitem><listitem><para>If the package object is not a directory and the target object exists
and is not a symbolic link.
</para>
</listitem><listitem><para>If the package object is not a directory and the target object exists
and is a symbolic link to something other than the package object.
</para></listitem></itemizedlist>
<para>The default behavior of qi for an incoming package is to ABORT if a
conflict arises. When a package is going to be deleted, qi tells to
graft(1) to remove those parts that are not in conflict, leaving the
links to the belonging package. This behavior can be forced if the
–prune option is given.
</para>
</sect1>
<sect1 label="15.2">
<title>Installing packages</title>
<indexterm role="cp"><primary>package installation</primary></indexterm>
<para>To install a single package, simply type:
</para>
<screen>qi install coreutils_8.30_i586-1@tools.tlz
</screen>
<para>To install multiple packages at once, type:
</para>
<screen>qi install gcc_8.3.0_i586-1@devel.tlz rafaela_2.2_i586-1@legacy.tlz ...
</screen>
<para>Warn about the files that will be linked:
</para>
<screen>qi warn bash_5.0_i586-1@shells.tlz
</screen>
<para>This is to verify the content of a package before installing it.
</para>
<para>See the process of an installation:
</para>
<screen>qi install --verbose mariana_3.0_i586-1@woman.tlz
</screen>
<para>A second –verbose or -v option gives more (very verbose).
</para>
<para>Installing package in a different location:
</para>
<screen>qi install --rootdir=/media/floppy lzip_1.21_i586-1@compressors.tlz
</screen>
<para>Important: the –rootdir option assumes ‘<literal>${targetdir}</literal>’ and
‘<literal>${packagedir}</literal>’. See the following example:
</para>
<screen>qi install --rootdir=/home/selk lzip_1.21_i586-1@compressors.tlz
</screen>
<para>The content of "lzip_1.21_i586-1@compressors.tlz" will be decompressed
into ‘<literal>/home/selk/pkgs/lzip_1.21_i586-1@compressors</literal>’.
Assuming that the main binary for lzip is under
‘<literal>/home/selk/pkgs/lzip_1.21_i586-1@compressors/usr/bin/</literal>’
the target for "usr/bin" will be created at ‘<literal>/home/selk</literal>’. Considering
that you have exported the <envar>PATH</envar> as ‘<literal>${HOME}/usr/bin</literal>’, now the
system is able to see the recent lzip command.
</para>
<para>Installing from a list of packages using standard input:
</para>
<screen>qi install - < PACKAGELIST.txt
</screen>
<para>Or in combination with another tool:
</para><screen>sort -u PACKAGELIST.txt | qi install -
</screen>
<para>The sort command will read and sorts the list of declared packages,
while trying to have unique entries for each statement. The output
produced is captured by Qi to install each package.
</para>
<para>An example of a list containing package names is:
</para><screen>/var/cache/qi/packages/amd64/tcl_8.6.9_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/tk_8.6.9.1_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/vala_0.42.3_amd64-1@devel.tlz
</screen>
</sect1>
<sect1 label="15.3">
<title>Removing packages</title>
<indexterm role="cp"><primary>package de-installation</primary></indexterm>
<para>To remove a package, simply type:
</para>
<screen>qi remove xz_5.2.4_i586-1@compressors.tlz
</screen>
<para>Remove command will match the package name using ‘<literal>${packagedir}</literal>’ as
prefix. For example, if the value of ‘<literal>${packagedir}</literal>’ has been
set to /usr/pkg, this will be equal to:
</para>
<screen>qi remove /usr/pkg/xz_5.2.4_i586-1@compressors
</screen>
<para>Detailed output:
</para>
<screen>qi remove --verbose /usr/pkg/xz_5.2.4_i586-1@compressors
</screen>
<para>A second –verbose or -v option gives more (very verbose).
</para>
<para>By default the remove command does not preserve a package directory after
removing its links from ‘<literal>${targetdir}</literal>’, but this behavior can be
changed if the –keep option is passed:
</para>
<screen>qi remove --keep /usr/pkg/lzip_1.21_i586-1@compressors
</screen>
<para>This means that the links to the package can be reactivated, later:
</para>
<screen>cd /usr/pkg && graft -i lzip_1.21_i586-1@compressors
</screen>
<para>Removing package from a different location:
</para>
<screen>qi remove --rootdir=/home/cthulhu xz_5.2.4_i586-1@compressors
</screen>
<para>Removing a package using standard input:
</para>
<screen>echo vala_0.42.3_amd64-1@devel | qi remove -
</screen>
<para>This will match with the package directory.
</para>
</sect1>
<sect1 label="15.4">
<title>Upgrading packages</title>
<indexterm role="cp"><primary>package upgrade</primary></indexterm>
<para>The upgrade command inherits the properties of the installation and removal
process. To make sure that a package is updated, the package is installed
in a temporary directory taking ‘<literal>${packagedir}</literal>’ into account. Once
the incoming package is pre-installed, qi can proceed to search and delete
packages that have the same name (considered as previous ones). Finally,
the package is re-installed at its final location and the temporary
directory is removed.
</para>
<para>Since updating a package can be crucial and so to perform a successful
upgrade, from start to finish, you will want to ignore some important
system signals during the upgrade process, those signals are SIGHUP,
SIGINT, SIGQUIT, SIGABRT, and SIGTERM.
</para>
<para>To upgrade a package, just type:
</para>
<screen>qi upgrade gcc_9.0.1_i586-1@devel.tlz
</screen>
<para>This will proceed to upgrade "gcc_9.0.1_i586-1@devel" removing any other
version of "gcc" (if any).
</para>
<para>If you want to keep the package directories of versions found during the
upgrade process, just pass:
</para>
<screen>qi upgrade --keep gcc_9.0.1_i586-1@devel.tlz
</screen>
<para>To see the upgrade process:
</para>
<screen>qi upgrade --verbose gcc_9.0.1_i586-1@devel.tlz
</screen>
<para>A second –verbose or -v option gives more (very verbose).
</para>
<para>To force the upgrade of an existing package:
</para>
<screen>qi upgrade --force gcc_9.0.1_i586-1@devel.tlz
</screen>
<sect2 label="15.4.1">
<title>Package blacklist</title>
<indexterm role="cp"><primary>package blacklist</primary></indexterm>
<para>To implement general package facilities, either to install, remove or
maintain the hierarchy of packages in a clean manner, qi makes use of the
pruning operation via graft(1) by default:
</para>
<para>There is a risk if those are crucial packages for the proper functioning
of the system, because it implies the deactivation of symbolic from the
target directory, <emphasis>especially</emphasis> when transitioning an incoming package
into its final location during an upgrade.
</para>
<para>A blacklist of package names has been devised for the case where
a user decides to upgrade all the packages in the system, or
just the crucial ones, such as the C library.
</para>
<para>The blacklist is related to the upgrade command only, consists in installing
a package instead of updating it or removing previous versions of it;
the content of the package will be updated over the existing content at
‘<literal>${packagedir}</literal>’, while the existing links from
‘<literal>${targetdir}</literal>’ will be preserved. A pruning of links will be
carried out in order to re-link possible differences with the recent
content, this helps to avoid leaving dead links in the target directory.
</para>
<para>Package names for the blacklist to be declared must be set from the
configuration file. By default, it is declared using the package name,
which is more than enough for critical system packages, but if you want to
be more specific, you can declare a package using:
‘<literal>${pkgname}_${pkgversion}_${arch}-${release}</literal>’ where
the package category is avoided for common matching. See
<link linkend="Recipes">Special variables</link> for a description of these variables.
</para>
</sect2>
</sect1>
</chapter>
<chapter label="16" id="Recipes">
<title>Recipes</title>
<indexterm role="cp"><primary>recipes</primary></indexterm>
<para>A recipe is a file telling qi what to do. Most often, the recipe tells
qi how to build a binary package from a source tarball.
</para>
<para>A recipe has two parts: a list of variable definitions and a list of
sections. By convention, the syntax of a section is:
</para>
<screen>section_name()
{
section lines
}
</screen>
<para>The section name is followed by parentheses, one newline and an opening
brace. The line finishing the section contains just a closing brace.
The section names or the function names currently recognized are
‘<literal>build</literal>’.
</para>
<para>The ‘<literal>build</literal>’ section (or <emphasis role="bold">shell function</emphasis>) is an augmented
shell script that contains the main instructions to build software
from source.
</para>
<para>If there are other functions defined by the packager, Qi detects them
for later execution.
</para>
<sect1 label="16.1">
<title>Variables</title>
<indexterm role="cp"><primary>variables</primary></indexterm>
<para>A "variable" is a <emphasis role="bold">shell variable</emphasis> defined either in <filename>qirc</filename>
or in a recipe to represent a string of text, called the variable’s
"value". These values are substituted by explicit request in the
definitions of other variables or in calls to external commands.
</para>
<para>Variables can represent lists of file names, options to pass to
compilers, programs to run, directories to look in for source files,
directories to write output to, or anything else you can imagine.
</para>
<para>Definitions of variables in qi have four levels of precedence.
Options which define variables from the command-line override those
specified in the <filename>qirc</filename> file, while variables defined in the recipe
override those specified in <filename>qirc</filename>, taking priority over those
variables set by command-line options. Finally, the variables have
default values if they are not defined anywhere.
</para>
<para>Options that set variables through the command-line can only reference
variables defined in <filename>qirc</filename> and variables with default values.
</para>
<para>Definitions of variables in <filename>qirc</filename> can only reference variables
previously defined in <filename>qirc</filename> and variables with default values.
</para>
<para>Definitions of variables in the recipe can only reference variables
set by the command-line, variables previously defined in the recipe,
variables defined in <filename>qirc</filename>, and variables with default values.
</para>
</sect1>
<sect1 label="16.2">
<title>Special variables</title>
<indexterm role="cp"><primary>special variables</primary></indexterm>
<para>There are variables which can only be set using the command line options or
via <filename>qirc</filename>, there are other special variables which can be defined or
redefined in a recipe. See the following definitions:
</para>
<para>‘<literal>outdir</literal>’ is the directory where the packages produced are written.
This variable can be redefined per-recipe. Default sets to
‘<literal>/var/cache/qi/packages</literal>’.
</para>
<para>‘<literal>worktree</literal>’ is the working tree where archives, patches, and recipes
are expected. This variable can not be redefined in the recipe. Default
sets to ‘<literal>/usr/src/qi</literal>’.
</para>
<para>‘<literal>tardir</literal>’ is defined in the recipe to the directory where the tarball
containing the source can be found. The full name of the tarball is
composed as ‘<literal>${tardir}/$tarname</literal>’. Its value is available in the
recipe as ‘<literal>${tardir}</literal>’; a value of . for ‘<literal>tardir</literal>’ sets it to
the value of CWD (Current Working Directory), this is where the recipe
lives.
</para>
<para>‘<literal>arch</literal>’ is the architecture to compose the package name. Its value is
available in the recipe as ‘<literal>${arch}</literal>’. Default value is the one
that was set in the Qi configuration.
</para>
<para>‘<literal>jobs</literal>’ is the number of parallel jobs to pass to the compiler. Its
value is available in the recipe as ‘<literal>${jobs}</literal>’. The default value
is 1.
</para>
<para>The two variables ‘<literal>${srcdir}</literal>’ and ‘<literal>${destdir}</literal>’ can be
set in the recipe, as any other variable, but if they are not, qi uses
default values for them when building a package.
</para>
<para>‘<literal>srcdir</literal>’ contains the source code to be compiled, and defaults to
‘<literal>${program}-${version}</literal>’. ‘<literal>destdir</literal>’ is the place where the
built package will be installed, and defaults to
‘<literal>${TMPDIR}/package-${program}</literal>’.
</para>
<para>If ‘<literal>pkgname</literal>’ is left undefined, the special variable ‘<literal>program</literal>’
is assigned by default. If ‘<literal>pkgversion</literal>’ is left undefined, the
special variable ‘<literal>version</literal>’ is assigned by default.
</para>
<para>‘<literal>pkgname</literal>’ and ‘<literal>pkgversion</literal>’ along with: ‘<literal>version</literal>’, ‘<literal>arch</literal>’,
‘<literal>release</literal>’, and (optionally) ‘<literal>pkgcategory</literal>’ are used to produce the
package name in the form:
‘<literal>${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}].tlz</literal>’
</para>
<para>‘<literal>pkgcategory</literal>’ is an optional special variable that can be defined on the
recipe to categorize the package name. If it is defined, then the
package output will be composed as
‘<literal>${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}.tlz</literal>’.
Automatically, the value of ‘<literal>pkgcategory</literal>’ will be prefixed using the
‘<literal>@</literal>’ (at) symbol which will be added to the last part of the package name.
</para>
<para>A special variable called ‘<literal>replace</literal>’ can be used to declare package names
that will be replaced at installation time.
</para>
<para>The special variables ‘<literal>keep_srcdir</literal>’ and ‘<literal>keep_destdir</literal>’ are provided
in order to preserve the directories ‘<literal>${srcdir}</literal>’ or ‘<literal>${destdir}</literal>’,
if those exists as such. Note: The declaration of these variables are subject
to manual deactivation; its purpose in recipes is to preserve the directories
that relate to the package’s build (source) and destination directory, that is
so that another recipe can get a new package (or meta package) from there. For
example, the declarations can be done as:
</para>
<screen>keep_srcdir=keep_srcdir
keep_destdir=keep_destdir
</screen>
<para>Then from another recipe you would proceed to copy the necessary files that
will compose the meta package, from the main function you must deactivate
the variables at the end:
</para>
<screen>unset -v keep_srcdir keep_destdir
</screen>
<para>This will leave the ’keep_srcdir’ and ’keep_destdir’ variables blank to
continue with the rest of the recipes.
</para>
<para>The special variable ‘<literal>opt_skiprecipe</literal>’ is available when you need to
ignore a recipe cleanly, continuing with the next recipe. May you add a
conditional test then set it as ‘<literal>opt_skiprecipe=opt_skiprecipe</literal>’.
</para>
<para>The variable ‘<literal>tarlz_compression_options</literal>’ can be used to change the
default compression options in tarlz(1), default sets to ‘<literal>-9 --solid</literal>’.
For example if the variable is declared as:
</para>
<screen>tarlz_compression_options="-0 --bsolid"
</screen>
<para>It will change the granularity of tarlz(1) by using the ‘<literal>--bsolid</literal>’
option <footnote><para>About the ‘<literal>--bsolid</literal>’ granularity option of tarlz(1),
<ulink url="https://www.nongnu.org/lzip/manual/tarlz_manual.html#g_t_002d_002dbsolid">https://www.nongnu.org/lzip/manual/tarlz_manual.html#g_t_002d_002dbsolid</ulink>.</para></footnote>,
as well as increasing the compression speed by lowering the compression
level with ‘<literal>-0</literal>’.
</para>
<para>This is only recommended for recipes where testing, or faster processing is
desired to create the packaged file more quickly. It is not recommended for
production or general distribution of binary packages.
</para>
<para>A typical recipe contains the following variables:
</para>
<itemizedlist><listitem><para>‘<literal>program</literal>’: Software name.
</para>
<para>It matches the source name. It is also used to compose the name of the
package if ‘<literal>${pkgname}</literal>’ is not specified.
</para>
</listitem><listitem><para>‘<literal>version</literal>’: Software version.
</para>
<para>It matches the source name. It is also used to compose the version of the
package if ‘<literal>${pkgversion}</literal>’ is not specified.
</para>
</listitem><listitem><para>‘<literal>arch</literal>’: Software architecture.
</para>
<para>It is used to compose the architecture of the package in which it is
build.
</para>
</listitem><listitem><para>‘<literal>release</literal>’: Release number.
</para>
<para>This is used to reflect the release number of the package. It is
recommended to increase this number after any significant change in
the recipe or post-install script.
</para>
</listitem><listitem><para>‘<literal>pkgcategory</literal>’: Package category.
</para>
<para>Optional but recommended variable to categorize the package name when it is
created.
</para></listitem></itemizedlist>
<para>Obtaining sources over the network must be declared in the recipe using
the ‘<literal>fetch</literal>’ variable.
</para>
<para>The variables ‘<literal>netget</literal>’ and ‘<literal>rsync</literal>’ can be defined in <filename>qirc</filename>
to establish a network downloader in order to get the sources. If they
are not defined, qi uses default values:
</para>
<para>‘<literal>netget</literal>’ is the general network downloader tool, defaults sets to
‘<literal>wget2 -c -w1 -t3 --no-check-certificate</literal>’.
</para>
<para>‘<literal>rsync</literal>’ is the network tool for sources containing the prefix for
the RSYNC protocol, default sets to
‘<literal>rsync -v -a -L -z -i --progress</literal>’.
</para>
<para>The variable ‘<literal>description</literal>’ is used to print the package description
when a package is installed.
</para>
<para>A description has two parts: a brief description, and a long description.
By convention, the syntax of ‘<literal>description</literal>’ is:
</para>
<screen>description="
Brief description.
Long description.
"
</screen>
<para>The first line of the value represented is a brief description of the
software (called "blurb"). A blank line separates the <emphasis>brief
description</emphasis> from the <emphasis>long description</emphasis>, which should contain a more
descriptive description of the software.
</para>
<para>An example looks like:
</para>
<screen>description="
The GNU core utilities.
The GNU core utilities are the basic file, shell and text manipulation
utilities of the GNU operating system. These are the core utilities
which are expected to exist on every operating system.
"
</screen>
<para>Please consider a length limit of 78 characters as maximum, because the same
one would be used on the meta file creation. See
<link linkend="Recipes">The meta file</link> section.
</para>
<para>The ‘<literal>homepage</literal>’ variable is used to declare the main site or home page:
</para>
<screen>homepage=https://www.gnu.org/software/gcc
</screen>
<para>The variable ‘<literal>license</literal>’ is used for license information<footnote><para>The proposal for ‘<literal>license</literal>’ was made by Richard M. Stallman at
<ulink url="https://lists.gnu.org/archive/html/gnu-linux-libre/2016-05/msg00003.html">https://lists.gnu.org/archive/html/gnu-linux-libre/2016-05/msg00003.html</ulink>.</para></footnote>.
Some code in the program can be covered by license A, license B, or
license C. For "separate licensing" or "heterogeneous licensing", we
suggest using <emphasis role="bold">|</emphasis> for a disjunction, <emphasis role="bold">&</emphasis> for a conjunction
(if that ever happens in a significant way), and comma for heterogeneous
licensing. Comma would have lower precedence, plus added special terms.
</para>
<screen>license="LGPL, GPL | Artistic - added permission"
</screen>
</sect1>
<sect1 label="16.3">
<title>Writing recipes</title>
<indexterm role="cp"><primary>writing recipes</primary></indexterm>
<para>Originally, Qi was designed for the series of Dragora GNU/Linux-Libre 3;
this doesn’t mean you can’t use it in another distribution, just that if
you do, you’ll have to try it out for yourself. To help with this, here
are some references to well-written recipes:
</para>
<itemizedlist><listitem><para><ulink url="https://git.savannah.nongnu.org/cgit/dragora.git/tree/recipes">https://git.savannah.nongnu.org/cgit/dragora.git/tree/recipes</ulink>
</para></listitem><listitem><para><ulink url="https://notabug.org/dragora/dragora/src/master/recipes">https://notabug.org/dragora/dragora/src/master/recipes</ulink>
</para></listitem><listitem><para><ulink url="https://notabug.org/dragora/dragora-extras/src/master/recipes">https://notabug.org/dragora/dragora-extras/src/master/recipes</ulink>
</para></listitem><listitem><para><ulink url="https://git.savannah.nongnu.org/cgit/dragora/dragora-extras.git/tree/recipes">https://git.savannah.nongnu.org/cgit/dragora/dragora-extras.git/tree/recipes</ulink>
</para></listitem></itemizedlist>
</sect1>
<sect1 label="16.4">
<title>Building packages</title>
<indexterm role="cp"><primary>package build</primary></indexterm>
<para>A recipe is any valid regular file. Qi sets priorities for reading a
recipe, the order in which qi looks for a recipe is:
</para>
<orderedlist numeration="arabic"><listitem><para>Current working directory.
</para>
</listitem><listitem><para>If the specified path name does not contain "recipe" as the last
component. Qi will complete it by adding "recipe" to the path name.
</para>
</listitem><listitem><para>If the recipe is not in the current working directory, it will be
searched under ‘<literal>${worktree}/recipes</literal>’. The last component will be
completed adding "recipe" to the specified path name.
</para></listitem></orderedlist>
<para>To build a single package, type:
</para>
<screen>qi build x-apps/xterm
</screen>
<para>Multiple jobs can be passed to the compiler to speed up the build process:
</para>
<screen>qi build --jobs 3 x-apps/xterm
</screen>
<para>Update or install the produced package (if not already installed) when the
build command ends:
</para>
<screen>qi build -j3 --upgrade x-apps/xterm
</screen>
<para>Only process a recipe but do not create the binary package:
</para>
<screen>qi build --no-package dict/aspell
</screen>
<para>The options –install or –upgrade have no effect when –no-package
is given.
</para>
<para>This is useful to inspect the build process of the above recipe:
</para>
<para>qi build –keep –no-package dict/aspell 2>&1 | tee aspell-log.txt
</para>
<para>The –keep option could preserve the source directory and the destination
directory for later inspection. A log file of the build process will be
created redirecting both, standard error and standard output to tee(1).
</para>
</sect1>
<sect1 label="16.5">
<title>Variables from the environment</title>
<indexterm role="cp"><primary>environment variables</primary></indexterm>
<para>Qi has environment variables which can be used at build time:
</para>
<para>The variable <envar>TMPDIR</envar> sets the temporary directory for sources, which is
used for package extractions (see <link linkend="Examining-packages">Examining packages</link>) and is
prepended to the value of ‘<literal>${srcdir}</literal>’ and ‘<literal>${destdir}</literal>’ in
build command. By convention its default value is equal to
‘<literal>/usr/src/qi/build</literal>’.
</para>
<para>The variables <envar>QICFLAGS</envar>, <envar>QICXXFLAGS</envar>, <envar>QILDFLAGS</envar>, and
<envar>QICPPFLAGS</envar> have no effect by default. The environment variables
such as <envar>CFLAGS</envar>, <envar>CXXFLAGS</envar>, <envar>LDFLAGS</envar>, and <envar>CPPFLAGS</envar>
are unset at compile time:
</para>
<para>Recommended practice is to set variables in the command line of
‘<literal>configure</literal>’ or <emphasis>make(1)</emphasis> instead of exporting to the
environment. As follows:
</para>
<para><ulink url="https://www.gnu.org/software/make/manual/html_node/Environment.html">https://www.gnu.org/software/make/manual/html_node/Environment.html</ulink>
</para><blockquote><para>It is not wise for makefiles to depend for their functioning on environment
variables set up outside their control, since this would cause different
users to get different results from the same makefile. This is against the
whole purpose of most makefiles.
</para></blockquote>
<para>Setting environment variables for configure is deprecated because running
configure in varying environments can be dangerous.
</para>
<para><ulink url="https://gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Defining-Variables.html">https://gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Defining-Variables.html</ulink>
</para><blockquote><para>Variables not defined in a site shell script can be set in the environment
passed to configure. However, some packages may run configure again
during the build, and the customized values of these variables may be
lost. In order to avoid this problem, you should set them in the
configure command line, using ‘<literal>VAR=value</literal>’. For example:
</para>
<para><literal>./configure CC=/usr/local2/bin/gcc</literal>
</para></blockquote>
<para><ulink url="https://www.gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Setting-Output-Variables.html">https://www.gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Setting-Output-Variables.html</ulink>
</para><blockquote><para>If for instance the user runs ‘<literal>CC=bizarre-cc ./configure</literal>’, then the cache,
config.h, and many other output files depend upon bizarre-cc being the C
compiler. If for some reason the user runs ./configure again, or if it is
run via ‘<literal>./config.status --recheck</literal>’, (See Automatic Remaking, and see
config.status Invocation), then the configuration can be inconsistent,
composed of results depending upon two different compilers.
[...]
Indeed, while configure can notice the definition of CC in ‘<literal>./configure
CC=bizarre-cc</literal>’, it is impossible to notice it in ‘<literal>CC=bizarre-cc
./configure</literal>’, which, unfortunately, is what most users do.
[...]
configure: error: changes in the environment can compromise the build.
</para></blockquote>
<para>If the <envar>SOURCE_DATE_EPOCH</envar> environment variable is set to a UNIX timestamp
(defined as the number of seconds, excluding leap seconds, since 01 Jan 1970
00:00:00 UTC.); then the given timestamp will be used to overwrite any newer
timestamps on the package contents (when it is created). More information
about this can be found at
<ulink url="https://reproducible-builds.org/specs/source-date-epoch/">https://reproducible-builds.org/specs/source-date-epoch/</ulink>.
</para>
</sect1>
<sect1 label="16.6">
<title>The meta file</title>
<indexterm role="cp"><primary>the meta file</primary></indexterm>
<para>The "meta file" is a regular file created during the build process, it
contains information about the package such as package name, package
version, architecture, release, fetch address, description, and other
minor data extracted from processed recipes. The name of the file is
generated as ‘<literal>${full_pkgname}.tlz.txt</literal>’, and its purpose is to
reflect essential information to the user without having to look inside
the package content. The file format is also intended to be used by
other scripts or by common Unix tools.
</para>
<para>The content of a meta file looks like:
</para>
<screen>#
# Pattern scanning and processing language.
#
# The awk utility interprets a special-purpose programming language
# that makes it possible to handle simple data-reformatting jobs
# with just a few lines of code. It is a free version of 'awk'.
#
# GNU awk implements the AWK utility which is part of
# IEEE Std 1003.1 Shell and Utilities (XCU).
#
QICFLAGS="-O2"
QICXXFLAGS="-O2"
QILDFLAGS=""
QICPPFLAGS=""
pkgname=gawk
pkgversion=5.0.1
arch=amd64
release=1
pkgcategory="tools"
full_pkgname=gawk_5.0.1_amd64-1@tools
blurb="Pattern scanning and processing language."
homepage="https://www.gnu.org/software/gawk"
license="GPLv3+"
fetch="https://ftp.gnu.org/gnu/gawk/gawk-5.0.1.tar.lz"
replace=""
</screen>
<para>A package descriptions is extracted from the variable ‘<literal>description</literal>’
where each line is interpreted literally and pre-formatted to fit in
(exactly) <emphasis role="bold">80 columns</emphasis>, plus the character ‘<literal>#</literal>’ and a blank
space is prefixed to every line (shell comments).
</para>
<para>In addition to the Special variables, there are implicit variables such as
‘<literal>blurb</literal>’:
</para>
<para>The ‘<literal>blurb</literal>’ variable is related to the special variable
‘<literal>description</literal>’. Its value is made from the first (substantial)
line of ‘<literal>description</literal>’, mentioned as the "brief description".
</para>
<para>The build flags such as ‘<literal>QICFLAGS</literal>’, ‘<literal>QICXXFLAGS</literal>’,
‘<literal>QILDFLAGS</literal>’, and ‘<literal>QICPPFLAGS</literal>’ are only added to the meta file
if the declared variable ‘<literal>arch</literal>’ is not equal to the "noarch" value.
</para>
</sect1>
</chapter>
<chapter label="17" id="Order-files">
<title>Order files</title>
<indexterm role="cp"><primary>handling build order</primary></indexterm>
<para>The order command has the purpose of resolving the build order through
.order files. An order file contains a list of recipe names, by default
does not perform any action other than to print a resolved list in
descending order. For example, if <emphasis role="bold">a</emphasis> depends on <emphasis role="bold">b</emphasis> and
<emphasis role="bold">c</emphasis>, and <emphasis role="bold">c</emphasis> depends on <emphasis role="bold">b</emphasis> as well, the file might
look like:
</para>
<screen>a: c b
b:
c: b
</screen>
<para>Each letter represents a recipe name, complete dependencies for
the first recipe name are listed in descending order, which is
printed from right to left, and removed from left to right:
</para>
<para>OUTPUT
</para>
<screen>b
c
a
</screen>
<para>Blank lines, colons and parentheses are simply ignored. Comment lines
beginning with ‘<literal>#</literal>’ are allowed.
</para>
<para>An order file could be used to build a series of packages, for example,
if the content is:
</para>
<screen># Image handling libraries
libs/libjpeg-turbo: devel/nasm
x-libs/jasper: libs/libjpeg-turbo
libs/tiff: libs/libjpeg-turbo
</screen>
<para>To proceed with each recipe, we can type:
</para>
<screen>qi order imglibs.order | qi build --install -
</screen>
<para>The output of ‘<literal>qi order imglibs.order</literal>’ tells to qi in which order it
should build the recipes:
</para>
<screen>devel/nasm
libs/libjpeg-turbo
x-libs/jasper
libs/tiff
</screen>
</chapter>
<chapter label="18" id="Creating-packages">
<title>Creating packages</title>
<indexterm role="cp"><primary>package creation</primary></indexterm>
<para>The creation command is an internal function of qi to make new Qi
compatible packages. A package is produced using the contents of
the Current Working Directory and the package file is written out.
</para>
<screen>Usage: qi create [<replaceable>Output/PackageName.tlz</replaceable>]...
</screen>
<para>The argument for the file name to be written must contain a fully
qualified named directory as the output directory where the package
produced will be written. The file name should be composed using the
full name: name-version-architecture-release[@pkgcategory].tlz
</para>
<para>EXAMPLE
</para>
<screen>cd /usr/pkg
cd claws-mail_3.17.1_amd64-1@x-apps
qi create /var/cache/qi/packages/claws-mail_3.17.1_amd64-1@x-apps
</screen>
<para>In this case, the package "claws-mail_3.17.1_amd64-1@x-apps" will be
written into ‘<literal>/var/cache/qi/packages/</literal>’.
</para>
<para>All packages produced are complemented by a checksum file (.sha256).
</para>
</chapter>
<chapter label="19" id="Examining-packages">
<title>Examining packages</title>
<indexterm role="cp"><primary>package examination</primary></indexterm>
<para>The extraction command serves to examine binary packages for debugging
purposes. It decompresses a package into a single directory, verifying
its integrity and preserving all of its properties (owner and permissions).
</para>
<screen>Usage: qi extract [<replaceable>packagename.tlz</replaceable>]...
</screen>
<para>EXAMPLE
</para>
<screen>qi extract mksh_R56c_amd64-1@shells.tlz
</screen>
<para>This action will put the content of "mksh_R56c_amd64-1@shells.tlz" into a
single directory, this is a private directory for the user who requested
the action, creation operation will be equal to <emphasis role="bold">u=rwx,g=,o= (0700)</emphasis>.
The package content will reside on this location, default mask to deploy
the content will be equal to <emphasis role="bold">u=rwx,g=rwx,o=rwx (0000)</emphasis>.
</para>
<para>Note: the creation of the custom directory is influenced by the value
of the <envar>TMPDIR</envar> variable.
</para>
</chapter>
<chapter label="20" id="Qi-exit-status">
<title>Qi exit status</title>
<indexterm role="cp"><primary>exit codes</primary></indexterm>
<para>All the exit codes are described in this chapter.
</para>
<variablelist><varlistentry><term>‘<literal>0</literal>’
</term><listitem><para>Successful completion (no errors).
</para>
</listitem></varlistentry><varlistentry><term>‘<literal>1</literal>’
</term><listitem><para>Minor common errors:
</para>
<itemizedlist><listitem><para>Help usage on invalid options or required arguments.
</para>
</listitem><listitem><para>Program needed by qi (prerequisite) is not available.
</para></listitem></itemizedlist>
</listitem></varlistentry><varlistentry><term>‘<literal>2</literal>’
</term><listitem><para>Command execution error:
</para>
<para>This code is used to return the evaluation of an external command or shell
arguments in case of failure.
</para>
</listitem></varlistentry><varlistentry><term>‘<literal>3</literal>’
</term><listitem><para>Integrity check error for compressed files.
</para>
<para>Compressed files means:
</para>
<itemizedlist><listitem><para>A tarball file from tar(1), typically handled by the GNU tar implementation.
Supported extensions: .tar, .tar.gz, .tgz, .tar.Z, .tar.bz2, .tbz2, .tbz,
.tar.xz, .txz, .tar.zst, .tzst
</para>
</listitem><listitem><para>A tarball file from tarlz(1).
Supported extensions: .tar.lz, .tlz
</para>
</listitem><listitem><para>Zip files from unzip(1).
Supported extensions: .zip, .ZIP
</para>
</listitem><listitem><para>Gzip files from gzip(1).
Supported extensions: .gz, .Z
</para>
</listitem><listitem><para>Bzip2 files from bzip2(1).
Supported extension: .bz2
</para>
</listitem><listitem><para>Lzip files from lzip(1).
Supported extension: .lz
</para>
</listitem><listitem><para>Xz files from xz(1).
Supported extension: .xz
</para>
</listitem><listitem><para>Zstd files from zstd(1).
Supported extension: .zst
</para></listitem></itemizedlist>
</listitem></varlistentry><varlistentry><term>‘<literal>4</literal>’
</term><listitem><para>File empty, not regular, or expected.
</para>
<para>It’s commonly expected:
</para>
<itemizedlist><listitem><para>An argument for giving commands.
</para>
</listitem><listitem><para>A regular file or readable directory.
</para>
</listitem><listitem><para>An expected extension: .tlz, .sha256, .order.
</para>
</listitem><listitem><para>A protocol supported by the network downloader tool.
</para></listitem></itemizedlist>
</listitem></varlistentry><varlistentry><term>‘<literal>5</literal>’
</term><listitem><para>Empty or not defined variable:
</para>
<para>This code is used to report empty or undefined variables (usually
variables coming from a recipe or assigned arrays that are tested).
</para>
</listitem></varlistentry><varlistentry><term>‘<literal>6</literal>’
</term><listitem><para>Package already installed:
</para>
<para>The package directory for an incoming .tlz package already exists.
</para>
</listitem></varlistentry><varlistentry><term>‘<literal>10</literal>’
</term><listitem><para>Network manager error:
</para>
<para>This code is used if the network downloader tool fails for some reason.
</para></listitem></varlistentry></variablelist>
</chapter>
<chapter label="21" id="Getting-support">
<title>Getting support</title>
<indexterm role="cp"><primary>getting support</primary></indexterm>
<para>Dragora’s home page can be found at <ulink url="https://www.dragora.org">https://www.dragora.org</ulink>.
 Bug reports or suggestions can be sent to <email>dragora-users@nongnu.org</email>.
</para>
</chapter>
<chapter label="22" id="Contributing-to-Dragora">
<title>Contributing to Dragora</title>
<indexterm role="cp"><primary>contributing to dragora</primary></indexterm>
<para>TODO (introductory text here).
</para>
<sect1 label="22.1">
<title>How to place a mirror</title>
<indexterm role="cp"><primary>how to place a mirror</primary></indexterm>
<para>If there’s no Dragora mirror near you, you’re welcome to contribute one.
</para>
<para>First, for users or downloaders, the address <emphasis>rsync://rsync.dragora.org/</emphasis>
contains ISO images and source code (in various formats) taken from the
original sites and distributed by Dragora.
</para>
<para>Mirroring the Dragora server requires approximately 13GB of disk space (as
of January 2022). You can hit rsync directly from <emphasis>rsync.dragora.org</emphasis> as:
</para>
<para><literal>rsync -rltpHS --delete-excluded rsync://rsync.dragora.org/dragora /your/dir/</literal>
</para>
<para>Also, consider mirroring from another site in order to reduce load on the
Dragora server. The listed sites at
<ulink url="https://www.dragora.org/en/get/mirrors/index.html">https://www.dragora.org/en/get/mirrors/index.html</ulink> provide access to all
the material on rsync.dragora.org. They update from us nightly (at least),
and you may access them via rsync with the same options as above.
</para>
<para>Note:
</para>
<para>We keep a file called "timestamp" under the main tree after each
synchronization. This file can be used to verify, instead of synchronizing
all the content at once, you can check if this file has been updated and
then continue with the full synchronization.
</para>
</sect1>
</chapter>
<appendix label="A" id="GNU-Free-Documentation-License">
<title>GNU Free Documentation License</title>
<!-- The GNU Free Documentation License. -->
Version 1.3, 3 November 2008
<!-- This file is intended to be included within another document, -->
<!-- hence no sectioning command or @node. -->
<literallayout>Copyright © 2000, 2001, 2002, 2007, 2008 Free Software Foundation, Inc.
<ulink url="https://fsf.org/">https://fsf.org/</ulink>
Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.
</literallayout>
<orderedlist numeration="arabic"><listitem><para>PREAMBLE
</para>
<para>The purpose of this License is to make a manual, textbook, or other
functional and useful document <firstterm>free</firstterm> in the sense of freedom: to
assure everyone the effective freedom to copy and redistribute it,
with or without modifying it, either commercially or noncommercially.
Secondarily, this License preserves for the author and publisher a way
to get credit for their work, while not being considered responsible
for modifications made by others.
</para>
<para>This License is a kind of “copyleft”, which means that derivative
works of the document must themselves be free in the same sense. It
complements the GNU General Public License, which is a copyleft
license designed for free software.
</para>
<para>We have designed this License in order to use it for manuals for free
software, because free software needs free documentation: a free
program should come with manuals providing the same freedoms that the
software does. But this License is not limited to software manuals;
it can be used for any textual work, regardless of subject matter or
whether it is published as a printed book. We recommend this License
principally for works whose purpose is instruction or reference.
</para>
</listitem><listitem><para>APPLICABILITY AND DEFINITIONS
</para>
<para>This License applies to any manual or other work, in any medium, that
contains a notice placed by the copyright holder saying it can be
distributed under the terms of this License. Such a notice grants a
world-wide, royalty-free license, unlimited in duration, to use that
work under the conditions stated herein. The “Document”, below,
refers to any such manual or work. Any member of the public is a
licensee, and is addressed as “you”. You accept the license if you
copy, modify or distribute the work in a way requiring permission
under copyright law.
</para>
<para>A “Modified Version” of the Document means any work containing the
Document or a portion of it, either copied verbatim, or with
modifications and/or translated into another language.
</para>
<para>A “Secondary Section” is a named appendix or a front-matter section
of the Document that deals exclusively with the relationship of the
publishers or authors of the Document to the Document’s overall
subject (or to related matters) and contains nothing that could fall
directly within that overall subject. (Thus, if the Document is in
part a textbook of mathematics, a Secondary Section may not explain
any mathematics.) The relationship could be a matter of historical
connection with the subject or with related matters, or of legal,
commercial, philosophical, ethical or political position regarding
them.
</para>
<para>The “Invariant Sections” are certain Secondary Sections whose titles
are designated, as being those of Invariant Sections, in the notice
that says that the Document is released under this License. If a
section does not fit the above definition of Secondary then it is not
allowed to be designated as Invariant. The Document may contain zero
Invariant Sections. If the Document does not identify any Invariant
Sections then there are none.
</para>
<para>The “Cover Texts” are certain short passages of text that are listed,
as Front-Cover Texts or Back-Cover Texts, in the notice that says that
the Document is released under this License. A Front-Cover Text may
be at most 5 words, and a Back-Cover Text may be at most 25 words.
</para>
<para>A “Transparent” copy of the Document means a machine-readable copy,
represented in a format whose specification is available to the
general public, that is suitable for revising the document
straightforwardly with generic text editors or (for images composed of
pixels) generic paint programs or (for drawings) some widely available
drawing editor, and that is suitable for input to text formatters or
for automatic translation to a variety of formats suitable for input
to text formatters. A copy made in an otherwise Transparent file
format whose markup, or absence of markup, has been arranged to thwart
or discourage subsequent modification by readers is not Transparent.
An image format is not Transparent if used for any substantial amount
of text. A copy that is not “Transparent” is called “Opaque”.
</para>
<para>Examples of suitable formats for Transparent copies include plain
ASCII without markup, Texinfo input format, La&tex; input
format, SGML or XML using a publicly available
DTD, and standard-conforming simple HTML,
PostScript or PDF designed for human modification. Examples
of transparent image formats include PNG, XCF and
JPG. Opaque formats include proprietary formats that can be
read and edited only by proprietary word processors, SGML or
XML for which the DTD and/or processing tools are
not generally available, and the machine-generated HTML,
PostScript or PDF produced by some word processors for
output purposes only.
</para>
<para>The “Title Page” means, for a printed book, the title page itself,
plus such following pages as are needed to hold, legibly, the material
this License requires to appear in the title page. For works in
formats which do not have any title page as such, “Title Page” means
the text near the most prominent appearance of the work’s title,
preceding the beginning of the body of the text.
</para>
<para>The “publisher” means any person or entity that distributes copies
of the Document to the public.
</para>
<para>A section “Entitled XYZ” means a named subunit of the Document whose
title either is precisely XYZ or contains XYZ in parentheses following
text that translates XYZ in another language. (Here XYZ stands for a
specific section name mentioned below, such as “Acknowledgements”,
“Dedications”, “Endorsements”, or “History”.) To “Preserve the Title”
of such a section when you modify the Document means that it remains a
section “Entitled XYZ” according to this definition.
</para>
<para>The Document may include Warranty Disclaimers next to the notice which
states that this License applies to the Document. These Warranty
Disclaimers are considered to be included by reference in this
License, but only as regards disclaiming warranties: any other
implication that these Warranty Disclaimers may have is void and has
no effect on the meaning of this License.
</para>
</listitem><listitem><para>VERBATIM COPYING
</para>
<para>You may copy and distribute the Document in any medium, either
commercially or noncommercially, provided that this License, the
copyright notices, and the license notice saying this License applies
to the Document are reproduced in all copies, and that you add no other
conditions whatsoever to those of this License. You may not use
technical measures to obstruct or control the reading or further
copying of the copies you make or distribute. However, you may accept
compensation in exchange for copies. If you distribute a large enough
number of copies you must also follow the conditions in section 3.
</para>
<para>You may also lend copies, under the same conditions stated above, and
you may publicly display copies.
</para>
</listitem><listitem><para>COPYING IN QUANTITY
</para>
<para>If you publish printed copies (or copies in media that commonly have
printed covers) of the Document, numbering more than 100, and the
Document’s license notice requires Cover Texts, you must enclose the
copies in covers that carry, clearly and legibly, all these Cover
Texts: Front-Cover Texts on the front cover, and Back-Cover Texts on
the back cover. Both covers must also clearly and legibly identify
you as the publisher of these copies. The front cover must present
the full title with all words of the title equally prominent and
visible. You may add other material on the covers in addition.
Copying with changes limited to the covers, as long as they preserve
the title of the Document and satisfy these conditions, can be treated
as verbatim copying in other respects.
</para>
<para>If the required texts for either cover are too voluminous to fit
legibly, you should put the first ones listed (as many as fit
reasonably) on the actual cover, and continue the rest onto adjacent
pages.
</para>
<para>If you publish or distribute Opaque copies of the Document numbering
more than 100, you must either include a machine-readable Transparent
copy along with each Opaque copy, or state in or with each Opaque copy
a computer-network location from which the general network-using
public has access to download using public-standard network protocols
a complete Transparent copy of the Document, free of added material.
If you use the latter option, you must take reasonably prudent steps,
when you begin distribution of Opaque copies in quantity, to ensure
that this Transparent copy will remain thus accessible at the stated
location until at least one year after the last time you distribute an
Opaque copy (directly or through your agents or retailers) of that
edition to the public.
</para>
<para>It is requested, but not required, that you contact the authors of the
Document well before redistributing any large number of copies, to give
them a chance to provide you with an updated version of the Document.
</para>
</listitem><listitem><para>MODIFICATIONS
</para>
<para>You may copy and distribute a Modified Version of the Document under
the conditions of sections 2 and 3 above, provided that you release
the Modified Version under precisely this License, with the Modified
Version filling the role of the Document, thus licensing distribution
and modification of the Modified Version to whoever possesses a copy
of it. In addition, you must do these things in the Modified Version:
</para>
<orderedlist numeration="upperalpha"><listitem><para>Use in the Title Page (and on the covers, if any) a title distinct
from that of the Document, and from those of previous versions
(which should, if there were any, be listed in the History section
of the Document). You may use the same title as a previous version
if the original publisher of that version gives permission.
</para>
</listitem><listitem><para>List on the Title Page, as authors, one or more persons or entities
responsible for authorship of the modifications in the Modified
Version, together with at least five of the principal authors of the
Document (all of its principal authors, if it has fewer than five),
unless they release you from this requirement.
</para>
</listitem><listitem><para>State on the Title page the name of the publisher of the
Modified Version, as the publisher.
</para>
</listitem><listitem><para>Preserve all the copyright notices of the Document.
</para>
</listitem><listitem><para>Add an appropriate copyright notice for your modifications
adjacent to the other copyright notices.
</para>
</listitem><listitem><para>Include, immediately after the copyright notices, a license notice
giving the public permission to use the Modified Version under the
terms of this License, in the form shown in the Addendum below.
</para>
</listitem><listitem><para>Preserve in that license notice the full lists of Invariant Sections
and required Cover Texts given in the Document’s license notice.
</para>
</listitem><listitem><para>Include an unaltered copy of this License.
</para>
</listitem><listitem><para>Preserve the section Entitled “History”, Preserve its Title, and add
to it an item stating at least the title, year, new authors, and
publisher of the Modified Version as given on the Title Page. If
there is no section Entitled “History” in the Document, create one
stating the title, year, authors, and publisher of the Document as
given on its Title Page, then add an item describing the Modified
Version as stated in the previous sentence.
</para>
</listitem><listitem><para>Preserve the network location, if any, given in the Document for
public access to a Transparent copy of the Document, and likewise
the network locations given in the Document for previous versions
it was based on. These may be placed in the “History” section.
You may omit a network location for a work that was published at
least four years before the Document itself, or if the original
publisher of the version it refers to gives permission.
</para>
</listitem><listitem><para>For any section Entitled “Acknowledgements” or “Dedications”, Preserve
the Title of the section, and preserve in the section all the
substance and tone of each of the contributor acknowledgements and/or
dedications given therein.
</para>
</listitem><listitem><para>Preserve all the Invariant Sections of the Document,
unaltered in their text and in their titles. Section numbers
or the equivalent are not considered part of the section titles.
</para>
</listitem><listitem><para>Delete any section Entitled “Endorsements”. Such a section
may not be included in the Modified Version.
</para>
</listitem><listitem><para>Do not retitle any existing section to be Entitled “Endorsements” or
to conflict in title with any Invariant Section.
</para>
</listitem><listitem><para>Preserve any Warranty Disclaimers.
</para></listitem></orderedlist>
<para>If the Modified Version includes new front-matter sections or
appendices that qualify as Secondary Sections and contain no material
copied from the Document, you may at your option designate some or all
of these sections as invariant. To do this, add their titles to the
list of Invariant Sections in the Modified Version’s license notice.
These titles must be distinct from any other section titles.
</para>
<para>You may add a section Entitled “Endorsements”, provided it contains
nothing but endorsements of your Modified Version by various
parties—for example, statements of peer review or that the text has
been approved by an organization as the authoritative definition of a
standard.
</para>
<para>You may add a passage of up to five words as a Front-Cover Text, and a
passage of up to 25 words as a Back-Cover Text, to the end of the list
of Cover Texts in the Modified Version. Only one passage of
Front-Cover Text and one of Back-Cover Text may be added by (or
through arrangements made by) any one entity. If the Document already
includes a cover text for the same cover, previously added by you or
by arrangement made by the same entity you are acting on behalf of,
you may not add another; but you may replace the old one, on explicit
permission from the previous publisher that added the old one.
</para>
<para>The author(s) and publisher(s) of the Document do not by this License
give permission to use their names for publicity for or to assert or
imply endorsement of any Modified Version.
</para>
</listitem><listitem><para>COMBINING DOCUMENTS
</para>
<para>You may combine the Document with other documents released under this
License, under the terms defined in section 4 above for modified
versions, provided that you include in the combination all of the
Invariant Sections of all of the original documents, unmodified, and
list them all as Invariant Sections of your combined work in its
license notice, and that you preserve all their Warranty Disclaimers.
</para>
<para>The combined work need only contain one copy of this License, and
multiple identical Invariant Sections may be replaced with a single
copy. If there are multiple Invariant Sections with the same name but
different contents, make the title of each such section unique by
adding at the end of it, in parentheses, the name of the original
author or publisher of that section if known, or else a unique number.
Make the same adjustment to the section titles in the list of
Invariant Sections in the license notice of the combined work.
</para>
<para>In the combination, you must combine any sections Entitled “History”
in the various original documents, forming one section Entitled
“History”; likewise combine any sections Entitled “Acknowledgements”,
and any sections Entitled “Dedications”. You must delete all
sections Entitled “Endorsements.”
</para>
</listitem><listitem><para>COLLECTIONS OF DOCUMENTS
</para>
<para>You may make a collection consisting of the Document and other documents
released under this License, and replace the individual copies of this
License in the various documents with a single copy that is included in
the collection, provided that you follow the rules of this License for
verbatim copying of each of the documents in all other respects.
</para>
<para>You may extract a single document from such a collection, and distribute
it individually under this License, provided you insert a copy of this
License into the extracted document, and follow this License in all
other respects regarding verbatim copying of that document.
</para>
</listitem><listitem><para>AGGREGATION WITH INDEPENDENT WORKS
</para>
<para>A compilation of the Document or its derivatives with other separate
and independent documents or works, in or on a volume of a storage or
distribution medium, is called an “aggregate” if the copyright
resulting from the compilation is not used to limit the legal rights
of the compilation’s users beyond what the individual works permit.
When the Document is included in an aggregate, this License does not
apply to the other works in the aggregate which are not themselves
derivative works of the Document.
</para>
<para>If the Cover Text requirement of section 3 is applicable to these
copies of the Document, then if the Document is less than one half of
the entire aggregate, the Document’s Cover Texts may be placed on
covers that bracket the Document within the aggregate, or the
electronic equivalent of covers if the Document is in electronic form.
Otherwise they must appear on printed covers that bracket the whole
aggregate.
</para>
</listitem><listitem><para>TRANSLATION
</para>
<para>Translation is considered a kind of modification, so you may
distribute translations of the Document under the terms of section 4.
Replacing Invariant Sections with translations requires special
permission from their copyright holders, but you may include
translations of some or all Invariant Sections in addition to the
original versions of these Invariant Sections. You may include a
translation of this License, and all the license notices in the
Document, and any Warranty Disclaimers, provided that you also include
the original English version of this License and the original versions
of those notices and disclaimers. In case of a disagreement between
the translation and the original version of this License or a notice
or disclaimer, the original version will prevail.
</para>
<para>If a section in the Document is Entitled “Acknowledgements”,
“Dedications”, or “History”, the requirement (section 4) to Preserve
its Title (section 1) will typically require changing the actual
title.
</para>
</listitem><listitem><para>TERMINATION
</para>
<para>You may not copy, modify, sublicense, or distribute the Document
except as expressly provided under this License. Any attempt
otherwise to copy, modify, sublicense, or distribute it is void, and
will automatically terminate your rights under this License.
</para>
<para>However, if you cease all violation of this License, then your license
from a particular copyright holder is reinstated (a) provisionally,
unless and until the copyright holder explicitly and finally
terminates your license, and (b) permanently, if the copyright holder
fails to notify you of the violation by some reasonable means prior to
60 days after the cessation.
</para>
<para>Moreover, your license from a particular copyright holder is
reinstated permanently if the copyright holder notifies you of the
violation by some reasonable means, this is the first time you have
received notice of violation of this License (for any work) from that
copyright holder, and you cure the violation prior to 30 days after
your receipt of the notice.
</para>
<para>Termination of your rights under this section does not terminate the
licenses of parties who have received copies or rights from you under
this License. If your rights have been terminated and not permanently
reinstated, receipt of a copy of some or all of the same material does
not give you any rights to use it.
</para>
</listitem><listitem><para>FUTURE REVISIONS OF THIS LICENSE
</para>
<para>The Free Software Foundation may publish new, revised versions
of the GNU Free Documentation License from time to time. Such new
versions will be similar in spirit to the present version, but may
differ in detail to address new problems or concerns. See
<ulink url="https://www.gnu.org/licenses/">https://www.gnu.org/licenses/</ulink>.
</para>
<para>Each version of the License is given a distinguishing version number.
If the Document specifies that a particular numbered version of this
License “or any later version” applies to it, you have the option of
following the terms and conditions either of that specified version or
of any later version that has been published (not as a draft) by the
Free Software Foundation. If the Document does not specify a version
number of this License, you may choose any version ever published (not
as a draft) by the Free Software Foundation. If the Document
specifies that a proxy can decide which future versions of this
License can be used, that proxy’s public statement of acceptance of a
version permanently authorizes you to choose that version for the
Document.
</para>
</listitem><listitem><para>RELICENSING
</para>
<para>“Massive Multiauthor Collaboration Site” (or “MMC Site”) means any
World Wide Web server that publishes copyrightable works and also
provides prominent facilities for anybody to edit those works. A
public wiki that anybody can edit is an example of such a server. A
“Massive Multiauthor Collaboration” (or “MMC”) contained in the
site means any set of copyrightable works thus published on the MMC
site.
</para>
<para>“CC-BY-SA” means the Creative Commons Attribution-Share Alike 3.0
license published by Creative Commons Corporation, a not-for-profit
corporation with a principal place of business in San Francisco,
California, as well as future copyleft versions of that license
published by that same organization.
</para>
<para>“Incorporate” means to publish or republish a Document, in whole or
in part, as part of another Document.
</para>
<para>An MMC is “eligible for relicensing” if it is licensed under this
License, and if all works that were first published under this License
somewhere other than this MMC, and subsequently incorporated in whole
or in part into the MMC, (1) had no cover texts or invariant sections,
and (2) were thus incorporated prior to November 1, 2008.
</para>
<para>The operator of an MMC Site may republish an MMC contained in the site
under CC-BY-SA on the same site at any time before August 1, 2009,
provided the MMC is eligible for relicensing.
</para>
</listitem></orderedlist>
<bridgehead renderas="sect1">ADDENDUM: How to use this License for your documents</bridgehead>
<para>To use this License in a document you have written, include a copy of
the License in the document and put the following copyright and
license notices just after the title page:
</para>
<screen> Copyright (C) <replaceable>year</replaceable> <replaceable>your name</replaceable>.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3
or any later version published by the Free Software Foundation;
with no Invariant Sections, no Front-Cover Texts, and no Back-Cover
Texts. A copy of the license is included in the section entitled ``GNU
Free Documentation License''.
</screen>
<para>If you have Invariant Sections, Front-Cover Texts and Back-Cover Texts,
replace the “with…Texts.” line with this:
</para>
<screen> with the Invariant Sections being <replaceable>list their titles</replaceable>, with
the Front-Cover Texts being <replaceable>list</replaceable>, and with the Back-Cover Texts
being <replaceable>list</replaceable>.
</screen>
<para>If you have Invariant Sections without Cover Texts, or some other
combination of the three, merge those two alternatives to suit the
situation.
</para>
<para>If your document contains nontrivial examples of program code, we
recommend releasing these examples in parallel under your choice of
free software license, such as the GNU General Public License,
to permit their use in free software.
</para>
<!-- Local Variables: -->
<!-- ispell-local-pdict: "ispell-dict" -->
<!-- End: -->
</appendix>
<chapter label="" id="Index">
<title>Index</title>
<index role="cp"></index>
</chapter>
</book>
| bkmgit/dragora | en/manual/dragora-handbook.doc | doc | unknown | 93,599 |
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<!-- Copyright (C) 2020-2023 The Dragora Team.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts. -->
<!-- Created by GNU Texinfo 6.7, http://www.gnu.org/software/texinfo/ -->
<head>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
<title>Dragora 3.0 Handbook</title>
<meta name="description" content="Dragora 3.0 Handbook">
<meta name="keywords" content="Dragora 3.0 Handbook">
<meta name="resource-type" content="document">
<meta name="distribution" content="global">
<meta name="Generator" content="makeinfo">
<link href="#Top" rel="start" title="Top">
<link href="#Index" rel="index" title="Index">
<style type="text/css">
<!--
/*
* handbook.css
* CSS stylesheet based on the Dragora GNU/Linux-Libre website
* (https://www.dragora.org)
*
*
* Copyright (C)
* 2019-2021, Matias Fonzo and Michael Siegel
* 2019 Chris F. A. Johnson
* 2023 Matias Fonzo
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
a.summary-letter {text-decoration: none}
blockquote.indentedblock {margin-right: 0em}
div.display {margin-left: 3.2em}
div.example {margin-left: 3.2em}
div.lisp {margin-left: 3.2em}
kbd {font-style: oblique}
pre.display {font-family: inherit}
pre.format {font-family: inherit}
pre.menu-comment {font-family: serif}
pre.menu-preformatted {font-family: serif}
span.nolinebreak {white-space: nowrap}
span.roman {font-family: initial; font-weight: normal}
span.sansserif {font-family: sans-serif; font-weight: normal}
ul.no-bullet {list-style: none}
body {
font-family:Helvetica,"Helvetica Neue",DejaVuSans,FreeSans,"Nimbus Sans L",sans-serif;
font-size:18px;
background-color:#ffffff;
color:#000000;
}
/** Headings **/
h1 {
margin:0;
font-size:2.33rem;
color:#4169e1;
}
h2 {
margin-top:1.5rem;
margin-bottom:1.33rem;
font-size:1.67rem;
color:#4682b4;
}
h3 {
margin-top:1.33rem;
margin-bottom:1.17rem;
font-size:1.5rem;
color:#4682b4;
}
h4 {
margin-top:1.17rem;
margin-bottom:1rem;
font-size:1.17rem;
color:#4682b4;
}
/** Paragraphs **/
p {
margin:1rem 0;
text-align:justify;
}
/** Quote blocks **/
blockquote {
margin:1rem 2rem;
}
/** Lists **/
dl, ol, ul {
margin:1rem 0;
padding-left:2rem;
}
dl dd {
margin-left:1rem;
}
/* Add space between each list item. */
li {
margin:0.3em 0;
}
/* Switch vertical margins off for nested lists. */
dl dl, ol ol, ul ul {
margin:0;
}
/** Tables **/
table {
margin:1rem auto;
margin-left:3rem;
border:1px solid #999999;
border-collapse:collapse;
}
table.alt_rows tbody tr:nth-child(odd) {
background-color:#ffffcc;
}
th, td {
border:1px solid #999999;
padding:.33rem;
text-align:justify;
}
th {
background-color:#cccccc;
}
/** Misc **/
hr {
margin:.5rem auto;
border: 1px inset;
}
/*** Inline elements ***/
code {
padding:0 .25rem;
font-family:monospace;
font-weight:lighter;
background-color:#fffafa;
}
kbd {
padding:0 .25rem;
font-family:monospace;
font-weight:normal;
background-color:#fffafa;
}
/** Links **/
a:link {
color:#00008b;
/* color:#002288; */
}
a:visited {
color:#666666;
}
a:hover {
color:#ff69b4;
}
a:active {
color:#bc8f8f;
}
-->
</style>
</head>
<body lang="en">
<h1 class="settitle" align="center">Dragora 3.0 Handbook</h1>
<span id="Top"></span><div class="header">
<p>
Next: <a href="#About-this-handbook" accesskey="n" rel="next">About this handbook</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="SEC_Top"></span>
<p>This Handbook is for Dragora
(version 3.0, initial revision, 26 Apr 2023).
</p>
<table class="menu" border="0" cellspacing="0">
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">Preface
</pre></th></tr><tr><td align="left" valign="top">• <a href="#About-this-handbook" accesskey="1">About this handbook</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Revision-history-_0028ChangeLog_0029" accesskey="2">Revision history (ChangeLog)</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">
About Dragora
</pre></th></tr><tr><td align="left" valign="top">• <a href="#What-is-Dragora_003f" accesskey="3">What is Dragora?</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Why-should-I-use-Dragora_003f" accesskey="4">Why should I use Dragora?</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#History" accesskey="5">History</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Maintainers" accesskey="6">Maintainers</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#A-quick-glance-at-Dragora" accesskey="7">A quick glance at Dragora</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">
Setting up a Dragora system
</pre></th></tr><tr><td align="left" valign="top">• <a href="#Boot-options-from-live-medium" accesskey="8">Boot options from live medium</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Using-dragora_002dinstaller" accesskey="9">Using dragora-installer</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Installing-the-system-manually-_0028as-an-alternative_0029">Installing the system manually (as an alternative)</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">
Basic system configuration
Package Management
</pre></th></tr><tr><td align="left" valign="top">• <a href="#Introduction-to-package-management-in-Dragora">Introduction to package management in Dragora</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Package-management-in-a-nutshell">Package management in a nutshell</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Using-third_002dparty-free-software">Using third-party free software</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Introduction-to-Qi">Introduction to Qi</a></td><td> </td><td align="left" valign="top">Description and features of qi
</td></tr>
<tr><td align="left" valign="top">• <a href="#Invoking-qi">Invoking qi</a></td><td> </td><td align="left" valign="top">Command-line options
</td></tr>
<tr><td align="left" valign="top">• <a href="#The-qirc-file">The qirc file</a></td><td> </td><td align="left" valign="top">Configuration file
</td></tr>
<tr><td align="left" valign="top">• <a href="#Packages">Packages</a></td><td> </td><td align="left" valign="top">Managing packages
</td></tr>
<tr><td align="left" valign="top">• <a href="#Recipes">Recipes</a></td><td> </td><td align="left" valign="top">Building packages
</td></tr>
<tr><td align="left" valign="top">• <a href="#Order-files">Order files</a></td><td> </td><td align="left" valign="top">Handling build order
</td></tr>
<tr><td align="left" valign="top">• <a href="#Creating-packages">Creating packages</a></td><td> </td><td align="left" valign="top">Making Qi packages
</td></tr>
<tr><td align="left" valign="top">• <a href="#Examining-packages">Examining packages</a></td><td> </td><td align="left" valign="top">Debugging purposes
</td></tr>
<tr><td align="left" valign="top">• <a href="#Qi-exit-status">Qi exit status</a></td><td> </td><td align="left" valign="top">Exit codes
</td></tr>
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">
Additional Chapters
</pre></th></tr><tr><td align="left" valign="top">• <a href="#Getting-support">Getting support</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Contributing-to-Dragora">Contributing to Dragora</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><th colspan="3" align="left" valign="top"><pre class="menu-comment">
</pre></th></tr><tr><td align="left" valign="top">• <a href="#GNU-Free-Documentation-License">GNU Free Documentation License</a></td><td> </td><td align="left" valign="top">
</td></tr>
<tr><td align="left" valign="top">• <a href="#Index" rel="index">Index</a></td><td> </td><td align="left" valign="top">
</td></tr>
</table>
<br>
<p>Copyright © 2020-2023 The Dragora Team.
</p>
<p>Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts.
</p>
<hr>
<span id="About-this-handbook"></span><div class="header">
<p>
Next: <a href="#Revision-history-_0028ChangeLog_0029" accesskey="n" rel="next">Revision history (ChangeLog)</a>, Previous: <a href="#Top" accesskey="p" rel="prev">Top</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="About-this-handbook-1"></span><h2 class="chapter">1 About this handbook</h2>
<span id="index-about-this-handbook"></span>
<p>TODO (Add intro + versioning scheme paragraph).
</p>
<span id="Typographic-conventions"></span><h3 class="section">1.1 Typographic conventions</h3>
<span id="index-typographic-conventions"></span>
<p>TODO (appendix).
</p>
<hr>
<span id="Revision-history-_0028ChangeLog_0029"></span><div class="header">
<p>
Next: <a href="#What-is-Dragora_003f" accesskey="n" rel="next">What is Dragora?</a>, Previous: <a href="#About-this-handbook" accesskey="p" rel="prev">About this handbook</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Revision-history-_0028ChangeLog_0029-1"></span><h2 class="unnumbered">Revision history (ChangeLog)</h2>
<span id="index-revision-history-_0028changelog_0029"></span>
<p>TODO (appendix).
</p>
<hr>
<span id="What-is-Dragora_003f"></span><div class="header">
<p>
Next: <a href="#Why-should-I-use-Dragora_003f" accesskey="n" rel="next">Why should I use Dragora?</a>, Previous: <a href="#Revision-history-_0028ChangeLog_0029" accesskey="p" rel="prev">Revision history (ChangeLog)</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="What-is-Dragora_003f-1"></span><h2 class="chapter">2 What is Dragora?</h2>
<span id="index-what-is-dragora_003f"></span>
<p><strong>Dragora</strong> is an independent GNU/Linux distribution project which
was created from scratch with the intention of providing a reliable
operating system with maximum respect for the user by including entirely
free software. <strong>Dragora</strong> is based on the concepts of simplicity
and elegance, it offers a user-friendly Unix-like environment with
emphasis on stability and security for long-term durability.
</p>
<p>To put it in a nutshell, <strong>Dragora</strong> is...
</p><ul>
<li> Minimalist.
</li><li> Free as in freedom.
</li><li> Getting better by the day.
</li><li> A whole lot of fun (not suitable for old vinegars).
</li></ul>
<p>Some of the features of Dragora are:
</p>
<ul>
<li> SysV init as the classic, documented initialization program (PID 1).
</li><li> Perp to reliably start, monitor, log and control "critical" system daemons.
</li><li> Lightweight alternatives to popular free software; i.e, musl libc, libressl,
mksh, scron, pkgconf.
</li><li> The Trinity Desktop Environment (TDE).
</li><li> Window managers such as TWM, DWM.
</li><li> Graft for managing multiple packages under a single directory hierarchy
using symbolic links mechanisms.
</li><li> Qi as a simple local package manager that complements Graft to create,
install, remove and upgrade software packages.
</li></ul>
<span id="Free-software"></span><h3 class="section">2.1 Free software</h3>
<span id="index-free-software"></span>
<p>TODO.
</p>
<span id="GNU"></span><h3 class="section">2.2 GNU</h3>
<span id="index-gnu"></span>
<p>TODO.
</p>
<span id="Linux-and-Linux_002dlibre"></span><h3 class="section">2.3 Linux and Linux-libre</h3>
<span id="index-linux-or-linux_002dlibre"></span>
<p>TODO.
</p>
<hr>
<span id="Why-should-I-use-Dragora_003f"></span><div class="header">
<p>
Next: <a href="#History" accesskey="n" rel="next">History</a>, Previous: <a href="#What-is-Dragora_003f" accesskey="p" rel="prev">What is Dragora?</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Why-should-I-use-Dragora_003f-1"></span><h2 class="chapter">3 Why should I use Dragora?</h2>
<span id="index-why-should-I-use-dragora_003f"></span>
<p>We cannot and do not intend to decide for you, we can only cite what we
believe to be Dragora’s main strengths:
</p>
<ul>
<li> <strong>Independent</strong>:
As mentioned before, Dragora is an independent project, this means that it
is based on a voluntary basis where one or more people share the same
direction or intentions for the sake of the project and in benefit of the
free software community. But above all, it is
not a purely commercial project or one that is made by a company, where they
have commercial interests, and where many times they will do anything to
catch you and see your face for their selfish business.
</li><li> <strong>Simple:</strong> The underlying concept of Dragora’s design philosophy is
simplicity: KISS, "Keep It Simple, Stupid!". This principle, which derives
from what is known as "Ockham’s razor," was developed by the first modern
critical philosopher: William of Ockham. We believe this concept represents
the traditional UNIX philosophy - so we don’t add functionality
unnecessarily, nor do we duplicate information.
</li><li> <strong>Ethical:</strong> We try to ensure that the included software is
completely free and allows you to legally run, copy, distribute, study,
change and improve the software.
</li><li> <strong>Language:</strong> Native support.
</li><li> <strong>Community:</strong> Dragora is not a closed project. On the contrary, anyone
person with good intentions is welcome - and encouraged! - to join and help.
</li></ul>
<hr>
<span id="History"></span><div class="header">
<p>
Next: <a href="#Maintainers" accesskey="n" rel="next">Maintainers</a>, Previous: <a href="#Why-should-I-use-Dragora_003f" accesskey="p" rel="prev">Why should I use Dragora?</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="History-1"></span><h2 class="chapter">4 History</h2>
<span id="index-history"></span>
<p>Development of Dragora started in 2007 by Matias Andres Fonzo from
Santiago del Estero, Argentina. After one year of hard work, the first
beta of Dragora was released on June 13, 2008, which contained the basic
GNU toolset, boot scripts, package system, and an installer.
Whereas the intention was to achieve a 100% "free" as in freedom
GNU/Linux distribution from the beginning, this very first version was not
fully free (or libre) since all parts were free software, except for the
Linux Kernel due to blobs or non-free parts. Fortunately, the Linux-Libre
project appears that same year, which removes or cleans the non-free parts
of the official versions of the Linux Kernel. This led to the second beta
of Dragora on September 18, 2008; completing distribution’s freedom by
replacing the Kernel, and becoming the first one available to the public.
Ongoing work to provide a more complete distribution would result in the
stable release of Dragora 1.0, achieved on March 13, 2009. The series
ends with the massive update plus fixes and added software for version
1.1 released on October 8, 2009.
</p>
<p>Design of this series was based on a traditional GNU/Linux scheme with
SysVinit as the init system but using BSD-style boot scripts. The package
system, the installer, the text menu-mode tools and the boot scripts were
all written using the syntax and the features offered by GNU Bash.
Initially the binary packages were provided in .tbz2 format (files
compressed with bzip2 and packaged using GNU Tar) which later migrated to
the .tlz format (files compressed with lzip for a higher compression plus
very safe integrity checking). Dragora’s installer offered the option of
several languages (translations produced by the community) to choose
between English, Galician, Italian, and Spanish. A second CD included the
packages for the K Desktop Environment (KDE) 3 series.
</p>
<span id="Releases"></span><h3 class="section">4.1 Releases</h3>
<span id="index-releases"></span>
<p>Below are the dates and code names used for all the Dragora releases:
</p>
<ul>
<li> <em><strong>Dragora 1.0 Beta 1:</strong> June 13th, 2008 - "hell".</em>
</li><li> <em><strong>Dragora 1.0 Beta 2:</strong> September 18th, 2008.</em>
</li><li> <em><strong>Dragora 1.0 Release Candidate 1:</strong> February 12th, 2009.</em>
</li><li> <em><strong>Dragora 1.0 Stable:</strong> March 13th, 2009 - "starlight".</em>
</li><li> <em><strong>Dragora 1.1 Release Candidate 1:</strong> August 25th, 2009.</em>
</li><li> <em><strong>Dragora 1.1 Stable:</strong> October 8th, 2009 - "stargazer".</em>
</li><li> <em><strong>Dragora 2.0 Release Candidate 1:</strong> January 24th, 2010.</em>
</li><li> <em><strong>Dragora 2.0 Release Candidate 2:</strong> March 28th, 2010.</em>
</li><li> <em><strong>Dragora 2.0 Stable:</strong> April 13th, 2010 - "ardi".</em>
</li><li> <em><strong>Dragora 2.1 Release Candidate 1:</strong> December 4th, 2010.</em>
</li><li> <em><strong>Dragora 2.1 Stable:</strong> December 31st, 2010 - "dio".</em>
</li><li> <em><strong>Dragora 2.2 Release Candidate 1:</strong> March 2nd, 2012.</em>
</li><li> <em><strong>Dragora 2.2 Stable:</strong> April 21st, 2012 - "rafaela".</em>
</li><li> <em><strong>Dragora 3.0 Alpha 1:</strong> December 31st, 2017.</em>
</li><li> <em><strong>Dragora 3.0 Alpha 2:</strong> September 28th, 2018.</em>
</li><li> <em><strong>Dragora 3.0 Beta 1:</strong> October 16th, 2019.</em>
</li></ul>
<hr>
<span id="Maintainers"></span><div class="header">
<p>
Next: <a href="#A-quick-glance-at-Dragora" accesskey="n" rel="next">A quick glance at Dragora</a>, Previous: <a href="#History" accesskey="p" rel="prev">History</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Maintainers-1"></span><h2 class="chapter">5 Maintainers</h2>
<span id="index-maintainers"></span>
<p>TODO.
</p>
<hr>
<span id="A-quick-glance-at-Dragora"></span><div class="header">
<p>
Next: <a href="#Boot-options-from-live-medium" accesskey="n" rel="next">Boot options from live medium</a>, Previous: <a href="#Maintainers" accesskey="p" rel="prev">Maintainers</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="A-quick-glance-at-Dragora-1"></span><h2 class="chapter">6 A quick glance at Dragora</h2>
<span id="index-a-quick-glance-at-dragora"></span>
<p>TODO.
</p>
<hr>
<span id="Boot-options-from-live-medium"></span><div class="header">
<p>
Next: <a href="#Using-dragora_002dinstaller" accesskey="n" rel="next">Using dragora-installer</a>, Previous: <a href="#A-quick-glance-at-Dragora" accesskey="p" rel="prev">A quick glance at Dragora</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Boot-options-from-live-medium-1"></span><h2 class="chapter">7 Boot options from live medium</h2>
<span id="index-boot-options-from-live-medium"></span>
<p>TODO.
</p>
<hr>
<span id="Using-dragora_002dinstaller"></span><div class="header">
<p>
Next: <a href="#Installing-the-system-manually-_0028as-an-alternative_0029" accesskey="n" rel="next">Installing the system manually (as an alternative)</a>, Previous: <a href="#Boot-options-from-live-medium" accesskey="p" rel="prev">Boot options from live medium</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Using-dragora_002dinstaller-1"></span><h2 class="chapter">8 Using dragora-installer</h2>
<span id="index-using-dragora_002dinstaller"></span>
<p>TODO.
</p>
<hr>
<span id="Installing-the-system-manually-_0028as-an-alternative_0029"></span><div class="header">
<p>
Next: <a href="#Introduction-to-package-management-in-Dragora" accesskey="n" rel="next">Introduction to package management in Dragora</a>, Previous: <a href="#Using-dragora_002dinstaller" accesskey="p" rel="prev">Using dragora-installer</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Installing-the-system-manually-_0028as-an-alternative_0029-1"></span><h2 class="chapter">9 Installing the system manually (as an alternative)</h2>
<span id="index-installing-the-system-manually-_0028as-an-alternative_0029"></span>
<p>TODO.
</p>
<hr>
<span id="Introduction-to-package-management-in-Dragora"></span><div class="header">
<p>
Next: <a href="#Package-management-in-a-nutshell" accesskey="n" rel="next">Package management in a nutshell</a>, Previous: <a href="#Installing-the-system-manually-_0028as-an-alternative_0029" accesskey="p" rel="prev">Installing the system manually (as an alternative)</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Introduction-to-package-management-in-Dragora-1"></span><h2 class="chapter">10 Introduction to package management in Dragora</h2>
<span id="index-package-management-in-dragora"></span>
<p>TODO.
</p>
<hr>
<span id="Package-management-in-a-nutshell"></span><div class="header">
<p>
Next: <a href="#Using-third_002dparty-free-software" accesskey="n" rel="next">Using third-party free software</a>, Previous: <a href="#Introduction-to-package-management-in-Dragora" accesskey="p" rel="prev">Introduction to package management in Dragora</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Package-management-in-a-nutshell-1"></span><h2 class="chapter">11 Package management in a nutshell</h2>
<span id="index-package-management-in-a-nutshell"></span>
<p>TODO.
</p>
<hr>
<span id="Using-third_002dparty-free-software"></span><div class="header">
<p>
Next: <a href="#Introduction-to-Qi" accesskey="n" rel="next">Introduction to Qi</a>, Previous: <a href="#Package-management-in-a-nutshell" accesskey="p" rel="prev">Package management in a nutshell</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Using-third_002dparty-free-software-1"></span><h2 class="unnumbered">Using third-party free software</h2>
<span id="index-using-third_002dparty-free-software"></span>
<p>TODO (appendix).
</p>
<hr>
<span id="Introduction-to-Qi"></span><div class="header">
<p>
Next: <a href="#Invoking-qi" accesskey="n" rel="next">Invoking qi</a>, Previous: <a href="#Using-third_002dparty-free-software" accesskey="p" rel="prev">Using third-party free software</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Introduction-to-Qi-1"></span><h2 class="chapter">12 Introduction to Qi</h2>
<span id="index-introduction-to-qi"></span>
<p>Qi is a simple but well-integrated package manager. It can create,
install, remove, and upgrade software packages. Qi produces binary
packages using recipes, which are files containing specific instructions
to build each package from source. Qi can manage multiple packages
under a single directory hierarchy. This method allows to maintain a set
of packages and multiple versions of them. This means that Qi could be
used as the main package manager or complement the existing one.
</p>
<p>Qi offers a friendly command line interface, a global configuration
file, a simple recipe layout to deploy software packages; also works
with binary packages in parallel, speeding up installations and packages
in production. The format used for packages is a simplified and safer
variant of POSIX pax archive compressed in lzip format.
</p>
<p>Qi is a modern (POSIX-compliant) shell script released under the
terms of the GNU General Public License. There are only two major
dependencies for the magic: graft(1) and tarlz(1), the rest is expected
to be found in any Unix-like system.
</p>
<hr>
<span id="Invoking-qi"></span><div class="header">
<p>
Next: <a href="#The-qirc-file" accesskey="n" rel="next">The qirc file</a>, Previous: <a href="#Introduction-to-Qi" accesskey="p" rel="prev">Introduction to Qi</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Invoking-qi-1"></span><h2 class="chapter">13 Invoking qi</h2>
<span id="index-invocation"></span>
<p>This chapter describes the synopsis for invoking Qi.
</p>
<div class="example">
<pre class="example">Usage: qi COMMAND [<var>OPTION</var>...] [<var>FILE</var>]...
</pre></div>
<p>One mandatory command specifies the operation that ‘<samp>qi</samp>’ should
perform, options are meant to detail how this operation should be
performed during or after the process.
</p>
<p>Qi supports the following commands:
</p>
<dl compact="compact">
<dt><code>warn</code></dt>
<dd><p>Warn about files that will be installed.
</p>
</dd>
<dt><code>install</code></dt>
<dd><p>Install packages.
</p>
</dd>
<dt><code>remove</code></dt>
<dd><p>Remove packages.
</p>
</dd>
<dt><code>upgrade</code></dt>
<dd><p>Upgrade packages.
</p>
</dd>
<dt><code>extract</code></dt>
<dd><p>Extract packages for debugging purposes.
</p>
</dd>
<dt><code>create</code></dt>
<dd><p>Create a .tlz package from directory.
</p>
</dd>
<dt><code>build</code></dt>
<dd><p>Build packages using recipe names.
</p>
</dd>
<dt><code>order</code></dt>
<dd><p>Resolve build order through .order files
</p></dd>
</dl>
<p>Options when installing, removing, or upgrading software packages:
</p>
<dl compact="compact">
<dt><code>-f</code></dt>
<dt><code>--force</code></dt>
<dd><p>Force upgrade of pre-existing packages.
</p>
</dd>
<dt><code>-k</code></dt>
<dt><code>--keep</code></dt>
<dd><p>Keep directories when build/remove/upgrade.
</p>
<p>Keep (don’t delete) the package directory when using remove/upgrade command.
</p>
<p>This will also try to preserve the directories ‘<samp>${srcdir}</samp>’ and
‘<samp>${destdir}</samp>’ when using build command. Its effect is available in
recipes as ‘<samp>${keep_srcdir}</samp>’ and ‘<samp>${keep_destdir}</samp>’. See
<a href="#Recipes">Special variables</a> for details.
</p>
</dd>
<dt><code>-p</code></dt>
<dt><code>--prune</code></dt>
<dd><p>Prune conflicts.
</p>
</dd>
<dt><code>-P</code></dt>
<dt><code>--packagedir=<dir></code></dt>
<dd><p>Set directory for package installations.
</p>
</dd>
<dt><code>-t</code></dt>
<dt><code>--targetdir=<dir></code></dt>
<dd><p>Set target directory for symbolic links.
</p>
</dd>
<dt><code>-r</code></dt>
<dt><code>--rootdir=<dir></code></dt>
<dd><p>Use the fully qualified named directory as the root directory for all qi
operations.
</p>
<p>Note: the target directory and the package directory will be
relative to the specified directory, excepting the graft log file.
</p></dd>
</dl>
<p>Options when building software packages using recipes:
</p>
<dl compact="compact">
<dt><code>-a</code></dt>
<dt><code>--architecture</code></dt>
<dd><p>Set architecture name for the package.
</p>
</dd>
<dt><code>-j</code></dt>
<dt><code>--jobs</code></dt>
<dd><p>Parallel jobs for the compiler.
</p>
<p>This option sets the variable ‘<samp>${jobs}</samp>’. If not specified, default
sets to 1.
</p>
</dd>
<dt><code>-S</code></dt>
<dt><code>--skip-questions</code></dt>
<dd><p>Skip questions on completed recipes.
</p>
</dd>
<dt><code>-1</code></dt>
<dt><code>--increment</code></dt>
<dd><p>Increment release number (‘<samp>${release}</samp>’ + 1).
</p>
<p>The effect of this option will be omitted if –no-package is being used.
</p>
</dd>
<dt><code>-n</code></dt>
<dt><code>--no-package</code></dt>
<dd><p>Do not create a .tlz package.
</p>
</dd>
<dt><code>-i</code></dt>
<dt><code>--install</code></dt>
<dd><p>Install package after the build.
</p>
</dd>
<dt><code>-u</code></dt>
<dt><code>--upgrade</code></dt>
<dd><p>Upgrade package after the build.
</p>
</dd>
<dt><code>-o</code></dt>
<dt><code>--outdir=<dir></code></dt>
<dd><p>Where the packages produced will be written.
</p>
<p>This option sets the variable ‘<samp>${outdir}</samp>’.
</p>
</dd>
<dt><code>-w</code></dt>
<dt><code>--worktree=<dir></code></dt>
<dd><p>Where archives, patches, recipes are expected.
</p>
<p>This option sets the variable ‘<samp>${worktree}</samp>’.
</p>
</dd>
<dt><code>-s</code></dt>
<dt><code>--sourcedir=<dir></code></dt>
<dd><p>Where compressed sources will be found.
</p>
<p>This option sets the variable ‘<samp>${tardir}</samp>’.
</p></dd>
</dl>
<p>Other options:
</p>
<dl compact="compact">
<dt><code>-v</code></dt>
<dt><code>--verbose</code></dt>
<dd><p>Be verbose (an extra -v gives more).
</p>
<p>It sets the verbosity level, default sets to 0.
</p>
<p>The value 1 is used for more verbosity while the value 2 is too detailed.
Although at the moment it is limited to graft(1) verbosity.
</p>
</dd>
<dt><code>-N</code></dt>
<dt><code>--no-rc</code></dt>
<dd><p>Do not read the configuration file.
</p>
<p>This will ignore reading the qirc file.
</p>
</dd>
<dt><code>-L</code></dt>
<dt><code>--show-location</code></dt>
<dd><p>Print default directory locations and exit.
</p>
<p>This will print the target directory, package directory, working tree,
the directory for sources, and the output directory for the packages
produced. The output will appear on STDOUT as follows:
</p>
<div class="example">
<pre class="example">QI_TARGETDIR=/usr/local
QI_PACKAGEDIR=/usr/local/pkgs
QI_WORKTREE=/usr/src/qi
QI_TARDIR=/usr/src/qi/sources
QI_OUTDIR=/var/cache/qi/packages
</pre></div>
<p>You can set these environment variables using one of the following methods:
</p>
<p><code>eval "$(qi -L)"</code>
</p>
<p>This will display the default locations taking into account the values set
from the qirc configuration file. You can deny the influence of the
configuration file by setting the option ‘<samp>-N</samp>’.
</p>
<p><code>eval "$(qi -N -L)"</code>
</p>
<p>Or you can adjust the new locations using the command-line options, e.g:
</p>
<p><code>eval "$(qi -N --targetdir=/directory -L)"</code>
</p>
</dd>
<dt><code>-h</code></dt>
<dt><code>--help</code></dt>
<dd><p>Display the usage and exit.
</p>
</dd>
<dt><code>-V</code></dt>
<dt><code>--version</code></dt>
<dd>
<p>This will print the (short) version information and then exit.
</p>
<p>The same can be achieved if Qi is invoked as ‘<samp>qi version</samp>’.
</p></dd>
</dl>
<p>When FILE is -, qi can read from the standard input. See examples from
the <a href="#Packages">Packages</a> section.
</p>
<p>Exit status: 0 for a normal exit, 1 for minor common errors (help usage,
support not available, etc), 2 to indicate a command execution error;
3 for integrity check error on compressed files, 4 for empty, not
regular, or expected files, 5 for empty or not defined variables,
6 when a package already exist, 10 for network manager errors.
For more details, see the <a href="#Qi-exit-status">Qi exit status</a> section.
</p>
<hr>
<span id="The-qirc-file"></span><div class="header">
<p>
Next: <a href="#Packages" accesskey="n" rel="next">Packages</a>, Previous: <a href="#Invoking-qi" accesskey="p" rel="prev">Invoking qi</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="The-qirc-file-1"></span><h2 class="chapter">14 The qirc file</h2>
<span id="index-configuration-file"></span>
<p>The global <samp>qirc</samp> file offers a way to define variables and tools
(such as a download manager) for default use. This file is used by qi
at runtime, e.g., to build, install, remove or upgrade packages.
</p>
<p>Variables and their possible values must be declared as any other
variable in the shell.
</p>
<p>The command line options related to the package directory and target
directory and some of the command line options used for the build command,
have the power to override the values declared on <samp>qirc</samp>.
See <a href="#Invoking-qi">Invoking qi</a>.
</p>
<p>The order in which qi looks for this file is:
</p>
<ol>
<li> <code>${HOME}/.qirc</code>
Effective user.
</li><li> ‘<samp>${sysconfdir}/qirc</samp>’
System-wide.
</li></ol>
<p>If you intend to run qi as effective user, the file
‘<samp>${sysconfdir}/qirc</samp>’ could be copied to <code>${HOME}/.qirc</code>
setting the paths for ‘<samp>${packagedir}</samp>’ and ‘<samp>${targetdir}</samp>’
according to the <code>$HOME</code>.
</p>
<hr>
<span id="Packages"></span><div class="header">
<p>
Next: <a href="#Recipes" accesskey="n" rel="next">Recipes</a>, Previous: <a href="#The-qirc-file" accesskey="p" rel="prev">The qirc file</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Packages-1"></span><h2 class="chapter">15 Packages</h2>
<span id="index-managing-packages"></span>
<p>A package is a suite of programs usually distributed in binary form
which may also contain manual pages, documentation, or any other file
associated to a specific software.
</p>
<p>The package format used by qi is a simplified POSIX pax archive
compressed using lzip<a id="DOCF1" href="#FOOT1"><sup>1</sup></a>. The
file extension for packages ends in ‘<samp>.tlz</samp>’.
</p>
<p>Both package installation and package de-installation are managed using
two important (internal) variables: ‘<samp>${packagedir}</samp>’ and
‘<samp>${targetdir}</samp>’, these values can be changed in the
configuration file or via options.
</p>
<p>‘<samp>${packagedir}</samp>’ is a common directory tree where the package
contents will be decompressed (will reside).
</p>
<p>‘<samp>${targetdir}</samp>’ is a target directory where the links will be
made by graft(1) taking ‘<samp>${packagedir}/package_name</samp>’ into account.
</p>
<p>Packages are installed in self-contained directory trees and symbolic
links from a common area are made to the package files. This allows
multiple versions of the same package to coexist on the same system.
</p>
<span id="Package-conflicts"></span><h3 class="section">15.1 Package conflicts</h3>
<span id="index-package-conflicts"></span>
<p>All the links to install or remove a package are handled by graft(1).
Since multiple packages can be installed or removed at the same time,
certain conflicts may arise between the packages.
</p>
<p>graft<a id="DOCF2" href="#FOOT2"><sup>2</sup></a>
defines a CONFLICT as one of the following conditions:
</p>
<ul>
<li> If the package object is a directory and the target object exists but is
not a directory.
</li><li> If the package object is not a directory and the target object exists
and is not a symbolic link.
</li><li> If the package object is not a directory and the target object exists
and is a symbolic link to something other than the package object.
</li></ul>
<p>The default behavior of qi for an incoming package is to ABORT if a
conflict arises. When a package is going to be deleted, qi tells to
graft(1) to remove those parts that are not in conflict, leaving the
links to the belonging package. This behavior can be forced if the
–prune option is given.
</p>
<span id="Installing-packages"></span><h3 class="section">15.2 Installing packages</h3>
<span id="index-package-installation"></span>
<p>To install a single package, simply type:
</p>
<div class="example">
<pre class="example">qi install coreutils_8.30_i586-1@tools.tlz
</pre></div>
<p>To install multiple packages at once, type:
</p>
<div class="example">
<pre class="example">qi install gcc_8.3.0_i586-1@devel.tlz rafaela_2.2_i586-1@legacy.tlz ...
</pre></div>
<p>Warn about the files that will be linked:
</p>
<div class="example">
<pre class="example">qi warn bash_5.0_i586-1@shells.tlz
</pre></div>
<p>This is to verify the content of a package before installing it.
</p>
<p>See the process of an installation:
</p>
<div class="example">
<pre class="example">qi install --verbose mariana_3.0_i586-1@woman.tlz
</pre></div>
<p>A second –verbose or -v option gives more (very verbose).
</p>
<p>Installing package in a different location:
</p>
<div class="example">
<pre class="example">qi install --rootdir=/media/floppy lzip_1.21_i586-1@compressors.tlz
</pre></div>
<p>Important: the –rootdir option assumes ‘<samp>${targetdir}</samp>’ and
‘<samp>${packagedir}</samp>’. See the following example:
</p>
<div class="example">
<pre class="example">qi install --rootdir=/home/selk lzip_1.21_i586-1@compressors.tlz
</pre></div>
<p>The content of "lzip_1.21_i586-1@compressors.tlz" will be decompressed
into ‘<samp>/home/selk/pkgs/lzip_1.21_i586-1@compressors</samp>’.
Assuming that the main binary for lzip is under
‘<samp>/home/selk/pkgs/lzip_1.21_i586-1@compressors/usr/bin/</samp>’
the target for "usr/bin" will be created at ‘<samp>/home/selk</samp>’. Considering
that you have exported the <code>PATH</code> as ‘<samp>${HOME}/usr/bin</samp>’, now the
system is able to see the recent lzip command.
</p>
<p>Installing from a list of packages using standard input:
</p>
<div class="example">
<pre class="example">qi install - < PACKAGELIST.txt
</pre></div>
<p>Or in combination with another tool:
</p><div class="example">
<pre class="example">sort -u PACKAGELIST.txt | qi install -
</pre></div>
<p>The sort command will read and sorts the list of declared packages,
while trying to have unique entries for each statement. The output
produced is captured by Qi to install each package.
</p>
<p>An example of a list containing package names is:
</p><div class="example">
<pre class="example">/var/cache/qi/packages/amd64/tcl_8.6.9_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/tk_8.6.9.1_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/vala_0.42.3_amd64-1@devel.tlz
</pre></div>
<span id="Removing-packages"></span><h3 class="section">15.3 Removing packages</h3>
<span id="index-package-de_002dinstallation"></span>
<p>To remove a package, simply type:
</p>
<div class="example">
<pre class="example">qi remove xz_5.2.4_i586-1@compressors.tlz
</pre></div>
<p>Remove command will match the package name using ‘<samp>${packagedir}</samp>’ as
prefix. For example, if the value of ‘<samp>${packagedir}</samp>’ has been
set to /usr/pkg, this will be equal to:
</p>
<div class="example">
<pre class="example">qi remove /usr/pkg/xz_5.2.4_i586-1@compressors
</pre></div>
<p>Detailed output:
</p>
<div class="example">
<pre class="example">qi remove --verbose /usr/pkg/xz_5.2.4_i586-1@compressors
</pre></div>
<p>A second –verbose or -v option gives more (very verbose).
</p>
<p>By default the remove command does not preserve a package directory after
removing its links from ‘<samp>${targetdir}</samp>’, but this behavior can be
changed if the –keep option is passed:
</p>
<div class="example">
<pre class="example">qi remove --keep /usr/pkg/lzip_1.21_i586-1@compressors
</pre></div>
<p>This means that the links to the package can be reactivated, later:
</p>
<div class="example">
<pre class="example">cd /usr/pkg && graft -i lzip_1.21_i586-1@compressors
</pre></div>
<p>Removing package from a different location:
</p>
<div class="example">
<pre class="example">qi remove --rootdir=/home/cthulhu xz_5.2.4_i586-1@compressors
</pre></div>
<p>Removing a package using standard input:
</p>
<div class="example">
<pre class="example">echo vala_0.42.3_amd64-1@devel | qi remove -
</pre></div>
<p>This will match with the package directory.
</p>
<span id="Upgrading-packages"></span><h3 class="section">15.4 Upgrading packages</h3>
<span id="index-package-upgrade"></span>
<p>The upgrade command inherits the properties of the installation and removal
process. To make sure that a package is updated, the package is installed
in a temporary directory taking ‘<samp>${packagedir}</samp>’ into account. Once
the incoming package is pre-installed, qi can proceed to search and delete
packages that have the same name (considered as previous ones). Finally,
the package is re-installed at its final location and the temporary
directory is removed.
</p>
<p>Since updating a package can be crucial and so to perform a successful
upgrade, from start to finish, you will want to ignore some important
system signals during the upgrade process, those signals are SIGHUP,
SIGINT, SIGQUIT, SIGABRT, and SIGTERM.
</p>
<p>To upgrade a package, just type:
</p>
<div class="example">
<pre class="example">qi upgrade gcc_9.0.1_i586-1@devel.tlz
</pre></div>
<p>This will proceed to upgrade "gcc_9.0.1_i586-1@devel" removing any other
version of "gcc" (if any).
</p>
<p>If you want to keep the package directories of versions found during the
upgrade process, just pass:
</p>
<div class="example">
<pre class="example">qi upgrade --keep gcc_9.0.1_i586-1@devel.tlz
</pre></div>
<p>To see the upgrade process:
</p>
<div class="example">
<pre class="example">qi upgrade --verbose gcc_9.0.1_i586-1@devel.tlz
</pre></div>
<p>A second –verbose or -v option gives more (very verbose).
</p>
<p>To force the upgrade of an existing package:
</p>
<div class="example">
<pre class="example">qi upgrade --force gcc_9.0.1_i586-1@devel.tlz
</pre></div>
<span id="Package-blacklist"></span><h4 class="subsection">15.4.1 Package blacklist</h4>
<span id="index-package-blacklist"></span>
<p>To implement general package facilities, either to install, remove or
maintain the hierarchy of packages in a clean manner, qi makes use of the
pruning operation via graft(1) by default:
</p>
<p>There is a risk if those are crucial packages for the proper functioning
of the system, because it implies the deactivation of symbolic from the
target directory, <em>especially</em> when transitioning an incoming package
into its final location during an upgrade.
</p>
<p>A blacklist of package names has been devised for the case where
a user decides to upgrade all the packages in the system, or
just the crucial ones, such as the C library.
</p>
<p>The blacklist is related to the upgrade command only, consists in installing
a package instead of updating it or removing previous versions of it;
the content of the package will be updated over the existing content at
‘<samp>${packagedir}</samp>’, while the existing links from
‘<samp>${targetdir}</samp>’ will be preserved. A pruning of links will be
carried out in order to re-link possible differences with the recent
content, this helps to avoid leaving dead links in the target directory.
</p>
<p>Package names for the blacklist to be declared must be set from the
configuration file. By default, it is declared using the package name,
which is more than enough for critical system packages, but if you want to
be more specific, you can declare a package using:
‘<samp>${pkgname}_${pkgversion}_${arch}-${release}</samp>’ where
the package category is avoided for common matching. See
<a href="#Recipes">Special variables</a> for a description of these variables.
</p>
<hr>
<span id="Recipes"></span><div class="header">
<p>
Next: <a href="#Order-files" accesskey="n" rel="next">Order files</a>, Previous: <a href="#Packages" accesskey="p" rel="prev">Packages</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Recipes-1"></span><h2 class="chapter">16 Recipes</h2>
<span id="index-recipes"></span>
<p>A recipe is a file telling qi what to do. Most often, the recipe tells
qi how to build a binary package from a source tarball.
</p>
<p>A recipe has two parts: a list of variable definitions and a list of
sections. By convention, the syntax of a section is:
</p>
<div class="example">
<pre class="example">section_name()
{
section lines
}
</pre></div>
<p>The section name is followed by parentheses, one newline and an opening
brace. The line finishing the section contains just a closing brace.
The section names or the function names currently recognized are
‘<samp>build</samp>’.
</p>
<p>The ‘<samp>build</samp>’ section (or <strong>shell function</strong>) is an augmented
shell script that contains the main instructions to build software
from source.
</p>
<p>If there are other functions defined by the packager, Qi detects them
for later execution.
</p>
<span id="Variables"></span><h3 class="section">16.1 Variables</h3>
<span id="index-variables"></span>
<p>A "variable" is a <strong>shell variable</strong> defined either in <samp>qirc</samp>
or in a recipe to represent a string of text, called the variable’s
"value". These values are substituted by explicit request in the
definitions of other variables or in calls to external commands.
</p>
<p>Variables can represent lists of file names, options to pass to
compilers, programs to run, directories to look in for source files,
directories to write output to, or anything else you can imagine.
</p>
<p>Definitions of variables in qi have four levels of precedence.
Options which define variables from the command-line override those
specified in the <samp>qirc</samp> file, while variables defined in the recipe
override those specified in <samp>qirc</samp>, taking priority over those
variables set by command-line options. Finally, the variables have
default values if they are not defined anywhere.
</p>
<p>Options that set variables through the command-line can only reference
variables defined in <samp>qirc</samp> and variables with default values.
</p>
<p>Definitions of variables in <samp>qirc</samp> can only reference variables
previously defined in <samp>qirc</samp> and variables with default values.
</p>
<p>Definitions of variables in the recipe can only reference variables
set by the command-line, variables previously defined in the recipe,
variables defined in <samp>qirc</samp>, and variables with default values.
</p>
<span id="Special-variables"></span><h3 class="section">16.2 Special variables</h3>
<span id="index-special-variables"></span>
<p>There are variables which can only be set using the command line options or
via <samp>qirc</samp>, there are other special variables which can be defined or
redefined in a recipe. See the following definitions:
</p>
<p>‘<samp>outdir</samp>’ is the directory where the packages produced are written.
This variable can be redefined per-recipe. Default sets to
‘<samp>/var/cache/qi/packages</samp>’.
</p>
<p>‘<samp>worktree</samp>’ is the working tree where archives, patches, and recipes
are expected. This variable can not be redefined in the recipe. Default
sets to ‘<samp>/usr/src/qi</samp>’.
</p>
<p>‘<samp>tardir</samp>’ is defined in the recipe to the directory where the tarball
containing the source can be found. The full name of the tarball is
composed as ‘<samp>${tardir}/$tarname</samp>’. Its value is available in the
recipe as ‘<samp>${tardir}</samp>’; a value of . for ‘<samp>tardir</samp>’ sets it to
the value of CWD (Current Working Directory), this is where the recipe
lives.
</p>
<p>‘<samp>arch</samp>’ is the architecture to compose the package name. Its value is
available in the recipe as ‘<samp>${arch}</samp>’. Default value is the one
that was set in the Qi configuration.
</p>
<p>‘<samp>jobs</samp>’ is the number of parallel jobs to pass to the compiler. Its
value is available in the recipe as ‘<samp>${jobs}</samp>’. The default value
is 1.
</p>
<p>The two variables ‘<samp>${srcdir}</samp>’ and ‘<samp>${destdir}</samp>’ can be
set in the recipe, as any other variable, but if they are not, qi uses
default values for them when building a package.
</p>
<p>‘<samp>srcdir</samp>’ contains the source code to be compiled, and defaults to
‘<samp>${program}-${version}</samp>’. ‘<samp>destdir</samp>’ is the place where the
built package will be installed, and defaults to
‘<samp>${TMPDIR}/package-${program}</samp>’.
</p>
<p>If ‘<samp>pkgname</samp>’ is left undefined, the special variable ‘<samp>program</samp>’
is assigned by default. If ‘<samp>pkgversion</samp>’ is left undefined, the
special variable ‘<samp>version</samp>’ is assigned by default.
</p>
<p>‘<samp>pkgname</samp>’ and ‘<samp>pkgversion</samp>’ along with: ‘<samp>version</samp>’, ‘<samp>arch</samp>’,
‘<samp>release</samp>’, and (optionally) ‘<samp>pkgcategory</samp>’ are used to produce the
package name in the form:
‘<samp>${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}].tlz</samp>’
</p>
<p>‘<samp>pkgcategory</samp>’ is an optional special variable that can be defined on the
recipe to categorize the package name. If it is defined, then the
package output will be composed as
‘<samp>${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}.tlz</samp>’.
Automatically, the value of ‘<samp>pkgcategory</samp>’ will be prefixed using the
‘<samp>@</samp>’ (at) symbol which will be added to the last part of the package name.
</p>
<p>A special variable called ‘<samp>replace</samp>’ can be used to declare package names
that will be replaced at installation time.
</p>
<p>The special variables ‘<samp>keep_srcdir</samp>’ and ‘<samp>keep_destdir</samp>’ are provided
in order to preserve the directories ‘<samp>${srcdir}</samp>’ or ‘<samp>${destdir}</samp>’,
if those exists as such. Note: The declaration of these variables are subject
to manual deactivation; its purpose in recipes is to preserve the directories
that relate to the package’s build (source) and destination directory, that is
so that another recipe can get a new package (or meta package) from there. For
example, the declarations can be done as:
</p>
<div class="example">
<pre class="example">keep_srcdir=keep_srcdir
keep_destdir=keep_destdir
</pre></div>
<p>Then from another recipe you would proceed to copy the necessary files that
will compose the meta package, from the main function you must deactivate
the variables at the end:
</p>
<div class="example">
<pre class="example">unset -v keep_srcdir keep_destdir
</pre></div>
<p>This will leave the ’keep_srcdir’ and ’keep_destdir’ variables blank to
continue with the rest of the recipes.
</p>
<p>The special variable ‘<samp>opt_skiprecipe</samp>’ is available when you need to
ignore a recipe cleanly, continuing with the next recipe. May you add a
conditional test then set it as ‘<samp>opt_skiprecipe=opt_skiprecipe</samp>’.
</p>
<p>The variable ‘<samp>tarlz_compression_options</samp>’ can be used to change the
default compression options in tarlz(1), default sets to ‘<samp>-9 --solid</samp>’.
For example if the variable is declared as:
</p>
<div class="example">
<pre class="example">tarlz_compression_options="-0 --bsolid"
</pre></div>
<p>It will change the granularity of tarlz(1) by using the ‘<samp>--bsolid</samp>’
option <a id="DOCF3" href="#FOOT3"><sup>3</sup></a>,
as well as increasing the compression speed by lowering the compression
level with ‘<samp>-0</samp>’.
</p>
<p>This is only recommended for recipes where testing, or faster processing is
desired to create the packaged file more quickly. It is not recommended for
production or general distribution of binary packages.
</p>
<p>A typical recipe contains the following variables:
</p>
<ul>
<li> ‘<samp>program</samp>’: Software name.
<p>It matches the source name. It is also used to compose the name of the
package if ‘<samp>${pkgname}</samp>’ is not specified.
</p>
</li><li> ‘<samp>version</samp>’: Software version.
<p>It matches the source name. It is also used to compose the version of the
package if ‘<samp>${pkgversion}</samp>’ is not specified.
</p>
</li><li> ‘<samp>arch</samp>’: Software architecture.
<p>It is used to compose the architecture of the package in which it is
build.
</p>
</li><li> ‘<samp>release</samp>’: Release number.
<p>This is used to reflect the release number of the package. It is
recommended to increase this number after any significant change in
the recipe or post-install script.
</p>
</li><li> ‘<samp>pkgcategory</samp>’: Package category.
<p>Optional but recommended variable to categorize the package name when it is
created.
</p></li></ul>
<p>Obtaining sources over the network must be declared in the recipe using
the ‘<samp>fetch</samp>’ variable.
</p>
<p>The variables ‘<samp>netget</samp>’ and ‘<samp>rsync</samp>’ can be defined in <samp>qirc</samp>
to establish a network downloader in order to get the sources. If they
are not defined, qi uses default values:
</p>
<p>‘<samp>netget</samp>’ is the general network downloader tool, defaults sets to
‘<samp>wget2 -c -w1 -t3 --no-check-certificate</samp>’.
</p>
<p>‘<samp>rsync</samp>’ is the network tool for sources containing the prefix for
the RSYNC protocol, default sets to
‘<samp>rsync -v -a -L -z -i --progress</samp>’.
</p>
<p>The variable ‘<samp>description</samp>’ is used to print the package description
when a package is installed.
</p>
<p>A description has two parts: a brief description, and a long description.
By convention, the syntax of ‘<samp>description</samp>’ is:
</p>
<div class="example">
<pre class="example">description="
Brief description.
Long description.
"
</pre></div>
<p>The first line of the value represented is a brief description of the
software (called "blurb"). A blank line separates the <em>brief
description</em> from the <em>long description</em>, which should contain a more
descriptive description of the software.
</p>
<p>An example looks like:
</p>
<div class="example">
<pre class="example">description="
The GNU core utilities.
The GNU core utilities are the basic file, shell and text manipulation
utilities of the GNU operating system. These are the core utilities
which are expected to exist on every operating system.
"
</pre></div>
<p>Please consider a length limit of 78 characters as maximum, because the same
one would be used on the meta file creation. See
<a href="#Recipes">The meta file</a> section.
</p>
<p>The ‘<samp>homepage</samp>’ variable is used to declare the main site or home page:
</p>
<div class="example">
<pre class="example">homepage=https://www.gnu.org/software/gcc
</pre></div>
<p>The variable ‘<samp>license</samp>’ is used for license information<a id="DOCF4" href="#FOOT4"><sup>4</sup></a>.
Some code in the program can be covered by license A, license B, or
license C. For "separate licensing" or "heterogeneous licensing", we
suggest using <strong>|</strong> for a disjunction, <strong>&</strong> for a conjunction
(if that ever happens in a significant way), and comma for heterogeneous
licensing. Comma would have lower precedence, plus added special terms.
</p>
<div class="example">
<pre class="example">license="LGPL, GPL | Artistic - added permission"
</pre></div>
<span id="Writing-recipes"></span><h3 class="section">16.3 Writing recipes</h3>
<span id="index-writing-recipes"></span>
<p>Originally, Qi was designed for the series of Dragora GNU/Linux-Libre 3;
this doesn’t mean you can’t use it in another distribution, just that if
you do, you’ll have to try it out for yourself. To help with this, here
are some references to well-written recipes:
</p>
<ul>
<li> <a href="https://git.savannah.nongnu.org/cgit/dragora.git/tree/recipes">https://git.savannah.nongnu.org/cgit/dragora.git/tree/recipes</a>
</li><li> <a href="https://notabug.org/dragora/dragora/src/master/recipes">https://notabug.org/dragora/dragora/src/master/recipes</a>
</li><li> <a href="https://notabug.org/dragora/dragora-extras/src/master/recipes">https://notabug.org/dragora/dragora-extras/src/master/recipes</a>
</li><li> <a href="https://git.savannah.nongnu.org/cgit/dragora/dragora-extras.git/tree/recipes">https://git.savannah.nongnu.org/cgit/dragora/dragora-extras.git/tree/recipes</a>
</li></ul>
<span id="Building-packages"></span><h3 class="section">16.4 Building packages</h3>
<span id="index-package-build"></span>
<p>A recipe is any valid regular file. Qi sets priorities for reading a
recipe, the order in which qi looks for a recipe is:
</p>
<ol>
<li> Current working directory.
</li><li> If the specified path name does not contain "recipe" as the last
component. Qi will complete it by adding "recipe" to the path name.
</li><li> If the recipe is not in the current working directory, it will be
searched under ‘<samp>${worktree}/recipes</samp>’. The last component will be
completed adding "recipe" to the specified path name.
</li></ol>
<p>To build a single package, type:
</p>
<div class="example">
<pre class="example">qi build x-apps/xterm
</pre></div>
<p>Multiple jobs can be passed to the compiler to speed up the build process:
</p>
<div class="example">
<pre class="example">qi build --jobs 3 x-apps/xterm
</pre></div>
<p>Update or install the produced package (if not already installed) when the
build command ends:
</p>
<div class="example">
<pre class="example">qi build -j3 --upgrade x-apps/xterm
</pre></div>
<p>Only process a recipe but do not create the binary package:
</p>
<div class="example">
<pre class="example">qi build --no-package dict/aspell
</pre></div>
<p>The options –install or –upgrade have no effect when –no-package
is given.
</p>
<p>This is useful to inspect the build process of the above recipe:
</p>
<p>qi build –keep –no-package dict/aspell 2>&1 | tee aspell-log.txt
</p>
<p>The –keep option could preserve the source directory and the destination
directory for later inspection. A log file of the build process will be
created redirecting both, standard error and standard output to tee(1).
</p>
<span id="Variables-from-the-environment"></span><h3 class="section">16.5 Variables from the environment</h3>
<span id="index-environment-variables"></span>
<p>Qi has environment variables which can be used at build time:
</p>
<p>The variable <code>TMPDIR</code> sets the temporary directory for sources, which is
used for package extractions (see <a href="#Examining-packages">Examining packages</a>) and is
prepended to the value of ‘<samp>${srcdir}</samp>’ and ‘<samp>${destdir}</samp>’ in
build command. By convention its default value is equal to
‘<samp>/usr/src/qi/build</samp>’.
</p>
<p>The variables <code>QICFLAGS</code>, <code>QICXXFLAGS</code>, <code>QILDFLAGS</code>, and
<code>QICPPFLAGS</code> have no effect by default. The environment variables
such as <code>CFLAGS</code>, <code>CXXFLAGS</code>, <code>LDFLAGS</code>, and <code>CPPFLAGS</code>
are unset at compile time:
</p>
<p>Recommended practice is to set variables in the command line of
‘<samp>configure</samp>’ or <em>make(1)</em> instead of exporting to the
environment. As follows:
</p>
<p><a href="https://www.gnu.org/software/make/manual/html_node/Environment.html">https://www.gnu.org/software/make/manual/html_node/Environment.html</a>
</p><blockquote>
<p>It is not wise for makefiles to depend for their functioning on environment
variables set up outside their control, since this would cause different
users to get different results from the same makefile. This is against the
whole purpose of most makefiles.
</p></blockquote>
<p>Setting environment variables for configure is deprecated because running
configure in varying environments can be dangerous.
</p>
<p><a href="https://gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Defining-Variables.html">https://gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Defining-Variables.html</a>
</p><blockquote>
<p>Variables not defined in a site shell script can be set in the environment
passed to configure. However, some packages may run configure again
during the build, and the customized values of these variables may be
lost. In order to avoid this problem, you should set them in the
configure command line, using ‘<samp>VAR=value</samp>’. For example:
</p>
<p><code>./configure CC=/usr/local2/bin/gcc</code>
</p></blockquote>
<p><a href="https://www.gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Setting-Output-Variables.html">https://www.gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Setting-Output-Variables.html</a>
</p><blockquote>
<p>If for instance the user runs ‘<samp>CC=bizarre-cc ./configure</samp>’, then the cache,
config.h, and many other output files depend upon bizarre-cc being the C
compiler. If for some reason the user runs ./configure again, or if it is
run via ‘<samp>./config.status --recheck</samp>’, (See Automatic Remaking, and see
config.status Invocation), then the configuration can be inconsistent,
composed of results depending upon two different compilers.
[...]
Indeed, while configure can notice the definition of CC in ‘<samp>./configure
CC=bizarre-cc</samp>’, it is impossible to notice it in ‘<samp>CC=bizarre-cc
./configure</samp>’, which, unfortunately, is what most users do.
[...]
configure: error: changes in the environment can compromise the build.
</p></blockquote>
<p>If the <code>SOURCE_DATE_EPOCH</code> environment variable is set to a UNIX timestamp
(defined as the number of seconds, excluding leap seconds, since 01 Jan 1970
00:00:00 UTC.); then the given timestamp will be used to overwrite any newer
timestamps on the package contents (when it is created). More information
about this can be found at
<a href="https://reproducible-builds.org/specs/source-date-epoch/">https://reproducible-builds.org/specs/source-date-epoch/</a>.
</p>
<span id="The-meta-file"></span><h3 class="section">16.6 The meta file</h3>
<span id="index-the-meta-file"></span>
<p>The "meta file" is a regular file created during the build process, it
contains information about the package such as package name, package
version, architecture, release, fetch address, description, and other
minor data extracted from processed recipes. The name of the file is
generated as ‘<samp>${full_pkgname}.tlz.txt</samp>’, and its purpose is to
reflect essential information to the user without having to look inside
the package content. The file format is also intended to be used by
other scripts or by common Unix tools.
</p>
<p>The content of a meta file looks like:
</p>
<div class="example">
<pre class="example">#
# Pattern scanning and processing language.
#
# The awk utility interprets a special-purpose programming language
# that makes it possible to handle simple data-reformatting jobs
# with just a few lines of code. It is a free version of 'awk'.
#
# GNU awk implements the AWK utility which is part of
# IEEE Std 1003.1 Shell and Utilities (XCU).
#
QICFLAGS="-O2"
QICXXFLAGS="-O2"
QILDFLAGS=""
QICPPFLAGS=""
pkgname=gawk
pkgversion=5.0.1
arch=amd64
release=1
pkgcategory="tools"
full_pkgname=gawk_5.0.1_amd64-1@tools
blurb="Pattern scanning and processing language."
homepage="https://www.gnu.org/software/gawk"
license="GPLv3+"
fetch="https://ftp.gnu.org/gnu/gawk/gawk-5.0.1.tar.lz"
replace=""
</pre></div>
<p>A package descriptions is extracted from the variable ‘<samp>description</samp>’
where each line is interpreted literally and pre-formatted to fit in
(exactly) <strong>80 columns</strong>, plus the character ‘<samp>#</samp>’ and a blank
space is prefixed to every line (shell comments).
</p>
<p>In addition to the Special variables, there are implicit variables such as
‘<samp>blurb</samp>’:
</p>
<p>The ‘<samp>blurb</samp>’ variable is related to the special variable
‘<samp>description</samp>’. Its value is made from the first (substantial)
line of ‘<samp>description</samp>’, mentioned as the "brief description".
</p>
<p>The build flags such as ‘<samp>QICFLAGS</samp>’, ‘<samp>QICXXFLAGS</samp>’,
‘<samp>QILDFLAGS</samp>’, and ‘<samp>QICPPFLAGS</samp>’ are only added to the meta file
if the declared variable ‘<samp>arch</samp>’ is not equal to the "noarch" value.
</p>
<hr>
<span id="Order-files"></span><div class="header">
<p>
Next: <a href="#Creating-packages" accesskey="n" rel="next">Creating packages</a>, Previous: <a href="#Recipes" accesskey="p" rel="prev">Recipes</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Order-files-1"></span><h2 class="chapter">17 Order files</h2>
<span id="index-handling-build-order"></span>
<p>The order command has the purpose of resolving the build order through
.order files. An order file contains a list of recipe names, by default
does not perform any action other than to print a resolved list in
descending order. For example, if <strong>a</strong> depends on <strong>b</strong> and
<strong>c</strong>, and <strong>c</strong> depends on <strong>b</strong> as well, the file might
look like:
</p>
<div class="example">
<pre class="example">a: c b
b:
c: b
</pre></div>
<p>Each letter represents a recipe name, complete dependencies for
the first recipe name are listed in descending order, which is
printed from right to left, and removed from left to right:
</p>
<p><small>OUTPUT</small>
</p>
<div class="example">
<pre class="example">b
c
a
</pre></div>
<p>Blank lines, colons and parentheses are simply ignored. Comment lines
beginning with ‘<samp>#</samp>’ are allowed.
</p>
<p>An order file could be used to build a series of packages, for example,
if the content is:
</p>
<div class="example">
<pre class="example"># Image handling libraries
libs/libjpeg-turbo: devel/nasm
x-libs/jasper: libs/libjpeg-turbo
libs/tiff: libs/libjpeg-turbo
</pre></div>
<p>To proceed with each recipe, we can type:
</p>
<div class="example">
<pre class="example">qi order imglibs.order | qi build --install -
</pre></div>
<p>The output of ‘<samp>qi order imglibs.order</samp>’ tells to qi in which order it
should build the recipes:
</p>
<div class="example">
<pre class="example">devel/nasm
libs/libjpeg-turbo
x-libs/jasper
libs/tiff
</pre></div>
<hr>
<span id="Creating-packages"></span><div class="header">
<p>
Next: <a href="#Examining-packages" accesskey="n" rel="next">Examining packages</a>, Previous: <a href="#Order-files" accesskey="p" rel="prev">Order files</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Creating-packages-1"></span><h2 class="chapter">18 Creating packages</h2>
<span id="index-package-creation"></span>
<p>The creation command is an internal function of qi to make new Qi
compatible packages. A package is produced using the contents of
the Current Working Directory and the package file is written out.
</p>
<div class="example">
<pre class="example">Usage: qi create [<var>Output/PackageName.tlz</var>]...
</pre></div>
<p>The argument for the file name to be written must contain a fully
qualified named directory as the output directory where the package
produced will be written. The file name should be composed using the
full name: name-version-architecture-release[@pkgcategory].tlz
</p>
<p><small>EXAMPLE</small>
</p>
<div class="example">
<pre class="example">cd /usr/pkg
cd claws-mail_3.17.1_amd64-1@x-apps
qi create /var/cache/qi/packages/claws-mail_3.17.1_amd64-1@x-apps
</pre></div>
<p>In this case, the package "claws-mail_3.17.1_amd64-1@x-apps" will be
written into ‘<samp>/var/cache/qi/packages/</samp>’.
</p>
<p>All packages produced are complemented by a checksum file (.sha256).
</p>
<hr>
<span id="Examining-packages"></span><div class="header">
<p>
Next: <a href="#Qi-exit-status" accesskey="n" rel="next">Qi exit status</a>, Previous: <a href="#Creating-packages" accesskey="p" rel="prev">Creating packages</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Examining-packages-1"></span><h2 class="chapter">19 Examining packages</h2>
<span id="index-package-examination"></span>
<p>The extraction command serves to examine binary packages for debugging
purposes. It decompresses a package into a single directory, verifying
its integrity and preserving all of its properties (owner and permissions).
</p>
<div class="example">
<pre class="example">Usage: qi extract [<var>packagename.tlz</var>]...
</pre></div>
<p><small>EXAMPLE</small>
</p>
<div class="example">
<pre class="example">qi extract mksh_R56c_amd64-1@shells.tlz
</pre></div>
<p>This action will put the content of "mksh_R56c_amd64-1@shells.tlz" into a
single directory, this is a private directory for the user who requested
the action, creation operation will be equal to <strong>u=rwx,g=,o= (0700)</strong>.
The package content will reside on this location, default mask to deploy
the content will be equal to <strong>u=rwx,g=rwx,o=rwx (0000)</strong>.
</p>
<p>Note: the creation of the custom directory is influenced by the value
of the <code>TMPDIR</code> variable.
</p>
<hr>
<span id="Qi-exit-status"></span><div class="header">
<p>
Next: <a href="#Getting-support" accesskey="n" rel="next">Getting support</a>, Previous: <a href="#Examining-packages" accesskey="p" rel="prev">Examining packages</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Qi-exit-status-1"></span><h2 class="chapter">20 Qi exit status</h2>
<span id="index-exit-codes"></span>
<p>All the exit codes are described in this chapter.
</p>
<dl compact="compact">
<dt>‘<samp>0</samp>’</dt>
<dd><p>Successful completion (no errors).
</p>
</dd>
<dt>‘<samp>1</samp>’</dt>
<dd><p>Minor common errors:
</p>
<ul>
<li> Help usage on invalid options or required arguments.
</li><li> Program needed by qi (prerequisite) is not available.
</li></ul>
</dd>
<dt>‘<samp>2</samp>’</dt>
<dd><p>Command execution error:
</p>
<p>This code is used to return the evaluation of an external command or shell
arguments in case of failure.
</p>
</dd>
<dt>‘<samp>3</samp>’</dt>
<dd><p>Integrity check error for compressed files.
</p>
<p>Compressed files means:
</p>
<ul>
<li> A tarball file from tar(1), typically handled by the GNU tar implementation.
Supported extensions: .tar, .tar.gz, .tgz, .tar.Z, .tar.bz2, .tbz2, .tbz,
.tar.xz, .txz, .tar.zst, .tzst
</li><li> A tarball file from tarlz(1).
Supported extensions: .tar.lz, .tlz
</li><li> Zip files from unzip(1).
Supported extensions: .zip, .ZIP
</li><li> Gzip files from gzip(1).
Supported extensions: .gz, .Z
</li><li> Bzip2 files from bzip2(1).
Supported extension: .bz2
</li><li> Lzip files from lzip(1).
Supported extension: .lz
</li><li> Xz files from xz(1).
Supported extension: .xz
</li><li> Zstd files from zstd(1).
Supported extension: .zst
</li></ul>
</dd>
<dt>‘<samp>4</samp>’</dt>
<dd><p>File empty, not regular, or expected.
</p>
<p>It’s commonly expected:
</p>
<ul>
<li> An argument for giving commands.
</li><li> A regular file or readable directory.
</li><li> An expected extension: .tlz, .sha256, .order.
</li><li> A protocol supported by the network downloader tool.
</li></ul>
</dd>
<dt>‘<samp>5</samp>’</dt>
<dd><p>Empty or not defined variable:
</p>
<p>This code is used to report empty or undefined variables (usually
variables coming from a recipe or assigned arrays that are tested).
</p>
</dd>
<dt>‘<samp>6</samp>’</dt>
<dd><p>Package already installed:
</p>
<p>The package directory for an incoming .tlz package already exists.
</p>
</dd>
<dt>‘<samp>10</samp>’</dt>
<dd><p>Network manager error:
</p>
<p>This code is used if the network downloader tool fails for some reason.
</p></dd>
</dl>
<hr>
<span id="Getting-support"></span><div class="header">
<p>
Next: <a href="#Contributing-to-Dragora" accesskey="n" rel="next">Contributing to Dragora</a>, Previous: <a href="#Qi-exit-status" accesskey="p" rel="prev">Qi exit status</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Getting-support-1"></span><h2 class="chapter">21 Getting support</h2>
<span id="index-getting-support"></span>
<p>Dragora’s home page can be found at <a href="https://www.dragora.org">https://www.dragora.org</a>.
Bug reports or suggestions can be sent to <a href="mailto:dragora-users@nongnu.org">dragora-users@nongnu.org</a>.
</p>
<hr>
<span id="Contributing-to-Dragora"></span><div class="header">
<p>
Next: <a href="#GNU-Free-Documentation-License" accesskey="n" rel="next">GNU Free Documentation License</a>, Previous: <a href="#Getting-support" accesskey="p" rel="prev">Getting support</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Contributing-to-Dragora-1"></span><h2 class="chapter">22 Contributing to Dragora</h2>
<span id="index-contributing-to-dragora"></span>
<p>TODO (introductory text here).
</p>
<span id="How-to-place-a-mirror"></span><h3 class="section">22.1 How to place a mirror</h3>
<span id="index-how-to-place-a-mirror"></span>
<p>If there’s no Dragora mirror near you, you’re welcome to contribute one.
</p>
<p>First, for users or downloaders, the address <em>rsync://rsync.dragora.org/</em>
contains ISO images and source code (in various formats) taken from the
original sites and distributed by Dragora.
</p>
<p>Mirroring the Dragora server requires approximately 13GB of disk space (as
of January 2022). You can hit rsync directly from <em>rsync.dragora.org</em> as:
</p>
<p><code>rsync -rltpHS --delete-excluded rsync://rsync.dragora.org/dragora /your/dir/</code>
</p>
<p>Also, consider mirroring from another site in order to reduce load on the
Dragora server. The listed sites at
<a href="https://www.dragora.org/en/get/mirrors/index.html">https://www.dragora.org/en/get/mirrors/index.html</a> provide access to all
the material on rsync.dragora.org. They update from us nightly (at least),
and you may access them via rsync with the same options as above.
</p>
<p>Note:
</p>
<p>We keep a file called "timestamp" under the main tree after each
synchronization. This file can be used to verify, instead of synchronizing
all the content at once, you can check if this file has been updated and
then continue with the full synchronization.
</p>
<hr>
<span id="GNU-Free-Documentation-License"></span><div class="header">
<p>
Next: <a href="#Index" accesskey="n" rel="next">Index</a>, Previous: <a href="#Contributing-to-Dragora" accesskey="p" rel="prev">Contributing to Dragora</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="GNU-Free-Documentation-License-1"></span><h2 class="appendix">Appendix A GNU Free Documentation License</h2>
<div align="center">Version 1.3, 3 November 2008
</div>
<div class="display">
<pre class="display">Copyright © 2000, 2001, 2002, 2007, 2008 Free Software Foundation, Inc.
<a href="https://fsf.org/">https://fsf.org/</a>
Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.
</pre></div>
<ol start="0">
<li> PREAMBLE
<p>The purpose of this License is to make a manual, textbook, or other
functional and useful document <em>free</em> in the sense of freedom: to
assure everyone the effective freedom to copy and redistribute it,
with or without modifying it, either commercially or noncommercially.
Secondarily, this License preserves for the author and publisher a way
to get credit for their work, while not being considered responsible
for modifications made by others.
</p>
<p>This License is a kind of “copyleft”, which means that derivative
works of the document must themselves be free in the same sense. It
complements the GNU General Public License, which is a copyleft
license designed for free software.
</p>
<p>We have designed this License in order to use it for manuals for free
software, because free software needs free documentation: a free
program should come with manuals providing the same freedoms that the
software does. But this License is not limited to software manuals;
it can be used for any textual work, regardless of subject matter or
whether it is published as a printed book. We recommend this License
principally for works whose purpose is instruction or reference.
</p>
</li><li> APPLICABILITY AND DEFINITIONS
<p>This License applies to any manual or other work, in any medium, that
contains a notice placed by the copyright holder saying it can be
distributed under the terms of this License. Such a notice grants a
world-wide, royalty-free license, unlimited in duration, to use that
work under the conditions stated herein. The “Document”, below,
refers to any such manual or work. Any member of the public is a
licensee, and is addressed as “you”. You accept the license if you
copy, modify or distribute the work in a way requiring permission
under copyright law.
</p>
<p>A “Modified Version” of the Document means any work containing the
Document or a portion of it, either copied verbatim, or with
modifications and/or translated into another language.
</p>
<p>A “Secondary Section” is a named appendix or a front-matter section
of the Document that deals exclusively with the relationship of the
publishers or authors of the Document to the Document’s overall
subject (or to related matters) and contains nothing that could fall
directly within that overall subject. (Thus, if the Document is in
part a textbook of mathematics, a Secondary Section may not explain
any mathematics.) The relationship could be a matter of historical
connection with the subject or with related matters, or of legal,
commercial, philosophical, ethical or political position regarding
them.
</p>
<p>The “Invariant Sections” are certain Secondary Sections whose titles
are designated, as being those of Invariant Sections, in the notice
that says that the Document is released under this License. If a
section does not fit the above definition of Secondary then it is not
allowed to be designated as Invariant. The Document may contain zero
Invariant Sections. If the Document does not identify any Invariant
Sections then there are none.
</p>
<p>The “Cover Texts” are certain short passages of text that are listed,
as Front-Cover Texts or Back-Cover Texts, in the notice that says that
the Document is released under this License. A Front-Cover Text may
be at most 5 words, and a Back-Cover Text may be at most 25 words.
</p>
<p>A “Transparent” copy of the Document means a machine-readable copy,
represented in a format whose specification is available to the
general public, that is suitable for revising the document
straightforwardly with generic text editors or (for images composed of
pixels) generic paint programs or (for drawings) some widely available
drawing editor, and that is suitable for input to text formatters or
for automatic translation to a variety of formats suitable for input
to text formatters. A copy made in an otherwise Transparent file
format whose markup, or absence of markup, has been arranged to thwart
or discourage subsequent modification by readers is not Transparent.
An image format is not Transparent if used for any substantial amount
of text. A copy that is not “Transparent” is called “Opaque”.
</p>
<p>Examples of suitable formats for Transparent copies include plain
ASCII without markup, Texinfo input format, LaTeX input
format, SGML or XML using a publicly available
DTD, and standard-conforming simple HTML,
PostScript or PDF designed for human modification. Examples
of transparent image formats include PNG, XCF and
JPG. Opaque formats include proprietary formats that can be
read and edited only by proprietary word processors, SGML or
XML for which the DTD and/or processing tools are
not generally available, and the machine-generated HTML,
PostScript or PDF produced by some word processors for
output purposes only.
</p>
<p>The “Title Page” means, for a printed book, the title page itself,
plus such following pages as are needed to hold, legibly, the material
this License requires to appear in the title page. For works in
formats which do not have any title page as such, “Title Page” means
the text near the most prominent appearance of the work’s title,
preceding the beginning of the body of the text.
</p>
<p>The “publisher” means any person or entity that distributes copies
of the Document to the public.
</p>
<p>A section “Entitled XYZ” means a named subunit of the Document whose
title either is precisely XYZ or contains XYZ in parentheses following
text that translates XYZ in another language. (Here XYZ stands for a
specific section name mentioned below, such as “Acknowledgements”,
“Dedications”, “Endorsements”, or “History”.) To “Preserve the Title”
of such a section when you modify the Document means that it remains a
section “Entitled XYZ” according to this definition.
</p>
<p>The Document may include Warranty Disclaimers next to the notice which
states that this License applies to the Document. These Warranty
Disclaimers are considered to be included by reference in this
License, but only as regards disclaiming warranties: any other
implication that these Warranty Disclaimers may have is void and has
no effect on the meaning of this License.
</p>
</li><li> VERBATIM COPYING
<p>You may copy and distribute the Document in any medium, either
commercially or noncommercially, provided that this License, the
copyright notices, and the license notice saying this License applies
to the Document are reproduced in all copies, and that you add no other
conditions whatsoever to those of this License. You may not use
technical measures to obstruct or control the reading or further
copying of the copies you make or distribute. However, you may accept
compensation in exchange for copies. If you distribute a large enough
number of copies you must also follow the conditions in section 3.
</p>
<p>You may also lend copies, under the same conditions stated above, and
you may publicly display copies.
</p>
</li><li> COPYING IN QUANTITY
<p>If you publish printed copies (or copies in media that commonly have
printed covers) of the Document, numbering more than 100, and the
Document’s license notice requires Cover Texts, you must enclose the
copies in covers that carry, clearly and legibly, all these Cover
Texts: Front-Cover Texts on the front cover, and Back-Cover Texts on
the back cover. Both covers must also clearly and legibly identify
you as the publisher of these copies. The front cover must present
the full title with all words of the title equally prominent and
visible. You may add other material on the covers in addition.
Copying with changes limited to the covers, as long as they preserve
the title of the Document and satisfy these conditions, can be treated
as verbatim copying in other respects.
</p>
<p>If the required texts for either cover are too voluminous to fit
legibly, you should put the first ones listed (as many as fit
reasonably) on the actual cover, and continue the rest onto adjacent
pages.
</p>
<p>If you publish or distribute Opaque copies of the Document numbering
more than 100, you must either include a machine-readable Transparent
copy along with each Opaque copy, or state in or with each Opaque copy
a computer-network location from which the general network-using
public has access to download using public-standard network protocols
a complete Transparent copy of the Document, free of added material.
If you use the latter option, you must take reasonably prudent steps,
when you begin distribution of Opaque copies in quantity, to ensure
that this Transparent copy will remain thus accessible at the stated
location until at least one year after the last time you distribute an
Opaque copy (directly or through your agents or retailers) of that
edition to the public.
</p>
<p>It is requested, but not required, that you contact the authors of the
Document well before redistributing any large number of copies, to give
them a chance to provide you with an updated version of the Document.
</p>
</li><li> MODIFICATIONS
<p>You may copy and distribute a Modified Version of the Document under
the conditions of sections 2 and 3 above, provided that you release
the Modified Version under precisely this License, with the Modified
Version filling the role of the Document, thus licensing distribution
and modification of the Modified Version to whoever possesses a copy
of it. In addition, you must do these things in the Modified Version:
</p>
<ol type="A" start="1">
<li> Use in the Title Page (and on the covers, if any) a title distinct
from that of the Document, and from those of previous versions
(which should, if there were any, be listed in the History section
of the Document). You may use the same title as a previous version
if the original publisher of that version gives permission.
</li><li> List on the Title Page, as authors, one or more persons or entities
responsible for authorship of the modifications in the Modified
Version, together with at least five of the principal authors of the
Document (all of its principal authors, if it has fewer than five),
unless they release you from this requirement.
</li><li> State on the Title page the name of the publisher of the
Modified Version, as the publisher.
</li><li> Preserve all the copyright notices of the Document.
</li><li> Add an appropriate copyright notice for your modifications
adjacent to the other copyright notices.
</li><li> Include, immediately after the copyright notices, a license notice
giving the public permission to use the Modified Version under the
terms of this License, in the form shown in the Addendum below.
</li><li> Preserve in that license notice the full lists of Invariant Sections
and required Cover Texts given in the Document’s license notice.
</li><li> Include an unaltered copy of this License.
</li><li> Preserve the section Entitled “History”, Preserve its Title, and add
to it an item stating at least the title, year, new authors, and
publisher of the Modified Version as given on the Title Page. If
there is no section Entitled “History” in the Document, create one
stating the title, year, authors, and publisher of the Document as
given on its Title Page, then add an item describing the Modified
Version as stated in the previous sentence.
</li><li> Preserve the network location, if any, given in the Document for
public access to a Transparent copy of the Document, and likewise
the network locations given in the Document for previous versions
it was based on. These may be placed in the “History” section.
You may omit a network location for a work that was published at
least four years before the Document itself, or if the original
publisher of the version it refers to gives permission.
</li><li> For any section Entitled “Acknowledgements” or “Dedications”, Preserve
the Title of the section, and preserve in the section all the
substance and tone of each of the contributor acknowledgements and/or
dedications given therein.
</li><li> Preserve all the Invariant Sections of the Document,
unaltered in their text and in their titles. Section numbers
or the equivalent are not considered part of the section titles.
</li><li> Delete any section Entitled “Endorsements”. Such a section
may not be included in the Modified Version.
</li><li> Do not retitle any existing section to be Entitled “Endorsements” or
to conflict in title with any Invariant Section.
</li><li> Preserve any Warranty Disclaimers.
</li></ol>
<p>If the Modified Version includes new front-matter sections or
appendices that qualify as Secondary Sections and contain no material
copied from the Document, you may at your option designate some or all
of these sections as invariant. To do this, add their titles to the
list of Invariant Sections in the Modified Version’s license notice.
These titles must be distinct from any other section titles.
</p>
<p>You may add a section Entitled “Endorsements”, provided it contains
nothing but endorsements of your Modified Version by various
parties—for example, statements of peer review or that the text has
been approved by an organization as the authoritative definition of a
standard.
</p>
<p>You may add a passage of up to five words as a Front-Cover Text, and a
passage of up to 25 words as a Back-Cover Text, to the end of the list
of Cover Texts in the Modified Version. Only one passage of
Front-Cover Text and one of Back-Cover Text may be added by (or
through arrangements made by) any one entity. If the Document already
includes a cover text for the same cover, previously added by you or
by arrangement made by the same entity you are acting on behalf of,
you may not add another; but you may replace the old one, on explicit
permission from the previous publisher that added the old one.
</p>
<p>The author(s) and publisher(s) of the Document do not by this License
give permission to use their names for publicity for or to assert or
imply endorsement of any Modified Version.
</p>
</li><li> COMBINING DOCUMENTS
<p>You may combine the Document with other documents released under this
License, under the terms defined in section 4 above for modified
versions, provided that you include in the combination all of the
Invariant Sections of all of the original documents, unmodified, and
list them all as Invariant Sections of your combined work in its
license notice, and that you preserve all their Warranty Disclaimers.
</p>
<p>The combined work need only contain one copy of this License, and
multiple identical Invariant Sections may be replaced with a single
copy. If there are multiple Invariant Sections with the same name but
different contents, make the title of each such section unique by
adding at the end of it, in parentheses, the name of the original
author or publisher of that section if known, or else a unique number.
Make the same adjustment to the section titles in the list of
Invariant Sections in the license notice of the combined work.
</p>
<p>In the combination, you must combine any sections Entitled “History”
in the various original documents, forming one section Entitled
“History”; likewise combine any sections Entitled “Acknowledgements”,
and any sections Entitled “Dedications”. You must delete all
sections Entitled “Endorsements.”
</p>
</li><li> COLLECTIONS OF DOCUMENTS
<p>You may make a collection consisting of the Document and other documents
released under this License, and replace the individual copies of this
License in the various documents with a single copy that is included in
the collection, provided that you follow the rules of this License for
verbatim copying of each of the documents in all other respects.
</p>
<p>You may extract a single document from such a collection, and distribute
it individually under this License, provided you insert a copy of this
License into the extracted document, and follow this License in all
other respects regarding verbatim copying of that document.
</p>
</li><li> AGGREGATION WITH INDEPENDENT WORKS
<p>A compilation of the Document or its derivatives with other separate
and independent documents or works, in or on a volume of a storage or
distribution medium, is called an “aggregate” if the copyright
resulting from the compilation is not used to limit the legal rights
of the compilation’s users beyond what the individual works permit.
When the Document is included in an aggregate, this License does not
apply to the other works in the aggregate which are not themselves
derivative works of the Document.
</p>
<p>If the Cover Text requirement of section 3 is applicable to these
copies of the Document, then if the Document is less than one half of
the entire aggregate, the Document’s Cover Texts may be placed on
covers that bracket the Document within the aggregate, or the
electronic equivalent of covers if the Document is in electronic form.
Otherwise they must appear on printed covers that bracket the whole
aggregate.
</p>
</li><li> TRANSLATION
<p>Translation is considered a kind of modification, so you may
distribute translations of the Document under the terms of section 4.
Replacing Invariant Sections with translations requires special
permission from their copyright holders, but you may include
translations of some or all Invariant Sections in addition to the
original versions of these Invariant Sections. You may include a
translation of this License, and all the license notices in the
Document, and any Warranty Disclaimers, provided that you also include
the original English version of this License and the original versions
of those notices and disclaimers. In case of a disagreement between
the translation and the original version of this License or a notice
or disclaimer, the original version will prevail.
</p>
<p>If a section in the Document is Entitled “Acknowledgements”,
“Dedications”, or “History”, the requirement (section 4) to Preserve
its Title (section 1) will typically require changing the actual
title.
</p>
</li><li> TERMINATION
<p>You may not copy, modify, sublicense, or distribute the Document
except as expressly provided under this License. Any attempt
otherwise to copy, modify, sublicense, or distribute it is void, and
will automatically terminate your rights under this License.
</p>
<p>However, if you cease all violation of this License, then your license
from a particular copyright holder is reinstated (a) provisionally,
unless and until the copyright holder explicitly and finally
terminates your license, and (b) permanently, if the copyright holder
fails to notify you of the violation by some reasonable means prior to
60 days after the cessation.
</p>
<p>Moreover, your license from a particular copyright holder is
reinstated permanently if the copyright holder notifies you of the
violation by some reasonable means, this is the first time you have
received notice of violation of this License (for any work) from that
copyright holder, and you cure the violation prior to 30 days after
your receipt of the notice.
</p>
<p>Termination of your rights under this section does not terminate the
licenses of parties who have received copies or rights from you under
this License. If your rights have been terminated and not permanently
reinstated, receipt of a copy of some or all of the same material does
not give you any rights to use it.
</p>
</li><li> FUTURE REVISIONS OF THIS LICENSE
<p>The Free Software Foundation may publish new, revised versions
of the GNU Free Documentation License from time to time. Such new
versions will be similar in spirit to the present version, but may
differ in detail to address new problems or concerns. See
<a href="https://www.gnu.org/licenses/">https://www.gnu.org/licenses/</a>.
</p>
<p>Each version of the License is given a distinguishing version number.
If the Document specifies that a particular numbered version of this
License “or any later version” applies to it, you have the option of
following the terms and conditions either of that specified version or
of any later version that has been published (not as a draft) by the
Free Software Foundation. If the Document does not specify a version
number of this License, you may choose any version ever published (not
as a draft) by the Free Software Foundation. If the Document
specifies that a proxy can decide which future versions of this
License can be used, that proxy’s public statement of acceptance of a
version permanently authorizes you to choose that version for the
Document.
</p>
</li><li> RELICENSING
<p>“Massive Multiauthor Collaboration Site” (or “MMC Site”) means any
World Wide Web server that publishes copyrightable works and also
provides prominent facilities for anybody to edit those works. A
public wiki that anybody can edit is an example of such a server. A
“Massive Multiauthor Collaboration” (or “MMC”) contained in the
site means any set of copyrightable works thus published on the MMC
site.
</p>
<p>“CC-BY-SA” means the Creative Commons Attribution-Share Alike 3.0
license published by Creative Commons Corporation, a not-for-profit
corporation with a principal place of business in San Francisco,
California, as well as future copyleft versions of that license
published by that same organization.
</p>
<p>“Incorporate” means to publish or republish a Document, in whole or
in part, as part of another Document.
</p>
<p>An MMC is “eligible for relicensing” if it is licensed under this
License, and if all works that were first published under this License
somewhere other than this MMC, and subsequently incorporated in whole
or in part into the MMC, (1) had no cover texts or invariant sections,
and (2) were thus incorporated prior to November 1, 2008.
</p>
<p>The operator of an MMC Site may republish an MMC contained in the site
under CC-BY-SA on the same site at any time before August 1, 2009,
provided the MMC is eligible for relicensing.
</p>
</li></ol>
<span id="ADDENDUM_003a-How-to-use-this-License-for-your-documents"></span><h3 class="heading">ADDENDUM: How to use this License for your documents</h3>
<p>To use this License in a document you have written, include a copy of
the License in the document and put the following copyright and
license notices just after the title page:
</p>
<div class="example">
<pre class="example"> Copyright (C) <var>year</var> <var>your name</var>.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3
or any later version published by the Free Software Foundation;
with no Invariant Sections, no Front-Cover Texts, and no Back-Cover
Texts. A copy of the license is included in the section entitled ``GNU
Free Documentation License''.
</pre></div>
<p>If you have Invariant Sections, Front-Cover Texts and Back-Cover Texts,
replace the “with…Texts.” line with this:
</p>
<div class="example">
<pre class="example"> with the Invariant Sections being <var>list their titles</var>, with
the Front-Cover Texts being <var>list</var>, and with the Back-Cover Texts
being <var>list</var>.
</pre></div>
<p>If you have Invariant Sections without Cover Texts, or some other
combination of the three, merge those two alternatives to suit the
situation.
</p>
<p>If your document contains nontrivial examples of program code, we
recommend releasing these examples in parallel under your choice of
free software license, such as the GNU General Public License,
to permit their use in free software.
</p>
<hr>
<span id="Index"></span><div class="header">
<p>
Previous: <a href="#GNU-Free-Documentation-License" accesskey="p" rel="prev">GNU Free Documentation License</a>, Up: <a href="#Top" accesskey="u" rel="up">Top</a> [<a href="#Index" title="Index" rel="index">Index</a>]</p>
</div>
<span id="Index-1"></span><h2 class="unnumbered">Index</h2>
<table><tr><th valign="top">Jump to: </th><td><a class="summary-letter" href="#Index_cp_letter-A"><b>A</b></a>
<a class="summary-letter" href="#Index_cp_letter-B"><b>B</b></a>
<a class="summary-letter" href="#Index_cp_letter-C"><b>C</b></a>
<a class="summary-letter" href="#Index_cp_letter-E"><b>E</b></a>
<a class="summary-letter" href="#Index_cp_letter-F"><b>F</b></a>
<a class="summary-letter" href="#Index_cp_letter-G"><b>G</b></a>
<a class="summary-letter" href="#Index_cp_letter-H"><b>H</b></a>
<a class="summary-letter" href="#Index_cp_letter-I"><b>I</b></a>
<a class="summary-letter" href="#Index_cp_letter-L"><b>L</b></a>
<a class="summary-letter" href="#Index_cp_letter-M"><b>M</b></a>
<a class="summary-letter" href="#Index_cp_letter-P"><b>P</b></a>
<a class="summary-letter" href="#Index_cp_letter-R"><b>R</b></a>
<a class="summary-letter" href="#Index_cp_letter-S"><b>S</b></a>
<a class="summary-letter" href="#Index_cp_letter-T"><b>T</b></a>
<a class="summary-letter" href="#Index_cp_letter-U"><b>U</b></a>
<a class="summary-letter" href="#Index_cp_letter-V"><b>V</b></a>
<a class="summary-letter" href="#Index_cp_letter-W"><b>W</b></a>
</td></tr></table>
<table class="index-cp" border="0">
<tr><td></td><th align="left">Index Entry</th><td> </td><th align="left"> Section</th></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-A">A</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-a-quick-glance-at-dragora">a quick glance at dragora</a>:</td><td> </td><td valign="top"><a href="#A-quick-glance-at-Dragora">A quick glance at Dragora</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-about-this-handbook">about this handbook</a>:</td><td> </td><td valign="top"><a href="#About-this-handbook">About this handbook</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-B">B</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-boot-options-from-live-medium">boot options from live medium</a>:</td><td> </td><td valign="top"><a href="#Boot-options-from-live-medium">Boot options from live medium</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-C">C</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-configuration-file">configuration file</a>:</td><td> </td><td valign="top"><a href="#The-qirc-file">The qirc file</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-contributing-to-dragora">contributing to dragora</a>:</td><td> </td><td valign="top"><a href="#Contributing-to-Dragora">Contributing to Dragora</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-E">E</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-environment-variables">environment variables</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-exit-codes">exit codes</a>:</td><td> </td><td valign="top"><a href="#Qi-exit-status">Qi exit status</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-F">F</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-free-software">free software</a>:</td><td> </td><td valign="top"><a href="#What-is-Dragora_003f">What is Dragora?</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-G">G</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-getting-support">getting support</a>:</td><td> </td><td valign="top"><a href="#Getting-support">Getting support</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-gnu">gnu</a>:</td><td> </td><td valign="top"><a href="#What-is-Dragora_003f">What is Dragora?</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-H">H</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-handling-build-order">handling build order</a>:</td><td> </td><td valign="top"><a href="#Order-files">Order files</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-history">history</a>:</td><td> </td><td valign="top"><a href="#History">History</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-how-to-place-a-mirror">how to place a mirror</a>:</td><td> </td><td valign="top"><a href="#Contributing-to-Dragora">Contributing to Dragora</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-I">I</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-installing-the-system-manually-_0028as-an-alternative_0029">installing the system manually (as an alternative)</a>:</td><td> </td><td valign="top"><a href="#Installing-the-system-manually-_0028as-an-alternative_0029">Installing the system manually (as an alternative)</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-introduction-to-qi">introduction to qi</a>:</td><td> </td><td valign="top"><a href="#Introduction-to-Qi">Introduction to Qi</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-invocation">invocation</a>:</td><td> </td><td valign="top"><a href="#Invoking-qi">Invoking qi</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-L">L</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-linux-or-linux_002dlibre">linux or linux-libre</a>:</td><td> </td><td valign="top"><a href="#What-is-Dragora_003f">What is Dragora?</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-M">M</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-maintainers">maintainers</a>:</td><td> </td><td valign="top"><a href="#Maintainers">Maintainers</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-managing-packages">managing packages</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-P">P</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-blacklist">package blacklist</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-build">package build</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-conflicts">package conflicts</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-creation">package creation</a>:</td><td> </td><td valign="top"><a href="#Creating-packages">Creating packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-de_002dinstallation">package de-installation</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-examination">package examination</a>:</td><td> </td><td valign="top"><a href="#Examining-packages">Examining packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-installation">package installation</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-management-in-a-nutshell">package management in a nutshell</a>:</td><td> </td><td valign="top"><a href="#Package-management-in-a-nutshell">Package management in a nutshell</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-management-in-dragora">package management in dragora</a>:</td><td> </td><td valign="top"><a href="#Introduction-to-package-management-in-Dragora">Introduction to package management in Dragora</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-package-upgrade">package upgrade</a>:</td><td> </td><td valign="top"><a href="#Packages">Packages</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-R">R</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-recipes">recipes</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-releases">releases</a>:</td><td> </td><td valign="top"><a href="#History">History</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-revision-history-_0028changelog_0029">revision history (changelog)</a>:</td><td> </td><td valign="top"><a href="#Revision-history-_0028ChangeLog_0029">Revision history (ChangeLog)</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-S">S</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-special-variables">special variables</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-T">T</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-the-meta-file">the meta file</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-typographic-conventions">typographic conventions</a>:</td><td> </td><td valign="top"><a href="#About-this-handbook">About this handbook</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-U">U</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-using-dragora_002dinstaller">using dragora-installer</a>:</td><td> </td><td valign="top"><a href="#Using-dragora_002dinstaller">Using dragora-installer</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-using-third_002dparty-free-software">using third-party free software</a>:</td><td> </td><td valign="top"><a href="#Using-third_002dparty-free-software">Using third-party free software</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-V">V</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-variables">variables</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
<tr><th id="Index_cp_letter-W">W</th><td></td><td></td></tr>
<tr><td></td><td valign="top"><a href="#index-what-is-dragora_003f">what is dragora?</a>:</td><td> </td><td valign="top"><a href="#What-is-Dragora_003f">What is Dragora?</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-why-should-I-use-dragora_003f">why should I use dragora?</a>:</td><td> </td><td valign="top"><a href="#Why-should-I-use-Dragora_003f">Why should I use Dragora?</a></td></tr>
<tr><td></td><td valign="top"><a href="#index-writing-recipes">writing recipes</a>:</td><td> </td><td valign="top"><a href="#Recipes">Recipes</a></td></tr>
<tr><td colspan="4"> <hr></td></tr>
</table>
<table><tr><th valign="top">Jump to: </th><td><a class="summary-letter" href="#Index_cp_letter-A"><b>A</b></a>
<a class="summary-letter" href="#Index_cp_letter-B"><b>B</b></a>
<a class="summary-letter" href="#Index_cp_letter-C"><b>C</b></a>
<a class="summary-letter" href="#Index_cp_letter-E"><b>E</b></a>
<a class="summary-letter" href="#Index_cp_letter-F"><b>F</b></a>
<a class="summary-letter" href="#Index_cp_letter-G"><b>G</b></a>
<a class="summary-letter" href="#Index_cp_letter-H"><b>H</b></a>
<a class="summary-letter" href="#Index_cp_letter-I"><b>I</b></a>
<a class="summary-letter" href="#Index_cp_letter-L"><b>L</b></a>
<a class="summary-letter" href="#Index_cp_letter-M"><b>M</b></a>
<a class="summary-letter" href="#Index_cp_letter-P"><b>P</b></a>
<a class="summary-letter" href="#Index_cp_letter-R"><b>R</b></a>
<a class="summary-letter" href="#Index_cp_letter-S"><b>S</b></a>
<a class="summary-letter" href="#Index_cp_letter-T"><b>T</b></a>
<a class="summary-letter" href="#Index_cp_letter-U"><b>U</b></a>
<a class="summary-letter" href="#Index_cp_letter-V"><b>V</b></a>
<a class="summary-letter" href="#Index_cp_letter-W"><b>W</b></a>
</td></tr></table>
<div class="footnote">
<hr>
<h4 class="footnotes-heading">Footnotes</h4>
<h5><a id="FOOT1" href="#DOCF1">(1)</a></h3>
<p>For more details about tarlz and the
lzip format, visit <a href="https://lzip.nongnu.org/tarlz.html">https://lzip.nongnu.org/tarlz.html</a>.</p>
<h5><a id="FOOT2" href="#DOCF2">(2)</a></h3>
<p>The official guide for Graft can be found at
<a href="https://peters.gormand.com.au/Home/tools/graft/graft.html">https://peters.gormand.com.au/Home/tools/graft/graft.html</a>.</p>
<h5><a id="FOOT3" href="#DOCF3">(3)</a></h3>
<p>About the ‘<samp>--bsolid</samp>’ granularity option of tarlz(1),
<a href="https://www.nongnu.org/lzip/manual/tarlz_manual.html#g_t_002d_002dbsolid">https://www.nongnu.org/lzip/manual/tarlz_manual.html#g_t_002d_002dbsolid</a>.</p>
<h5><a id="FOOT4" href="#DOCF4">(4)</a></h3>
<p>The proposal for ‘<samp>license</samp>’ was made by Richard M. Stallman at
<a href="https://lists.gnu.org/archive/html/gnu-linux-libre/2016-05/msg00003.html">https://lists.gnu.org/archive/html/gnu-linux-libre/2016-05/msg00003.html</a>.</p>
</div>
<hr>
</body>
</html>
| bkmgit/dragora | en/manual/dragora-handbook.html | HTML | unknown | 116,692 |
1 About this handbook
1.1 Typographic conventions
Revision history (ChangeLog)
2 What is Dragora?
2.1 Free software
2.2 GNU
2.3 Linux and Linux-libre
3 Why should I use Dragora?
4 History
4.1 Releases
5 Maintainers
6 A quick glance at Dragora
7 Boot options from live medium
8 Using dragora-installer
9 Installing the system manually (as an alternative)
10 Introduction to package management in Dragora
11 Package management in a nutshell
Using third-party free software
12 Introduction to Qi
13 Invoking qi
14 The qirc file
15 Packages
15.1 Package conflicts
15.2 Installing packages
15.3 Removing packages
15.4 Upgrading packages
15.4.1 Package blacklist
16 Recipes
16.1 Variables
16.2 Special variables
16.3 Writing recipes
16.4 Building packages
16.5 Variables from the environment
16.6 The meta file
17 Order files
18 Creating packages
19 Examining packages
20 Qi exit status
21 Getting support
22 Contributing to Dragora
22.1 How to place a mirror
Appendix A GNU Free Documentation License
Index
Dragora 3.0 Handbook
********************
This Handbook is for Dragora (version 3.0, initial revision, 26 Apr
2023).
Copyright � 2020-2023 The Dragora Team.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts.
1 About this handbook
*********************
TODO (Add intro + versioning scheme paragraph).
1.1 Typographic conventions
===========================
TODO (appendix).
Revision history (ChangeLog)
****************************
TODO (appendix).
2 What is Dragora?
******************
*Dragora* is an independent GNU/Linux distribution project which was
created from scratch with the intention of providing a reliable
operating system with maximum respect for the user by including entirely
free software. *Dragora* is based on the concepts of simplicity and
elegance, it offers a user-friendly Unix-like environment with emphasis
on stability and security for long-term durability.
To put it in a nutshell, *Dragora* is...
* Minimalist.
* Free as in freedom.
* Getting better by the day.
* A whole lot of fun (not suitable for old vinegars).
Some of the features of Dragora are:
* SysV init as the classic, documented initialization program (PID
1).
* Perp to reliably start, monitor, log and control "critical" system
daemons.
* Lightweight alternatives to popular free software; i.e, musl libc,
libressl, mksh, scron, pkgconf.
* The Trinity Desktop Environment (TDE).
* Window managers such as TWM, DWM.
* Graft for managing multiple packages under a single directory
hierarchy using symbolic links mechanisms.
* Qi as a simple local package manager that complements Graft to
create, install, remove and upgrade software packages.
2.1 Free software
=================
TODO.
2.2 GNU
=======
TODO.
2.3 Linux and Linux-libre
=========================
TODO.
3 Why should I use Dragora?
***************************
We cannot and do not intend to decide for you, we can only cite what we
believe to be Dragora's main strengths:
* *Independent*: As mentioned before, Dragora is an independent
project, this means that it is based on a voluntary basis where one
or more people share the same direction or intentions for the sake
of the project and in benefit of the free software community. But
above all, it is not a purely commercial project or one that is
made by a company, where they have commercial interests, and where
many times they will do anything to catch you and see your face for
their selfish business.
* *Simple:* The underlying concept of Dragora's design philosophy is
simplicity: KISS, "Keep It Simple, Stupid!". This principle, which
derives from what is known as "Ockham's razor," was developed by
the first modern critical philosopher: William of Ockham. We
believe this concept represents the traditional UNIX philosophy -
so we don't add functionality unnecessarily, nor do we duplicate
information.
* *Ethical:* We try to ensure that the included software is
completely free and allows you to legally run, copy, distribute,
study, change and improve the software.
* *Language:* Native support.
* *Community:* Dragora is not a closed project. On the contrary,
anyone person with good intentions is welcome - and encouraged! -
to join and help.
4 History
*********
Development of Dragora started in 2007 by Matias Andres Fonzo from
Santiago del Estero, Argentina. After one year of hard work, the first
beta of Dragora was released on June 13, 2008, which contained the basic
GNU toolset, boot scripts, package system, and an installer. Whereas
the intention was to achieve a 100% "free" as in freedom GNU/Linux
distribution from the beginning, this very first version was not fully
free (or libre) since all parts were free software, except for the Linux
Kernel due to blobs or non-free parts. Fortunately, the Linux-Libre
project appears that same year, which removes or cleans the non-free
parts of the official versions of the Linux Kernel. This led to the
second beta of Dragora on September 18, 2008; completing distribution's
freedom by replacing the Kernel, and becoming the first one available to
the public. Ongoing work to provide a more complete distribution would
result in the stable release of Dragora 1.0, achieved on March 13, 2009.
The series ends with the massive update plus fixes and added software
for version 1.1 released on October 8, 2009.
Design of this series was based on a traditional GNU/Linux scheme
with SysVinit as the init system but using BSD-style boot scripts. The
package system, the installer, the text menu-mode tools and the boot
scripts were all written using the syntax and the features offered by
GNU Bash. Initially the binary packages were provided in .tbz2 format
(files compressed with bzip2 and packaged using GNU Tar) which later
migrated to the .tlz format (files compressed with lzip for a higher
compression plus very safe integrity checking). Dragora's installer
offered the option of several languages (translations produced by the
community) to choose between English, Galician, Italian, and Spanish. A
second CD included the packages for the K Desktop Environment (KDE) 3
series.
4.1 Releases
============
Below are the dates and code names used for all the Dragora releases:
* _*Dragora 1.0 Beta 1:* June 13th, 2008 - "hell"._
* _*Dragora 1.0 Beta 2:* September 18th, 2008._
* _*Dragora 1.0 Release Candidate 1:* February 12th, 2009._
* _*Dragora 1.0 Stable:* March 13th, 2009 - "starlight"._
* _*Dragora 1.1 Release Candidate 1:* August 25th, 2009._
* _*Dragora 1.1 Stable:* October 8th, 2009 - "stargazer"._
* _*Dragora 2.0 Release Candidate 1:* January 24th, 2010._
* _*Dragora 2.0 Release Candidate 2:* March 28th, 2010._
* _*Dragora 2.0 Stable:* April 13th, 2010 - "ardi"._
* _*Dragora 2.1 Release Candidate 1:* December 4th, 2010._
* _*Dragora 2.1 Stable:* December 31st, 2010 - "dio"._
* _*Dragora 2.2 Release Candidate 1:* March 2nd, 2012._
* _*Dragora 2.2 Stable:* April 21st, 2012 - "rafaela"._
* _*Dragora 3.0 Alpha 1:* December 31st, 2017._
* _*Dragora 3.0 Alpha 2:* September 28th, 2018._
* _*Dragora 3.0 Beta 1:* October 16th, 2019._
5 Maintainers
*************
TODO.
6 A quick glance at Dragora
***************************
TODO.
7 Boot options from live medium
*******************************
TODO.
8 Using dragora-installer
*************************
TODO.
9 Installing the system manually (as an alternative)
****************************************************
TODO.
10 Introduction to package management in Dragora
************************************************
TODO.
11 Package management in a nutshell
***********************************
TODO.
Using third-party free software
*******************************
TODO (appendix).
12 Introduction to Qi
*********************
Qi is a simple but well-integrated package manager. It can create,
install, remove, and upgrade software packages. Qi produces binary
packages using recipes, which are files containing specific instructions
to build each package from source. Qi can manage multiple packages
under a single directory hierarchy. This method allows to maintain a
set of packages and multiple versions of them. This means that Qi could
be used as the main package manager or complement the existing one.
Qi offers a friendly command line interface, a global configuration
file, a simple recipe layout to deploy software packages; also works
with binary packages in parallel, speeding up installations and packages
in production. The format used for packages is a simplified and safer
variant of POSIX pax archive compressed in lzip format.
Qi is a modern (POSIX-compliant) shell script released under the
terms of the GNU General Public License. There are only two major
dependencies for the magic: graft(1) and tarlz(1), the rest is expected
to be found in any Unix-like system.
13 Invoking qi
**************
This chapter describes the synopsis for invoking Qi.
Usage: qi COMMAND [OPTION...] [FILE]...
One mandatory command specifies the operation that 'qi' should perform,
options are meant to detail how this operation should be performed
during or after the process.
Qi supports the following commands:
'warn'
Warn about files that will be installed.
'install'
Install packages.
'remove'
Remove packages.
'upgrade'
Upgrade packages.
'extract'
Extract packages for debugging purposes.
'create'
Create a .tlz package from directory.
'build'
Build packages using recipe names.
'order'
Resolve build order through .order files
Options when installing, removing, or upgrading software packages:
'-f'
'--force'
Force upgrade of pre-existing packages.
'-k'
'--keep'
Keep directories when build/remove/upgrade.
Keep (don't delete) the package directory when using remove/upgrade
command.
This will also try to preserve the directories '${srcdir}' and
'${destdir}' when using build command. Its effect is available in
recipes as '${keep_srcdir}' and '${keep_destdir}'. See *note
Special variables: Recipes. for details.
'-p'
'--prune'
Prune conflicts.
'-P'
'--packagedir=<dir>'
Set directory for package installations.
'-t'
'--targetdir=<dir>'
Set target directory for symbolic links.
'-r'
'--rootdir=<dir>'
Use the fully qualified named directory as the root directory for
all qi operations.
Note: the target directory and the package directory will be
relative to the specified directory, excepting the graft log file.
Options when building software packages using recipes:
'-a'
'--architecture'
Set architecture name for the package.
'-j'
'--jobs'
Parallel jobs for the compiler.
This option sets the variable '${jobs}'. If not specified, default
sets to 1.
'-S'
'--skip-questions'
Skip questions on completed recipes.
'-1'
'--increment'
Increment release number ('${release}' + 1).
The effect of this option will be omitted if -no-package is being
used.
'-n'
'--no-package'
Do not create a .tlz package.
'-i'
'--install'
Install package after the build.
'-u'
'--upgrade'
Upgrade package after the build.
'-o'
'--outdir=<dir>'
Where the packages produced will be written.
This option sets the variable '${outdir}'.
'-w'
'--worktree=<dir>'
Where archives, patches, recipes are expected.
This option sets the variable '${worktree}'.
'-s'
'--sourcedir=<dir>'
Where compressed sources will be found.
This option sets the variable '${tardir}'.
Other options:
'-v'
'--verbose'
Be verbose (an extra -v gives more).
It sets the verbosity level, default sets to 0.
The value 1 is used for more verbosity while the value 2 is too
detailed. Although at the moment it is limited to graft(1)
verbosity.
'-N'
'--no-rc'
Do not read the configuration file.
This will ignore reading the qirc file.
'-L'
'--show-location'
Print default directory locations and exit.
This will print the target directory, package directory, working
tree, the directory for sources, and the output directory for the
packages produced. The output will appear on STDOUT as follows:
QI_TARGETDIR=/usr/local
QI_PACKAGEDIR=/usr/local/pkgs
QI_WORKTREE=/usr/src/qi
QI_TARDIR=/usr/src/qi/sources
QI_OUTDIR=/var/cache/qi/packages
You can set these environment variables using one of the following
methods:
'eval "$(qi -L)"'
This will display the default locations taking into account the
values set from the qirc configuration file. You can deny the
influence of the configuration file by setting the option '-N'.
'eval "$(qi -N -L)"'
Or you can adjust the new locations using the command-line options,
e.g:
'eval "$(qi -N --targetdir=/directory -L)"'
'-h'
'--help'
Display the usage and exit.
'-V'
'--version'
This will print the (short) version information and then exit.
The same can be achieved if Qi is invoked as 'qi version'.
When FILE is -, qi can read from the standard input. See examples
from the *note Packages:: section.
Exit status: 0 for a normal exit, 1 for minor common errors (help
usage, support not available, etc), 2 to indicate a command execution
error; 3 for integrity check error on compressed files, 4 for empty, not
regular, or expected files, 5 for empty or not defined variables, 6 when
a package already exist, 10 for network manager errors. For more
details, see the *note Qi exit status:: section.
14 The qirc file
****************
The global 'qirc' file offers a way to define variables and tools (such
as a download manager) for default use. This file is used by qi at
runtime, e.g., to build, install, remove or upgrade packages.
Variables and their possible values must be declared as any other
variable in the shell.
The command line options related to the package directory and target
directory and some of the command line options used for the build
command, have the power to override the values declared on 'qirc'. See
*note Invoking qi::.
The order in which qi looks for this file is:
1. '${HOME}/.qirc' Effective user.
2. '${sysconfdir}/qirc' System-wide.
If you intend to run qi as effective user, the file
'${sysconfdir}/qirc' could be copied to '${HOME}/.qirc' setting the
paths for '${packagedir}' and '${targetdir}' according to the '$HOME'.
15 Packages
***********
A package is a suite of programs usually distributed in binary form
which may also contain manual pages, documentation, or any other file
associated to a specific software.
The package format used by qi is a simplified POSIX pax archive
compressed using lzip(1). The file extension for packages ends in
'.tlz'.
Both package installation and package de-installation are managed using
two important (internal) variables: '${packagedir}' and '${targetdir}',
these values can be changed in the configuration file or via options.
'${packagedir}' is a common directory tree where the package contents
will be decompressed (will reside).
'${targetdir}' is a target directory where the links will be made by
graft(1) taking '${packagedir}/package_name' into account.
Packages are installed in self-contained directory trees and symbolic
links from a common area are made to the package files. This allows
multiple versions of the same package to coexist on the same system.
15.1 Package conflicts
======================
All the links to install or remove a package are handled by graft(1).
Since multiple packages can be installed or removed at the same time,
certain conflicts may arise between the packages.
graft(2) defines a CONFLICT as one of the following conditions:
* If the package object is a directory and the target object exists
but is not a directory.
* If the package object is not a directory and the target object
exists and is not a symbolic link.
* If the package object is not a directory and the target object
exists and is a symbolic link to something other than the package
object.
The default behavior of qi for an incoming package is to ABORT if a
conflict arises. When a package is going to be deleted, qi tells to
graft(1) to remove those parts that are not in conflict, leaving the
links to the belonging package. This behavior can be forced if the
-prune option is given.
15.2 Installing packages
========================
To install a single package, simply type:
qi install coreutils_8.30_i586-1@tools.tlz
To install multiple packages at once, type:
qi install gcc_8.3.0_i586-1@devel.tlz rafaela_2.2_i586-1@legacy.tlz ...
Warn about the files that will be linked:
qi warn bash_5.0_i586-1@shells.tlz
This is to verify the content of a package before installing it.
See the process of an installation:
qi install --verbose mariana_3.0_i586-1@woman.tlz
A second -verbose or -v option gives more (very verbose).
Installing package in a different location:
qi install --rootdir=/media/floppy lzip_1.21_i586-1@compressors.tlz
Important: the -rootdir option assumes '${targetdir}' and
'${packagedir}'. See the following example:
qi install --rootdir=/home/selk lzip_1.21_i586-1@compressors.tlz
The content of "lzip_1.21_i586-1@compressors.tlz" will be
decompressed into '/home/selk/pkgs/lzip_1.21_i586-1@compressors'.
Assuming that the main binary for lzip is under
'/home/selk/pkgs/lzip_1.21_i586-1@compressors/usr/bin/' the target for
"usr/bin" will be created at '/home/selk'. Considering that you have
exported the 'PATH' as '${HOME}/usr/bin', now the system is able to see
the recent lzip command.
Installing from a list of packages using standard input:
qi install - < PACKAGELIST.txt
Or in combination with another tool:
sort -u PACKAGELIST.txt | qi install -
The sort command will read and sorts the list of declared packages,
while trying to have unique entries for each statement. The output
produced is captured by Qi to install each package.
An example of a list containing package names is:
/var/cache/qi/packages/amd64/tcl_8.6.9_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/tk_8.6.9.1_amd64-1@devel.tlz
/var/cache/qi/packages/amd64/vala_0.42.3_amd64-1@devel.tlz
15.3 Removing packages
======================
To remove a package, simply type:
qi remove xz_5.2.4_i586-1@compressors.tlz
Remove command will match the package name using '${packagedir}' as
prefix. For example, if the value of '${packagedir}' has been set to
/usr/pkg, this will be equal to:
qi remove /usr/pkg/xz_5.2.4_i586-1@compressors
Detailed output:
qi remove --verbose /usr/pkg/xz_5.2.4_i586-1@compressors
A second -verbose or -v option gives more (very verbose).
By default the remove command does not preserve a package directory
after removing its links from '${targetdir}', but this behavior can be
changed if the -keep option is passed:
qi remove --keep /usr/pkg/lzip_1.21_i586-1@compressors
This means that the links to the package can be reactivated, later:
cd /usr/pkg && graft -i lzip_1.21_i586-1@compressors
Removing package from a different location:
qi remove --rootdir=/home/cthulhu xz_5.2.4_i586-1@compressors
Removing a package using standard input:
echo vala_0.42.3_amd64-1@devel | qi remove -
This will match with the package directory.
15.4 Upgrading packages
=======================
The upgrade command inherits the properties of the installation and
removal process. To make sure that a package is updated, the package is
installed in a temporary directory taking '${packagedir}' into account.
Once the incoming package is pre-installed, qi can proceed to search and
delete packages that have the same name (considered as previous ones).
Finally, the package is re-installed at its final location and the
temporary directory is removed.
Since updating a package can be crucial and so to perform a
successful upgrade, from start to finish, you will want to ignore some
important system signals during the upgrade process, those signals are
SIGHUP, SIGINT, SIGQUIT, SIGABRT, and SIGTERM.
To upgrade a package, just type:
qi upgrade gcc_9.0.1_i586-1@devel.tlz
This will proceed to upgrade "gcc_9.0.1_i586-1@devel" removing any
other version of "gcc" (if any).
If you want to keep the package directories of versions found during the
upgrade process, just pass:
qi upgrade --keep gcc_9.0.1_i586-1@devel.tlz
To see the upgrade process:
qi upgrade --verbose gcc_9.0.1_i586-1@devel.tlz
A second -verbose or -v option gives more (very verbose).
To force the upgrade of an existing package:
qi upgrade --force gcc_9.0.1_i586-1@devel.tlz
15.4.1 Package blacklist
------------------------
To implement general package facilities, either to install, remove or
maintain the hierarchy of packages in a clean manner, qi makes use of
the pruning operation via graft(1) by default:
There is a risk if those are crucial packages for the proper
functioning of the system, because it implies the deactivation of
symbolic from the target directory, _especially_ when transitioning an
incoming package into its final location during an upgrade.
A blacklist of package names has been devised for the case where a user
decides to upgrade all the packages in the system, or just the crucial
ones, such as the C library.
The blacklist is related to the upgrade command only, consists in
installing a package instead of updating it or removing previous
versions of it; the content of the package will be updated over the
existing content at '${packagedir}', while the existing links from
'${targetdir}' will be preserved. A pruning of links will be carried
out in order to re-link possible differences with the recent content,
this helps to avoid leaving dead links in the target directory.
Package names for the blacklist to be declared must be set from the
configuration file. By default, it is declared using the package name,
which is more than enough for critical system packages, but if you want
to be more specific, you can declare a package using:
'${pkgname}_${pkgversion}_${arch}-${release}' where the package category
is avoided for common matching. See *note Special variables: Recipes.
for a description of these variables.
---------- Footnotes ----------
(1) For more details about tarlz and the lzip format, visit
<https://lzip.nongnu.org/tarlz.html>.
(2) The official guide for Graft can be found at
<https://peters.gormand.com.au/Home/tools/graft/graft.html>.
16 Recipes
**********
A recipe is a file telling qi what to do. Most often, the recipe tells
qi how to build a binary package from a source tarball.
A recipe has two parts: a list of variable definitions and a list of
sections. By convention, the syntax of a section is:
section_name()
{
section lines
}
The section name is followed by parentheses, one newline and an
opening brace. The line finishing the section contains just a closing
brace. The section names or the function names currently recognized are
'build'.
The 'build' section (or *shell function*) is an augmented shell
script that contains the main instructions to build software from
source.
If there are other functions defined by the packager, Qi detects them
for later execution.
16.1 Variables
==============
A "variable" is a *shell variable* defined either in 'qirc' or in a
recipe to represent a string of text, called the variable's "value".
These values are substituted by explicit request in the definitions of
other variables or in calls to external commands.
Variables can represent lists of file names, options to pass to
compilers, programs to run, directories to look in for source files,
directories to write output to, or anything else you can imagine.
Definitions of variables in qi have four levels of precedence.
Options which define variables from the command-line override those
specified in the 'qirc' file, while variables defined in the recipe
override those specified in 'qirc', taking priority over those variables
set by command-line options. Finally, the variables have default values
if they are not defined anywhere.
Options that set variables through the command-line can only
reference variables defined in 'qirc' and variables with default values.
Definitions of variables in 'qirc' can only reference variables
previously defined in 'qirc' and variables with default values.
Definitions of variables in the recipe can only reference variables
set by the command-line, variables previously defined in the recipe,
variables defined in 'qirc', and variables with default values.
16.2 Special variables
======================
There are variables which can only be set using the command line options
or via 'qirc', there are other special variables which can be defined or
redefined in a recipe. See the following definitions:
'outdir' is the directory where the packages produced are written.
This variable can be redefined per-recipe. Default sets to
'/var/cache/qi/packages'.
'worktree' is the working tree where archives, patches, and recipes
are expected. This variable can not be redefined in the recipe.
Default sets to '/usr/src/qi'.
'tardir' is defined in the recipe to the directory where the tarball
containing the source can be found. The full name of the tarball is
composed as '${tardir}/$tarname'. Its value is available in the recipe
as '${tardir}'; a value of . for 'tardir' sets it to the value of CWD
(Current Working Directory), this is where the recipe lives.
'arch' is the architecture to compose the package name. Its value is
available in the recipe as '${arch}'. Default value is the one that was
set in the Qi configuration.
'jobs' is the number of parallel jobs to pass to the compiler. Its
value is available in the recipe as '${jobs}'. The default value is 1.
The two variables '${srcdir}' and '${destdir}' can be set in the
recipe, as any other variable, but if they are not, qi uses default
values for them when building a package.
'srcdir' contains the source code to be compiled, and defaults to
'${program}-${version}'. 'destdir' is the place where the built package
will be installed, and defaults to '${TMPDIR}/package-${program}'.
If 'pkgname' is left undefined, the special variable 'program' is
assigned by default. If 'pkgversion' is left undefined, the special
variable 'version' is assigned by default.
'pkgname' and 'pkgversion' along with: 'version', 'arch', 'release',
and (optionally) 'pkgcategory' are used to produce the package name in
the form:
'${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}].tlz'
'pkgcategory' is an optional special variable that can be defined on
the recipe to categorize the package name. If it is defined, then the
package output will be composed as
'${pkgname}_${pkgversion}_${arch}-${release}[@${pkgcategory}.tlz'.
Automatically, the value of 'pkgcategory' will be prefixed using the '@'
(at) symbol which will be added to the last part of the package name.
A special variable called 'replace' can be used to declare package
names that will be replaced at installation time.
The special variables 'keep_srcdir' and 'keep_destdir' are provided
in order to preserve the directories '${srcdir}' or '${destdir}', if
those exists as such. Note: The declaration of these variables are
subject to manual deactivation; its purpose in recipes is to preserve
the directories that relate to the package's build (source) and
destination directory, that is so that another recipe can get a new
package (or meta package) from there. For example, the declarations can
be done as:
keep_srcdir=keep_srcdir
keep_destdir=keep_destdir
Then from another recipe you would proceed to copy the necessary
files that will compose the meta package, from the main function you
must deactivate the variables at the end:
unset -v keep_srcdir keep_destdir
This will leave the 'keep_srcdir' and 'keep_destdir' variables blank
to continue with the rest of the recipes.
The special variable 'opt_skiprecipe' is available when you need to
ignore a recipe cleanly, continuing with the next recipe. May you add a
conditional test then set it as 'opt_skiprecipe=opt_skiprecipe'.
The variable 'tarlz_compression_options' can be used to change the
default compression options in tarlz(1), default sets to '-9 --solid'.
For example if the variable is declared as:
tarlz_compression_options="-0 --bsolid"
It will change the granularity of tarlz(1) by using the '--bsolid'
option (1), as well as increasing the compression speed by lowering the
compression level with '-0'.
This is only recommended for recipes where testing, or faster
processing is desired to create the packaged file more quickly. It is
not recommended for production or general distribution of binary
packages.
A typical recipe contains the following variables:
* 'program': Software name.
It matches the source name. It is also used to compose the name of
the package if '${pkgname}' is not specified.
* 'version': Software version.
It matches the source name. It is also used to compose the version
of the package if '${pkgversion}' is not specified.
* 'arch': Software architecture.
It is used to compose the architecture of the package in which it
is build.
* 'release': Release number.
This is used to reflect the release number of the package. It is
recommended to increase this number after any significant change in
the recipe or post-install script.
* 'pkgcategory': Package category.
Optional but recommended variable to categorize the package name
when it is created.
Obtaining sources over the network must be declared in the recipe using
the 'fetch' variable.
The variables 'netget' and 'rsync' can be defined in 'qirc' to
establish a network downloader in order to get the sources. If they are
not defined, qi uses default values:
'netget' is the general network downloader tool, defaults sets to
'wget2 -c -w1 -t3 --no-check-certificate'.
'rsync' is the network tool for sources containing the prefix for the
RSYNC protocol, default sets to 'rsync -v -a -L -z -i --progress'.
The variable 'description' is used to print the package description
when a package is installed.
A description has two parts: a brief description, and a long
description. By convention, the syntax of 'description' is:
description="
Brief description.
Long description.
"
The first line of the value represented is a brief description of the
software (called "blurb"). A blank line separates the _brief
description_ from the _long description_, which should contain a more
descriptive description of the software.
An example looks like:
description="
The GNU core utilities.
The GNU core utilities are the basic file, shell and text manipulation
utilities of the GNU operating system. These are the core utilities
which are expected to exist on every operating system.
"
Please consider a length limit of 78 characters as maximum, because
the same one would be used on the meta file creation. See *note The
meta file: Recipes. section.
The 'homepage' variable is used to declare the main site or home
page:
homepage=https://www.gnu.org/software/gcc
The variable 'license' is used for license information(2). Some code
in the program can be covered by license A, license B, or license C. For
"separate licensing" or "heterogeneous licensing", we suggest using *|*
for a disjunction, *&* for a conjunction (if that ever happens in a
significant way), and comma for heterogeneous licensing. Comma would
have lower precedence, plus added special terms.
license="LGPL, GPL | Artistic - added permission"
16.3 Writing recipes
====================
Originally, Qi was designed for the series of Dragora GNU/Linux-Libre 3;
this doesn't mean you can't use it in another distribution, just that if
you do, you'll have to try it out for yourself. To help with this, here
are some references to well-written recipes:
* <https://git.savannah.nongnu.org/cgit/dragora.git/tree/recipes>
* <https://notabug.org/dragora/dragora/src/master/recipes>
* <https://notabug.org/dragora/dragora-extras/src/master/recipes>
*
<https://git.savannah.nongnu.org/cgit/dragora/dragora-extras.git/tree/recipes>
16.4 Building packages
======================
A recipe is any valid regular file. Qi sets priorities for reading a
recipe, the order in which qi looks for a recipe is:
1. Current working directory.
2. If the specified path name does not contain "recipe" as the last
component. Qi will complete it by adding "recipe" to the path
name.
3. If the recipe is not in the current working directory, it will be
searched under '${worktree}/recipes'. The last component will be
completed adding "recipe" to the specified path name.
To build a single package, type:
qi build x-apps/xterm
Multiple jobs can be passed to the compiler to speed up the build
process:
qi build --jobs 3 x-apps/xterm
Update or install the produced package (if not already installed) when
the build command ends:
qi build -j3 --upgrade x-apps/xterm
Only process a recipe but do not create the binary package:
qi build --no-package dict/aspell
The options -install or -upgrade have no effect when -no-package is
given.
This is useful to inspect the build process of the above recipe:
qi build -keep -no-package dict/aspell 2>&1 | tee aspell-log.txt
The -keep option could preserve the source directory and the
destination directory for later inspection. A log file of the build
process will be created redirecting both, standard error and standard
output to tee(1).
16.5 Variables from the environment
===================================
Qi has environment variables which can be used at build time:
The variable 'TMPDIR' sets the temporary directory for sources, which
is used for package extractions (see *note Examining packages::) and is
prepended to the value of '${srcdir}' and '${destdir}' in build command.
By convention its default value is equal to '/usr/src/qi/build'.
The variables 'QICFLAGS', 'QICXXFLAGS', 'QILDFLAGS', and 'QICPPFLAGS'
have no effect by default. The environment variables such as 'CFLAGS',
'CXXFLAGS', 'LDFLAGS', and 'CPPFLAGS' are unset at compile time:
Recommended practice is to set variables in the command line of
'configure' or _make(1)_ instead of exporting to the environment. As
follows:
<https://www.gnu.org/software/make/manual/html_node/Environment.html>
It is not wise for makefiles to depend for their functioning on
environment variables set up outside their control, since this
would cause different users to get different results from the same
makefile. This is against the whole purpose of most makefiles.
Setting environment variables for configure is deprecated because
running configure in varying environments can be dangerous.
<https://gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Defining-Variables.html>
Variables not defined in a site shell script can be set in the
environment passed to configure. However, some packages may run
configure again during the build, and the customized values of
these variables may be lost. In order to avoid this problem, you
should set them in the configure command line, using 'VAR=value'.
For example:
'./configure CC=/usr/local2/bin/gcc'
<https://www.gnu.org/savannah-checkouts/gnu/autoconf/manual/autoconf-2.69/html_node/Setting-Output-Variables.html>
If for instance the user runs 'CC=bizarre-cc ./configure', then the
cache, config.h, and many other output files depend upon bizarre-cc
being the C compiler. If for some reason the user runs ./configure
again, or if it is run via './config.status --recheck', (See
Automatic Remaking, and see config.status Invocation), then the
configuration can be inconsistent, composed of results depending
upon two different compilers. [...] Indeed, while configure can
notice the definition of CC in './configure CC=bizarre-cc', it is
impossible to notice it in 'CC=bizarre-cc ./configure', which,
unfortunately, is what most users do. [...] configure: error:
changes in the environment can compromise the build.
If the 'SOURCE_DATE_EPOCH' environment variable is set to a UNIX
timestamp (defined as the number of seconds, excluding leap seconds,
since 01 Jan 1970 00:00:00 UTC.); then the given timestamp will be used
to overwrite any newer timestamps on the package contents (when it is
created). More information about this can be found at
<https://reproducible-builds.org/specs/source-date-epoch/>.
16.6 The meta file
==================
The "meta file" is a regular file created during the build process, it
contains information about the package such as package name, package
version, architecture, release, fetch address, description, and other
minor data extracted from processed recipes. The name of the file is
generated as '${full_pkgname}.tlz.txt', and its purpose is to reflect
essential information to the user without having to look inside the
package content. The file format is also intended to be used by other
scripts or by common Unix tools.
The content of a meta file looks like:
#
# Pattern scanning and processing language.
#
# The awk utility interprets a special-purpose programming language
# that makes it possible to handle simple data-reformatting jobs
# with just a few lines of code. It is a free version of 'awk'.
#
# GNU awk implements the AWK utility which is part of
# IEEE Std 1003.1 Shell and Utilities (XCU).
#
QICFLAGS="-O2"
QICXXFLAGS="-O2"
QILDFLAGS=""
QICPPFLAGS=""
pkgname=gawk
pkgversion=5.0.1
arch=amd64
release=1
pkgcategory="tools"
full_pkgname=gawk_5.0.1_amd64-1@tools
blurb="Pattern scanning and processing language."
homepage="https://www.gnu.org/software/gawk"
license="GPLv3+"
fetch="https://ftp.gnu.org/gnu/gawk/gawk-5.0.1.tar.lz"
replace=""
A package descriptions is extracted from the variable 'description'
where each line is interpreted literally and pre-formatted to fit in
(exactly) *80 columns*, plus the character '#' and a blank space is
prefixed to every line (shell comments).
In addition to the Special variables, there are implicit variables such
as 'blurb':
The 'blurb' variable is related to the special variable
'description'. Its value is made from the first (substantial) line of
'description', mentioned as the "brief description".
The build flags such as 'QICFLAGS', 'QICXXFLAGS', 'QILDFLAGS', and
'QICPPFLAGS' are only added to the meta file if the declared variable
'arch' is not equal to the "noarch" value.
---------- Footnotes ----------
(1) About the '--bsolid' granularity option of tarlz(1),
<https://www.nongnu.org/lzip/manual/tarlz_manual.html#g_t_002d_002dbsolid>.
(2) The proposal for 'license' was made by Richard M. Stallman at
<https://lists.gnu.org/archive/html/gnu-linux-libre/2016-05/msg00003.html>.
17 Order files
**************
The order command has the purpose of resolving the build order through
.order files. An order file contains a list of recipe names, by default
does not perform any action other than to print a resolved list in
descending order. For example, if *a* depends on *b* and *c*, and *c*
depends on *b* as well, the file might look like:
a: c b
b:
c: b
Each letter represents a recipe name, complete dependencies for the
first recipe name are listed in descending order, which is printed from
right to left, and removed from left to right:
OUTPUT
b
c
a
Blank lines, colons and parentheses are simply ignored. Comment
lines beginning with '#' are allowed.
An order file could be used to build a series of packages, for example,
if the content is:
# Image handling libraries
libs/libjpeg-turbo: devel/nasm
x-libs/jasper: libs/libjpeg-turbo
libs/tiff: libs/libjpeg-turbo
To proceed with each recipe, we can type:
qi order imglibs.order | qi build --install -
The output of 'qi order imglibs.order' tells to qi in which order it
should build the recipes:
devel/nasm
libs/libjpeg-turbo
x-libs/jasper
libs/tiff
18 Creating packages
********************
The creation command is an internal function of qi to make new Qi
compatible packages. A package is produced using the contents of the
Current Working Directory and the package file is written out.
Usage: qi create [OUTPUT/PACKAGENAME.TLZ]...
The argument for the file name to be written must contain a fully
qualified named directory as the output directory where the package
produced will be written. The file name should be composed using the
full name: name-version-architecture-release[@pkgcategory].tlz
EXAMPLE
cd /usr/pkg
cd claws-mail_3.17.1_amd64-1@x-apps
qi create /var/cache/qi/packages/claws-mail_3.17.1_amd64-1@x-apps
In this case, the package "claws-mail_3.17.1_amd64-1@x-apps" will be
written into '/var/cache/qi/packages/'.
All packages produced are complemented by a checksum file (.sha256).
19 Examining packages
*********************
The extraction command serves to examine binary packages for debugging
purposes. It decompresses a package into a single directory, verifying
its integrity and preserving all of its properties (owner and
permissions).
Usage: qi extract [PACKAGENAME.TLZ]...
EXAMPLE
qi extract mksh_R56c_amd64-1@shells.tlz
This action will put the content of "mksh_R56c_amd64-1@shells.tlz"
into a single directory, this is a private directory for the user who
requested the action, creation operation will be equal to *u=rwx,g=,o=
(0700)*. The package content will reside on this location, default mask
to deploy the content will be equal to *u=rwx,g=rwx,o=rwx (0000)*.
Note: the creation of the custom directory is influenced by the value of
the 'TMPDIR' variable.
20 Qi exit status
*****************
All the exit codes are described in this chapter.
'0'
Successful completion (no errors).
'1'
Minor common errors:
* Help usage on invalid options or required arguments.
* Program needed by qi (prerequisite) is not available.
'2'
Command execution error:
This code is used to return the evaluation of an external command
or shell arguments in case of failure.
'3'
Integrity check error for compressed files.
Compressed files means:
* A tarball file from tar(1), typically handled by the GNU tar
implementation. Supported extensions: .tar, .tar.gz, .tgz,
.tar.Z, .tar.bz2, .tbz2, .tbz, .tar.xz, .txz, .tar.zst, .tzst
* A tarball file from tarlz(1). Supported extensions: .tar.lz,
.tlz
* Zip files from unzip(1). Supported extensions: .zip, .ZIP
* Gzip files from gzip(1). Supported extensions: .gz, .Z
* Bzip2 files from bzip2(1). Supported extension: .bz2
* Lzip files from lzip(1). Supported extension: .lz
* Xz files from xz(1). Supported extension: .xz
* Zstd files from zstd(1). Supported extension: .zst
'4'
File empty, not regular, or expected.
It's commonly expected:
* An argument for giving commands.
* A regular file or readable directory.
* An expected extension: .tlz, .sha256, .order.
* A protocol supported by the network downloader tool.
'5'
Empty or not defined variable:
This code is used to report empty or undefined variables (usually
variables coming from a recipe or assigned arrays that are tested).
'6'
Package already installed:
The package directory for an incoming .tlz package already exists.
'10'
Network manager error:
This code is used if the network downloader tool fails for some
reason.
21 Getting support
******************
Dragora's home page can be found at <https://www.dragora.org>. Bug
reports or suggestions can be sent to <dragora-users@nongnu.org>.
22 Contributing to Dragora
**************************
TODO (introductory text here).
22.1 How to place a mirror
==========================
If there's no Dragora mirror near you, you're welcome to contribute one.
First, for users or downloaders, the address
_rsync://rsync.dragora.org/_ contains ISO images and source code (in
various formats) taken from the original sites and distributed by
Dragora.
Mirroring the Dragora server requires approximately 13GB of disk
space (as of January 2022). You can hit rsync directly from
_rsync.dragora.org_ as:
'rsync -rltpHS --delete-excluded rsync://rsync.dragora.org/dragora
/your/dir/'
Also, consider mirroring from another site in order to reduce load on
the Dragora server. The listed sites at
<https://www.dragora.org/en/get/mirrors/index.html> provide access to
all the material on rsync.dragora.org. They update from us nightly (at
least), and you may access them via rsync with the same options as
above.
Note:
We keep a file called "timestamp" under the main tree after each
synchronization. This file can be used to verify, instead of
synchronizing all the content at once, you can check if this file has
been updated and then continue with the full synchronization.
Appendix A GNU Free Documentation License
*****************************************
Version 1.3, 3 November 2008
Copyright � 2000, 2001, 2002, 2007, 2008 Free Software Foundation, Inc.
<https://fsf.org/>
Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.
0. PREAMBLE
The purpose of this License is to make a manual, textbook, or other
functional and useful document "free" in the sense of freedom: to
assure everyone the effective freedom to copy and redistribute it,
with or without modifying it, either commercially or
noncommercially. Secondarily, this License preserves for the
author and publisher a way to get credit for their work, while not
being considered responsible for modifications made by others.
This License is a kind of "copyleft", which means that derivative
works of the document must themselves be free in the same sense.
It complements the GNU General Public License, which is a copyleft
license designed for free software.
We have designed this License in order to use it for manuals for
free software, because free software needs free documentation: a
free program should come with manuals providing the same freedoms
that the software does. But this License is not limited to
software manuals; it can be used for any textual work, regardless
of subject matter or whether it is published as a printed book. We
recommend this License principally for works whose purpose is
instruction or reference.
1. APPLICABILITY AND DEFINITIONS
This License applies to any manual or other work, in any medium,
that contains a notice placed by the copyright holder saying it can
be distributed under the terms of this License. Such a notice
grants a world-wide, royalty-free license, unlimited in duration,
to use that work under the conditions stated herein. The
"Document", below, refers to any such manual or work. Any member
of the public is a licensee, and is addressed as "you". You accept
the license if you copy, modify or distribute the work in a way
requiring permission under copyright law.
A "Modified Version" of the Document means any work containing the
Document or a portion of it, either copied verbatim, or with
modifications and/or translated into another language.
A "Secondary Section" is a named appendix or a front-matter section
of the Document that deals exclusively with the relationship of the
publishers or authors of the Document to the Document's overall
subject (or to related matters) and contains nothing that could
fall directly within that overall subject. (Thus, if the Document
is in part a textbook of mathematics, a Secondary Section may not
explain any mathematics.) The relationship could be a matter of
historical connection with the subject or with related matters, or
of legal, commercial, philosophical, ethical or political position
regarding them.
The "Invariant Sections" are certain Secondary Sections whose
titles are designated, as being those of Invariant Sections, in the
notice that says that the Document is released under this License.
If a section does not fit the above definition of Secondary then it
is not allowed to be designated as Invariant. The Document may
contain zero Invariant Sections. If the Document does not identify
any Invariant Sections then there are none.
The "Cover Texts" are certain short passages of text that are
listed, as Front-Cover Texts or Back-Cover Texts, in the notice
that says that the Document is released under this License. A
Front-Cover Text may be at most 5 words, and a Back-Cover Text may
be at most 25 words.
A "Transparent" copy of the Document means a machine-readable copy,
represented in a format whose specification is available to the
general public, that is suitable for revising the document
straightforwardly with generic text editors or (for images composed
of pixels) generic paint programs or (for drawings) some widely
available drawing editor, and that is suitable for input to text
formatters or for automatic translation to a variety of formats
suitable for input to text formatters. A copy made in an otherwise
Transparent file format whose markup, or absence of markup, has
been arranged to thwart or discourage subsequent modification by
readers is not Transparent. An image format is not Transparent if
used for any substantial amount of text. A copy that is not
"Transparent" is called "Opaque".
Examples of suitable formats for Transparent copies include plain
ASCII without markup, Texinfo input format, LaTeX input format,
SGML or XML using a publicly available DTD, and standard-conforming
simple HTML, PostScript or PDF designed for human modification.
Examples of transparent image formats include PNG, XCF and JPG.
Opaque formats include proprietary formats that can be read and
edited only by proprietary word processors, SGML or XML for which
the DTD and/or processing tools are not generally available, and
the machine-generated HTML, PostScript or PDF produced by some word
processors for output purposes only.
The "Title Page" means, for a printed book, the title page itself,
plus such following pages as are needed to hold, legibly, the
material this License requires to appear in the title page. For
works in formats which do not have any title page as such, "Title
Page" means the text near the most prominent appearance of the
work's title, preceding the beginning of the body of the text.
The "publisher" means any person or entity that distributes copies
of the Document to the public.
A section "Entitled XYZ" means a named subunit of the Document
whose title either is precisely XYZ or contains XYZ in parentheses
following text that translates XYZ in another language. (Here XYZ
stands for a specific section name mentioned below, such as
"Acknowledgements", "Dedications", "Endorsements", or "History".)
To "Preserve the Title" of such a section when you modify the
Document means that it remains a section "Entitled XYZ" according
to this definition.
The Document may include Warranty Disclaimers next to the notice
which states that this License applies to the Document. These
Warranty Disclaimers are considered to be included by reference in
this License, but only as regards disclaiming warranties: any other
implication that these Warranty Disclaimers may have is void and
has no effect on the meaning of this License.
2. VERBATIM COPYING
You may copy and distribute the Document in any medium, either
commercially or noncommercially, provided that this License, the
copyright notices, and the license notice saying this License
applies to the Document are reproduced in all copies, and that you
add no other conditions whatsoever to those of this License. You
may not use technical measures to obstruct or control the reading
or further copying of the copies you make or distribute. However,
you may accept compensation in exchange for copies. If you
distribute a large enough number of copies you must also follow the
conditions in section 3.
You may also lend copies, under the same conditions stated above,
and you may publicly display copies.
3. COPYING IN QUANTITY
If you publish printed copies (or copies in media that commonly
have printed covers) of the Document, numbering more than 100, and
the Document's license notice requires Cover Texts, you must
enclose the copies in covers that carry, clearly and legibly, all
these Cover Texts: Front-Cover Texts on the front cover, and
Back-Cover Texts on the back cover. Both covers must also clearly
and legibly identify you as the publisher of these copies. The
front cover must present the full title with all words of the title
equally prominent and visible. You may add other material on the
covers in addition. Copying with changes limited to the covers, as
long as they preserve the title of the Document and satisfy these
conditions, can be treated as verbatim copying in other respects.
If the required texts for either cover are too voluminous to fit
legibly, you should put the first ones listed (as many as fit
reasonably) on the actual cover, and continue the rest onto
adjacent pages.
If you publish or distribute Opaque copies of the Document
numbering more than 100, you must either include a machine-readable
Transparent copy along with each Opaque copy, or state in or with
each Opaque copy a computer-network location from which the general
network-using public has access to download using public-standard
network protocols a complete Transparent copy of the Document, free
of added material. If you use the latter option, you must take
reasonably prudent steps, when you begin distribution of Opaque
copies in quantity, to ensure that this Transparent copy will
remain thus accessible at the stated location until at least one
year after the last time you distribute an Opaque copy (directly or
through your agents or retailers) of that edition to the public.
It is requested, but not required, that you contact the authors of
the Document well before redistributing any large number of copies,
to give them a chance to provide you with an updated version of the
Document.
4. MODIFICATIONS
You may copy and distribute a Modified Version of the Document
under the conditions of sections 2 and 3 above, provided that you
release the Modified Version under precisely this License, with the
Modified Version filling the role of the Document, thus licensing
distribution and modification of the Modified Version to whoever
possesses a copy of it. In addition, you must do these things in
the Modified Version:
A. Use in the Title Page (and on the covers, if any) a title
distinct from that of the Document, and from those of previous
versions (which should, if there were any, be listed in the
History section of the Document). You may use the same title
as a previous version if the original publisher of that
version gives permission.
B. List on the Title Page, as authors, one or more persons or
entities responsible for authorship of the modifications in
the Modified Version, together with at least five of the
principal authors of the Document (all of its principal
authors, if it has fewer than five), unless they release you
from this requirement.
C. State on the Title page the name of the publisher of the
Modified Version, as the publisher.
D. Preserve all the copyright notices of the Document.
E. Add an appropriate copyright notice for your modifications
adjacent to the other copyright notices.
F. Include, immediately after the copyright notices, a license
notice giving the public permission to use the Modified
Version under the terms of this License, in the form shown in
the Addendum below.
G. Preserve in that license notice the full lists of Invariant
Sections and required Cover Texts given in the Document's
license notice.
H. Include an unaltered copy of this License.
I. Preserve the section Entitled "History", Preserve its Title,
and add to it an item stating at least the title, year, new
authors, and publisher of the Modified Version as given on the
Title Page. If there is no section Entitled "History" in the
Document, create one stating the title, year, authors, and
publisher of the Document as given on its Title Page, then add
an item describing the Modified Version as stated in the
previous sentence.
J. Preserve the network location, if any, given in the Document
for public access to a Transparent copy of the Document, and
likewise the network locations given in the Document for
previous versions it was based on. These may be placed in the
"History" section. You may omit a network location for a work
that was published at least four years before the Document
itself, or if the original publisher of the version it refers
to gives permission.
K. For any section Entitled "Acknowledgements" or "Dedications",
Preserve the Title of the section, and preserve in the section
all the substance and tone of each of the contributor
acknowledgements and/or dedications given therein.
L. Preserve all the Invariant Sections of the Document, unaltered
in their text and in their titles. Section numbers or the
equivalent are not considered part of the section titles.
M. Delete any section Entitled "Endorsements". Such a section
may not be included in the Modified Version.
N. Do not retitle any existing section to be Entitled
"Endorsements" or to conflict in title with any Invariant
Section.
O. Preserve any Warranty Disclaimers.
If the Modified Version includes new front-matter sections or
appendices that qualify as Secondary Sections and contain no
material copied from the Document, you may at your option designate
some or all of these sections as invariant. To do this, add their
titles to the list of Invariant Sections in the Modified Version's
license notice. These titles must be distinct from any other
section titles.
You may add a section Entitled "Endorsements", provided it contains
nothing but endorsements of your Modified Version by various
parties--for example, statements of peer review or that the text
has been approved by an organization as the authoritative
definition of a standard.
You may add a passage of up to five words as a Front-Cover Text,
and a passage of up to 25 words as a Back-Cover Text, to the end of
the list of Cover Texts in the Modified Version. Only one passage
of Front-Cover Text and one of Back-Cover Text may be added by (or
through arrangements made by) any one entity. If the Document
already includes a cover text for the same cover, previously added
by you or by arrangement made by the same entity you are acting on
behalf of, you may not add another; but you may replace the old
one, on explicit permission from the previous publisher that added
the old one.
The author(s) and publisher(s) of the Document do not by this
License give permission to use their names for publicity for or to
assert or imply endorsement of any Modified Version.
5. COMBINING DOCUMENTS
You may combine the Document with other documents released under
this License, under the terms defined in section 4 above for
modified versions, provided that you include in the combination all
of the Invariant Sections of all of the original documents,
unmodified, and list them all as Invariant Sections of your
combined work in its license notice, and that you preserve all
their Warranty Disclaimers.
The combined work need only contain one copy of this License, and
multiple identical Invariant Sections may be replaced with a single
copy. If there are multiple Invariant Sections with the same name
but different contents, make the title of each such section unique
by adding at the end of it, in parentheses, the name of the
original author or publisher of that section if known, or else a
unique number. Make the same adjustment to the section titles in
the list of Invariant Sections in the license notice of the
combined work.
In the combination, you must combine any sections Entitled
"History" in the various original documents, forming one section
Entitled "History"; likewise combine any sections Entitled
"Acknowledgements", and any sections Entitled "Dedications". You
must delete all sections Entitled "Endorsements."
6. COLLECTIONS OF DOCUMENTS
You may make a collection consisting of the Document and other
documents released under this License, and replace the individual
copies of this License in the various documents with a single copy
that is included in the collection, provided that you follow the
rules of this License for verbatim copying of each of the documents
in all other respects.
You may extract a single document from such a collection, and
distribute it individually under this License, provided you insert
a copy of this License into the extracted document, and follow this
License in all other respects regarding verbatim copying of that
document.
7. AGGREGATION WITH INDEPENDENT WORKS
A compilation of the Document or its derivatives with other
separate and independent documents or works, in or on a volume of a
storage or distribution medium, is called an "aggregate" if the
copyright resulting from the compilation is not used to limit the
legal rights of the compilation's users beyond what the individual
works permit. When the Document is included in an aggregate, this
License does not apply to the other works in the aggregate which
are not themselves derivative works of the Document.
If the Cover Text requirement of section 3 is applicable to these
copies of the Document, then if the Document is less than one half
of the entire aggregate, the Document's Cover Texts may be placed
on covers that bracket the Document within the aggregate, or the
electronic equivalent of covers if the Document is in electronic
form. Otherwise they must appear on printed covers that bracket
the whole aggregate.
8. TRANSLATION
Translation is considered a kind of modification, so you may
distribute translations of the Document under the terms of section
4. Replacing Invariant Sections with translations requires special
permission from their copyright holders, but you may include
translations of some or all Invariant Sections in addition to the
original versions of these Invariant Sections. You may include a
translation of this License, and all the license notices in the
Document, and any Warranty Disclaimers, provided that you also
include the original English version of this License and the
original versions of those notices and disclaimers. In case of a
disagreement between the translation and the original version of
this License or a notice or disclaimer, the original version will
prevail.
If a section in the Document is Entitled "Acknowledgements",
"Dedications", or "History", the requirement (section 4) to
Preserve its Title (section 1) will typically require changing the
actual title.
9. TERMINATION
You may not copy, modify, sublicense, or distribute the Document
except as expressly provided under this License. Any attempt
otherwise to copy, modify, sublicense, or distribute it is void,
and will automatically terminate your rights under this License.
However, if you cease all violation of this License, then your
license from a particular copyright holder is reinstated (a)
provisionally, unless and until the copyright holder explicitly and
finally terminates your license, and (b) permanently, if the
copyright holder fails to notify you of the violation by some
reasonable means prior to 60 days after the cessation.
Moreover, your license from a particular copyright holder is
reinstated permanently if the copyright holder notifies you of the
violation by some reasonable means, this is the first time you have
received notice of violation of this License (for any work) from
that copyright holder, and you cure the violation prior to 30 days
after your receipt of the notice.
Termination of your rights under this section does not terminate
the licenses of parties who have received copies or rights from you
under this License. If your rights have been terminated and not
permanently reinstated, receipt of a copy of some or all of the
same material does not give you any rights to use it.
10. FUTURE REVISIONS OF THIS LICENSE
The Free Software Foundation may publish new, revised versions of
the GNU Free Documentation License from time to time. Such new
versions will be similar in spirit to the present version, but may
differ in detail to address new problems or concerns. See
<https://www.gnu.org/licenses/>.
Each version of the License is given a distinguishing version
number. If the Document specifies that a particular numbered
version of this License "or any later version" applies to it, you
have the option of following the terms and conditions either of
that specified version or of any later version that has been
published (not as a draft) by the Free Software Foundation. If the
Document does not specify a version number of this License, you may
choose any version ever published (not as a draft) by the Free
Software Foundation. If the Document specifies that a proxy can
decide which future versions of this License can be used, that
proxy's public statement of acceptance of a version permanently
authorizes you to choose that version for the Document.
11. RELICENSING
"Massive Multiauthor Collaboration Site" (or "MMC Site") means any
World Wide Web server that publishes copyrightable works and also
provides prominent facilities for anybody to edit those works. A
public wiki that anybody can edit is an example of such a server.
A "Massive Multiauthor Collaboration" (or "MMC") contained in the
site means any set of copyrightable works thus published on the MMC
site.
"CC-BY-SA" means the Creative Commons Attribution-Share Alike 3.0
license published by Creative Commons Corporation, a not-for-profit
corporation with a principal place of business in San Francisco,
California, as well as future copyleft versions of that license
published by that same organization.
"Incorporate" means to publish or republish a Document, in whole or
in part, as part of another Document.
An MMC is "eligible for relicensing" if it is licensed under this
License, and if all works that were first published under this
License somewhere other than this MMC, and subsequently
incorporated in whole or in part into the MMC, (1) had no cover
texts or invariant sections, and (2) were thus incorporated prior
to November 1, 2008.
The operator of an MMC Site may republish an MMC contained in the
site under CC-BY-SA on the same site at any time before August 1,
2009, provided the MMC is eligible for relicensing.
ADDENDUM: How to use this License for your documents
====================================================
To use this License in a document you have written, include a copy of
the License in the document and put the following copyright and license
notices just after the title page:
Copyright (C) YEAR YOUR NAME.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3
or any later version published by the Free Software Foundation;
with no Invariant Sections, no Front-Cover Texts, and no Back-Cover
Texts. A copy of the license is included in the section entitled ``GNU
Free Documentation License''.
If you have Invariant Sections, Front-Cover Texts and Back-Cover
Texts, replace the "with...Texts." line with this:
with the Invariant Sections being LIST THEIR TITLES, with
the Front-Cover Texts being LIST, and with the Back-Cover Texts
being LIST.
If you have Invariant Sections without Cover Texts, or some other
combination of the three, merge those two alternatives to suit the
situation.
If your document contains nontrivial examples of program code, we
recommend releasing these examples in parallel under your choice of free
software license, such as the GNU General Public License, to permit
their use in free software.
Index
*****
* Menu:
* a quick glance at dragora: A quick glance at Dragora.
(line 215)
* about this handbook: About this handbook.
(line 61)
* boot options from live medium: Boot options from live medium.
(line 220)
* configuration file: The qirc file. (line 470)
* contributing to dragora: Contributing to Dragora.
(line 1312)
* environment variables: Recipes. (line 1014)
* exit codes: Qi exit status. (line 1231)
* free software: What is Dragora?. (line 107)
* getting support: Getting support. (line 1306)
* gnu: What is Dragora?. (line 112)
* handling build order: Order files. (line 1136)
* history: History. (line 155)
* how to place a mirror: Contributing to Dragora.
(line 1317)
* installing the system manually (as an alternative): Installing the system manually (as an alternative).
(line 230)
* introduction to qi: Introduction to Qi. (line 250)
* invocation: Invoking qi. (line 272)
* linux or linux-libre: What is Dragora?. (line 117)
* maintainers: Maintainers. (line 210)
* managing packages: Packages. (line 495)
* package blacklist: Packages. (line 678)
* package build: Recipes. (line 968)
* package conflicts: Packages. (line 520)
* package creation: Creating packages. (line 1183)
* package de-installation: Packages. (line 601)
* package examination: Examining packages. (line 1208)
* package installation: Packages. (line 545)
* package management in a nutshell: Package management in a nutshell.
(line 240)
* package management in dragora: Introduction to package management in Dragora.
(line 235)
* package upgrade: Packages. (line 640)
* recipes: Recipes. (line 718)
* releases: History. (line 188)
* revision history (changelog): Revision history (ChangeLog).
(line 71)
* special variables: Recipes. (line 773)
* the meta file: Recipes. (line 1071)
* typographic conventions: About this handbook.
(line 66)
* using dragora-installer: Using dragora-installer.
(line 225)
* using third-party free software: Using third-party free software.
(line 245)
* variables: Recipes. (line 744)
* what is dragora?: What is Dragora?. (line 76)
* why should I use dragora?: Why should I use Dragora?.
(line 122)
* writing recipes: Recipes. (line 954)
| bkmgit/dragora | en/manual/dragora-handbook.txt | Text | unknown | 75,275 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-15">
<link rel="stylesheet" type="text/css" href="../../common/main.css">
<link rel="icon" type="image/gif" href="../../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora documentation, dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora documentation</h1>
<p>This manual (dragora-handbook) is available in the following formats:</p>
<ul>
<li><a href="dragora-handbook.html">HTML
(114K bytes)</a> - entirely on one web page.</li>
<li><a href="dragora-handbook.html.gz">HTML compressed
(29K gzipped characters)</a> - entirely on
one web page.</li>
<li><a href="dragora-handbook.doc">XML 1.0 document
(92K bytes)</a> - entirely on one web page.</li>
<li><a href="dragora-handbook.txt">ASCII text
(74K bytes)</a>.</li>
<li><a href="dragora-handbook.txt.gz">ASCII text compressed
(24K bytes gzipped)</a>.</li>
</ul>
<p style="text-align: left"><a href="../index.html">< Back to home page</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Wed Apr 26 19:54:00 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/manual/index.html | HTML | unknown | 1,810 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-15">
<link rel="stylesheet" type="text/css" href="../common/main.css">
<link rel="icon" type="image/gif" href="../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora mirrors, dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora mirrors</h1>
<p>Dragora mirrors usually offer everything that is provided in the main
repository at <a href="rsync://rsync.dragora.org">rsync.dragora.org</a>; i.e., ISO images, binary packages,
and sources used to build them, as well as other software published by the
project.</p>
<p>Mirrors that don't provide a full copy of the main
rsync repository are tagged with an explanatory comment in the list below.</p>
<h3>Mirror list</h3>
<table>
<thead>
<tr>
<th width="9%">Region</th>
<th width="12%">Location</th>
<th>URL(s)</th>
</tr>
</thead>
<tbody>
<tr>
<td><b>Global</b></td>
<td>-</td>
<td>
<a href="https://sourceforge.net/projects/dragora/files/">https://sourceforge.net/projects/dragora/files</a><br>
(* ISO images only *)
</td>
</tr>
<tr>
<td><b>Asia</b></td>
<td><em>Singapore</em></td>
<td>
<a href="https://mirrors.standaloneinstaller.com/dragora/mirror/">https://mirrors.standaloneinstaller.com/dragora/mirror</a>
<br>
rsync://mirrors.standaloneinstaller.com/dragora/mirror/
</td>
</tr>
<tr>
<td><b>Europe</b></td>
<td><em>Italy</em></td>
<td>
<a href="https://dragora.mirror.garr.it/">https://dragora.mirror.garr.it</a>
</td>
</tr>
<tr>
<td><b>North America</b></td>
<td><em>USA</em></td>
<td>
<a href="https://mirror.fsf.org/dragora/">https://mirror.fsf.org/dragora</a>
<br>
rsync://mirror.fsf.org/dragora
</td>
</tr>
<tr>
<td><b>South America</b></td>
<td><em>Ecuador</em></td>
<td>
<a href="https://mirror.cedia.org.ec/dragora/">https://mirror.cedia.org.ec/dragora</a>
<br>
rsync://mirror.cedia.org.ec/dragora/
</td>
</tr>
</tbody>
</table>
<p>Note: programs distributed with Dragora must be free software!</p>
<p>The project includes a copy of the terms in the form of binary packages.
If you are running Dragora you can see an exact copy of the legal terms
described by individual files at /usr/share/doc/*/COPYRIGHT directories.</p>
<p>We try to ensure that the distributed software is always free software.
If this is not the case, please send us a report of the problem to
<dragora-users (a) nongnu org>.</p>
<p>Dragora GNU/Linux-Libre comes with <b>ABSOLUTELY NO WARRANTY</b>,
to the extent permitted by applicable law.</p>
<p style="text-align: left"><a href="index.html">< Back to the home page</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Tue Apr 25 22:17:49 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/mirrors.html | HTML | unknown | 3,648 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-15">
<link rel="stylesheet" type="text/css" href="../common/main.css">
<link rel="icon" type="image/gif" href="../common/dragora.ico">
<title>Dragora - An independent GNU/Linux-Libre distribution trying to keep it simple</title>
<meta name="keywords" content="dragora news, dragora, GNU, linux, libre, free software">
<meta name="description" content="An independent GNU/Linux-Libre distribution">
</head>
<body>
<h1>Dragora news</h1>
<ul>
<li>2023-04-26
<a href="https://lists.nongnu.org/archive/html/dragora-users/2023-04/msg00011.html">Dragora 3.0-beta2 released</a>
</li>
<li>2023-04-25
<a href="https://lists.nongnu.org/archive/html/dragora-users/2023-04/msg00008.html">New website</a>
</li>
<li>2022-12-31
<a href="https://lists.nongnu.org/archive/html/dragora-users/2022-12/msg00000.html">Qi 2.11 released</a>
</li>
<li>2022-09-08
<a href="https://lists.nongnu.org/archive/html/dragora-users/2022-09/msg00000.html">Qi 2.10 released</a>
</li>
<li>2022-06-23
<a href="https://lists.nongnu.org/archive/html/dragora-users/2022-06/msg00015.html">Qi 2.9 released</a>
</li>
<li>2022-05-02
<a href="https://lists.nongnu.org/archive/html/dragora-users/2022-05/msg00000.html">Qi 2.8 released</a>
</li>
<li>2021-12-31
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-12/msg00001.html">Darkcrusade 2021Dec31 released</a>
</li>
<li>2021-12-15
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-12/msg00000.html">Qi 2.7 released</a>
</li>
<li>2021-11-01
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-11/msg00000.html">Qi 2.6 released</a>
</li>
<li>2021-09-29
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-09/msg00000.html">Qi 2.5 released</a>
</li>
<li>2021-06-15
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-06/msg00000.html">Moving to Libera.Chat</a>
</li>
<li>2021-04-13
<a href="https://lists.nongnu.org/archive/html/dragora-users/2021-04/msg00000.html">Qi 2.4 released</a>
</li>
<li>2020-12-25
<a href="https://lists.nongnu.org/archive/html/dragora-users/2020-12/msg00005.html">Qi 2.3 released</a>
</li>
<li>2020-11-09
<a href="https://lists.nongnu.org/archive/html/dragora-users/2020-11/msg00000.html">Qi 2.2 released</a>
</li>
<li>
2020-09-07
<a href="https://lists.nongnu.org/archive/html/dragora-users/2020-09/msg00000.html">Qi 2.1 released.</a>
</li>
<li>
2020-08-23
<a href="https://lists.nongnu.org/archive/html/dragora-users/2020-08/msg00000.html">Qi 2.0 released.</a>
</li>
<li>
2020-04-20
<a href="https://lists.nongnu.org/archive/html/dragora-users/2020-04/msg00000.html">Qi 1.4 released.</a>
</li>
<li>
2019-10-16
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-10/msg00000.html">Dragora 3.0-beta1 has been announced.</a>
</li>
<li>
2019-09-24
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-09/msg00001.html">Darkcrusade 2019Sep24 (set of cross compilers) released.</a>
</li>
<li>
2019-09-11
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-09/msg00000.html">Qi 1.3 released.</a>
</li>
<li>
2019-07-31
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-07/msg00002.html">Qi 1.2 released.</a>
</li>
<li>
2019-05-20
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-05/msg00000.html">Qi 1.1 released.</a>
</li>
<li>
2019-04-23
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-04/msg00006.html">New website uploaded.</a>
</li>
<li>
2019-04-16
<a href="http://lists.nongnu.org/archive/html/dragora-users/2019-04/msg00003.html">Version 1.0 of Qi (package manager) has been reached.</a>
</li>
<li>
2018-09-28
<a href="http://lists.nongnu.org/archive/html/dragora-users/2018-09/msg00004.html">Dragora 3.0-alpha2 has been announced.</a>
</li>
<li>
2017-12-31
<a href="http://lists.nongnu.org/archive/html/dragora-users/2017-12/msg00000.html">Dragora 3.0-alpha1 has been announced.</a>
</li>
</ul>
<p style="text-align: left"><a href="index.html">< Back to the home page</a></p>
<hr>
<p>Except where stated otherwise, text and images on this website are made
available under the terms of the
<a href="http://creativecommons.org/licenses/by-sa/4.0/">Creative Commons
Attribution-ShareAlike 4.0 International License</a>.</p>
<p>Modified: Thu Apr 27 00:42:28 UTC 2023</p>
<p>This page does not use
<a href="http://www.gnu.org/philosophy/javascript-trap.html">JavaScript.</a></p>
<p><a href="http://validator.w3.org/check?uri=referer">Valid HTML 4.01 Strict</a></p>
</body>
</html>
| bkmgit/dragora | en/news.html | HTML | unknown | 4,919 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html>
<head>
<title>Dragora GNU/Linux-Libre</title>
<meta http-equiv="refresh" content="0; URL=en/index.html">
</head>
<body>
<p>HTML redirect to <code>/en/index.html</code></p>
</body>
</html>
| bkmgit/dragora | index.html | HTML | unknown | 294 |
Django was originally created in late 2003 at World Online, the web division
of the Lawrence Journal-World newspaper in Lawrence, Kansas.
Here is an inevitably incomplete list of MUCH-APPRECIATED CONTRIBUTORS --
people who have submitted patches, reported bugs, added translations, helped
answer newbie questions, and generally made Django that much better:
Aaron Cannon <cannona@fireantproductions.com>
Aaron Swartz <http://www.aaronsw.com/>
Aaron T. Myers <atmyers@gmail.com>
Abeer Upadhyay <ab.esquarer@gmail.com>
Abhijeet Viswa <abhijeetviswa@gmail.com>
Abhinav Patil <https://github.com/ubadub/>
Abhinav Yadav <abhinav.sny.2002+django@gmail.com>
Abhishek Gautam <abhishekg1128@yahoo.com>
Abhyudai <https://github.com/abhiabhi94>
Adam Allred <adam.w.allred@gmail.com>
Adam Bogdał <adam@bogdal.pl>
Adam Donaghy
Adam Johnson <https://github.com/adamchainz>
Adam Malinowski <https://adammalinowski.co.uk/>
Adam Vandenberg
Ade Lee <alee@redhat.com>
Adiyat Mubarak <adiyatmubarak@gmail.com>
Adnan Umer <u.adnan@outlook.com>
Arslan Noor <arslannoorpansota@gmail.com>
Adrian Holovaty <adrian@holovaty.com>
Adrian Torres <atorresj@redhat.com>
Adrien Lemaire <lemaire.adrien@gmail.com>
Afonso Fernández Nogueira <fonzzo.django@gmail.com>
AgarFu <heaven@croasanaso.sytes.net>
Ahmad Alhashemi <trans@ahmadh.com>
Ahmad Al-Ibrahim
Ahmed Eltawela <https://github.com/ahmedabt>
ajs <adi@sieker.info>
Akash Agrawal <akashrocksha@gmail.com>
Akis Kesoglou <akiskesoglou@gmail.com>
Aksel Ethem <aksel.ethem@gmail.com>
Akshesh Doshi <aksheshdoshi+django@gmail.com>
alang@bright-green.com
Alasdair Nicol <https://al.sdair.co.uk/>
Albert Wang <https://github.com/albertyw/>
Alcides Fonseca
Aldian Fazrihady <mobile@aldian.net>
Aleksandra Sendecka <asendecka@hauru.eu>
Aleksi Häkli <aleksi.hakli@iki.fi>
Alex Dutton <django@alexdutton.co.uk>
Alexander Myodov <alex@myodov.com>
Alexandr Tatarinov <tatarinov.dev@gmail.com>
Alex Aktsipetrov <alex.akts@gmail.com>
Alex Becker <https://alexcbecker.net/>
Alex Couper <http://alexcouper.com/>
Alex Dedul
Alex Gaynor <alex.gaynor@gmail.com>
Alex Hill <alex@hill.net.au>
Alex Ogier <alex.ogier@gmail.com>
Alex Robbins <alexander.j.robbins@gmail.com>
Alexey Boriskin <alex@boriskin.me>
Alexey Tsivunin <most-208@yandex.ru>
Ali Vakilzade <ali@vakilzade.com>
Aljaž Košir <aljazkosir5@gmail.com>
Aljosa Mohorovic <aljosa.mohorovic@gmail.com>
Alokik Vijay <alokik.roe@gmail.com>
Amit Chakradeo <https://amit.chakradeo.net/>
Amit Ramon <amit.ramon@gmail.com>
Amit Upadhyay <http://www.amitu.com/blog/>
A. Murat Eren <meren@pardus.org.tr>
Ana Belen Sarabia <belensarabia@gmail.com>
Ana Krivokapic <https://github.com/infraredgirl>
Andi Albrecht <albrecht.andi@gmail.com>
André Ericson <de.ericson@gmail.com>
Andrei Kulakov <andrei.avk@gmail.com>
Andreas
Andreas Mock <andreas.mock@web.de>
Andreas Pelme <andreas@pelme.se>
Andrés Torres Marroquín <andres.torres.marroquin@gmail.com>
Andrew Brehaut <https://brehaut.net/blog>
Andrew Clark <amclark7@gmail.com>
Andrew Durdin <adurdin@gmail.com>
Andrew Godwin <andrew@aeracode.org>
Andrew Pinkham <http://AndrewsForge.com>
Andrews Medina <andrewsmedina@gmail.com>
Andrew Northall <andrew@northall.me.uk>
Andriy Sokolovskiy <me@asokolovskiy.com>
Andy Chosak <andy@chosak.org>
Andy Dustman <farcepest@gmail.com>
Andy Gayton <andy-django@thecablelounge.com>
andy@jadedplanet.net
Anssi Kääriäinen <akaariai@gmail.com>
ant9000@netwise.it
Anthony Briggs <anthony.briggs@gmail.com>
Anthony Wright <ryow.college@gmail.com>
Anton Samarchyan <desecho@gmail.com>
Antoni Aloy
Antonio Cavedoni <http://cavedoni.com/>
Antonis Christofides <anthony@itia.ntua.gr>
Antti Haapala <antti@industrialwebandmagic.com>
Antti Kaihola <http://djangopeople.net/akaihola/>
Anubhav Joshi <anubhav9042@gmail.com>
Anvesh Mishra <anveshgreat11@gmail.com>
Aram Dulyan
arien <regexbot@gmail.com>
Armin Ronacher
Aron Podrigal <aronp@guaranteedplus.com>
Arsalan Ghassemi <arsalan.ghassemi@gmail.com>
Artem Gnilov <boobsd@gmail.com>
Arthur <avandorp@gmail.com>
Arthur Jovart <arthur@jovart.com>
Arthur Koziel <http://arthurkoziel.com>
Arthur Rio <arthur.rio44@gmail.com>
Arvis Bickovskis <viestards.lists@gmail.com>
Arya Khaligh <bartararya@gmail.com>
Aryeh Leib Taurog <http://www.aryehleib.com/>
A S Alam <aalam@users.sf.net>
Asif Saif Uddin <auvipy@gmail.com>
atlithorn <atlithorn@gmail.com>
Audrey Roy <http://audreymroy.com/>
av0000@mail.ru
Axel Haustant <noirbizarre@gmail.com>
Aymeric Augustin <aymeric.augustin@m4x.org>
Bahadır Kandemir <bahadir@pardus.org.tr>
Baishampayan Ghose
Baptiste Mispelon <bmispelon@gmail.com>
Barry Pederson <bp@barryp.org>
Bartolome Sanchez Salado <i42sasab@uco.es>
Barton Ip <notbartonip@gmail.com>
Bartosz Grabski <bartosz.grabski@gmail.com>
Bashar Al-Abdulhadi
Bastian Kleineidam <calvin@debian.org>
Batiste Bieler <batiste.bieler@gmail.com>
Batman
Batuhan Taskaya <batuhanosmantaskaya@gmail.com>
Baurzhan Ismagulov <ibr@radix50.net>
Ben Dean Kawamura <ben.dean.kawamura@gmail.com>
Ben Firshman <ben@firshman.co.uk>
Ben Godfrey <http://aftnn.org>
Benjamin Wohlwend <piquadrat@gmail.com>
Ben Khoo <khoobks@westnet.com.au>
Ben Slavin <benjamin.slavin@gmail.com>
Ben Sturmfels <ben@sturm.com.au>
Berker Peksag <berker.peksag@gmail.com>
Bernd Schlapsi
Bernhard Essl <me@bernhardessl.com>
berto
Bhuvnesh Sharma <bhuvnesh875@gmail.com>
Bill Fenner <fenner@gmail.com>
Bjørn Stabell <bjorn@exoweb.net>
Bo Marchman <bo.marchman@gmail.com>
Bogdan Mateescu
Bojan Mihelac <bmihelac@mihelac.org>
Bouke Haarsma <bouke@haarsma.eu>
Božidar Benko <bbenko@gmail.com>
Brad Melin <melinbrad@gmail.com>
Brandon Chinn <https://brandonchinn178.github.io/>
Brant Harris
Brendan Hayward <brendanhayward85@gmail.com>
Brendan Quinn <brendan@cluefulmedia.com>
Brenton Simpson <http://theillustratedlife.com>
Brett Cannon <brett@python.org>
Brett Hoerner <bretthoerner@bretthoerner.com>
Brian Beck <http://blog.brianbeck.com/>
Brian Fabian Crain <http://www.bfc.do/>
Brian Harring <ferringb@gmail.com>
Brian Helba <brian.helba@kitware.com>
Brian Ray <http://brianray.chipy.org/>
Brian Rosner <brosner@gmail.com>
Bruce Kroeze <https://coderseye.com/>
Bruno Alla <alla.brunoo@gmail.com>
Bruno Renié <buburno@gmail.com>
brut.alll@gmail.com
Bryan Chow <bryan at verdjn dot com>
Bryan Veloso <bryan@revyver.com>
bthomas
btoll@bestweb.net
C8E
Caio Ariede <caio.ariede@gmail.com>
Calvin Spealman <ironfroggy@gmail.com>
Cameron Curry
Cameron Knight (ckknight)
Can Burak Çilingir <canburak@cs.bilgi.edu.tr>
Can Sarıgöl <ertugrulsarigol@gmail.com>
Carl Meyer <carl@oddbird.net>
Carles Pina i Estany <carles@pina.cat>
Carlos Eduardo de Paula <carlosedp@gmail.com>
Carlos Matías de la Torre <cmdelatorre@gmail.com>
Carlton Gibson <carlton.gibson@noumenal.es>
cedric@terramater.net
Chad Whitman <chad.whitman@icloud.com>
ChaosKCW
Charlie Leifer <coleifer@gmail.com>
charly.wilhelm@gmail.com
Chason Chaffin <chason@gmail.com>
Cheng Zhang
Chris Adams
Chris Beaven <smileychris@gmail.com>
Chris Bennett <chrisrbennett@yahoo.com>
Chris Cahoon <chris.cahoon@gmail.com>
Chris Chamberlin <dja@cdc.msbx.net>
Chris Jerdonek
Chris Jones <chris@brack3t.com>
Chris Lamb <chris@chris-lamb.co.uk>
Chris Streeter <chris@chrisstreeter.com>
Christian Barcenas <christian@cbarcenas.com>
Christian Metts
Christian Oudard <christian.oudard@gmail.com>
Christian Tanzer <tanzer@swing.co.at>
Christoffer Sjöbergsson
Christophe Pettus <xof@thebuild.com>
Christopher Adams <http://christopheradams.info>
Christopher Babiak <chrisbabiak@gmail.com>
Christopher Lenz <https://www.cmlenz.net/>
Christoph Mędrela <chris.medrela@gmail.com>
Chris Wagner <cw264701@ohio.edu>
Chris Wesseling <Chris.Wesseling@cwi.nl>
Chris Wilson <chris+github@qwirx.com>
Ciaran McCormick <ciaran@ciaranmccormick.com>
Claude Paroz <claude@2xlibre.net>
Clint Ecker
colin@owlfish.com
Colin Wood <cwood06@gmail.com>
Collin Anderson <cmawebsite@gmail.com>
Collin Grady <collin@collingrady.com>
Colton Hicks <coltonbhicks@gmail.com>
Craig Blaszczyk <masterjakul@gmail.com>
crankycoder@gmail.com
Curtis Maloney (FunkyBob) <curtis@tinbrain.net>
dackze+django@gmail.com
Dagur Páll Ammendrup <dagurp@gmail.com>
Dane Springmeyer
Dan Fairs <dan@fezconsulting.com>
Daniel Alves Barbosa de Oliveira Vaz <danielvaz@gmail.com>
Daniel Duan <DaNmarner@gmail.com>
Daniele Procida <daniele@vurt.org>
Daniel Fairhead <danthedeckie@gmail.com>
Daniel Greenfeld
dAniel hAhler
Daniel Jilg <daniel@breakthesystem.org>
Daniel Lindsley <daniel@toastdriven.com>
Daniel Poelzleithner <https://poelzi.org/>
Daniel Pyrathon <pirosb3@gmail.com>
Daniel Roseman <http://roseman.org.uk/>
Daniel Tao <https://philosopherdeveloper.com/>
Daniel Wiesmann <daniel.wiesmann@gmail.com>
Danilo Bargen
Dan Johnson <danj.py@gmail.com>
Dan Palmer <dan@danpalmer.me>
Dan Poirier <poirier@pobox.com>
Dan Stephenson <http://dan.io/>
Dan Watson <http://danwatson.net/>
dave@thebarproject.com
David Ascher <https://ascher.ca/>
David Avsajanishvili <avsd05@gmail.com>
David Blewett <david@dawninglight.net>
David Brenneman <http://davidbrenneman.com>
David Cramer <dcramer@gmail.com>
David Danier <david.danier@team23.de>
David Eklund
David Foster <david@dafoster.net>
David Gouldin <dgouldin@gmail.com>
david@kazserve.org
David Krauth
David Larlet <https://larlet.fr/david/>
David Reynolds <david@reynoldsfamily.org.uk>
David Sanders <dsanders11@ucsbalum.com>
David Schein
David Tulig <david.tulig@gmail.com>
David Winterbottom <david.winterbottom@gmail.com>
David Wobrock <david.wobrock@gmail.com>
Davide Ceretti <dav.ceretti@gmail.com>
Deep L. Sukhwani <deepsukhwani@gmail.com>
Deepak Thukral <deep.thukral@gmail.com>
Denis Kuzmichyov <kuzmichyov@gmail.com>
Dennis Schwertel <dennisschwertel@gmail.com>
Derek Willis <http://blog.thescoop.org/>
Deric Crago <deric.crago@gmail.com>
deric@monowerks.com
Deryck Hodge <http://www.devurandom.org/>
Dimitris Glezos <dimitris@glezos.com>
Dirk Datzert <dummy@habmalnefrage.de>
Dirk Eschler <dirk.eschler@gmx.net>
Dmitri Fedortchenko <zeraien@gmail.com>
Dmitry Jemerov <intelliyole@gmail.com>
dne@mayonnaise.net
Dolan Antenucci <antenucci.d@gmail.com>
Donald Harvey <donald@donaldharvey.co.uk>
Donald Stufft <donald@stufft.io>
Don Spaulding <donspauldingii@gmail.com>
Doug Beck <doug@douglasbeck.com>
Doug Napoleone <doug@dougma.com>
dready <wil@mojipage.com>
dusk@woofle.net
Dustyn Gibson <miigotu@gmail.com>
Ed Morley <https://github.com/edmorley>
Egidijus Macijauskas <e.macijauskas@outlook.com>
eibaan@gmail.com
elky <http://elky.me/>
Emmanuelle Delescolle <https://github.com/nanuxbe>
Emil Stenström <em@kth.se>
enlight
Enrico <rico.bl@gmail.com>
Eric Boersma <eric.boersma@gmail.com>
Eric Brandwein <brandweineric@gmail.com>
Eric Floehr <eric@intellovations.com>
Eric Florenzano <floguy@gmail.com>
Eric Holscher <http://ericholscher.com>
Eric Moritz <http://eric.themoritzfamily.com/>
Eric Palakovich Carr <carreric@gmail.com>
Erik Karulf <erik@karulf.com>
Erik Romijn <django@solidlinks.nl>
eriks@win.tue.nl
Erwin Junge <erwin@junge.nl>
Esdras Beleza <linux@esdrasbeleza.com>
Espen Grindhaug <http://grindhaug.org/>
Étienne Beaulé <beauleetienne0@gmail.com>
Eugene Lazutkin <http://lazutkin.com/blog/>
Evan Grim <https://github.com/egrim>
Fabian Büchler <fabian.buechler@inoqo.com>
Fabrice Aneche <akh@nobugware.com>
Farhaan Bukhsh <farhaan.bukhsh@gmail.com>
favo@exoweb.net
fdr <drfarina@gmail.com>
Federico Capoano <nemesis@ninux.org>
Felipe Lee <felipe.lee.garcia@gmail.com>
Filip Noetzel <http://filip.noetzel.co.uk/>
Filip Wasilewski <filip.wasilewski@gmail.com>
Finn Gruwier Larsen <finn@gruwier.dk>
Fiza Ashraf <fizaashraf37@gmail.com>
Flávio Juvenal da Silva Junior <flavio@vinta.com.br>
flavio.curella@gmail.com
Florian Apolloner <florian@apolloner.eu>
Florian Demmer <fdemmer@gmail.com>
Florian Moussous <florian.moussous@gmail.com>
fnaimi66 <https://github.com/fnaimi66>
Fran Hrženjak <fran.hrzenjak@gmail.com>
Francesco Panico <panico.francesco@gmail.com>
Francisco Albarran Cristobal <pahko.xd@gmail.com>
Francisco Couzo <franciscouzo@gmail.com>
François Freitag <mail@franek.fr>
Frank Tegtmeyer <fte@fte.to>
Frank Wierzbicki
Frank Wiles <frank@revsys.com>
František Malina <https://unilexicon.com/fm/>
Fraser Nevett <mail@nevett.org>
Gabriel Grant <g@briel.ca>
Gabriel Hurley <gabriel@strikeawe.com>
gandalf@owca.info
Garry Lawrence
Garry Polley <garrympolley@gmail.com>
Garth Kidd <http://www.deadlybloodyserious.com/>
Gary Wilson <gary.wilson@gmail.com>
Gasper Koren
Gasper Zejn <zejn@kiberpipa.org>
Gav O'Connor <https://github.com/Scalamoosh>
Gavin Wahl <gavinwahl@gmail.com>
Ge Hanbin <xiaomiba0904@gmail.com>
geber@datacollect.com
Geert Vanderkelen
George Karpenkov <george@metaworld.ru>
George Song <george@damacy.net>
George Vilches <gav@thataddress.com>
Georg "Hugo" Bauer <gb@hugo.westfalen.de>
Georgi Stanojevski <glisha@gmail.com>
Gerardo Orozco <gerardo.orozco.mosqueda@gmail.com>
Gil Gonçalves <lursty@gmail.com>
Girish Kumar <girishkumarkh@gmail.com>
Girish Sontakke <girishsontakke7@gmail.com>
Gisle Aas <gisle@aas.no>
Glenn Maynard <glenn@zewt.org>
glin@seznam.cz
GomoX <gomo@datafull.com>
Gonzalo Saavedra <gonzalosaavedra@gmail.com>
Gopal Narayanan <gopastro@gmail.com>
Graham Carlyle <graham.carlyle@maplecroft.net>
Grant Jenks <contact@grantjenks.com>
Greg Chapple <gregchapple1@gmail.com>
Greg Twohig
Gregor Allensworth <greg.allensworth@gmail.com>
Gregor Müllegger <gregor@muellegger.de>
Grigory Fateyev <greg@dial.com.ru>
Grzegorz Ślusarek <grzegorz.slusarek@gmail.com>
Guilherme Mesquita Gondim <semente@taurinus.org>
Guillaume Pannatier <guillaume.pannatier@gmail.com>
Gustavo Picon
hambaloney
Hang Park <hangpark@kaist.ac.kr>
Hannes Ljungberg <hannes.ljungberg@gmail.com>
Hannes Struß <x@hannesstruss.de>
Harm Geerts <hgeerts@gmail.com>
Hasan Ramezani <hasan.r67@gmail.com>
Hawkeye
Helen Sherwood-Taylor <helen@rrdlabs.co.uk>
Henrique Romano <onaiort@gmail.com>
Henry Dang <henrydangprg@gmail.com>
Hidde Bultsma
Himanshu Chauhan <hchauhan1404@outlook.com>
hipertracker@gmail.com
Hiroki Kiyohara <hirokiky@gmail.com>
Honza Král <honza.kral@gmail.com>
Horst Gutmann <zerok@zerokspot.com>
Hugo Osvaldo Barrera <hugo@barrera.io>
HyukJin Jang <wkdgurwls00@naver.com>
Hyun Mi Ae
Iacopo Spalletti <i.spalletti@nephila.it>
Ian A Wilson <http://ianawilson.com>
Ian Clelland <clelland@gmail.com>
Ian G. Kelly <ian.g.kelly@gmail.com>
Ian Holsman <http://feh.holsman.net/>
Ian Lee <IanLee1521@gmail.com>
Ibon <ibonso@gmail.com>
Idan Gazit <idan@gazit.me>
Idan Melamed
Ifedapo Olarewaju <ifedapoolarewaju@gmail.com>
Igor Kolar <ike@email.si>
Illia Volochii <illia.volochii@gmail.com>
Ilya Bass
Ilya Semenov <semenov@inetss.com>
Ingo Klöcker <djangoproject@ingo-kloecker.de>
I.S. van Oostveen <v.oostveen@idca.nl>
Iuri de Silvio <https://github.com/iurisilvio>
ivan.chelubeev@gmail.com
Ivan Sagalaev (Maniac) <http://www.softwaremaniacs.org/>
Jaap Roes <jaap.roes@gmail.com>
Jack Moffitt <https://metajack.im/>
Jacob Burch <jacobburch@gmail.com>
Jacob Green
Jacob Kaplan-Moss <jacob@jacobian.org>
Jacob Rief <jacob.rief@gmail.com>
Jacob Walls <http://www.jacobtylerwalls.com/>
Jakub Paczkowski <jakub@paczkowski.eu>
Jakub Wilk <jwilk@jwilk.net>
Jakub Wiśniowski <restless.being@gmail.com>
james_027@yahoo.com
James Aylett
James Bennett <james@b-list.org>
James Gillard <jamesgillard@live.co.uk>
James Murty
James Tauber <jtauber@jtauber.com>
James Timmins <jameshtimmins@gmail.com>
James Turk <dev@jamesturk.net>
James Wheare <django@sparemint.com>
Jamie Matthews <jamie@mtth.org>
Jannis Leidel <jannis@leidel.info>
Janos Guljas
Jan Pazdziora
Jan Rademaker
Jarek Głowacki <jarekwg@gmail.com>
Jarek Zgoda <jarek.zgoda@gmail.com>
Jarosław Wygoda <jaroslaw@wygoda.me>
Jason Davies (Esaj) <https://www.jasondavies.com/>
Jason Huggins <http://www.jrandolph.com/blog/>
Jason McBrayer <http://www.carcosa.net/jason/>
jason.sidabras@gmail.com
Jason Yan <tailofthesun@gmail.com>
Javier Mansilla <javimansilla@gmail.com>
Jay Parlar <parlar@gmail.com>
Jay Welborn <jesse.welborn@gmail.com>
Jay Wineinger <jay.wineinger@gmail.com>
J. Clifford Dyer <jcd@sdf.lonestar.org>
jcrasta@gmail.com
jdetaeye
Jeff Anderson <jefferya@programmerq.net>
Jeff Balogh <jbalogh@mozilla.com>
Jeff Hui <jeffkhui@gmail.com>
Jeffrey Gelens <jeffrey@gelens.org>
Jeff Triplett <jeff.triplett@gmail.com>
Jeffrey Yancey <jeffrey.yancey@gmail.com>
Jens Diemer <django@htfx.de>
Jens Page
Jensen Cochran <jensen.cochran@gmail.com>
Jeong-Min Lee <falsetru@gmail.com>
Jérémie Blaser <blaserje@gmail.com>
Jeremy Bowman <https://github.com/jmbowman>
Jeremy Carbaugh <jcarbaugh@gmail.com>
Jeremy Dunck <jdunck@gmail.com>
Jeremy Lainé <jeremy.laine@m4x.org>
Jerin Peter George <jerinpetergeorge@gmail.com>
Jesse Young <adunar@gmail.com>
Jezeniel Zapanta <jezeniel.zapanta@gmail.com>
jhenry <jhenry@theonion.com>
Jim Dalton <jim.dalton@gmail.com>
Jimmy Song <jaejoon@gmail.com>
Jiri Barton
Joachim Jablon <ewjoachim@gmail.com>
Joao Oliveira <joaoxsouls@gmail.com>
Joao Pedro Silva <j.pedro004@gmail.com>
Joe Heck <http://www.rhonabwy.com/wp/>
Joe Jackson <joe@joejackson.me>
Joel Bohman <mail@jbohman.com>
Joel Heenan <joelh-django@planetjoel.com>
Joel Watts <joel@joelwatts.com>
Joe Topjian <http://joe.terrarum.net/geek/code/python/django/>
Johan C. Stöver <johan@nilling.nl>
Johann Queuniet <johann.queuniet@adh.naellia.eu>
john@calixto.net
John D'Agostino <john.dagostino@gmail.com>
John D'Ambrosio <dambrosioj@gmail.com>
John Huddleston <huddlej@wwu.edu>
John Moses <moses.john.r@gmail.com>
John Paulett <john@paulett.org>
John Shaffer <jshaffer2112@gmail.com>
Jökull Sólberg Auðunsson <jokullsolberg@gmail.com>
Jon Dufresne <jon.dufresne@gmail.com>
Jon Janzen <jon@jonjanzen.com>
Jonas Haag <jonas@lophus.org>
Jonas Lundberg <jonas.lundberg@gmail.com>
Jonathan Davis <jonathandavis47780@gmail.com>
Jonatas C. D. <jonatas.cd@gmail.com>
Jonathan Buchanan <jonathan.buchanan@gmail.com>
Jonathan Daugherty (cygnus) <http://www.cprogrammer.org/>
Jonathan Feignberg <jdf@pobox.com>
Jonathan Slenders
Jonny Park <jonnythebard9@gmail.com>
Jordan Bae <qoentlr37@gmail.com>
Jordan Dimov <s3x3y1@gmail.com>
Jordi J. Tablada <jordi.joan@gmail.com>
Jorge Bastida <me@jorgebastida.com>
Jorge Gajon <gajon@gajon.org>
José Tomás Tocino García <josetomas.tocino@gmail.com>
Josef Rousek <josef.rousek@gmail.com>
Joseph Kocherhans <joseph@jkocherhans.com>
Josh Smeaton <josh.smeaton@gmail.com>
Joshua Cannon <joshdcannon@gmail.com>
Joshua Ginsberg <jag@flowtheory.net>
Jozko Skrablin <jozko.skrablin@gmail.com>
J. Pablo Fernandez <pupeno@pupeno.com>
jpellerin@gmail.com
Juan Catalano <catalanojuan@gmail.com>
Juan Manuel Caicedo <juan.manuel.caicedo@gmail.com>
Juan Pedro Fisanotti <fisadev@gmail.com>
Julia Elman
Julia Matsieva <julia.matsieva@gmail.com>
Julian Bez
Julie Rymer <rymerjulie.pro@gmail.com>
Julien Phalip <jphalip@gmail.com>
Junyoung Choi <cupjoo@gmail.com>
junzhang.jn@gmail.com
Jure Cuhalev <gandalf@owca.info>
Justin Bronn <jbronn@gmail.com>
Justine Tunney <jtunney@gmail.com>
Justin Lilly <justinlilly@gmail.com>
Justin Michalicek <jmichalicek@gmail.com>
Justin Myles Holmes <justin@slashrootcafe.com>
Jyrki Pulliainen <jyrki.pulliainen@gmail.com>
Kadesarin Sanjek
Kapil Bansal <kapilbansal.gbpecdelhi@gmail.com>
Karderio <karderio@gmail.com>
Karen Tracey <kmtracey@gmail.com>
Karol Sikora <elektrrrus@gmail.com>
Katherine “Kati” Michel <kthrnmichel@gmail.com>
Kathryn Killebrew <kathryn.killebrew@gmail.com>
Katie Miller <katie@sub50.com>
Keith Bussell <kbussell@gmail.com>
Kenneth Love <kennethlove@gmail.com>
Kent Hauser <kent@khauser.net>
Keryn Knight <keryn@kerynknight.com>
Kevin Grinberg <kevin@kevingrinberg.com>
Kevin Kubasik <kevin@kubasik.net>
Kevin McConnell <kevin.mcconnell@gmail.com>
Kieran Holland <http://www.kieranholland.com>
kilian <kilian.cavalotti@lip6.fr>
Kim Joon Hwan 김준환 <xncbf12@gmail.com>
Kim Soung Ryoul 김성렬 <kimsoungryoul@gmail.com>
Klaas van Schelven <klaas@vanschelven.com>
knox <christobzr@gmail.com>
konrad@gwu.edu
Kowito Charoenratchatabhan <kowito@felspar.com>
Krišjānis Vaiders <krisjanisvaiders@gmail.com>
krzysiek.pawlik@silvermedia.pl
Krzysztof Jagiello <me@kjagiello.com>
Krzysztof Jurewicz <krzysztof.jurewicz@gmail.com>
Krzysztof Kulewski <kulewski@gmail.com>
kurtiss@meetro.com
Lakin Wecker <lakin@structuredabstraction.com>
Lars Yencken <lars.yencken@gmail.com>
Lau Bech Lauritzen
Laurent Luce <https://www.laurentluce.com/>
Laurent Rahuel <laurent.rahuel@gmail.com>
lcordier@point45.com
Leah Culver <leah.culver@gmail.com>
Leandra Finger <leandra.finger@gmail.com>
Lee Reilly <lee@leereilly.net>
Lee Sanghyuck <shlee322@elab.kr>
Leo "hylje" Honkanen <sealage@gmail.com>
Leo Shklovskii
Leo Soto <leo.soto@gmail.com>
lerouxb@gmail.com
Lex Berezhny <lex@damoti.com>
Liang Feng <hutuworm@gmail.com>
limodou
Lincoln Smith <lincoln.smith@anu.edu.au>
Liu Yijie <007gzs@gmail.com>
Loek van Gent <loek@barakken.nl>
Loïc Bistuer <loic.bistuer@sixmedia.com>
Lowe Thiderman <lowe.thiderman@gmail.com>
Luan Pablo <luanpab@gmail.com>
Lucas Connors <https://www.revolutiontech.ca/>
Luciano Ramalho
Lucidiot <lucidiot@brainshit.fr>
Ludvig Ericson <ludvig.ericson@gmail.com>
Luis C. Berrocal <luis.berrocal.1942@gmail.com>
Łukasz Langa <lukasz@langa.pl>
Łukasz Rekucki <lrekucki@gmail.com>
Luke Granger-Brown <django@lukegb.com>
Luke Plant <L.Plant.98@cantab.net>
Maciej Fijalkowski
Maciej Wiśniowski <pigletto@gmail.com>
Mads Jensen <https://github.com/atombrella>
Makoto Tsuyuki <mtsuyuki@gmail.com>
Malcolm Tredinnick
Manav Agarwal <dpsman13016@gmail.com>
Manuel Saelices <msaelices@yaco.es>
Manuzhai
Marc Aymerich Gubern
Marc Egli <frog32@me.com>
Marcel Telka <marcel@telka.sk>
Marcelo Galigniana <marcelogaligniana@gmail.com>
Marc Fargas <telenieko@telenieko.com>
Marc Garcia <marc.garcia@accopensys.com>
Marcin Wróbel
Marc Remolt <m.remolt@webmasters.de>
Marc Seguí Coll <metarizard@gmail.com>
Marc Tamlyn <marc.tamlyn@gmail.com>
Marc-Aurèle Brothier <ma.brothier@gmail.com>
Marian Andre <django@andre.sk>
Marijn Vriens <marijn@metronomo.cl>
Mario Gonzalez <gonzalemario@gmail.com>
Mariusz Felisiak <felisiak.mariusz@gmail.com>
Mark Biggers <biggers@utsl.com>
Mark Evans <mark@meltdownlabs.com>
Mark Gensler <mark.gensler@protonmail.com>
mark@junklight.com
Mark Lavin <markdlavin@gmail.com>
Mark Sandstrom <mark@deliciouslynerdy.com>
Markus Amalthea Magnuson <markus.magnuson@gmail.com>
Markus Holtermann <https://markusholtermann.eu>
Marten Kenbeek <marten.knbk+django@gmail.com>
Marti Raudsepp <marti@juffo.org>
martin.glueck@gmail.com
Martin Green
Martin Kosír <martin@martinkosir.net>
Martin Mahner <https://www.mahner.org/>
Martin Maney <http://www.chipy.org/Martin_Maney>
Martin von Gagern <gagern@google.com>
Mart Sõmermaa <https://github.com/mrts>
Marty Alchin <gulopine@gamemusic.org>
Masashi Shibata <m.shibata1020@gmail.com>
masonsimon+django@gmail.com
Massimiliano Ravelli <massimiliano.ravelli@gmail.com>
Massimo Scamarcia <massimo.scamarcia@gmail.com>
Mathieu Agopian <mathieu.agopian@gmail.com>
Matías Bordese
Matt Boersma <matt@sprout.org>
Matt Brewer <matt.brewer693@gmail.com>
Matt Croydon <http://www.postneo.com/>
Matt Deacalion Stevens <matt@dirtymonkey.co.uk>
Matt Dennenbaum
Matthew Flanagan <https://wadofstuff.blogspot.com/>
Matthew Schinckel <matt@schinckel.net>
Matthew Somerville <matthew-django@dracos.co.uk>
Matthew Tretter <m@tthewwithanm.com>
Matthew Wilkes <matt@matthewwilkes.name>
Matthias Kestenholz <mk@406.ch>
Matthias Pronk <django@masida.nl>
Matt Hoskins <skaffenuk@googlemail.com>
Matt McClanahan <https://mmcc.cx/>
Matt Riggott
Matt Robenolt <m@robenolt.com>
Mattia Larentis <mattia@laretis.eu>
Mattia Procopio <promat85@gmail.com>
Mattias Loverot <mattias@stubin.se>
mattycakes@gmail.com
Max Burstein <http://maxburstein.com>
Max Derkachev <mderk@yandex.ru>
Max Smolens <msmolens@gmail.com>
Maxime Lorant <maxime.lorant@gmail.com>
Maxime Turcotte <maxocub@riseup.net>
Maximilian Merz <django@mxmerz.de>
Maximillian Dornseif <md@hudora.de>
mccutchen@gmail.com
Meghana Bhange <meghanabhange13@gmail.com>
Meir Kriheli <http://mksoft.co.il/>
Michael S. Brown <michael@msbrown.net>
Michael Hall <mhall1@ualberta.ca>
Michael Josephson <http://www.sdjournal.com/>
Michael Lissner <mike@free.law>
Michael Manfre <mmanfre@gmail.com>
michael.mcewan@gmail.com
Michael Placentra II <someone@michaelplacentra2.net>
Michael Radziej <mir@noris.de>
Michael Sanders <m.r.sanders@gmail.com>
Michael Schwarz <michi.schwarz@gmail.com>
Michael Sinov <sihaelov@gmail.com>
Michael Thornhill <michael.thornhill@gmail.com>
Michal Chruszcz <troll@pld-linux.org>
michal@plovarna.cz
Michał Modzelewski <michal.modzelewski@gmail.com>
Mihai Damian <yang_damian@yahoo.com>
Mihai Preda <mihai_preda@yahoo.com>
Mikaël Barbero <mikael.barbero nospam at nospam free.fr>
Mike Axiak <axiak@mit.edu>
Mike Grouchy <https://mikegrouchy.com/>
Mike Malone <mjmalone@gmail.com>
Mike Richardson
Mike Wiacek <mjwiacek@google.com>
Mikhail Korobov <kmike84@googlemail.com>
Mikko Hellsing <mikko@sorl.net>
Mikołaj Siedlarek <mikolaj.siedlarek@gmail.com>
milkomeda
Milton Waddams
mitakummaa@gmail.com
mmarshall
Moayad Mardini <moayad.m@gmail.com>
Morgan Aubert <morgan.aubert@zoho.com>
Moritz Sichert <moritz.sichert@googlemail.com>
Morten Bagai <m@bagai.com>
msaelices <msaelices@gmail.com>
msundstr
Mushtaq Ali <mushtaak@gmail.com>
Mykola Zamkovoi <nickzam@gmail.com>
Nadège Michel <michel.nadege@gmail.com>
Nagy Károly <charlie@rendszergazda.com>
Nasimul Haque <nasim.haque@gmail.com>
Nasir Hussain <nasirhjafri@gmail.com>
Natalia Bidart <nataliabidart@gmail.com>
Nate Bragg <jonathan.bragg@alum.rpi.edu>
Nathan Gaberel <nathan@gnab.fr>
Neal Norwitz <nnorwitz@google.com>
Nebojša Dorđević
Ned Batchelder <https://nedbatchelder.com/>
Nena Kojadin <nena@kiberpipa.org>
Niall Dalton <niall.dalton12@gmail.com>
Niall Kelly <duke.sam.vimes@gmail.com>
Nick Efford <nick@efford.org>
Nick Lane <nick.lane.au@gmail.com>
Nick Pope <nick@nickpope.me.uk>
Nick Presta <nick@nickpresta.ca>
Nick Sandford <nick.sandford@gmail.com>
Nick Sarbicki <nick.a.sarbicki@gmail.com>
Niclas Olofsson <n@niclasolofsson.se>
Nicola Larosa <nico@teknico.net>
Nicolas Lara <nicolaslara@gmail.com>
Nicolas Noé <nicolas@niconoe.eu>
Nikita Marchant <nikita.marchant@gmail.com>
Niran Babalola <niran@niran.org>
Nis Jørgensen <nis@superlativ.dk>
Nowell Strite <https://nowell.strite.org/>
Nuno Mariz <nmariz@gmail.com>
Octavio Peri <octaperi@gmail.com>
oggie rob <oz.robharvey@gmail.com>
oggy <ognjen.maric@gmail.com>
Oliver Beattie <oliver@obeattie.com>
Oliver Rutherfurd <http://rutherfurd.net/>
Olivier Sels <olivier.sels@gmail.com>
Olivier Tabone <olivier.tabone@ripplemotion.fr>
Orestis Markou <orestis@orestis.gr>
Orne Brocaar <http://brocaar.com/>
Oscar Ramirez <tuxskar@gmail.com>
Ossama M. Khayat <okhayat@yahoo.com>
Owen Griffiths
Ömer Faruk Abacı <https://github.com/omerfarukabaci/>
Pablo Martín <goinnn@gmail.com>
Panos Laganakos <panos.laganakos@gmail.com>
Paolo Melchiorre <paolo@melchiorre.org>
Pascal Hartig <phartig@rdrei.net>
Pascal Varet
Patrik Sletmo <patrik.sletmo@gmail.com>
Paul Bissex <http://e-scribe.com/>
Paul Collier <paul@paul-collier.com>
Paul Collins <paul.collins.iii@gmail.com>
Paul Donohue <django@PaulSD.com>
Paul Lanier <planier@google.com>
Paul McLanahan <paul@mclanahan.net>
Paul McMillan <Paul@McMillan.ws>
Paulo Poiati <paulogpoiati@gmail.com>
Paulo Scardine <paulo@scardine.com.br>
Paul Smith <blinkylights23@gmail.com>
Pavel Kulikov <kulikovpavel@gmail.com>
pavithran s <pavithran.s@gmail.com>
Pavlo Kapyshin <i@93z.org>
permonik@mesias.brnonet.cz
Petar Marić <http://www.petarmaric.com/>
Pete Crosier <pete.crosier@gmail.com>
peter@mymart.com
Peter Sheats <sheats@gmail.com>
Peter van Kampen
Peter Zsoldos <http://zsoldosp.eu>
Pete Shinners <pete@shinners.org>
Petr Marhoun <petr.marhoun@gmail.com>
Petter Strandmark
pgross@thoughtworks.com
phaedo <http://phaedo.cx/>
phil.h.smith@gmail.com
Philip Lindborg <philip.lindborg@gmail.com>
Philippe Raoult <philippe.raoult@n2nsoft.com>
phil@produxion.net
Piotr Jakimiak <piotr.jakimiak@gmail.com>
Piotr Lewandowski <piotr.lewandowski@gmail.com>
plisk
polpak@yahoo.com
pradeep.gowda@gmail.com
Preston Holmes <preston@ptone.com>
Preston Timmons <prestontimmons@gmail.com>
Priyansh Saxena <askpriyansh@gmail.com>
Przemysław Buczkowski <przemub@przemub.pl>
Przemysław Suliga <http://suligap.net>
Qi Zhao <zhaoqi99@outlook.com>
Rachel Tobin <rmtobin@me.com>
Rachel Willmer <http://www.willmer.com/kb/>
Radek Švarz <https://www.svarz.cz/translate/>
Rafael Giebisch <rafael@giebisch-mail.de>
Raffaele Salmaso <raffaele@salmaso.org>
Rahmat Faisal <mad.skidipap@gmail.com>
Rajesh Dhawan <rajesh.dhawan@gmail.com>
Ramez Ashraf <ramezashraf@gmail.com>
Ramil Yanbulatov <rayman1104@gmail.com>
Ramin Farajpour Cami <ramin.blackhat@gmail.com>
Ramiro Morales <ramiro@rmorales.net>
Ramon Saraiva <ramonsaraiva@gmail.com>
Ram Rachum <ram@rachum.com>
Randy Barlow <randy@electronsweatshop.com>
Raphaël Barrois <raphael.barrois@m4x.org>
Raphael Michel <mail@raphaelmichel.de>
Raúl Cumplido <raulcumplido@gmail.com>
Rebecca Smith <rebkwok@gmail.com>
Remco Wendt <remco.wendt@gmail.com>
Renaud Parent <renaud.parent@gmail.com>
Renbi Yu <averybigant@gmail.com>
Reza Mohammadi <reza@zeerak.ir>
rhettg@gmail.com
Ricardo Javier Cárdenes Medina <ricardo.cardenes@gmail.com>
ricardojbarrios@gmail.com
Riccardo Di Virgilio
Riccardo Magliocchetti <riccardo.magliocchetti@gmail.com>
Richard Davies <richard.davies@elastichosts.com>
Richard House <Richard.House@i-logue.com>
Rick Wagner <rwagner@physics.ucsd.edu>
Rigel Di Scala <rigel.discala@propylon.com>
Robert Coup
Robert Myers <myer0052@gmail.com>
Roberto Aguilar <roberto@baremetal.io>
Robert Rock Howard <http://djangomojo.com/>
Robert Wittams
Rob Golding-Day <rob@golding-day.com>
Rob Hudson <https://rob.cogit8.org/>
Rob Nguyen <tienrobertnguyenn@gmail.com>
Robin Munn <http://www.geekforgod.com/>
Rodrigo Pinheiro Marques de Araújo <fenrrir@gmail.com>
Rohith P R <https://rohithpr.com>
Romain Garrigues <romain.garrigues.cs@gmail.com>
Ronnie van den Crommenacker
Ronny Haryanto <https://ronny.haryan.to/>
Ross Poulton <ross@rossp.org>
Roxane Bellot <https://github.com/roxanebellot/>
Rozza <ross.lawley@gmail.com>
Rudolph Froger <rfroger@estrate.nl>
Rudy Mutter
Rune Rønde Laursen <runerl@skjoldhoej.dk>
Russell Cloran <russell@rucus.net>
Russell Keith-Magee <russell@keith-magee.com>
Russ Webber
Ryan Hall <ryanhall989@gmail.com>
Ryan Heard <ryanwheard@gmail.com>
ryankanno
Ryan Kelly <ryan@rfk.id.au>
Ryan Niemeyer <https://profiles.google.com/ryan.niemeyer/about>
Ryan Petrello <ryan@ryanpetrello.com>
Ryan Rubin <ryanmrubin@gmail.com>
Ryno Mathee <rmathee@gmail.com>
Sachin Jat <sanch.jat@gmail.com>
Sage M. Abdullah <https://github.com/laymonage>
Sam Newman <http://www.magpiebrain.com/>
Sander Dijkhuis <sander.dijkhuis@gmail.com>
Sanket Saurav <sanketsaurav@gmail.com>
Sanyam Khurana <sanyam.khurana01@gmail.com>
Sarah Boyce <https://github.com/sarahboyce>
Sarthak Mehrish <sarthakmeh03@gmail.com>
schwank@gmail.com
Scot Hacker <shacker@birdhouse.org>
Scott Barr <scott@divisionbyzero.com.au>
Scott Cranfill <scott@scottcranfill.com>
Scott Fitsimones <scott@airgara.ge>
Scott Pashley <github@scottpashley.co.uk>
scott@staplefish.com
Sean Brant
Sebastian Hillig <sebastian.hillig@gmail.com>
Sebastian Spiegel <https://www.tivix.com/>
Segyo Myung <myungsekyo@gmail.com>
Selwin Ong <selwin@ui.co.id>
Sengtha Chay <sengtha@e-khmer.com>
Senko Rašić <senko.rasic@dobarkod.hr>
serbaut@gmail.com
Sergei Maertens <sergeimaertens@gmail.com>
Sergey Fedoseev <fedoseev.sergey@gmail.com>
Sergey Kolosov <m17.admin@gmail.com>
Seth Hill <sethrh@gmail.com>
Shai Berger <shai@platonix.com>
Shannon -jj Behrens <https://www.jjinux.com/>
Shawn Milochik <shawn@milochik.com>
Shreya Bamne <shreya.bamne@gmail.com>
Silvan Spross <silvan.spross@gmail.com>
Simeon Visser <http://simeonvisser.com>
Simon Blanchard
Simon Charette <charette.s@gmail.com>
Simon Greenhill <dev@simon.net.nz>
Simon Litchfield <simon@quo.com.au>
Simon Meers <simon@simonmeers.com>
Simon Williams
Simon Willison <simon@simonwillison.net>
Sjoerd Job Postmus
Slawek Mikula <slawek dot mikula at gmail dot com>
sloonz <simon.lipp@insa-lyon.fr>
smurf@smurf.noris.de
sopel
Sreehari K V <sreeharivijayan619@gmail.com>
Sridhar Marella <sridhar562345@gmail.com>
Srinivas Reddy Thatiparthy <thatiparthysreenivas@gmail.com>
Stanislas Guerra <stan@slashdev.me>
Stanislaus Madueke
Stanislav Karpov <work@stkrp.ru>
starrynight <cmorgh@gmail.com>
Stefan R. Filipek
Stefane Fermgier <sf@fermigier.com>
Stefano Rivera <stefano@rivera.za.net>
Stéphane Raimbault <stephane.raimbault@gmail.com>
Stephan Jaekel <steph@rdev.info>
Stephen Burrows <stephen.r.burrows@gmail.com>
Steven L. Smith (fvox13) <steven@stevenlsmith.com>
Steven Noorbergen (Xaroth) <xaroth+django@xaroth.nl>
Stuart Langridge <https://www.kryogenix.org/>
Subhav Gautam <subhavgautam@yahoo.co.uk>
Sujay S Kumar <sujay.skumar141295@gmail.com>
Sune Kirkeby <https://ibofobi.dk/>
Sung-Jin Hong <serialx.net@gmail.com>
SuperJared
Susan Tan <susan.tan.fleckerl@gmail.com>
Sutrisno Efendi <kangfend@gmail.com>
Swaroop C H <http://www.swaroopch.info>
Szilveszter Farkas <szilveszter.farkas@gmail.com>
Taavi Teska <taaviteska@gmail.com>
Tai Lee <real.human@mrmachine.net>
Takashi Matsuo <matsuo.takashi@gmail.com>
Tareque Hossain <http://www.codexn.com>
Taylor Mitchell <taylor.mitchell@gmail.com>
Terry Huang <terryh.tp@gmail.com>
thebjorn <bp@datakortet.no>
Thejaswi Puthraya <thejaswi.puthraya@gmail.com>
Thijs van Dien <thijs@vandien.net>
Thom Wiggers
Thomas Chaumeny <t.chaumeny@gmail.com>
Thomas Güttler <hv@tbz-pariv.de>
Thomas Kerpe <thomas@kerpe.net>
Thomas Sorrel
Thomas Steinacher <http://www.eggdrop.ch/>
Thomas Stromberg <tstromberg@google.com>
Thomas Tanner <tanner@gmx.net>
tibimicu@gmx.net
Ties Jan Hefting <hello@tiesjan.com>
Tim Allen <tim@pyphilly.org>
Tim Givois <tim.givois.mendez@gmail.com>
Tim Graham <timograham@gmail.com>
Tim Heap <tim@timheap.me>
Tim McCurrach <tim.mccurrach@gmail.com>
Tim Saylor <tim.saylor@gmail.com>
Tobias Kunze <rixx@cutebit.de>
Tobias McNulty <https://www.caktusgroup.com/blog/>
tobias@neuyork.de
Todd O'Bryan <toddobryan@mac.com>
Tom Carrick <https://www.carrick.eu>
Tom Christie <tom@tomchristie.com>
Tom Forbes <tom@tomforb.es>
Tom Insam
Tom Tobin
Tom Wojcik <me@tomwojcik.com>
Tomáš Ehrlich <tomas.ehrlich@gmail.com>
Tomáš Kopeček <permonik@m6.cz>
Tome Cvitan <tome@cvitan.com>
Tomek Paczkowski <tomek@hauru.eu>
Tomer Chachamu
Tommy Beadle <tbeadle@gmail.com>
Tore Lundqvist <tore.lundqvist@gmail.com>
torne-django@wolfpuppy.org.uk
Travis Cline <travis.cline@gmail.com>
Travis Pinney
Travis Swicegood <travis@domain51.com>
Travis Terry <tdterry7@gmail.com>
Trevor Caira <trevor@caira.com>
Trey Long <trey@ktrl.com>
tstromberg@google.com
tt@gurgle.no
Tyler Tarabula <tyler.tarabula@gmail.com>
Tyson Clugg <tyson@clugg.net>
Tyson Tate <tyson@fallingbullets.com>
Unai Zalakain <unai@gisa-elkartea.org>
Valentina Mukhamedzhanova <umirra@gmail.com>
valtron
Vasiliy Stavenko <stavenko@gmail.com>
Vasil Vangelovski
Vibhu Agarwal <vibhu-agarwal.github.io>
Victor Andrée
viestards.lists@gmail.com
Viktor Danyliuk <v.v.danyliuk@gmail.com>
Viktor Grabov <viktor@grabov.ru>
Ville Säävuori <https://www.unessa.net/>
Vinay Karanam <https://github.com/vinayinvicible>
Vinay Sajip <vinay_sajip@yahoo.co.uk>
Vincent Foley <vfoleybourgon@yahoo.ca>
Vinny Do <vdo.code@gmail.com>
Vitaly Babiy <vbabiy86@gmail.com>
Vitaliy Yelnik <velnik@gmail.com>
Vladimir Kuzma <vladimirkuzma.ch@gmail.com>
Vlado <vlado@labath.org>
Vsevolod Solovyov
Vytis Banaitis <vytis.banaitis@gmail.com>
wam-djangobug@wamber.net
Wang Chun <wangchun@exoweb.net>
Warren Smith <warren@wandrsmith.net>
Waylan Limberg <waylan@gmail.com>
Wiktor Kołodziej <wiktor@pykonik.org>
Wiley Kestner <wiley.kestner@gmail.com>
Wiliam Alves de Souza <wiliamsouza83@gmail.com>
Will Ayd <william.ayd@icloud.com>
William Schwartz <wkschwartz@gmail.com>
Will Hardy <django@willhardy.com.au>
Wilson Miner <wminer@gmail.com>
Wim Glenn <hey@wimglenn.com>
wojtek
Wu Haotian <whtsky@gmail.com>
Xavier Francisco <xavier.n.francisco@gmail.com>
Xia Kai <https://blog.xiaket.org/>
Yann Fouillat <gagaro42@gmail.com>
Yann Malet
Yash Jhunjhunwala
Yasushi Masuda <whosaysni@gmail.com>
ye7cakf02@sneakemail.com
ymasuda@ethercube.com
Yoong Kang Lim <yoongkang.lim@gmail.com>
Yusuke Miyazaki <miyazaki.dev@gmail.com>
yyyyyyyan <contact@yyyyyyyan.tech>
Zac Hatfield-Dodds <zac.hatfield.dodds@gmail.com>
Zachary Voase <zacharyvoase@gmail.com>
Zach Liu <zachliu@gmail.com>
Zach Thompson <zthompson47@gmail.com>
Zain Memon
Zain Patel <zain.patel06@gmail.com>
Zak Johnson <zakj@nox.cx>
Žan Anderle <zan.anderle@gmail.com>
Zbigniew Siciarz <zbigniew@siciarz.net>
zegor
Zeynel Özdemir <ozdemir.zynl@gmail.com>
Zlatko Mašek <zlatko.masek@gmail.com>
zriv <https://github.com/zriv>
<Please alphabetize new entries>
A big THANK YOU goes to:
Rob Curley and Ralph Gage for letting us open-source Django.
Frank Wiles for making excellent arguments for open-sourcing, and for
his sage sysadmin advice.
Ian Bicking for convincing Adrian to ditch code generation.
Mark Pilgrim for "Dive Into Python" (https://www.diveinto.org/python3/).
Guido van Rossum for creating Python.
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/AUTHORS | none | mit | 41,324 |
pip
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/INSTALLER | none | mit | 4 |
Django is licensed under the three-clause BSD license; see the file
LICENSE for details.
Django includes code from the Python standard library, which is licensed under
the Python license, a permissive open source license. The copyright and license
is included below for compliance with Python's terms.
----------------------------------------------------------------------
Copyright (c) 2001-present Python Software Foundation; All Rights Reserved
A. HISTORY OF THE SOFTWARE
==========================
Python was created in the early 1990s by Guido van Rossum at Stichting
Mathematisch Centrum (CWI, see http://www.cwi.nl) in the Netherlands
as a successor of a language called ABC. Guido remains Python's
principal author, although it includes many contributions from others.
In 1995, Guido continued his work on Python at the Corporation for
National Research Initiatives (CNRI, see http://www.cnri.reston.va.us)
in Reston, Virginia where he released several versions of the
software.
In May 2000, Guido and the Python core development team moved to
BeOpen.com to form the BeOpen PythonLabs team. In October of the same
year, the PythonLabs team moved to Digital Creations, which became
Zope Corporation. In 2001, the Python Software Foundation (PSF, see
https://www.python.org/psf/) was formed, a non-profit organization
created specifically to own Python-related Intellectual Property.
Zope Corporation was a sponsoring member of the PSF.
All Python releases are Open Source (see http://www.opensource.org for
the Open Source Definition). Historically, most, but not all, Python
releases have also been GPL-compatible; the table below summarizes
the various releases.
Release Derived Year Owner GPL-
from compatible? (1)
0.9.0 thru 1.2 1991-1995 CWI yes
1.3 thru 1.5.2 1.2 1995-1999 CNRI yes
1.6 1.5.2 2000 CNRI no
2.0 1.6 2000 BeOpen.com no
1.6.1 1.6 2001 CNRI yes (2)
2.1 2.0+1.6.1 2001 PSF no
2.0.1 2.0+1.6.1 2001 PSF yes
2.1.1 2.1+2.0.1 2001 PSF yes
2.1.2 2.1.1 2002 PSF yes
2.1.3 2.1.2 2002 PSF yes
2.2 and above 2.1.1 2001-now PSF yes
Footnotes:
(1) GPL-compatible doesn't mean that we're distributing Python under
the GPL. All Python licenses, unlike the GPL, let you distribute
a modified version without making your changes open source. The
GPL-compatible licenses make it possible to combine Python with
other software that is released under the GPL; the others don't.
(2) According to Richard Stallman, 1.6.1 is not GPL-compatible,
because its license has a choice of law clause. According to
CNRI, however, Stallman's lawyer has told CNRI's lawyer that 1.6.1
is "not incompatible" with the GPL.
Thanks to the many outside volunteers who have worked under Guido's
direction to make these releases possible.
B. TERMS AND CONDITIONS FOR ACCESSING OR OTHERWISE USING PYTHON
===============================================================
Python software and documentation are licensed under the
Python Software Foundation License Version 2.
Starting with Python 3.8.6, examples, recipes, and other code in
the documentation are dual licensed under the PSF License Version 2
and the Zero-Clause BSD license.
Some software incorporated into Python is under different licenses.
The licenses are listed with code falling under that license.
PYTHON SOFTWARE FOUNDATION LICENSE VERSION 2
--------------------------------------------
1. This LICENSE AGREEMENT is between the Python Software Foundation
("PSF"), and the Individual or Organization ("Licensee") accessing and
otherwise using this software ("Python") in source or binary form and
its associated documentation.
2. Subject to the terms and conditions of this License Agreement, PSF hereby
grants Licensee a nonexclusive, royalty-free, world-wide license to reproduce,
analyze, test, perform and/or display publicly, prepare derivative works,
distribute, and otherwise use Python alone or in any derivative version,
provided, however, that PSF's License Agreement and PSF's notice of copyright,
i.e., "Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010,
2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, 2019, 2020, 2021, 2022 Python Software Foundation;
All Rights Reserved" are retained in Python alone or in any derivative version
prepared by Licensee.
3. In the event Licensee prepares a derivative work that is based on
or incorporates Python or any part thereof, and wants to make
the derivative work available to others as provided herein, then
Licensee hereby agrees to include in any such work a brief summary of
the changes made to Python.
4. PSF is making Python available to Licensee on an "AS IS"
basis. PSF MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, PSF MAKES NO AND
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF PYTHON WILL NOT
INFRINGE ANY THIRD PARTY RIGHTS.
5. PSF SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF PYTHON
FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS AS
A RESULT OF MODIFYING, DISTRIBUTING, OR OTHERWISE USING PYTHON,
OR ANY DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
6. This License Agreement will automatically terminate upon a material
breach of its terms and conditions.
7. Nothing in this License Agreement shall be deemed to create any
relationship of agency, partnership, or joint venture between PSF and
Licensee. This License Agreement does not grant permission to use PSF
trademarks or trade name in a trademark sense to endorse or promote
products or services of Licensee, or any third party.
8. By copying, installing or otherwise using Python, Licensee
agrees to be bound by the terms and conditions of this License
Agreement.
BEOPEN.COM LICENSE AGREEMENT FOR PYTHON 2.0
-------------------------------------------
BEOPEN PYTHON OPEN SOURCE LICENSE AGREEMENT VERSION 1
1. This LICENSE AGREEMENT is between BeOpen.com ("BeOpen"), having an
office at 160 Saratoga Avenue, Santa Clara, CA 95051, and the
Individual or Organization ("Licensee") accessing and otherwise using
this software in source or binary form and its associated
documentation ("the Software").
2. Subject to the terms and conditions of this BeOpen Python License
Agreement, BeOpen hereby grants Licensee a non-exclusive,
royalty-free, world-wide license to reproduce, analyze, test, perform
and/or display publicly, prepare derivative works, distribute, and
otherwise use the Software alone or in any derivative version,
provided, however, that the BeOpen Python License is retained in the
Software, alone or in any derivative version prepared by Licensee.
3. BeOpen is making the Software available to Licensee on an "AS IS"
basis. BEOPEN MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, BEOPEN MAKES NO AND
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF THE SOFTWARE WILL NOT
INFRINGE ANY THIRD PARTY RIGHTS.
4. BEOPEN SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF THE
SOFTWARE FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS
AS A RESULT OF USING, MODIFYING OR DISTRIBUTING THE SOFTWARE, OR ANY
DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
5. This License Agreement will automatically terminate upon a material
breach of its terms and conditions.
6. This License Agreement shall be governed by and interpreted in all
respects by the law of the State of California, excluding conflict of
law provisions. Nothing in this License Agreement shall be deemed to
create any relationship of agency, partnership, or joint venture
between BeOpen and Licensee. This License Agreement does not grant
permission to use BeOpen trademarks or trade names in a trademark
sense to endorse or promote products or services of Licensee, or any
third party. As an exception, the "BeOpen Python" logos available at
http://www.pythonlabs.com/logos.html may be used according to the
permissions granted on that web page.
7. By copying, installing or otherwise using the software, Licensee
agrees to be bound by the terms and conditions of this License
Agreement.
CNRI LICENSE AGREEMENT FOR PYTHON 1.6.1
---------------------------------------
1. This LICENSE AGREEMENT is between the Corporation for National
Research Initiatives, having an office at 1895 Preston White Drive,
Reston, VA 20191 ("CNRI"), and the Individual or Organization
("Licensee") accessing and otherwise using Python 1.6.1 software in
source or binary form and its associated documentation.
2. Subject to the terms and conditions of this License Agreement, CNRI
hereby grants Licensee a nonexclusive, royalty-free, world-wide
license to reproduce, analyze, test, perform and/or display publicly,
prepare derivative works, distribute, and otherwise use Python 1.6.1
alone or in any derivative version, provided, however, that CNRI's
License Agreement and CNRI's notice of copyright, i.e., "Copyright (c)
1995-2001 Corporation for National Research Initiatives; All Rights
Reserved" are retained in Python 1.6.1 alone or in any derivative
version prepared by Licensee. Alternately, in lieu of CNRI's License
Agreement, Licensee may substitute the following text (omitting the
quotes): "Python 1.6.1 is made available subject to the terms and
conditions in CNRI's License Agreement. This Agreement together with
Python 1.6.1 may be located on the internet using the following
unique, persistent identifier (known as a handle): 1895.22/1013. This
Agreement may also be obtained from a proxy server on the internet
using the following URL: http://hdl.handle.net/1895.22/1013".
3. In the event Licensee prepares a derivative work that is based on
or incorporates Python 1.6.1 or any part thereof, and wants to make
the derivative work available to others as provided herein, then
Licensee hereby agrees to include in any such work a brief summary of
the changes made to Python 1.6.1.
4. CNRI is making Python 1.6.1 available to Licensee on an "AS IS"
basis. CNRI MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, CNRI MAKES NO AND
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF PYTHON 1.6.1 WILL NOT
INFRINGE ANY THIRD PARTY RIGHTS.
5. CNRI SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF PYTHON
1.6.1 FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS AS
A RESULT OF MODIFYING, DISTRIBUTING, OR OTHERWISE USING PYTHON 1.6.1,
OR ANY DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
6. This License Agreement will automatically terminate upon a material
breach of its terms and conditions.
7. This License Agreement shall be governed by the federal
intellectual property law of the United States, including without
limitation the federal copyright law, and, to the extent such
U.S. federal law does not apply, by the law of the Commonwealth of
Virginia, excluding Virginia's conflict of law provisions.
Notwithstanding the foregoing, with regard to derivative works based
on Python 1.6.1 that incorporate non-separable material that was
previously distributed under the GNU General Public License (GPL), the
law of the Commonwealth of Virginia shall govern this License
Agreement only as to issues arising under or with respect to
Paragraphs 4, 5, and 7 of this License Agreement. Nothing in this
License Agreement shall be deemed to create any relationship of
agency, partnership, or joint venture between CNRI and Licensee. This
License Agreement does not grant permission to use CNRI trademarks or
trade name in a trademark sense to endorse or promote products or
services of Licensee, or any third party.
8. By clicking on the "ACCEPT" button where indicated, or by copying,
installing or otherwise using Python 1.6.1, Licensee agrees to be
bound by the terms and conditions of this License Agreement.
ACCEPT
CWI LICENSE AGREEMENT FOR PYTHON 0.9.0 THROUGH 1.2
--------------------------------------------------
Copyright (c) 1991 - 1995, Stichting Mathematisch Centrum Amsterdam,
The Netherlands. All rights reserved.
Permission to use, copy, modify, and distribute this software and its
documentation for any purpose and without fee is hereby granted,
provided that the above copyright notice appear in all copies and that
both that copyright notice and this permission notice appear in
supporting documentation, and that the name of Stichting Mathematisch
Centrum or CWI not be used in advertising or publicity pertaining to
distribution of the software without specific, written prior
permission.
STICHTING MATHEMATISCH CENTRUM DISCLAIMS ALL WARRANTIES WITH REGARD TO
THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND
FITNESS, IN NO EVENT SHALL STICHTING MATHEMATISCH CENTRUM BE LIABLE
FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT
OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
ZERO-CLAUSE BSD LICENSE FOR CODE IN THE PYTHON DOCUMENTATION
----------------------------------------------------------------------
Permission to use, copy, modify, and/or distribute this software for any
purpose with or without fee is hereby granted.
THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH
REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY
AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,
INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM
LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR
OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
PERFORMANCE OF THIS SOFTWARE.
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/LICENSE.python | python | mit | 14,383 |
Metadata-Version: 2.1
Name: Django
Version: 4.2.2
Summary: A high-level Python web framework that encourages rapid development and clean, pragmatic design.
Home-page: https://www.djangoproject.com/
Author: Django Software Foundation
Author-email: foundation@djangoproject.com
License: BSD-3-Clause
Project-URL: Documentation, https://docs.djangoproject.com/
Project-URL: Release notes, https://docs.djangoproject.com/en/stable/releases/
Project-URL: Funding, https://www.djangoproject.com/fundraising/
Project-URL: Source, https://github.com/django/django
Project-URL: Tracker, https://code.djangoproject.com/
Classifier: Development Status :: 5 - Production/Stable
Classifier: Environment :: Web Environment
Classifier: Framework :: Django
Classifier: Intended Audience :: Developers
Classifier: License :: OSI Approved :: BSD License
Classifier: Operating System :: OS Independent
Classifier: Programming Language :: Python
Classifier: Programming Language :: Python :: 3
Classifier: Programming Language :: Python :: 3 :: Only
Classifier: Programming Language :: Python :: 3.8
Classifier: Programming Language :: Python :: 3.9
Classifier: Programming Language :: Python :: 3.10
Classifier: Programming Language :: Python :: 3.11
Classifier: Topic :: Internet :: WWW/HTTP
Classifier: Topic :: Internet :: WWW/HTTP :: Dynamic Content
Classifier: Topic :: Internet :: WWW/HTTP :: WSGI
Classifier: Topic :: Software Development :: Libraries :: Application Frameworks
Classifier: Topic :: Software Development :: Libraries :: Python Modules
Requires-Python: >=3.8
License-File: LICENSE
License-File: LICENSE.python
License-File: AUTHORS
Requires-Dist: asgiref (<4,>=3.6.0)
Requires-Dist: sqlparse (>=0.3.1)
Requires-Dist: backports.zoneinfo ; python_version < "3.9"
Requires-Dist: tzdata ; sys_platform == "win32"
Provides-Extra: argon2
Requires-Dist: argon2-cffi (>=19.1.0) ; extra == 'argon2'
Provides-Extra: bcrypt
Requires-Dist: bcrypt ; extra == 'bcrypt'
======
Django
======
Django is a high-level Python web framework that encourages rapid development
and clean, pragmatic design. Thanks for checking it out.
All documentation is in the "``docs``" directory and online at
https://docs.djangoproject.com/en/stable/. If you're just getting started,
here's how we recommend you read the docs:
* First, read ``docs/intro/install.txt`` for instructions on installing Django.
* Next, work through the tutorials in order (``docs/intro/tutorial01.txt``,
``docs/intro/tutorial02.txt``, etc.).
* If you want to set up an actual deployment server, read
``docs/howto/deployment/index.txt`` for instructions.
* You'll probably want to read through the topical guides (in ``docs/topics``)
next; from there you can jump to the HOWTOs (in ``docs/howto``) for specific
problems, and check out the reference (``docs/ref``) for gory details.
* See ``docs/README`` for instructions on building an HTML version of the docs.
Docs are updated rigorously. If you find any problems in the docs, or think
they should be clarified in any way, please take 30 seconds to fill out a
ticket here: https://code.djangoproject.com/newticket
To get more help:
* Join the ``#django`` channel on ``irc.libera.chat``. Lots of helpful people
hang out there. See https://web.libera.chat if you're new to IRC.
* Join the django-users mailing list, or read the archives, at
https://groups.google.com/group/django-users.
To contribute to Django:
* Check out https://docs.djangoproject.com/en/dev/internals/contributing/ for
information about getting involved.
To run Django's test suite:
* Follow the instructions in the "Unit tests" section of
``docs/internals/contributing/writing-code/unit-tests.txt``, published online at
https://docs.djangoproject.com/en/dev/internals/contributing/writing-code/unit-tests/#running-the-unit-tests
Supporting the Development of Django
====================================
Django's development depends on your contributions.
If you depend on Django, remember to support the Django Software Foundation: https://www.djangoproject.com/fundraising/
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/METADATA | none | mit | 4,081 |
../../Scripts/django-admin.exe,sha256=n2bc4UbxXoYpkZYd6oPlIgV24UrMFLVAG9rfMDZXcRM,108483
Django-4.2.2.dist-info/AUTHORS,sha256=yzHhkEkMNvfdpMSjWu3JqzEsUREzhacOPQSTr2EwJBs,41324
Django-4.2.2.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
Django-4.2.2.dist-info/LICENSE,sha256=uEZBXRtRTpwd_xSiLeuQbXlLxUbKYSn5UKGM0JHipmk,1552
Django-4.2.2.dist-info/LICENSE.python,sha256=pSxfIaEVix6-28uSiusYmITnfjxeOIw41mDVk-cf7x8,14383
Django-4.2.2.dist-info/METADATA,sha256=RJHeO8bDHWK4pDFl4Rkx6grssHJSVClPUAudJxdRVrU,4081
Django-4.2.2.dist-info/RECORD,,
Django-4.2.2.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
Django-4.2.2.dist-info/WHEEL,sha256=pkctZYzUS4AYVn6dJ-7367OJZivF2e8RA9b_ZBjif18,92
Django-4.2.2.dist-info/entry_points.txt,sha256=hi1U04jQDqr9xaV6Gklnqh-d69jiCZdS73E0l_671L4,82
Django-4.2.2.dist-info/top_level.txt,sha256=V_goijg9tfO20ox_7os6CcnPvmBavbxu46LpJiNLwjA,7
django/__init__.py,sha256=4yD4lzAa88xY3LsMa_CLakjvJs_faEym49pV-ePjkic,799
django/__main__.py,sha256=9a5To1vQXqf2Jg_eh8nLvIc0GXmDjEXv4jE1QZEqBFk,211
django/__pycache__/__init__.cpython-311.pyc,,
django/__pycache__/__main__.cpython-311.pyc,,
django/__pycache__/shortcuts.cpython-311.pyc,,
django/apps/__init__.py,sha256=8WZTI_JnNuP4tyfuimH3_pKQYbDAy2haq-xkQT1UXkc,90
django/apps/__pycache__/__init__.cpython-311.pyc,,
django/apps/__pycache__/config.cpython-311.pyc,,
django/apps/__pycache__/registry.cpython-311.pyc,,
django/apps/config.py,sha256=1Zhxt4OrwRnOmsT_B_BurImz3oi8330TJG0rRRJ58bQ,11482
django/apps/registry.py,sha256=6AG3X1-GUf4-omJcVxxaH8Zyts6k8HWb53BPu4Ehmk4,17661
django/conf/__init__.py,sha256=BZX2SiB1-nzZj-YDmcgavRjjVDQrsxktpefjtS2wBN0,13899
django/conf/__pycache__/__init__.cpython-311.pyc,,
django/conf/__pycache__/global_settings.cpython-311.pyc,,
django/conf/app_template/__init__.py-tpl,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/app_template/admin.py-tpl,sha256=suMo4x8I3JBxAFBVIdE-5qnqZ6JAZV0FESABHOSc-vg,63
django/conf/app_template/apps.py-tpl,sha256=jrRjsh9lSkUvV4NnKdlAhLDtvydwBNjite0w2J9WPtI,171
django/conf/app_template/migrations/__init__.py-tpl,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/app_template/models.py-tpl,sha256=Vjc0p2XbAPgE6HyTF6vll98A4eDhA5AvaQqsc4kQ9AQ,57
django/conf/app_template/tests.py-tpl,sha256=mrbGGRNg5jwbTJtWWa7zSKdDyeB4vmgZCRc2nk6VY-g,60
django/conf/app_template/views.py-tpl,sha256=xc1IQHrsij7j33TUbo-_oewy3vs03pw_etpBWaMYJl0,63
django/conf/global_settings.py,sha256=kUiKTtQ9WVXiti500IKBJJZEkCAKkaQeLiWbopqcOB4,23379
django/conf/locale/__init__.py,sha256=wIcmwRyDihMsG2Uush9UHaLj04mswblCIOh5L2YcDQU,13733
django/conf/locale/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/af/LC_MESSAGES/django.mo,sha256=GqXA00k3sKdvUz3tD5nSLrN7rfAYm9FBvGFzcaa_AFE,24077
django/conf/locale/af/LC_MESSAGES/django.po,sha256=oVXTZ2E6Z_EnAwAhjllrb34PG773iksXziMUL5kkRxU,28110
django/conf/locale/ar/LC_MESSAGES/django.mo,sha256=qBaEPhfJxd2mK1uPH7J06hPI3_leRPsWkVgcKtJSAvQ,35688
django/conf/locale/ar/LC_MESSAGES/django.po,sha256=MQeB4q0H-uDLurniJP5b2SBOTETAUl9k9NHxtaw0nnU,38892
django/conf/locale/ar/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ar/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ar/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ar/formats.py,sha256=EI9DAiGt1avNY-a6luMnAqKISKGHXHiKE4QLRx7wGHU,696
django/conf/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=QosXYYYvQjGu13pLrC9LIVwUQXVwdJpIYn7RB9QCJY8,33960
django/conf/locale/ar_DZ/LC_MESSAGES/django.po,sha256=2iT_sY4XedSSiHagu03OgpYXWNJVaKDwKUfxgEN4k3k,37626
django/conf/locale/ar_DZ/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ar_DZ/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ar_DZ/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ar_DZ/formats.py,sha256=T84q3oMKng-L7_xymPqYwpzs78LvvfHy2drfSRj8XjE,901
django/conf/locale/ast/LC_MESSAGES/django.mo,sha256=XSStt50HP-49AJ8wFcnbn55SLncJCsS2lx_4UwK-h-8,15579
django/conf/locale/ast/LC_MESSAGES/django.po,sha256=7qZUb5JjfrWLqtXPRjpNOMNycbcsEYpNO-oYmazLTk4,23675
django/conf/locale/az/LC_MESSAGES/django.mo,sha256=DMupaHNLr95FRZeF1di-6DygIFSZ6YxYRIHrPv4Gv3E,26983
django/conf/locale/az/LC_MESSAGES/django.po,sha256=ZF-Qz16zoirRayV4_C9AIzbQwt2thq1WeS0DpcD7SIY,29723
django/conf/locale/az/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/az/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/az/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/az/formats.py,sha256=JQoS2AYHKJxiH6TJas1MoeYgTeUv5XcNtYUHF7ulDmw,1087
django/conf/locale/be/LC_MESSAGES/django.mo,sha256=VGMEyZiVnanRwtiUwgOjpHuADmCR000T-ti0RnBOXwQ,37041
django/conf/locale/be/LC_MESSAGES/django.po,sha256=s5Z667KIFceAzV-XDraWCYWo96vD2Bc5bgzBVyKV0jk,39618
django/conf/locale/bg/LC_MESSAGES/django.mo,sha256=v9y7B1mvekB2WLIAWzhoXo_afpS730NoXqc47v2mssk,34102
django/conf/locale/bg/LC_MESSAGES/django.po,sha256=jaky_zdmo9XKJovJLetZhVZ9e0h2-IBkujD0dyKg3Wg,36579
django/conf/locale/bg/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/bg/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/bg/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/bg/formats.py,sha256=LC7P_5yjdGgsxLQ_GDtC8H2bz9NTxUze_CAtzlm37TA,705
django/conf/locale/bn/LC_MESSAGES/django.mo,sha256=sB0RIFrGS11Z8dx5829oOFw55vuO4vty3W4oVzIEe8Q,16660
django/conf/locale/bn/LC_MESSAGES/django.po,sha256=rF9vML3LDOqXkmK6R_VF3tQaFEoZI7besJAPx5qHNM0,26877
django/conf/locale/bn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/bn/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/bn/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/bn/formats.py,sha256=jynhZ9XNNuxTXeF7f2FrJYYZuFwlLY58fGfQ6gVs7s8,964
django/conf/locale/br/LC_MESSAGES/django.mo,sha256=Xow2-sd55CZJsvfF8axtxXNRe27EDwxKixCGelVQ4aU,14009
django/conf/locale/br/LC_MESSAGES/django.po,sha256=ODCUDdEDAvsOVOAr49YiWT2YQaBZmc-38brdgYWc8Bs,24293
django/conf/locale/bs/LC_MESSAGES/django.mo,sha256=Xa5QAbsHIdLkyG4nhLCD4UHdCngrw5Oh120abCNdWlA,10824
django/conf/locale/bs/LC_MESSAGES/django.po,sha256=IB-2VvrQKUivAMLMpQo1LGRAxw3kj-7kB6ckPai0fug,22070
django/conf/locale/bs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/bs/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/bs/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/bs/formats.py,sha256=760m-h4OHpij6p_BAD2dr3nsWaTb6oR1Y5culX9Gxqw,705
django/conf/locale/ca/LC_MESSAGES/django.mo,sha256=v6lEJTUbXyEUBsctIdNFOg-Ck5MVFbuz-JgjqkUe32c,27707
django/conf/locale/ca/LC_MESSAGES/django.po,sha256=16M-EtYLbfKnquh-IPRjWxTdHAqtisDc46Dzo5n-ZMc,30320
django/conf/locale/ca/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ca/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ca/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ca/formats.py,sha256=s7N6Ns3yIqr_KDhatnUvfjbPhUbrhvemB5HtCeodGZo,940
django/conf/locale/ckb/LC_MESSAGES/django.mo,sha256=-7x01-x26Us9E5lRRaTgpFNkerqmYdxio5wSIKaMyMY,33473
django/conf/locale/ckb/LC_MESSAGES/django.po,sha256=5a1UK1J87IlJtEaVpEaOnms0CQxtuFtOKIclGnGaGeI,35708
django/conf/locale/ckb/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ckb/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ckb/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ckb/formats.py,sha256=EbmQC-dyQl8EqVQOVGwy1Ra5-P1n-J3UF4K55p3VzOM,728
django/conf/locale/cs/LC_MESSAGES/django.mo,sha256=z8TcGqBp91REABKRFu2Iv6Mfn7B9Xn0RrJpds3x5gA8,29060
django/conf/locale/cs/LC_MESSAGES/django.po,sha256=pCdIvV7JEvQTgSBexXu7hHX-57IbJjDw3Q9Ub24Q3tw,32110
django/conf/locale/cs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/cs/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/cs/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/cs/formats.py,sha256=3MA70CW0wfr0AIYvYqE0ACmX79tNOx-ZdlR6Aetp9e8,1539
django/conf/locale/cy/LC_MESSAGES/django.mo,sha256=s7mf895rsoiqrPrXpyWg2k85rN8umYB2aTExWMTux7s,18319
django/conf/locale/cy/LC_MESSAGES/django.po,sha256=S-1PVWWVgYmugHoYUlmTFAzKCpI81n9MIAhkETbpUoo,25758
django/conf/locale/cy/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/cy/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/cy/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/cy/formats.py,sha256=NY1pYPfpu7XjLMCCuJk5ggdpLcufV1h101ojyxfPUrY,1355
django/conf/locale/da/LC_MESSAGES/django.mo,sha256=pjsTRDxHHYa48_J_p_aAIJh1u2amXe27-_ETFcwFaiE,27405
django/conf/locale/da/LC_MESSAGES/django.po,sha256=Tgv9ef3tSkRtlX2AzMEBneKT4JaWsBQ3ok180ndQnQ0,29809
django/conf/locale/da/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/da/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/da/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/da/formats.py,sha256=-y3033Fo7COyY0NbxeJVYGFybrnLbgXtRf1yBGlouys,876
django/conf/locale/de/LC_MESSAGES/django.mo,sha256=66JJ37ES3l24PEfgAVMggqetLCpMpptDW2ili352B6w,28810
django/conf/locale/de/LC_MESSAGES/django.po,sha256=3-tv3AoJ1rEXRy2ZekJcALy1MNQRMstMkTrg7xhgeGs,31245
django/conf/locale/de/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/de/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/de/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/de/formats.py,sha256=fysX8z5TkbPUWAngoy_sMeFGWp2iaNU6ftkBz8cqplg,996
django/conf/locale/de_CH/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/de_CH/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/de_CH/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/de_CH/formats.py,sha256=22UDF62ESuU0Jp_iNUqAj-Bhq4_-frpji0-ynBdHXYk,1377
django/conf/locale/dsb/LC_MESSAGES/django.mo,sha256=lzsl19lpnpyLZ2rJfXYYcNWftfKJo2Gj5F8v4BOQcq4,30298
django/conf/locale/dsb/LC_MESSAGES/django.po,sha256=40l_xv-o0Rvv7m6Zfe_8Z2eFYa3QetvhApQeqnwot90,32789
django/conf/locale/el/LC_MESSAGES/django.mo,sha256=P5lTOPFcl9x6_j69ZN3hM_mQbhW7Fbbx02RtTNJwfS0,33648
django/conf/locale/el/LC_MESSAGES/django.po,sha256=rZCComPQcSSr8ZDLPgtz958uBeBZsmV_gEP-sW88kRA,37123
django/conf/locale/el/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/el/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/el/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/el/formats.py,sha256=RON2aqQaQK3DYVF_wGlBQJDHrhANxypcUW_udYKI-ro,1241
django/conf/locale/en/LC_MESSAGES/django.mo,sha256=mVpSj1AoAdDdW3zPZIg5ZDsDbkSUQUMACg_BbWHGFig,356
django/conf/locale/en/LC_MESSAGES/django.po,sha256=NkyaRGcVx6uSgJTlyFz7Kwd6NkN-oU7MFTMIEZRLOS4,29966
django/conf/locale/en/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/en/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/en/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/en/formats.py,sha256=VTQUhaZ_WFhS5rQj0PxbnoMySK0nzUSqrd6Gx-DtXxI,2438
django/conf/locale/en_AU/LC_MESSAGES/django.mo,sha256=SntsKx21R2zdjj0D73BkOXGTDnoN5unsLMJ3y06nONM,25633
django/conf/locale/en_AU/LC_MESSAGES/django.po,sha256=6Qh4Z6REzhUdG5KwNPNK9xgLlgq3VbAJuoSXyd_eHdE,28270
django/conf/locale/en_AU/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/en_AU/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/en_AU/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/en_AU/formats.py,sha256=BoI5UviKGZ4TccqLmxpcdMf0Yk1YiEhY_iLQUddjvi0,1650
django/conf/locale/en_GB/LC_MESSAGES/django.mo,sha256=jSIe44HYGfzQlPtUZ8tWK2vCYM9GqCKs-CxLURn4e1o,12108
django/conf/locale/en_GB/LC_MESSAGES/django.po,sha256=PTXvOpkxgZFRoyiqftEAuMrFcYRLfLDd6w0K8crN8j4,22140
django/conf/locale/en_GB/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/en_GB/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/en_GB/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/en_GB/formats.py,sha256=cJN8YNthkIOHCIMnwiTaSZ6RCwgSHkjWYMcfw8VFScE,1650
django/conf/locale/eo/LC_MESSAGES/django.mo,sha256=TPgHTDrh1amnOQjA7sY-lQvicdFewMutOfoptV3OKkU,27676
django/conf/locale/eo/LC_MESSAGES/django.po,sha256=IPo-3crOWkp5dDQPDAFSzgCbf9OHjWB1zE3mklhTexk,30235
django/conf/locale/eo/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/eo/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/eo/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/eo/formats.py,sha256=zIEAk-SiLX0cvQVmRc3LpmV69jwRrejMMdC7vtVsSh0,1715
django/conf/locale/es/LC_MESSAGES/django.mo,sha256=GRzAsiW8RPKyBLlgARhcgVrhhDtrxk26UrM-kT-bsVc,28888
django/conf/locale/es/LC_MESSAGES/django.po,sha256=IRMQt3aOvUv79ykPZAg7zMS1QoHjCjdoEB_yoCndJd0,32844
django/conf/locale/es/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es/formats.py,sha256=7SusO1dPErY68h5g4lpxvPbsJYdrbTcr_0EX7uDKYNo,978
django/conf/locale/es_AR/LC_MESSAGES/django.mo,sha256=v2PqjyNd1Zqse7p-cjkuXRklLUUqHTRLd3_BddWaOt4,29113
django/conf/locale/es_AR/LC_MESSAGES/django.po,sha256=fXPldF0fkDdLksvXcJSf-Tqspy6WV9Dq5eaeYA0hyr4,31561
django/conf/locale/es_AR/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es_AR/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es_AR/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es_AR/formats.py,sha256=4qgOJoR2K5ZE-pA2-aYRwFW7AbK-M9F9u3zVwgebr2w,935
django/conf/locale/es_CO/LC_MESSAGES/django.mo,sha256=ehUwvqz9InObH3fGnOLuBwivRTVMJriZmJzXcJHsfjc,18079
django/conf/locale/es_CO/LC_MESSAGES/django.po,sha256=XRgn56QENxEixlyix3v4ZSTSjo4vn8fze8smkrv_gc4,25107
django/conf/locale/es_CO/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es_CO/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es_CO/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es_CO/formats.py,sha256=0uAbBvOkdJZKjvhrrd0htScdO7sTgbofOkkC8A35_a8,691
django/conf/locale/es_MX/LC_MESSAGES/django.mo,sha256=UkpQJeGOs_JQRmpRiU6kQmmYGL_tizL4JQOWb9i35M4,18501
django/conf/locale/es_MX/LC_MESSAGES/django.po,sha256=M0O6o1f3V-EIY9meS3fXP_c7t144rXWZuERF5XeG5Uo,25870
django/conf/locale/es_MX/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es_MX/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es_MX/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es_MX/formats.py,sha256=fBvyAqBcAXARptSE3hxwzFYNx3lEE8QrhNrCWuuGNlA,768
django/conf/locale/es_NI/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es_NI/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es_NI/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es_NI/formats.py,sha256=UiOadPoMrNt0iTp8jZVq65xR_4LkOwp-fjvFb8MyNVg,711
django/conf/locale/es_PR/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/es_PR/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/es_PR/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/es_PR/formats.py,sha256=VVTlwyekX80zCKlg1P4jhaAdKNpN5I64pW_xgrhpyVs,675
django/conf/locale/es_VE/LC_MESSAGES/django.mo,sha256=h-h1D_Kr-LI_DyUJuIG4Zbu1HcLWTM1s5X515EYLXO8,18840
django/conf/locale/es_VE/LC_MESSAGES/django.po,sha256=Xj38imu4Yw-Mugwge5CqAqWlcnRWnAKpVBPuL06Twjs,25494
django/conf/locale/et/LC_MESSAGES/django.mo,sha256=Se6FfMItzSi72i3NB0gdIVRI_iDSmpT67oEWYlrwIVY,27057
django/conf/locale/et/LC_MESSAGES/django.po,sha256=fJY5i5yjUMAadsysbZai3SBFB9p5frPdUgNZJ2LK4zk,29731
django/conf/locale/et/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/et/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/et/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/et/formats.py,sha256=DyFSZVuGSYGoImrRI2FodeM51OtvIcCkKzkI0KvYTQw,707
django/conf/locale/eu/LC_MESSAGES/django.mo,sha256=OQAi-HVXLCx_xY8GcHYPYs5I_K1NVaPYhgqxjL_T5ds,21877
django/conf/locale/eu/LC_MESSAGES/django.po,sha256=RKD5sVlCq-orCsMQfudiUz3Xi0Y46Z_wxMGvpY51OU0,27448
django/conf/locale/eu/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/eu/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/eu/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/eu/formats.py,sha256=-PuRA6eHeXP8R3YV0aIEQRbk2LveaZk-_kjHlBT-Drg,749
django/conf/locale/fa/LC_MESSAGES/django.mo,sha256=MgVsOtPARiZvxJWzBm4BakPSPYa8Df-X4BHEqu_T02Q,31611
django/conf/locale/fa/LC_MESSAGES/django.po,sha256=MM5M0HKztRKGP3WAFkXRLHxSJiG7GnSVf1qTH1X-nWY,34779
django/conf/locale/fa/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/fa/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/fa/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/fa/formats.py,sha256=v0dLaIh6-CWCAQHkmX0PaIlA499gTeRcJEi7lVJzw9o,722
django/conf/locale/fi/LC_MESSAGES/django.mo,sha256=9Q4AgsDXCPtoCtqjfvvEmINGPRW0yg_OLFJC6likxFY,27747
django/conf/locale/fi/LC_MESSAGES/django.po,sha256=fuZejrZ3-25WLM6UVxh1cOqaygSKNrWcB2WDoo6k4nQ,30042
django/conf/locale/fi/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/fi/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/fi/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/fi/formats.py,sha256=CO_wD5ZBHwAVgjxArXktLCD7M-PPhtHbayX_bBKqhlA,1213
django/conf/locale/fr/LC_MESSAGES/django.mo,sha256=wg1VghoiQnS7O8FZirl8L-SnRNKiMlZr8cmPdULhEws,29888
django/conf/locale/fr/LC_MESSAGES/django.po,sha256=M6LNvCeyhc-AJ-VRkmlDx0Su1YbvLhJ4hco3vJLOJOw,32471
django/conf/locale/fr/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/fr/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/fr/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/fr/formats.py,sha256=Idd_fVXKJHJSOuB3jRbo_FgwQ2P6VK2AjJbadv5UxK8,1293
django/conf/locale/fy/LC_MESSAGES/django.mo,sha256=9P7zoJtaYHfXly8d6zBoqkxLM98dO8uI6nmWtsGu-lM,2286
django/conf/locale/fy/LC_MESSAGES/django.po,sha256=jveK-2MjopbqC9jWcrYbttIb4DUmFyW1_-0tYaD6R0I,19684
django/conf/locale/fy/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/fy/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/fy/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/fy/formats.py,sha256=mJXj1dHUnO883PYWPwuI07CNbjmnfBTQVRXZMg2hmOk,658
django/conf/locale/ga/LC_MESSAGES/django.mo,sha256=abQpDgeTUIdZzldVuZLZiBOgf1s2YVSyrvEhxwl0GK8,14025
django/conf/locale/ga/LC_MESSAGES/django.po,sha256=rppcWQVozZdsbl7Gud6KnJo6yDB8T0xH6hvIiLFi_zA,24343
django/conf/locale/ga/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ga/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ga/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ga/formats.py,sha256=Qh7R3UMfWzt7QIdMZqxY0o4OMpVsqlchHK7Z0QnDWds,682
django/conf/locale/gd/LC_MESSAGES/django.mo,sha256=2VKzI7Nqd2NjABVQGdcduWHjj0h2b3UBGQub7xaTVPs,30752
django/conf/locale/gd/LC_MESSAGES/django.po,sha256=3PfuhhmosuarfPjvM2TVf2kHhZaw5_G8oIM2VWTc3gI,33347
django/conf/locale/gd/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/gd/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/gd/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/gd/formats.py,sha256=7doL7JIoCqA_o-lpCwM3jDHMpptA3BbSgeLRqdZk8Lc,715
django/conf/locale/gl/LC_MESSAGES/django.mo,sha256=2stdFo73HjJNPR6U_GJjvgGuQJHMicLx6xz8UrywnmM,28045
django/conf/locale/gl/LC_MESSAGES/django.po,sha256=qwOD7aNeAVNuX0wzUdk3OKiO_d1fFcXVovrUu_tfa3s,30468
django/conf/locale/gl/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/gl/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/gl/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/gl/formats.py,sha256=ygSFv-YTS8htG_LW0awegkkOarPRTZNPbUck5sxkAwI,757
django/conf/locale/he/LC_MESSAGES/django.mo,sha256=46lIe8tACJ_ga70yOY5qNNDIZhvGZAqNh25zHRoBo_c,30227
django/conf/locale/he/LC_MESSAGES/django.po,sha256=NrzjGVZoDiXeg6Uolt8m9emSNHpmOCzzIxnyipggDzo,33362
django/conf/locale/he/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/he/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/he/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/he/formats.py,sha256=M-tu-LmTZd_oYPNH6CZEsdxJN526RUOfnLHlQxRL0N0,712
django/conf/locale/hi/LC_MESSAGES/django.mo,sha256=8pV5j5q8VbrxdVkcS0qwhVx6DmXRRXPKfRsm3nWhI2g,19712
django/conf/locale/hi/LC_MESSAGES/django.po,sha256=DPV-I1aXgIiZB7zHdEgAHShZFyb9zlNmMXlyjH5ug0I,29221
django/conf/locale/hi/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/hi/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/hi/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/hi/formats.py,sha256=JArVM9dMluSP-cwpZydSVXHB5Vs9QKyR9c-bftI9hds,684
django/conf/locale/hr/LC_MESSAGES/django.mo,sha256=HP4PCb-i1yYsl5eqCamg5s3qBxZpS_aXDDKZ4Hlbbcc,19457
django/conf/locale/hr/LC_MESSAGES/django.po,sha256=qeVJgKiAv5dKR2msD2iokSOApZozB3Gp0xqzC09jnvs,26329
django/conf/locale/hr/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/hr/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/hr/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/hr/formats.py,sha256=F4mIdDoaOYJ_lPmsJ_6bQo4Zj8pOSVwuldm92zRy4Fo,1723
django/conf/locale/hsb/LC_MESSAGES/django.mo,sha256=H5JqXHXt7cEVdZvqEaJ7YgaFc2fhwXGT9VlnCqtRCl8,29956
django/conf/locale/hsb/LC_MESSAGES/django.po,sha256=yHVbXAs-xTCQyY0jHZdqN5_Hgo8nAgYH9sIflF1tte0,32419
django/conf/locale/hu/LC_MESSAGES/django.mo,sha256=4hdYLEQQ4Zrc-i2NPGzj7myDZXLV637iDmbNQovFZhc,27012
django/conf/locale/hu/LC_MESSAGES/django.po,sha256=9C7bV-hR_WVh1_f_YWV9ioJPPEVweHCFdHGUextmyIo,30456
django/conf/locale/hu/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/hu/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/hu/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/hu/formats.py,sha256=xAD7mNsC5wFA2_KGRbBMPKwj884pq0jCKmXhEenGAEk,1001
django/conf/locale/hy/LC_MESSAGES/django.mo,sha256=KfmTnB-3ZUKDHeNgLiego2Af0WZoHTuNKss3zE-_XOE,22207
django/conf/locale/hy/LC_MESSAGES/django.po,sha256=kNKlJ5NqZmeTnnxdqhmU3kXiqT9t8MgAFgxM2V09AIc,28833
django/conf/locale/ia/LC_MESSAGES/django.mo,sha256=JcrpersrDAoJXrD3AnPYBCQyGJ-6kUzH_Q8StbqmMeE,21428
django/conf/locale/ia/LC_MESSAGES/django.po,sha256=LG0juYDjf3KkscDxwjY3ac6H1u5BBwGHljW3QWvr1nc,26859
django/conf/locale/id/LC_MESSAGES/django.mo,sha256=4_75xU4TTvtl40dTB29V3SKnDp3auNve6Y8nwlXW6I4,27163
django/conf/locale/id/LC_MESSAGES/django.po,sha256=EhUuZElmadPi8aOc20wWkbqVNlIozUDAjryvLvyrr2Q,29469
django/conf/locale/id/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/id/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/id/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/id/formats.py,sha256=kYyOxWHN3Jyif3rFxLFyBUjTzFUwmuaLrkw5JvGbEz8,1644
django/conf/locale/ig/LC_MESSAGES/django.mo,sha256=tAZG5GKhEbrUCJtLrUxzmrROe1RxOhep8w-RR7DaDYo,27188
django/conf/locale/ig/LC_MESSAGES/django.po,sha256=DB_I4JXKMY4M7PdAeIsdqnLSFpq6ImkGPCuY82rNBpY,28931
django/conf/locale/ig/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ig/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ig/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ig/formats.py,sha256=P3IsxhF5rNFZ5nCWUSyJfFLb0V1QdX_Xn-tYdrcll5Q,1119
django/conf/locale/io/LC_MESSAGES/django.mo,sha256=uI78C7Qkytf3g1A6kVWiri_CbS55jReO2XmRfLTeNs0,14317
django/conf/locale/io/LC_MESSAGES/django.po,sha256=FyN4ZTfNPV5TagM8NEhRts8y_FhehIPPouh_MfslnWY,23124
django/conf/locale/is/LC_MESSAGES/django.mo,sha256=1pFU-dTPg2zs87L0ZqFFGS9q-f-XrzTOlhKujlyNL2E,24273
django/conf/locale/is/LC_MESSAGES/django.po,sha256=76cQ_9DLg1jR53hiKSc1tLUMeKn8qTdPwpHwutEK014,28607
django/conf/locale/is/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/is/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/is/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/is/formats.py,sha256=scsNfP4vVacxWIoN03qc2Fa3R8Uh5Izr1MqBicrAl3A,688
django/conf/locale/it/LC_MESSAGES/django.mo,sha256=39GKwsSkjlL1h4vVysTWMuo4hq2UGQEC-kqJcaVW54A,28587
django/conf/locale/it/LC_MESSAGES/django.po,sha256=t973TArDuAfpRpPgSTyc-bU6CPti2xkST9O2tVb8vFc,31670
django/conf/locale/it/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/it/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/it/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/it/formats.py,sha256=KzkSb3KXBwfM3gk2FezyR-W8_RYKpnlFeFuIi5zl-S0,1774
django/conf/locale/ja/LC_MESSAGES/django.mo,sha256=3xe3p5BBoVaEMv2Jyet5gEsU5L2atkJxGUWKRVF47HQ,30607
django/conf/locale/ja/LC_MESSAGES/django.po,sha256=d7PAmeJr0N2o5DUQ0IRxtPDUTmOcJej3lZFF3fSJQP8,33093
django/conf/locale/ja/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ja/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ja/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ja/formats.py,sha256=MQ1KA6l1qmW07rXLYplRs-V1hR1Acbx30k2RpXnMhQg,729
django/conf/locale/ka/LC_MESSAGES/django.mo,sha256=4e8at-KNaxYJKIJd8r6iPrYhEdnaJ1qtPw-QHPMh-Sc,24759
django/conf/locale/ka/LC_MESSAGES/django.po,sha256=pIgaLU6hXgVQ2WJp1DTFoubI7zHOUkkKMddwV3PTdt8,32088
django/conf/locale/ka/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ka/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ka/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ka/formats.py,sha256=elTGOjS-mxuoSCAKOm8Wz2aLfh4pWvNyClUFcrYq9ng,1861
django/conf/locale/kab/LC_MESSAGES/django.mo,sha256=x5Kyq2Uf3XNlQP06--4lT8Q1MacA096hZbyMJRrHYIc,7139
django/conf/locale/kab/LC_MESSAGES/django.po,sha256=DsFL3IzidcAnPoAWIfIbGJ6Teop1yKPBRALeLYrdiFA,20221
django/conf/locale/kk/LC_MESSAGES/django.mo,sha256=krjcDvA5bu591zcP76bWp2mD2FL1VUl7wutaZjgD668,13148
django/conf/locale/kk/LC_MESSAGES/django.po,sha256=RgM4kzn46ZjkSDHMAsyOoUg7GdxGiZ-vaEOdf7k0c5A,23933
django/conf/locale/km/LC_MESSAGES/django.mo,sha256=kEvhZlH7lkY1DUIHTHhFVQzOMAPd_-QMItXTYX0j1xY,7223
django/conf/locale/km/LC_MESSAGES/django.po,sha256=QgRxEiJMopO14drcmeSG6XEXQpiAyfQN0Ot6eH4gca8,21999
django/conf/locale/km/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/km/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/km/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/km/formats.py,sha256=0UMLrZz1aI2sdRPkJ0YzX99co2IV6tldP7pEvGEPdP0,750
django/conf/locale/kn/LC_MESSAGES/django.mo,sha256=fQ7AD5tUiV_PZFBxUjNPQN79dWBJKqfoYwRdrOaQjU4,17515
django/conf/locale/kn/LC_MESSAGES/django.po,sha256=fS4Z7L4NGVQ6ipZ7lMHAqAopTBP0KkOc-eBK0IYdbBE,28133
django/conf/locale/kn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/kn/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/kn/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/kn/formats.py,sha256=X5j9VHIW2XRdeTzDFEyS8tG05OBFzP2R7sEGUQa_INg,680
django/conf/locale/ko/LC_MESSAGES/django.mo,sha256=1l9RjA5r-TH1KGUuL5EayxgkdY6iYJd5BDgYRmun5Ow,28101
django/conf/locale/ko/LC_MESSAGES/django.po,sha256=dIMJhzKS8dDBHH-zCIfeP0EGVBazRWyCUJd3C9JCUyw,31179
django/conf/locale/ko/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ko/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ko/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ko/formats.py,sha256=qn36EjiO4Bu12D_6qitjMDkBfy4M0LgFE-FhK8bPOto,2061
django/conf/locale/ky/LC_MESSAGES/django.mo,sha256=IBVfwPwaZmaoljMRBGww_wWGMJqbF_IOHHnH2j-yJw8,31395
django/conf/locale/ky/LC_MESSAGES/django.po,sha256=5ACTPMMbXuPJbU7Rfzs0yZHh3xy483pqo5DwSBQp4s4,33332
django/conf/locale/ky/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ky/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ky/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ky/formats.py,sha256=QCq7vxAD5fe9VhcjRhG6C3N28jNvdzKR-c-EvDSJ1Pg,1178
django/conf/locale/lb/LC_MESSAGES/django.mo,sha256=tQSJLQUeD5iUt-eA2EsHuyYqsCSYFtbGdryATxisZsc,8008
django/conf/locale/lb/LC_MESSAGES/django.po,sha256=GkKPLO3zfGTNync-xoYTf0vZ2GUSAotAjfPSP01SDMU,20622
django/conf/locale/lt/LC_MESSAGES/django.mo,sha256=cdUzK5RYW-61Upf8Sd8ydAg9wXg21pJaIRWFSKPv17c,21421
django/conf/locale/lt/LC_MESSAGES/django.po,sha256=Lvpe_xlbxSa5vWEossxBCKryDVT7Lwz0EnuL1kSO6OY,28455
django/conf/locale/lt/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/lt/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/lt/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/lt/formats.py,sha256=C9ScR3gYswT1dQXFedUUnYe6DQPVGAS_nLxs0h2E3dE,1637
django/conf/locale/lv/LC_MESSAGES/django.mo,sha256=3Hq68BwnRa0ij7r__7HuKFNfNEaBj6CNosGSLH9m0fs,28758
django/conf/locale/lv/LC_MESSAGES/django.po,sha256=FHx1cQ5GdTppS-YqNys0VCsanRqr-zLUJAGv5yGJg8I,31522
django/conf/locale/lv/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/lv/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/lv/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/lv/formats.py,sha256=k8owdq0U7-x6yl8ll1W5VjRoKdp8a1G2enH04G5_nvU,1713
django/conf/locale/mk/LC_MESSAGES/django.mo,sha256=uQKmcys0rOsRynEa812XDAaeiNTeBMkqhR4LZ_cfdAk,22737
django/conf/locale/mk/LC_MESSAGES/django.po,sha256=4K11QRb493wD-FM6-ruCxks9_vl_jB59V1c1rx-TdKg,29863
django/conf/locale/mk/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/mk/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/mk/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/mk/formats.py,sha256=xwnJsXLXGogOqpP18u6GozjehpWAwwKmXbELolYV_k4,1451
django/conf/locale/ml/LC_MESSAGES/django.mo,sha256=MGvV0e3LGUFdVIA-h__BuY8Ckom2dAhSFvAtZ8FiAXU,30808
django/conf/locale/ml/LC_MESSAGES/django.po,sha256=iLllS6vlCpBNZfy9Xd_2Cuwi_1-Vz9fW4G1lUNOuZ6k,37271
django/conf/locale/ml/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ml/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ml/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ml/formats.py,sha256=ZR7tMdJF0U6K1H95cTqrFH4gop6ZuSQ7vD2h0yKq6mo,1597
django/conf/locale/mn/LC_MESSAGES/django.mo,sha256=sd860BHXfgAjDzU3CiwO3JirA8S83nSr4Vy3QUpXHyU,24783
django/conf/locale/mn/LC_MESSAGES/django.po,sha256=VBgXVee15TTorC7zwYFwmHM4qgpYy11yclv_u7UTNwA,30004
django/conf/locale/mn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/mn/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/mn/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/mn/formats.py,sha256=fsexJU9_UTig2PS_o11hcEmrbPBS8voI4ojuAVPOd_U,676
django/conf/locale/mr/LC_MESSAGES/django.mo,sha256=aERpEBdJtkSwBj6zOtiKDaXuFzepi8_IwvPPHi8QtGU,1591
django/conf/locale/mr/LC_MESSAGES/django.po,sha256=GFtk4tVQVi8b7N7KEhoNubVw_PV08pyRvcGOP270s1Q,19401
django/conf/locale/ms/LC_MESSAGES/django.mo,sha256=U4_kzfbYF7u78DesFRSReOIeVbOnq8hi_pReFfHfyUQ,27066
django/conf/locale/ms/LC_MESSAGES/django.po,sha256=49pG3cykGjVfC9N8WPyskz-m7r6KmQiq5i8MR6eOi54,28985
django/conf/locale/ms/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ms/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ms/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ms/formats.py,sha256=YtOBs6s4j4SOmfB3cpp2ekcxVFoVGgUN8mThoSueCt0,1522
django/conf/locale/my/LC_MESSAGES/django.mo,sha256=SjYOewwnVim3-GrANk2RNanOjo6Hy2omw0qnpkMzTlM,2589
django/conf/locale/my/LC_MESSAGES/django.po,sha256=b_QSKXc3lS2Xzb45yVYVg307uZNaAnA0eoXX2ZmNiT0,19684
django/conf/locale/nb/LC_MESSAGES/django.mo,sha256=qX1Z1F3YXVavlrECVkHXek9tsvJEXbWNrogdjjY3jCg,27007
django/conf/locale/nb/LC_MESSAGES/django.po,sha256=QQ_adZsyp2BfzcJS-LXnZL0EMmUZLbnHsBB1pRRfV-8,29500
django/conf/locale/nb/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/nb/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/nb/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/nb/formats.py,sha256=y1QLE-SG00eHwje0lkAToHtz4t621Rz_HQRyBWCgK8c,1552
django/conf/locale/ne/LC_MESSAGES/django.mo,sha256=BcK8z38SNWDXXWVWUmOyHEzwk2xHEeaW2t7JwrxehKM,27248
django/conf/locale/ne/LC_MESSAGES/django.po,sha256=_Kj_i2zMb7JLU7EN7Z7JcUn89YgonJf6agSFCjXa49w,33369
django/conf/locale/nl/LC_MESSAGES/django.mo,sha256=Kkpwz7ewcF-IgAVofSHExXzLzJA1wpmUF5bnk2r-SZQ,27641
django/conf/locale/nl/LC_MESSAGES/django.po,sha256=ThDoNwUAe4EqEUD-VgzfyYUGbaWX4tJVvV1xOEHIMMU,30388
django/conf/locale/nl/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/nl/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/nl/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/nl/formats.py,sha256=cKaaOvRdeauORjvuZ1xyVcVsl36J3Zk4FSE-lnx2Xwg,3927
django/conf/locale/nn/LC_MESSAGES/django.mo,sha256=Ccj8kjvjTefC8H6TuDCOdSrTmtkYXkmRR2V42HBMYo4,26850
django/conf/locale/nn/LC_MESSAGES/django.po,sha256=oaVJTl0NgZ92XJv9DHdsXVaKAc81ky_R3CA6HljTH-8,29100
django/conf/locale/nn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/nn/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/nn/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/nn/formats.py,sha256=y1QLE-SG00eHwje0lkAToHtz4t621Rz_HQRyBWCgK8c,1552
django/conf/locale/os/LC_MESSAGES/django.mo,sha256=LBpf_dyfBnvGOvthpn5-oJuFiSNHrgiVHBzJBR-FxOw,17994
django/conf/locale/os/LC_MESSAGES/django.po,sha256=WYlAnNYwGFnH76Elnnth6YP2TWA-fEtvV5UinnNj7AA,26278
django/conf/locale/pa/LC_MESSAGES/django.mo,sha256=H1hCnQzcq0EiSEaayT6t9H-WgONO5V4Cf7l25H2930M,11253
django/conf/locale/pa/LC_MESSAGES/django.po,sha256=26ifUdCX9fOiXfWvgMkOXlsvS6h6nNskZcIBoASJec4,23013
django/conf/locale/pl/LC_MESSAGES/django.mo,sha256=RIP5FaWOdbkt78chzsayzZ_Rn1UzvPtUJgn7j40vdkI,30241
django/conf/locale/pl/LC_MESSAGES/django.po,sha256=irqbGgJqS1wLlIs9hK3CHKkAbUH3Gka2RPvq-2nfHWs,34147
django/conf/locale/pl/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/pl/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/pl/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/pl/formats.py,sha256=KREhPtHuzKS_ZsAqXs5LqYPGhn6O-jLd4WZQ-39BA8I,1032
django/conf/locale/pt/LC_MESSAGES/django.mo,sha256=nlj_L7Z2FkXs1w6wCGGseuZ_U-IecnlfYRtG5jPkGrs,20657
django/conf/locale/pt/LC_MESSAGES/django.po,sha256=ETTedbjU2J4FLi2QDHNN8C7zlAsvLWNUlYzkEV1WB6s,26224
django/conf/locale/pt/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/pt/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/pt/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/pt/formats.py,sha256=RQ9MuIwUPhiY2u-1hFU2abs9Wqv1qZE2AUAfYVK-NU8,1520
django/conf/locale/pt_BR/LC_MESSAGES/django.mo,sha256=WZANPGpTs6PekLuaWRAQ3djerq71VQ5uYWA40Db75ZA,28769
django/conf/locale/pt_BR/LC_MESSAGES/django.po,sha256=Gf7Sf0f_Pjer0nKsXMVQw3Xc8Z76GxaYlWs_FyA2j6k,32606
django/conf/locale/pt_BR/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/pt_BR/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/pt_BR/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/pt_BR/formats.py,sha256=J1IKV7cS2YMJ5_qlT9h1dDYUX9tLFvqA95l_GpZTLUY,1285
django/conf/locale/ro/LC_MESSAGES/django.mo,sha256=9RSlC_3Ipn_Vm31ALaGHsrOA1IKmKJ5sN2m6iy5Hk60,21493
django/conf/locale/ro/LC_MESSAGES/django.po,sha256=XoGlHKEnGlno_sbUTnbkg9nGkRfPIpxv7Wfm3hHGu9w,28099
django/conf/locale/ro/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ro/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ro/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ro/formats.py,sha256=e_dp0zyfFfoydrGyn6Kk3DnQIj7RTRuvRc6rQ6tSxzA,928
django/conf/locale/ru/LC_MESSAGES/django.mo,sha256=NC_fdrsaBybjeJS6dFU7k6WT7rGe2vkIgWxwM9-BoZA,38119
django/conf/locale/ru/LC_MESSAGES/django.po,sha256=KxwNZLMX4We8mOXNd33IoI5mHJjkIxp05yz_h8ZFDI0,41460
django/conf/locale/ru/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ru/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ru/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ru/formats.py,sha256=lTfYbecdSmHCxebog_2bd0N32iD3nEq_f5buh9il-nI,1098
django/conf/locale/sk/LC_MESSAGES/django.mo,sha256=LLHZDII9g__AFTHCgyLy05I7DQEjZjk20LO-CkrdhS0,27800
django/conf/locale/sk/LC_MESSAGES/django.po,sha256=iH6cKWjUfKMqVd4Q6HPEnZwOB-39SpllevZIythjk9M,31062
django/conf/locale/sk/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sk/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sk/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sk/formats.py,sha256=bWj0FNpYfOAgi9J-L4VuiN6C_jsgPsKNdLYd9gTnFs0,1051
django/conf/locale/sl/LC_MESSAGES/django.mo,sha256=1XuQxMTWef0T0CBqGD8_FMoBQLqqp131TtRQMDKZRls,22514
django/conf/locale/sl/LC_MESSAGES/django.po,sha256=Icug2_ZQfvjeaw0DcUFUrHs8aM1fcz7hLZUwWnU-Gqs,28908
django/conf/locale/sl/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sl/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sl/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sl/formats.py,sha256=Nq4IfEUnlGebMZeRvB2l9aps-5G5b4y1kQ_3MiJTfe8,1642
django/conf/locale/sq/LC_MESSAGES/django.mo,sha256=H8eceVADv7d-nO5Hl222sakBh2PVqNYWKe-R2Hbda_c,28267
django/conf/locale/sq/LC_MESSAGES/django.po,sha256=IJAHTTXNQol0qruHyQJgXXaN0a7_s1lI-aazA9sQXMs,30675
django/conf/locale/sq/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sq/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sq/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sq/formats.py,sha256=SA_jCSNwI8-p79skHoLxrPLZnkyq1PVadwT6gMt7n_M,688
django/conf/locale/sr/LC_MESSAGES/django.mo,sha256=XVnYuUQmoQy6BZnPmHnSrWVz75J4sTYKxGn4NqdJU4c,34059
django/conf/locale/sr/LC_MESSAGES/django.po,sha256=jvlDoqR-OhFigYmrjPWm2cXMVqeYvT9qpbT-yAlp7Lg,36513
django/conf/locale/sr/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sr/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sr/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sr/formats.py,sha256=F3_gYopOXINcllaPFzTqZrZ2oZ1ye3xzR0NQtlqXYp0,1729
django/conf/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=XFg0D4jJjXqpYOGoMV1r9tmibEcebm9gczrjCNeWJfw,24760
django/conf/locale/sr_Latn/LC_MESSAGES/django.po,sha256=ZBkqSDwmnfn-tefNaWRCBmBL8Nxtzgf2f2c95_YP9jU,28890
django/conf/locale/sr_Latn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sr_Latn/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sr_Latn/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sr_Latn/formats.py,sha256=BDZm-ajQgCIxQ8mCcckEH32IoCN9233TvAOXkg4mc38,1728
django/conf/locale/sv/LC_MESSAGES/django.mo,sha256=YzrwB3zyTvLdECT3Rwjdug6MkpBGVWouWxmOZpjZimQ,27605
django/conf/locale/sv/LC_MESSAGES/django.po,sha256=yo1TejN4Qb8KFAg6IBtustBSfliDKcYE4VDfa0LtJkk,30413
django/conf/locale/sv/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/sv/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/sv/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/sv/formats.py,sha256=9o8ZtaSq1UOa5y6Du3rQsLAAl5ZOEdVY1OVVMbj02RA,1311
django/conf/locale/sw/LC_MESSAGES/django.mo,sha256=aUmIVLANgSCTK5Lq8QZPEKWjZWnsnBvm_-ZUcih3J6g,13534
django/conf/locale/sw/LC_MESSAGES/django.po,sha256=GOE6greXZoLhpccsfPZjE6lR3G4vpK230EnIOdjsgPk,22698
django/conf/locale/ta/LC_MESSAGES/django.mo,sha256=WeM8tElbcmL11P_D60y5oHKtDxUNWZM9UNgXe1CsRQ4,7094
django/conf/locale/ta/LC_MESSAGES/django.po,sha256=kgHTFqysEMj1hqktLr-bnL1NRM715zTpiwhelqC232s,22329
django/conf/locale/ta/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/ta/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/ta/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/ta/formats.py,sha256=vmjfiM54oJJxqcdgZJUNNQN7oMS-XLVBYJ4lWBb5ctY,682
django/conf/locale/te/LC_MESSAGES/django.mo,sha256=Sk45kPC4capgRdW5ImOKYEVxiBjHXsosNyhVIDtHLBc,13259
django/conf/locale/te/LC_MESSAGES/django.po,sha256=IQxpGTpsKUtBGN1P-KdGwvE7ojNCqKqPXEvYD3qT5A4,25378
django/conf/locale/te/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/te/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/te/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/te/formats.py,sha256=-HOoZgmnME4--4CuXzcnhXqNma0Wh7Ninof3RCCGZkU,680
django/conf/locale/tg/LC_MESSAGES/django.mo,sha256=ePzS2pD84CTkHBaiaMyXBxiizxfFBjHdsGH7hCt5p_4,28497
django/conf/locale/tg/LC_MESSAGES/django.po,sha256=oSKu3YT3griCrDLPqptZmHcuviI99wvlfX6I6nLJnDk,33351
django/conf/locale/tg/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/tg/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/tg/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/tg/formats.py,sha256=TG5TGfLNy4JSjl-QAWk46gIEb0ijdBpqPrDtwfJzshw,1160
django/conf/locale/th/LC_MESSAGES/django.mo,sha256=SJeeJWbdF-Lae5BendxlyMKqx5zdDmh3GCQa8ER5FyY,18629
django/conf/locale/th/LC_MESSAGES/django.po,sha256=K4ITjzHLq6DyTxgMAfu3CoGxrTd3aG2J6-ZxQj2KG1U,27507
django/conf/locale/th/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/th/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/th/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/th/formats.py,sha256=SmCUD-zVgI1QE2HwqkFtAO87rJ-FoCjw1s-2-cfl1h0,1072
django/conf/locale/tk/LC_MESSAGES/django.mo,sha256=4wIabItMR-_J6_0yCKNLHmpuwaQxzYgIl7aJtD7lgC4,27582
django/conf/locale/tk/LC_MESSAGES/django.po,sha256=8m1T131eY_ozgBrvZ6jqVS1GUOlu8e4JSIkgowf08nA,29918
django/conf/locale/tk/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/tk/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/tk/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/tk/formats.py,sha256=TG5TGfLNy4JSjl-QAWk46gIEb0ijdBpqPrDtwfJzshw,1160
django/conf/locale/tr/LC_MESSAGES/django.mo,sha256=Uuq3g_wuChhAP3fjZRYTwxvTCQRs8MxJcfu-VW-BKig,28433
django/conf/locale/tr/LC_MESSAGES/django.po,sha256=0QVl_eUAHJcwUbd0t0ei2dQz-nNZ7SFeQ8PryPBXPvc,30991
django/conf/locale/tr/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/tr/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/tr/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/tr/formats.py,sha256=yJg-7hmevD1gvj9iBRMCiYGgd5DxKZcL7T_C3K3ztME,1019
django/conf/locale/tt/LC_MESSAGES/django.mo,sha256=r554DvdPjD_S8hBRjW8ehccEjEk8h7czQsp46FZZ_Do,14500
django/conf/locale/tt/LC_MESSAGES/django.po,sha256=W8QgEAH7yXNmjWoF-UeqyVAu5jEMHZ5MXE60e5sawJc,24793
django/conf/locale/udm/LC_MESSAGES/django.mo,sha256=cIf0i3TjY-yORRAcSev3mIsdGYT49jioTHZtTLYAEyc,12822
django/conf/locale/udm/LC_MESSAGES/django.po,sha256=n9Az_8M8O5y16yE3iWmK20R9F9VoKBh3jR3iKwMgFlY,23113
django/conf/locale/uk/LC_MESSAGES/django.mo,sha256=9U34hcSaoTUqrMtp5wpdsu2L0S-l7Hn5RBDHQkhp38Y,30194
django/conf/locale/uk/LC_MESSAGES/django.po,sha256=XZm1LpBkwoMFEXNJyAOitN223EuMzkT_2iN8yb8oWVs,36096
django/conf/locale/uk/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/uk/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/uk/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/uk/formats.py,sha256=ZmeYmL0eooFwQgmE054V36RQ469ZTfAv6k8SUJrDYQ8,1241
django/conf/locale/ur/LC_MESSAGES/django.mo,sha256=M6R2DYFRBvcVRAsgVxVOLvH3e8v14b2mJs650UlUb2I,12291
django/conf/locale/ur/LC_MESSAGES/django.po,sha256=Lr0DXaPqWtCFAxn10BQ0vlvZIMNRvCg_QJQxAC01eWk,23479
django/conf/locale/uz/LC_MESSAGES/django.mo,sha256=c8eHLqubZqScsU8LjGK-j2uAGeWzHCSmCy-tYu9x_FA,27466
django/conf/locale/uz/LC_MESSAGES/django.po,sha256=TxmmhZCC1zrAgo0xM0JQKywju0XBd1BujMKZ9HtOLKY,29376
django/conf/locale/uz/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/uz/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/uz/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/uz/formats.py,sha256=cdmqOUBVnPSyi2k9AkOGl27s89PymFePG2gtnYzYbiw,1176
django/conf/locale/vi/LC_MESSAGES/django.mo,sha256=TMsBzDnf9kZndozqVUnEKtKxfH2N1ajLdrm8hJ4HkYI,17396
django/conf/locale/vi/LC_MESSAGES/django.po,sha256=tL2rvgunvaN_yqpPSBYAKImFDaFaeqbnpEw_egI11Lo,25342
django/conf/locale/vi/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/vi/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/vi/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/vi/formats.py,sha256=_xIugkqLnjN9dzIhefMpsJXaTPldr4blKSGS-c3swg0,762
django/conf/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=bKnjePnZ4hzBNpV7riyY897ztLPjez-7amTqMphbLiw,26598
django/conf/locale/zh_Hans/LC_MESSAGES/django.po,sha256=6Ur0nzeMoNleIxU-llL7HOfC1KOcAZLKEvaW7x4udRw,29727
django/conf/locale/zh_Hans/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/zh_Hans/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/zh_Hans/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/zh_Hans/formats.py,sha256=iMb9Taj6xQQA3l_NWCC7wUlQuh4YfNUgs2mHcQ6XUEo,1598
django/conf/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=1U3cID-BpV09p0sgYryzJCCApQYVlCtb4fJ5IPB8wtc,19560
django/conf/locale/zh_Hant/LC_MESSAGES/django.po,sha256=buHXYy_UKFoGW8xz6PNrSwbMx-p8gwmPRgdWGBYwT2U,24939
django/conf/locale/zh_Hant/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/locale/zh_Hant/__pycache__/__init__.cpython-311.pyc,,
django/conf/locale/zh_Hant/__pycache__/formats.cpython-311.pyc,,
django/conf/locale/zh_Hant/formats.py,sha256=iMb9Taj6xQQA3l_NWCC7wUlQuh4YfNUgs2mHcQ6XUEo,1598
django/conf/project_template/manage.py-tpl,sha256=JDuGG02670bELmn3XLUSxHFZ8VFhqZTT_oN9VbT5Acc,674
django/conf/project_template/project_name/__init__.py-tpl,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/conf/project_template/project_name/asgi.py-tpl,sha256=q_6Jo5tLy6ba-S7pLs3YTK7byxSBmU0oYylYJlNvwHI,428
django/conf/project_template/project_name/settings.py-tpl,sha256=JskIPIEWPSX2p7_rlsPr60JDjmFC0bVEeMChmq--0OY,3342
django/conf/project_template/project_name/urls.py-tpl,sha256=5en0vlo3TdXdQquXZVNENrmX2DZJxje156HqcRbySKU,789
django/conf/project_template/project_name/wsgi.py-tpl,sha256=OCfjjCsdEeXPkJgFIrMml_FURt7msovNUPnjzb401fs,428
django/conf/urls/__init__.py,sha256=qmpaRi5Gn2uaY9h3g9RNu0z3LDEpEeNL9JlfSLed9s0,292
django/conf/urls/__pycache__/__init__.cpython-311.pyc,,
django/conf/urls/__pycache__/i18n.cpython-311.pyc,,
django/conf/urls/__pycache__/static.cpython-311.pyc,,
django/conf/urls/i18n.py,sha256=Xz83EPb1MwylIF1z3NimtAD7TlJwd_0ZpZoxj2HEO1E,1184
django/conf/urls/static.py,sha256=gZOYaiIf3SxQ75N69GyVm9C0OmQv1r1IDrUJ0E7zMe0,908
django/contrib/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admin/__init__.py,sha256=s4yCvpvHN4PbCIiNNZKSCaUhN_0NdkrLq-qihnJH4L4,1169
django/contrib/admin/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admin/__pycache__/actions.cpython-311.pyc,,
django/contrib/admin/__pycache__/apps.cpython-311.pyc,,
django/contrib/admin/__pycache__/checks.cpython-311.pyc,,
django/contrib/admin/__pycache__/decorators.cpython-311.pyc,,
django/contrib/admin/__pycache__/exceptions.cpython-311.pyc,,
django/contrib/admin/__pycache__/filters.cpython-311.pyc,,
django/contrib/admin/__pycache__/forms.cpython-311.pyc,,
django/contrib/admin/__pycache__/helpers.cpython-311.pyc,,
django/contrib/admin/__pycache__/models.cpython-311.pyc,,
django/contrib/admin/__pycache__/options.cpython-311.pyc,,
django/contrib/admin/__pycache__/sites.cpython-311.pyc,,
django/contrib/admin/__pycache__/tests.cpython-311.pyc,,
django/contrib/admin/__pycache__/utils.cpython-311.pyc,,
django/contrib/admin/__pycache__/widgets.cpython-311.pyc,,
django/contrib/admin/actions.py,sha256=vjwAZGMGf4rjlJSIaGOX-7SfP0XmkJT_065sGhYDyD8,3257
django/contrib/admin/apps.py,sha256=BOiulA4tsb3wuAUtLGTGjrbywpSXX0dLo2pUCGV8URw,840
django/contrib/admin/checks.py,sha256=bf-DZBU7hY_-7zdkpAUX6E5C5oK4UTZI71_9Sp8uu7Y,49782
django/contrib/admin/decorators.py,sha256=dki7GLFKOPT-mB5rxsYX12rox18BywroxmrzjG_VJXM,3481
django/contrib/admin/exceptions.py,sha256=wpzdKnp6V_aTYui_4tQZ8hFJf7W5xYkEMym0Keg1k0k,333
django/contrib/admin/filters.py,sha256=0ELMc0N6AOviELmn9kqw0oOGpcL-I9Ds6p1EspKxwL8,20891
django/contrib/admin/forms.py,sha256=0UCJstmmBfp_c_0AqlALJQYy9bxXo9fqoQQICQONGEo,1023
django/contrib/admin/helpers.py,sha256=YNQYZbssIuOWdeIqYCETjs09HsFhjCX6PHUTR12qWKI,18190
django/contrib/admin/locale/af/LC_MESSAGES/django.mo,sha256=3VNfQp5JaJy4XRqxM7Uu9uKHDihJCvKXYhdWPXOofc8,16216
django/contrib/admin/locale/af/LC_MESSAGES/django.po,sha256=R2ix5AnK5X35wnhjT38K85JgwewQkmwrYwyVx4YqikQ,17667
django/contrib/admin/locale/af/LC_MESSAGES/djangojs.mo,sha256=dmctO7tPkPwdbpp-tVmZrR0QLZekrJ1aE3rnm6vvUQM,4477
django/contrib/admin/locale/af/LC_MESSAGES/djangojs.po,sha256=1wwspqp0rsSupVes7zjYLyNT_wY4lFefqhpXH5wBdJM,4955
django/contrib/admin/locale/am/LC_MESSAGES/django.mo,sha256=UOwMxYH1r5AEBpu-P9zxHazk3kwI4CtsPosGIYtl6Hs,8309
django/contrib/admin/locale/am/LC_MESSAGES/django.po,sha256=NmsIZoBEQwyBIqbKjkwCJ2_iMHnMKB87atoT0iuNXrw,14651
django/contrib/admin/locale/ar/LC_MESSAGES/django.mo,sha256=tzGQ8jSJc406IBBwtAErlXVqaA10glxB8krZtWp1Rq4,19890
django/contrib/admin/locale/ar/LC_MESSAGES/django.po,sha256=RBJbiYNDy57K592OKghugZFYiHpTvxUoEQ_B26-5i8A,21339
django/contrib/admin/locale/ar/LC_MESSAGES/djangojs.mo,sha256=xoI2xNKgspuuJe1UCUB9H6Kyp3AGhj5aeo_WEg5e23A,6545
django/contrib/admin/locale/ar/LC_MESSAGES/djangojs.po,sha256=jwehFDFk3lMIEH43AEU_JyHOm84Seo-OLd5FmGBbaxo,7281
django/contrib/admin/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=ipELNNGQYb_nHTEQbUFED8IT26L9c2UXsELf4wk0q6k,19947
django/contrib/admin/locale/ar_DZ/LC_MESSAGES/django.po,sha256=2mGF2NfofR8WgSJPShF5CrMjECXj0dGFcFaZ2lriulc,21378
django/contrib/admin/locale/ar_DZ/LC_MESSAGES/djangojs.mo,sha256=L3N1U9OFXYZ8OfrvKHLbVvXa40biIDdmon0ZV8BOIvY,6423
django/contrib/admin/locale/ar_DZ/LC_MESSAGES/djangojs.po,sha256=Atzp95E2dFtSHZHHna0pBCqU_2V7partODX675OBkQs,7206
django/contrib/admin/locale/ast/LC_MESSAGES/django.mo,sha256=3uffu2zPbQ1rExUsG_ambggq854Vy8HbullkCYdazA4,2476
django/contrib/admin/locale/ast/LC_MESSAGES/django.po,sha256=wCWFh9viYUhTGOX0mW3fpN2z0kdE6b7IaA-A5zzb3Yo,11676
django/contrib/admin/locale/ast/LC_MESSAGES/djangojs.mo,sha256=kiG-lzQidkXER5s_6POO1G91mcAv9VAkAXI25jdYBLE,2137
django/contrib/admin/locale/ast/LC_MESSAGES/djangojs.po,sha256=s4s6aHocTlzGcFi0p7cFGTi3K8AgoPvFCv7-Hji6At0,4085
django/contrib/admin/locale/az/LC_MESSAGES/django.mo,sha256=wgOltdxxboFzjUqoaqdU_rmlVptlfIpGEWKNdKz3ORo,16008
django/contrib/admin/locale/az/LC_MESSAGES/django.po,sha256=AK41oVjiPgrYRhnBNGgKUr7NFtxsW_ASfknO2Dj20Uw,18246
django/contrib/admin/locale/az/LC_MESSAGES/djangojs.mo,sha256=sre90ULGTqwvLUyrrTJrj3kEPwlbP-VDg-fqT_02fsE,5225
django/contrib/admin/locale/az/LC_MESSAGES/djangojs.po,sha256=-o9woCOf9ikbIptd9uTej6G-TtTQPKRSuK86N0Ta0yU,5968
django/contrib/admin/locale/be/LC_MESSAGES/django.mo,sha256=MswmDKUbDdccJWq8uGLgmQVYN9E5memUUvfMZr7zTvI,22317
django/contrib/admin/locale/be/LC_MESSAGES/django.po,sha256=8H5O594W0JoUq3K5IFwqaG4wvJFg8au-ba6-RUah5z4,23672
django/contrib/admin/locale/be/LC_MESSAGES/djangojs.mo,sha256=hv91dG9DIHYIqYiZGID8WfL72MBHWH11k-kE7UWCtH8,7036
django/contrib/admin/locale/be/LC_MESSAGES/djangojs.po,sha256=K25MRS30il9NTHt0batCjAik-KuUuHVnavGUMPCmbiI,7773
django/contrib/admin/locale/bg/LC_MESSAGES/django.mo,sha256=dXmqFHEzljMX9uAU2MCD-skechN41CurVfftlx8zW7A,21544
django/contrib/admin/locale/bg/LC_MESSAGES/django.po,sha256=z1cE3SCchVDdRsVGcRO3zzHkYzhHEm3tDDXNE_X50C4,23007
django/contrib/admin/locale/bg/LC_MESSAGES/djangojs.mo,sha256=jg3XbDGEJcfsBegtgjkFa6i_lcm2gf64-Gimh99vKcM,6483
django/contrib/admin/locale/bg/LC_MESSAGES/djangojs.po,sha256=aIRSQTjvzcUDcL3LnCKd8gCqsfw8GiMnT_ZwnLiw75M,7093
django/contrib/admin/locale/bn/LC_MESSAGES/django.mo,sha256=I3KUX53ePEC-8x_bwkR5spx3WbJRR8Xf67_2Xrr7Ccg,18585
django/contrib/admin/locale/bn/LC_MESSAGES/django.po,sha256=UvKCBSa5MuxxZ7U5pRWXH6CEQ9WCJH2cQND0jjBmgpQ,22889
django/contrib/admin/locale/bn/LC_MESSAGES/djangojs.mo,sha256=t_OiMyPMsR2IdH65qfD9qvQfpWbwFueNuY72XSed2Io,2313
django/contrib/admin/locale/bn/LC_MESSAGES/djangojs.po,sha256=iFwEJi4k3ULklCq9eQNUhKVblivQPJIoC_6lbyEkotY,4576
django/contrib/admin/locale/br/LC_MESSAGES/django.mo,sha256=yCuMwrrEB_H44UsnKwY0E87sLpect_AMo0GdBjMZRPs,6489
django/contrib/admin/locale/br/LC_MESSAGES/django.po,sha256=WMU_sN0ENWgyEbKOm8uVQfTQh9sabvKihtSdMt4XQBM,13717
django/contrib/admin/locale/br/LC_MESSAGES/djangojs.mo,sha256=n7Yx2k9sAVSNtdY-2Ao6VFsnsx4aiExZ3TF_DnnrKU0,1658
django/contrib/admin/locale/br/LC_MESSAGES/djangojs.po,sha256=gjg-VapbI9n_827CqNYhbtIQ8W9UcMmMObCsxCzReUU,4108
django/contrib/admin/locale/bs/LC_MESSAGES/django.mo,sha256=44D550fxiO59Pczu5HZ6gvWEClsfmMuaxQWbA4lCW2M,8845
django/contrib/admin/locale/bs/LC_MESSAGES/django.po,sha256=FrieR1JB4ssdWwYitJVpZO-odzPBKrW4ZsGK9LA595I,14317
django/contrib/admin/locale/bs/LC_MESSAGES/djangojs.mo,sha256=SupUK-RLDcqJkpLEsOVjgZOWBRKQMALZLRXGEnA623M,1183
django/contrib/admin/locale/bs/LC_MESSAGES/djangojs.po,sha256=TOtcfw-Spn5Y8Yugv2OlPoaZ5DRwJjRIl-YKiyU092U,3831
django/contrib/admin/locale/ca/LC_MESSAGES/django.mo,sha256=Wj8KdBSUuUtebE45FK3kvzl155GdTv4KgecoMxFi0_g,17535
django/contrib/admin/locale/ca/LC_MESSAGES/django.po,sha256=5s5RIsOY5uL1oQQ5IrOhsOgAWWFZ25vTcYURO2dlR8g,19130
django/contrib/admin/locale/ca/LC_MESSAGES/djangojs.mo,sha256=_c1kqrOKLefixnqinutLyjB_3At56keptkowLCVX7w8,5309
django/contrib/admin/locale/ca/LC_MESSAGES/djangojs.po,sha256=o-S3be-tNLWkQzJE1yXnByvMKDQvnk1tjZALQ1RKLZs,5990
django/contrib/admin/locale/ckb/LC_MESSAGES/django.mo,sha256=FP7VM8FOuLqsa0hjG7JNntOXtF2gRHPsntyBE8_NSh8,21468
django/contrib/admin/locale/ckb/LC_MESSAGES/django.po,sha256=nA8NO-17qMu9VKStsvcHH0kuBv9Ckp1uTaTUt_mvdjw,23208
django/contrib/admin/locale/ckb/LC_MESSAGES/djangojs.mo,sha256=BKJJBqLUBjw5TfnHRjua4q45YcPox-srsOHLWHvJp88,6604
django/contrib/admin/locale/ckb/LC_MESSAGES/djangojs.po,sha256=JxZ2gNkbkV02p-InndqBbV4Z4lgo5WUvOv52gyMWGm0,7456
django/contrib/admin/locale/cs/LC_MESSAGES/django.mo,sha256=SGPfh9-MhUiRmguk3CGa5GC-Q8LHIo5aHZa4zkpWgow,17736
django/contrib/admin/locale/cs/LC_MESSAGES/django.po,sha256=4HVVC6Bb4MhileINcde8RmKbHKomhW4xpiyUx91cTdc,19306
django/contrib/admin/locale/cs/LC_MESSAGES/djangojs.mo,sha256=OiM40p3ioK9FD4JWLb2jYP75kcurEcn9ih_HDL7Pyus,5851
django/contrib/admin/locale/cs/LC_MESSAGES/djangojs.po,sha256=hh7P3DpEzkCb7M6d2iFwHKp1CzbrmMgeyAGP96BxprE,6629
django/contrib/admin/locale/cy/LC_MESSAGES/django.mo,sha256=7ifUyqraN1n0hbyTVb_UjRIG1jdn1HcwehugHBiQvHs,12521
django/contrib/admin/locale/cy/LC_MESSAGES/django.po,sha256=bS_gUoKklZwd3Vs0YlRTt24-k5ure5ObTu-b5nB5qCA,15918
django/contrib/admin/locale/cy/LC_MESSAGES/djangojs.mo,sha256=fOCA1fXEmJw_QaXEISLkuBhaMnEmP1ssP9lhqdCCC3c,3801
django/contrib/admin/locale/cy/LC_MESSAGES/djangojs.po,sha256=OVcS-3tlMJS_T58qnZbWLGczHwFyAjbuWr35YwuxAVM,5082
django/contrib/admin/locale/da/LC_MESSAGES/django.mo,sha256=j91Oq_O-2YkAF8-TUUnEtGbBOrxM4ZHFHtWujHAsYvk,17361
django/contrib/admin/locale/da/LC_MESSAGES/django.po,sha256=ZN3xXsqQBewUBSEUBRXPZ7bZAM4XYdnPyIKRxPhUvZA,18813
django/contrib/admin/locale/da/LC_MESSAGES/djangojs.mo,sha256=NLYZx6aUjrLTYjVVEfq3ZuxmKbqfhvRwtsN9Hg-jTnI,5378
django/contrib/admin/locale/da/LC_MESSAGES/djangojs.po,sha256=m-EkvQYUMtnRM4hZrRoH0gnxc3ZYCZdcpfhyX3eMdaU,6234
django/contrib/admin/locale/de/LC_MESSAGES/django.mo,sha256=rX48gGThrnotluoDyCPlCf5AQJ8REiyvg6BNyR3judk,18283
django/contrib/admin/locale/de/LC_MESSAGES/django.po,sha256=WKfY-KKFNlE_16MW8IRdP9U33xUVW-x-Jmm23Sxqt34,19816
django/contrib/admin/locale/de/LC_MESSAGES/djangojs.mo,sha256=2Ql_6TWDhCRCu3lCfHODoNRwYLc4orlWI0zZQ23JYFg,5526
django/contrib/admin/locale/de/LC_MESSAGES/djangojs.po,sha256=r9D4M9UnSaOd3ITOzcQZVriPST3Yt6cH9Wds3pKGQ-o,6286
django/contrib/admin/locale/dsb/LC_MESSAGES/django.mo,sha256=O2BECdh_nbONFC0lvz8OCEw-vXjM1cvUtw4Gnio4Iqo,18382
django/contrib/admin/locale/dsb/LC_MESSAGES/django.po,sha256=Kfg4FhAtyDvJXckyQ40696qOs_32qo_Kxl8fa_ZaCuw,19681
django/contrib/admin/locale/dsb/LC_MESSAGES/djangojs.mo,sha256=T6N610W6q4zmf6zAEdrl3rQC6GTRwotsOYku8bknCmI,5996
django/contrib/admin/locale/dsb/LC_MESSAGES/djangojs.po,sha256=9Q-xjTP16U5VpiHdno59GEw1zAy3o2ak2Zay8CczvZA,6696
django/contrib/admin/locale/el/LC_MESSAGES/django.mo,sha256=54kG_94nJigDgJpZM8Cy58G_AGLdS5csJFEjTTvJBfM,22968
django/contrib/admin/locale/el/LC_MESSAGES/django.po,sha256=f2gUQtedb0sZCBxAoy3hP2rGXT9ysP5UTOlCBvu2NvI,24555
django/contrib/admin/locale/el/LC_MESSAGES/djangojs.mo,sha256=cix1Bkj2hYO_ofRvtPDhJ9rBnTR6-cnKCFKpZrsxJ34,6509
django/contrib/admin/locale/el/LC_MESSAGES/djangojs.po,sha256=R05tMMuQEjVQpioy_ayQgFBlLM4WdwXthkMguW6ga24,7339
django/contrib/admin/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/admin/locale/en/LC_MESSAGES/django.po,sha256=bS-vAJBR0H5AvyWQzA2f8nb7jIUw6P4hjitEuVEmGY4,24373
django/contrib/admin/locale/en/LC_MESSAGES/djangojs.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/admin/locale/en/LC_MESSAGES/djangojs.po,sha256=7VX4spPMdiR6QJqBVR182EfnTdQL229lJxBR0KG0Nn4,7877
django/contrib/admin/locale/en_AU/LC_MESSAGES/django.mo,sha256=QEvxPxDqNUmq8NxN-8c_F6KMEcWWum3YzERlc3_S_DM,16191
django/contrib/admin/locale/en_AU/LC_MESSAGES/django.po,sha256=BoVuGaPoGdQcF3zdgGRxrNKSq2XLHTvKfINCyU8t86Y,17548
django/contrib/admin/locale/en_AU/LC_MESSAGES/djangojs.mo,sha256=s0qPS8TjODtPo4miSznQfS6M8CQK9URDeMKeQsp7DK4,5001
django/contrib/admin/locale/en_AU/LC_MESSAGES/djangojs.po,sha256=YecPU6VmUDDNNIzZVl2Wgd6lNRp3msJaW8FhdHMtEyc,5553
django/contrib/admin/locale/en_GB/LC_MESSAGES/django.mo,sha256=pFkTMRDDj76WA91wtGPjUB7Pq2PN7IJEC54Tewobrlc,11159
django/contrib/admin/locale/en_GB/LC_MESSAGES/django.po,sha256=REUJMGLGRyDMkqh4kJdYXO9R0Y6CULFVumJ_P3a0nv0,15313
django/contrib/admin/locale/en_GB/LC_MESSAGES/djangojs.mo,sha256=hW325c2HlYIIdvNE308c935_IaDu7_qeP-NlwPnklhQ,3147
django/contrib/admin/locale/en_GB/LC_MESSAGES/djangojs.po,sha256=Ol5j1-BLbtSIDgbcC0o7tg_uHImcjJQmkA4-kSmZY9o,4581
django/contrib/admin/locale/eo/LC_MESSAGES/django.mo,sha256=zAeGKzSNit2LNNX97WXaARyzxKIasOmTutcTPqpRKAE,14194
django/contrib/admin/locale/eo/LC_MESSAGES/django.po,sha256=LHoYvbenD9A05EkHtOk8raW7aKyyiqN50d6OHMxnAZY,17258
django/contrib/admin/locale/eo/LC_MESSAGES/djangojs.mo,sha256=hGXULxueBP24xSZ0StxfFCO0vwZZME7OEERxgnWBqcI,4595
django/contrib/admin/locale/eo/LC_MESSAGES/djangojs.po,sha256=enHGjcvH_B0Z9K2Vk391qHAKT7QamqUcx8xPzYLQltA,5698
django/contrib/admin/locale/es/LC_MESSAGES/django.mo,sha256=62yVxnEqjBxCWJDmR_SerZ2pJwLnA_W3krnHu1LRg6Y,18441
django/contrib/admin/locale/es/LC_MESSAGES/django.po,sha256=ZVWgiPROhblI9tz0wdAjMv7bSWbzUBmibvY1uaIDOQ8,20523
django/contrib/admin/locale/es/LC_MESSAGES/djangojs.mo,sha256=id6akiWYWofxMAhlnHGQkiH-dGi9vHmgalQQVMZQG4k,5550
django/contrib/admin/locale/es/LC_MESSAGES/djangojs.po,sha256=riYipgdH_7KX7wkBzSp0BVvhaZEKCmLg0PbcLGY7DUs,6549
django/contrib/admin/locale/es_AR/LC_MESSAGES/django.mo,sha256=andQgB0m5i0gUXQQ1apigqdL8-P9Y6EHb_Y8xRA1NGo,17979
django/contrib/admin/locale/es_AR/LC_MESSAGES/django.po,sha256=oPc3BcEwgvjFgyB9eJxWSdaYJllx9cDA2snKRFr1rrE,19240
django/contrib/admin/locale/es_AR/LC_MESSAGES/djangojs.mo,sha256=wnTfaWZm_wIl_MpxHQwCLS7exNgsPxfIwLT6hydPCkg,5585
django/contrib/admin/locale/es_AR/LC_MESSAGES/djangojs.po,sha256=ztJtT2YVV5f2r6vptiiTgBLJ0bapPLAIq_V5tJxAlAQ,6177
django/contrib/admin/locale/es_CO/LC_MESSAGES/django.mo,sha256=0k8kSiwIawYCa-Lao0uetNPLUzd4m_me3tCAVBvgcSw,15156
django/contrib/admin/locale/es_CO/LC_MESSAGES/django.po,sha256=4T_syIsVY-nyvn5gEAtfN-ejPrJSUpNT2dmzufxaBsE,17782
django/contrib/admin/locale/es_CO/LC_MESSAGES/djangojs.mo,sha256=PLS10KgX10kxyy7MUkiyLjqhMzRgkAFGPmzugx9AGfs,3895
django/contrib/admin/locale/es_CO/LC_MESSAGES/djangojs.po,sha256=Y4bkC8vkJE6kqLbN8t56dR5670B06sB2fbtVzmQygK8,5176
django/contrib/admin/locale/es_MX/LC_MESSAGES/django.mo,sha256=O8CbY83U4fTvvPPuONtlMx6jpA-qkrYxNTkLuMrWiRQ,11517
django/contrib/admin/locale/es_MX/LC_MESSAGES/django.po,sha256=8MSKNxhHMp0ksr5AUUAbs_H6MtMjIqkaFwmaJlBxELs,16307
django/contrib/admin/locale/es_MX/LC_MESSAGES/djangojs.mo,sha256=2w3CMJFBugP8xMOmXsDU82xUm8cWGRUGZQX5XjiTCpM,3380
django/contrib/admin/locale/es_MX/LC_MESSAGES/djangojs.po,sha256=OP9cBsdCf3zZAXiKBMJPvY1AHwC_WE1k2vKlzVCtUec,4761
django/contrib/admin/locale/es_VE/LC_MESSAGES/django.mo,sha256=himCORjsM-U3QMYoURSRbVv09i0P7-cfVh26aQgGnKg,16837
django/contrib/admin/locale/es_VE/LC_MESSAGES/django.po,sha256=mlmaSYIHpa-Vp3f3NJfdt2RXB88CVZRoPEMfl-tccr0,18144
django/contrib/admin/locale/es_VE/LC_MESSAGES/djangojs.mo,sha256=Zy-Hj_Mr2FiMiGGrZyssN7GZJrbxRj3_yKQFZKR36Ro,4635
django/contrib/admin/locale/es_VE/LC_MESSAGES/djangojs.po,sha256=RI8CIdewjL3bAivniMOl7lA9tD7caP4zEo2WK71cX7c,5151
django/contrib/admin/locale/et/LC_MESSAGES/django.mo,sha256=IKo3lF-pwAqoqrq2eoOinbuPpdKBGjfk66GZEw1vmdo,16669
django/contrib/admin/locale/et/LC_MESSAGES/django.po,sha256=4iINReEHUO4PMcp_iHbaK6FJd0JRaMWm3z-LRK_Zh7s,18532
django/contrib/admin/locale/et/LC_MESSAGES/djangojs.mo,sha256=kxz2ZDbL-1BxlF6iYTIk2tl5yefzh1NCHRdoJI4xlJ8,4965
django/contrib/admin/locale/et/LC_MESSAGES/djangojs.po,sha256=fEGMNYwWRUXoJcb8xi95SYOcdm4FYxwAzearlMk76yc,5694
django/contrib/admin/locale/eu/LC_MESSAGES/django.mo,sha256=CBk_9H8S8LlK8hfGQsEB7IgSms-BsURzAFrX9Zrsw4c,15009
django/contrib/admin/locale/eu/LC_MESSAGES/django.po,sha256=9vnPgJRPcdSa4P5rguB5zqWQC1xAt4POzDw-mSD8UHs,17489
django/contrib/admin/locale/eu/LC_MESSAGES/djangojs.mo,sha256=vKtO_mbexiW-EO-L-G0PYruvc8N7GOF94HWQCkDnJNQ,4480
django/contrib/admin/locale/eu/LC_MESSAGES/djangojs.po,sha256=BAWU-6kH8PLBxx_d9ZeeueB_lV5KFXjbRJXgKN43nQ4,5560
django/contrib/admin/locale/fa/LC_MESSAGES/django.mo,sha256=PSKW46_myUZ-_OESzZK6_TWINOwlHZ6sBf3-J4D2OFk,20535
django/contrib/admin/locale/fa/LC_MESSAGES/django.po,sha256=nuGa8IZ_aeRzxc7KaJS0g-XPZqxZIy1-jcdDdUzCE24,22283
django/contrib/admin/locale/fa/LC_MESSAGES/djangojs.mo,sha256=MAje4ub3vWYhiKrVR_LvxAIqkvOlFpVcXQEBz3ezlPs,6050
django/contrib/admin/locale/fa/LC_MESSAGES/djangojs.po,sha256=1nzEmRuswDmyCCMShGH2CYdjMY7tUuedfN4kDCEnTCM,6859
django/contrib/admin/locale/fi/LC_MESSAGES/django.mo,sha256=KkQFxmyPelc56DyeqzNcYkxmLL0qKRME7XTGFSAXr58,16940
django/contrib/admin/locale/fi/LC_MESSAGES/django.po,sha256=yxbVs2mpWa3tTA5LJ-erc3roqZfPD1UAiOTA4nrUjks,18282
django/contrib/admin/locale/fi/LC_MESSAGES/djangojs.mo,sha256=C9Rk5eZ6B_4OF5jTb2IZOjw_58Shos4T0qwci8-unSE,5378
django/contrib/admin/locale/fi/LC_MESSAGES/djangojs.po,sha256=3_9X1ytlRSGdoye16RQZWVA8PBzF7s_nFxLOtp1uZlI,6024
django/contrib/admin/locale/fr/LC_MESSAGES/django.mo,sha256=V903ukuo4BHERYTt8gdsgRI_mQoX6ZVrnsRgCl5s304,19291
django/contrib/admin/locale/fr/LC_MESSAGES/django.po,sha256=IVKfNsw73BliNgwUend8DOX_G6ctCd3FDpNrphbKYR0,20663
django/contrib/admin/locale/fr/LC_MESSAGES/djangojs.mo,sha256=iVwMb4YEgVA9ukU0d8VSyhLKp68dYDtGrSicc9y57Go,5906
django/contrib/admin/locale/fr/LC_MESSAGES/djangojs.po,sha256=yNUK45xekpmR90geDynLAwanSBI3D2vVdrzmT7JzOes,6597
django/contrib/admin/locale/fy/LC_MESSAGES/django.mo,sha256=mWnHXGJUtiewo1F0bsuJCE_YBh7-Ak9gjTpwjOAv-HI,476
django/contrib/admin/locale/fy/LC_MESSAGES/django.po,sha256=oSKEF_DInUC42Xzhw9HiTobJjE2fLNI1VE5_p6rqnCE,10499
django/contrib/admin/locale/fy/LC_MESSAGES/djangojs.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/admin/locale/fy/LC_MESSAGES/djangojs.po,sha256=efBDCcu43j4SRxN8duO5Yfe7NlpcM88kUPzz-qOkC04,2864
django/contrib/admin/locale/ga/LC_MESSAGES/django.mo,sha256=cIOjVge5KC37U6g-0MMaP5p8N0XJxzK6oJqWNUw9jfI,15075
django/contrib/admin/locale/ga/LC_MESSAGES/django.po,sha256=Qx1D0cEGIIPnO10I_83IfU3faEYpp0lm-KHg48lJMxE,17687
django/contrib/admin/locale/ga/LC_MESSAGES/djangojs.mo,sha256=G-9VfhiMcooTbAI1IMvbvUwj_h_ttNyxGS89nIgrpw4,5247
django/contrib/admin/locale/ga/LC_MESSAGES/djangojs.po,sha256=DsDMYhm5PEpFBBGepf2iRD0qCkh2r45Y4tIHzFtjJAo,5920
django/contrib/admin/locale/gd/LC_MESSAGES/django.mo,sha256=HEqiGvjMp0NnfIS0Z-c1i8SicEtMPIg8LvNMh-SXiPg,18871
django/contrib/admin/locale/gd/LC_MESSAGES/django.po,sha256=cZWnJyEoyGFLbk_M4-eddTJLKJ0dqTIlIj4w6YwcjJg,20139
django/contrib/admin/locale/gd/LC_MESSAGES/djangojs.mo,sha256=QA2_hxHGzt_y0U8sAGQaT27IvvyWrehLPKP2X1jAvEs,5904
django/contrib/admin/locale/gd/LC_MESSAGES/djangojs.po,sha256=KyYGpFHq2E55dK005xzH0I2RD-C2kD6BlJi8bcMjtRA,6540
django/contrib/admin/locale/gl/LC_MESSAGES/django.mo,sha256=sGPWSa0QTnAnjBzdjDsBRW9dzZsmObqwavtlIc4O3N8,17771
django/contrib/admin/locale/gl/LC_MESSAGES/django.po,sha256=L8ftF87qznEdwPFX4IrOPxOVJ3mZkkHzluTcwmQXvKQ,19337
django/contrib/admin/locale/gl/LC_MESSAGES/djangojs.mo,sha256=i3vLa3hJGltqDu4-l6gniM8w6w4TkFOaK4JLdbSXPlg,5475
django/contrib/admin/locale/gl/LC_MESSAGES/djangojs.po,sha256=4yFB2SCDEovDQpZyY4OLRMdu7yVw8RzX6U2RSV2fmo8,6234
django/contrib/admin/locale/he/LC_MESSAGES/django.mo,sha256=5Ckbdd-vF0C-W6tHf2_o2SZzMiRyrv9u9W0CLsqt0XM,16297
django/contrib/admin/locale/he/LC_MESSAGES/django.po,sha256=FoVOVR6iqKlFLhkHMLJMnQJmLLwzkVKe5wQ7IsFPX_c,18924
django/contrib/admin/locale/he/LC_MESSAGES/djangojs.mo,sha256=sdc97pmpMSUAvoMwrWOHyGPYV4j3DDhz4DlqFeRVTT4,5791
django/contrib/admin/locale/he/LC_MESSAGES/djangojs.po,sha256=ZXy7lexBNYbzAriBG27Jn-mv2DFoGobsV1Ur2lDtRMQ,6573
django/contrib/admin/locale/hi/LC_MESSAGES/django.mo,sha256=yWjTYyrVxXxwBWgPsC7IJ9IxL_85v378To4PCEEcwuI,13811
django/contrib/admin/locale/hi/LC_MESSAGES/django.po,sha256=FpKFToDAMsgc1aG6-CVpi5wAxhMQjkZxz_89kCiKmS4,19426
django/contrib/admin/locale/hi/LC_MESSAGES/djangojs.mo,sha256=yCUHDS17dQDKcAbqCg5q8ualaUgaa9qndORgM-tLCIw,4893
django/contrib/admin/locale/hi/LC_MESSAGES/djangojs.po,sha256=U9rb5tPMICK50bRyTl40lvn-tvh6xL_6o7xIPkzfKi0,6378
django/contrib/admin/locale/hr/LC_MESSAGES/django.mo,sha256=3TR3uFcd0pnkDi551WaB9IyKX1aOazH7USxqc0lA0KQ,14702
django/contrib/admin/locale/hr/LC_MESSAGES/django.po,sha256=qcW7tvZoWZIR8l-nMRexGDD8VlrOD7l5Fah6-ecilMk,17378
django/contrib/admin/locale/hr/LC_MESSAGES/djangojs.mo,sha256=KR34lviGYh1esCkPE9xcDE1pQ_q-RxK1R2LPjnG553w,3360
django/contrib/admin/locale/hr/LC_MESSAGES/djangojs.po,sha256=w7AqbYcLtu88R3KIKKKXyRt2gwBBBnr-ulxONWbw01I,4870
django/contrib/admin/locale/hsb/LC_MESSAGES/django.mo,sha256=Wnkc2h0Ri3RwL3SzQbNLjQ3CAmxOoagWMU8AbTQ3PT8,18171
django/contrib/admin/locale/hsb/LC_MESSAGES/django.po,sha256=Vob_h-jHNJ7zzEp3fzxZDoXpeCMIvk2_ZYqmCEIQw_c,19469
django/contrib/admin/locale/hsb/LC_MESSAGES/djangojs.mo,sha256=hCx-YQ554fUj8uGrinpnVljAS39gW9vjCi5P8io6PiI,6082
django/contrib/admin/locale/hsb/LC_MESSAGES/djangojs.po,sha256=6iBeMtQ42dCGGMgYF35k9D6wVOSGMxScb4Ku2jP5p88,6788
django/contrib/admin/locale/hu/LC_MESSAGES/django.mo,sha256=O_QBDJcYI_rVYvXdI3go3YA2Y1u-NOuKOwshF6Ic7bs,17427
django/contrib/admin/locale/hu/LC_MESSAGES/django.po,sha256=Gt0lw5n8KxK0ReE0HWrMjPFOXxVGZxxZ3YX4MiV9z1M,18962
django/contrib/admin/locale/hu/LC_MESSAGES/djangojs.mo,sha256=CgDVu17Y4DDNfuzUGWyfHyAMFc4ZulYcTFPcU7Yot74,5121
django/contrib/admin/locale/hu/LC_MESSAGES/djangojs.po,sha256=U52dESIGFfZIzUTgeNUKcLjZGGFmTGU0fSxDw2LMhiQ,5816
django/contrib/admin/locale/hy/LC_MESSAGES/django.mo,sha256=Dcx9cOsYBfbgQgoAQoLhn_cG1d2sKGV6dag4DwnUTaY,18274
django/contrib/admin/locale/hy/LC_MESSAGES/django.po,sha256=CnQlRZ_DUILMIqVEgUTT2sufAseEKJHHjWsYr_LAqi8,20771
django/contrib/admin/locale/hy/LC_MESSAGES/djangojs.mo,sha256=ttfGmyEN0-3bM-WmfCge2lG8inubMPOzFXfZrfX9sfw,5636
django/contrib/admin/locale/hy/LC_MESSAGES/djangojs.po,sha256=jf94wzUOMQaKSBR-77aijQXfdRAqiYSeAQopiT_8Obc,6046
django/contrib/admin/locale/ia/LC_MESSAGES/django.mo,sha256=SRKlr8RqW8FQhzMsXdA9HNqttO3hc0xf4QdQJd4Dy8c,11278
django/contrib/admin/locale/ia/LC_MESSAGES/django.po,sha256=pBQLQsMinRNh0UzIHBy3qEW0etUWMhFALu4-h-woFyE,15337
django/contrib/admin/locale/ia/LC_MESSAGES/djangojs.mo,sha256=28MiqUf-0-p3PIaongqgPQp2F3D54MLAujPslVACAls,3177
django/contrib/admin/locale/ia/LC_MESSAGES/djangojs.po,sha256=CauoEc8Fiowa8k6K-f9N8fQDle40qsgtXdNPDHBiudQ,4567
django/contrib/admin/locale/id/LC_MESSAGES/django.mo,sha256=u97GjdI4jRBI2YqxZFdSA-2wUlTUlExsLerRnNEQDEw,16835
django/contrib/admin/locale/id/LC_MESSAGES/django.po,sha256=pLW14pRvriYdkpR2aIVD_Mqu4nmcUbo6ZsrZG1s1zmU,18295
django/contrib/admin/locale/id/LC_MESSAGES/djangojs.mo,sha256=x7BZREqK1nPL5aKuVJXcVyK2aPEePDzqJv_rcQQOeB4,5206
django/contrib/admin/locale/id/LC_MESSAGES/djangojs.po,sha256=16gYF3igZkmfU8B_T0AlSXBNdKDKG4mMBMJ1ZTJ0fiQ,5878
django/contrib/admin/locale/io/LC_MESSAGES/django.mo,sha256=URiYZQZpROBedC-AkpVo0q3Tz78VfkmwN1W7j6jYpMo,12624
django/contrib/admin/locale/io/LC_MESSAGES/django.po,sha256=y0WXY7v_9ff-ZbFasj33loG-xWlFO8ttvCB6YPyF7FQ,15562
django/contrib/admin/locale/io/LC_MESSAGES/djangojs.mo,sha256=nMu5JhIy8Fjie0g5bT8-h42YElCiS00b4h8ej_Ie-w0,464
django/contrib/admin/locale/io/LC_MESSAGES/djangojs.po,sha256=WLh40q6yDs-8ZG1hpz6kfMQDXuUzOZa7cqtEPDywxG4,2852
django/contrib/admin/locale/is/LC_MESSAGES/django.mo,sha256=csD3bmz3iQgLLdSqCKOmY_d893147TvDumrpRVoRTY0,16804
django/contrib/admin/locale/is/LC_MESSAGES/django.po,sha256=tXgb3ARXP5tPa5iEYwwiHscDGfjS5JgIV2BsUX8OnjE,18222
django/contrib/admin/locale/is/LC_MESSAGES/djangojs.mo,sha256=Z3ujWoenX5yYTAUmHUSCvHcuV65nQmYKPv6Jo9ygx_c,5174
django/contrib/admin/locale/is/LC_MESSAGES/djangojs.po,sha256=YPf4XqfnpvrS9irAS8O4G0jgU5PCoQ9C-w3MoDipelk,5847
django/contrib/admin/locale/it/LC_MESSAGES/django.mo,sha256=Kej2-6lAc8GT9X8ewt88e2u2BLEvxOUpfrqNziLFNqs,18064
django/contrib/admin/locale/it/LC_MESSAGES/django.po,sha256=jqkw9x9PSqDaG5rNXtLQh1s4WX2ImvSqYpB9QyzGMmE,19881
django/contrib/admin/locale/it/LC_MESSAGES/djangojs.mo,sha256=FWtyPVubufiaNKFxy4DQ0KbW93GUt-x1Mc8ZKhqokwg,5640
django/contrib/admin/locale/it/LC_MESSAGES/djangojs.po,sha256=VRqeY7gYmcP5oWVMgpHL_Br8cAkFXphFQStFpIbWOrc,6578
django/contrib/admin/locale/ja/LC_MESSAGES/django.mo,sha256=V5hnXVKWl1_Bz1Vg79ii9OWCXHU_08zhG5Sv7jlmDv0,19150
django/contrib/admin/locale/ja/LC_MESSAGES/django.po,sha256=_PiZS_hgHjHJzfuw3KlyUYMRZmvap5Q6qEVx86VzghU,20747
django/contrib/admin/locale/ja/LC_MESSAGES/djangojs.mo,sha256=HGwRneHWWLOnVNmDqtrbyChS9x_9OU3ipPj11Y8pWRc,5612
django/contrib/admin/locale/ja/LC_MESSAGES/djangojs.po,sha256=nxFFn_JimkySY6ThIjt4mhSMfTkOLZb31HWSGCZQ5b0,6321
django/contrib/admin/locale/ka/LC_MESSAGES/django.mo,sha256=M3FBRrXFFa87DlUi0HDD_n7a_0IYElQAOafJoIH_i60,20101
django/contrib/admin/locale/ka/LC_MESSAGES/django.po,sha256=abkt7pw4Kc-Y74ZCpAk_VpFWIkr7trseCtQdM6IUYpQ,23527
django/contrib/admin/locale/ka/LC_MESSAGES/djangojs.mo,sha256=GlPU3qUavvU0FXPfvCl-8KboYhDOmMsKM-tv14NqOac,5516
django/contrib/admin/locale/ka/LC_MESSAGES/djangojs.po,sha256=jDpB9c_edcLoFPHFIogOSPrFkssOjIdxtCA_lum8UCs,6762
django/contrib/admin/locale/kab/LC_MESSAGES/django.mo,sha256=9QKEWgr8YQV17OJ14rMusgV8b79ZgOOsX4aIFMZrEto,3531
django/contrib/admin/locale/kab/LC_MESSAGES/django.po,sha256=cSOG_HqsNE4tA5YYDd6txMFoUul8d5UKvk77ZhaqOK0,11711
django/contrib/admin/locale/kab/LC_MESSAGES/djangojs.mo,sha256=nqwZHJdtjHUSFDJmC0nPNyvWcAdcoRcN3f-4XPIItvs,1844
django/contrib/admin/locale/kab/LC_MESSAGES/djangojs.po,sha256=tF3RH22p2E236Cv6lpIWQxtuPFeWOvJ-Ery3vBUv6co,3713
django/contrib/admin/locale/kk/LC_MESSAGES/django.mo,sha256=f2WU3e7dOz0XXHFFe0gnCm1MAPCJ9sva2OUnWYTHOJg,12845
django/contrib/admin/locale/kk/LC_MESSAGES/django.po,sha256=D1vF3nqANT46f17Gc2D2iGCKyysHAyEmv9nBei6NRA4,17837
django/contrib/admin/locale/kk/LC_MESSAGES/djangojs.mo,sha256=cBxp5pFJYUF2-zXxPVBIG06UNq6XAeZ72uRLwGeLbiE,2387
django/contrib/admin/locale/kk/LC_MESSAGES/djangojs.po,sha256=Y30fcDpi31Fn7DU7JGqROAiZY76iumoiW9qGAgPCCbU,4459
django/contrib/admin/locale/km/LC_MESSAGES/django.mo,sha256=eOe9EcFPzAWrTjbGUr-m6RAz2TryC-qHKbqRP337lPY,10403
django/contrib/admin/locale/km/LC_MESSAGES/django.po,sha256=RSxy5vY2sgC43h-9sl6eomkFvxClvH_Ka4lFiwTvc2I,17103
django/contrib/admin/locale/km/LC_MESSAGES/djangojs.mo,sha256=Ja8PIXmw6FMREHZhhBtGrr3nRKQF_rVjgLasGPnU95w,1334
django/contrib/admin/locale/km/LC_MESSAGES/djangojs.po,sha256=LH4h4toEgpVBb9yjw7d9JQ8sdU0WIZD-M025JNlLXAU,3846
django/contrib/admin/locale/kn/LC_MESSAGES/django.mo,sha256=955iPq05ru6tm_iPFVMebxwvZMtEa5_7GaFG1mPt6HU,9203
django/contrib/admin/locale/kn/LC_MESSAGES/django.po,sha256=-4YAm0MyhS-wp4RQmo0TzWvqYqmzHFNpIBtdQlg_8Dw,16059
django/contrib/admin/locale/kn/LC_MESSAGES/djangojs.mo,sha256=kJsCOGf62XOWTKcB9AF6Oc-GqHl2LFtz-qw0spjcU_w,1847
django/contrib/admin/locale/kn/LC_MESSAGES/djangojs.po,sha256=zzl7QZ5DfdyNWrkIqYlpUcZiTdlZXx_ktahyXqM2-0Q,5022
django/contrib/admin/locale/ko/LC_MESSAGES/django.mo,sha256=Q6ARBDqvyPrAuVuwP3C7GhCXl71kgP4KaTF7EUvVPCc,18524
django/contrib/admin/locale/ko/LC_MESSAGES/django.po,sha256=rh6WGn5SaCpjGSZ6LImOnQlLnqVv_Kbjrj2-E5dE0tU,20364
django/contrib/admin/locale/ko/LC_MESSAGES/djangojs.mo,sha256=kXw221dYlR9a5bcprVUhrkjk3Scr8Qu1y2p_UKuE7wk,5252
django/contrib/admin/locale/ko/LC_MESSAGES/djangojs.po,sha256=Ftgvvf0RCwSUwjiqz1oLeh_aYV_yjo0-H36jIjCh0Ts,6167
django/contrib/admin/locale/ky/LC_MESSAGES/django.mo,sha256=eg-TnIzJO4h3q_FS2a1LnCs7qOf5dpNJwvRD99ZZ0GQ,20129
django/contrib/admin/locale/ky/LC_MESSAGES/django.po,sha256=dWxU3yUAKHUGKdVJbRLkS6fJEefPBk2XM0i2INcRPms,21335
django/contrib/admin/locale/ky/LC_MESSAGES/djangojs.mo,sha256=VuBYBwFwIHC27GFZiHY2_4AB0cME2R0Q3juczjOs3G0,5888
django/contrib/admin/locale/ky/LC_MESSAGES/djangojs.po,sha256=uMk9CxL1wP45goq2093lYMza7LRuO4XbVo5RRWlsbaE,6432
django/contrib/admin/locale/lb/LC_MESSAGES/django.mo,sha256=8GGM2sYG6GQTQwQFJ7lbg7w32SvqgSzNRZIUi9dIe6M,913
django/contrib/admin/locale/lb/LC_MESSAGES/django.po,sha256=PZ3sL-HvghnlIdrdPovNJP6wDrdDMSYp_M1ok6dodrw,11078
django/contrib/admin/locale/lb/LC_MESSAGES/djangojs.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/admin/locale/lb/LC_MESSAGES/djangojs.po,sha256=fiMelo6K0_RITx8b9k26X1R86Ck2daQXm86FLJpzt20,2862
django/contrib/admin/locale/lt/LC_MESSAGES/django.mo,sha256=SpaNUiaGtDlX5qngVj0dWdqNLSin8EOXXyBvRM9AnKg,17033
django/contrib/admin/locale/lt/LC_MESSAGES/django.po,sha256=tHnRrSNG2ENVduP0sOffCIYQUn69O6zIev3Bb7PjKb0,18497
django/contrib/admin/locale/lt/LC_MESSAGES/djangojs.mo,sha256=vZtnYQupzdTjVHnWrtjkC2QKNpsca5yrpb4SDuFx0_0,5183
django/contrib/admin/locale/lt/LC_MESSAGES/djangojs.po,sha256=dMjFClA0mh5g0aNFTyHC8nbYxwmFD0-j-7gCKD8NFnw,5864
django/contrib/admin/locale/lv/LC_MESSAGES/django.mo,sha256=e0vb6nDWIrbLi2-fRQQ0wYFL4ejGNKeCL6HwoTNIldE,17729
django/contrib/admin/locale/lv/LC_MESSAGES/django.po,sha256=zkPxkBwgNC1GOVs_7KGnwEL0kmLQ3ZHNKEQSrGMNA7U,19310
django/contrib/admin/locale/lv/LC_MESSAGES/djangojs.mo,sha256=07uy1Q3pxk7HWZ11_tzuXssLrh6QaNuDFHp2mIAC2Ig,5799
django/contrib/admin/locale/lv/LC_MESSAGES/djangojs.po,sha256=PgRMzlmi30ylkTpS6jC6YTO_PL9kcPwQLrY8thzf0vE,6663
django/contrib/admin/locale/mk/LC_MESSAGES/django.mo,sha256=xcKetKf7XcO-4vbWEIoI2c40gRE2twuiINaby6ypO7Q,17948
django/contrib/admin/locale/mk/LC_MESSAGES/django.po,sha256=hx2peq-wztDHtiST_zZ58c7rjZ6jSvDDXhVOTmyUDzI,21063
django/contrib/admin/locale/mk/LC_MESSAGES/djangojs.mo,sha256=8BkWjadml2f1lDeH-IULdxsogXSK8NpVuu293GvcQc8,4719
django/contrib/admin/locale/mk/LC_MESSAGES/djangojs.po,sha256=u9mVSzbIgA1uRgV_L8ZOZLelyknoKFvXH0HbBurezf8,6312
django/contrib/admin/locale/ml/LC_MESSAGES/django.mo,sha256=4Y1KAip3NNsoRc9Zz3k0YFLzes3DNRFvAXWSTBivXDk,20830
django/contrib/admin/locale/ml/LC_MESSAGES/django.po,sha256=jL9i3kmOnoKYDq2RiF90WCc55KeA8EBN9dmPHjuUfmo,24532
django/contrib/admin/locale/ml/LC_MESSAGES/djangojs.mo,sha256=COohY0mAHAOkv1eNzLkaGZy8mimXzcDK1EgRd3tTB_E,6200
django/contrib/admin/locale/ml/LC_MESSAGES/djangojs.po,sha256=NvN0sF_w5tkc3bND4lBtCHsIDLkwqdEPo-8wi2MTQ14,7128
django/contrib/admin/locale/mn/LC_MESSAGES/django.mo,sha256=Lu8mM_3lJuByz4xXE7shq4nuBwE71_yh4_HIuy7KK64,14812
django/contrib/admin/locale/mn/LC_MESSAGES/django.po,sha256=yNbv9cOeXEHPiDOKPXIbq2-cBZvUXSXCfL4TPe74x0s,18851
django/contrib/admin/locale/mn/LC_MESSAGES/djangojs.mo,sha256=H7fIPdWTK3_iuC0WRBJdfXN8zO77p7-IzTviEUVQJ2U,5228
django/contrib/admin/locale/mn/LC_MESSAGES/djangojs.po,sha256=vJIqqVG34Zd7q8-MhTgZcXTtl6gukOSb6egt70AOyAc,5757
django/contrib/admin/locale/mr/LC_MESSAGES/django.mo,sha256=UAxGnGliid2PTx6SMgIuHVfbCcqVvcwC4FQUWtDuSTc,468
django/contrib/admin/locale/mr/LC_MESSAGES/django.po,sha256=TNARpu8Pfmu9fGOLUP0bRwqqDdyFmlh9rWjFspboTyc,10491
django/contrib/admin/locale/mr/LC_MESSAGES/djangojs.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/admin/locale/mr/LC_MESSAGES/djangojs.po,sha256=uGe9kH2mwrab97Ue77oggJBlrpzZNckKGRUMU1vaigs,2856
django/contrib/admin/locale/ms/LC_MESSAGES/django.mo,sha256=Xj5v1F4_m1ZFUn42Rbep9eInxIV-NE-oA_NyfQkbp00,16840
django/contrib/admin/locale/ms/LC_MESSAGES/django.po,sha256=ykFH-mPbv2plm2NIvKgaj3WVukJ3SquU8nQIAXuOrWA,17967
django/contrib/admin/locale/ms/LC_MESSAGES/djangojs.mo,sha256=9VY_MrHK-dGOIkucLCyR9psy4o5p4nHd8kN_5N2E-gY,5018
django/contrib/admin/locale/ms/LC_MESSAGES/djangojs.po,sha256=P4GvM17rlX1Vl-7EbCyfWVasAJBEv_RvgWEvfJqcErA,5479
django/contrib/admin/locale/my/LC_MESSAGES/django.mo,sha256=xvlgM0vdYxZuA7kPQR7LhrLzgmyVCHAvqaqvFhKX9wY,3677
django/contrib/admin/locale/my/LC_MESSAGES/django.po,sha256=zdUCYcyq2-vKudkYvFcjk95YUtbMDDSKQHCysmQ-Pvc,12522
django/contrib/admin/locale/my/LC_MESSAGES/djangojs.mo,sha256=1fS9FfWi8b9NJKm3DBKETmuffsrTX-_OHo9fkCCXzpg,3268
django/contrib/admin/locale/my/LC_MESSAGES/djangojs.po,sha256=-z1j108uoswi9YZfh3vSIswLXu1iUKgDXNdZNEA0yrA,5062
django/contrib/admin/locale/nb/LC_MESSAGES/django.mo,sha256=viQKBFH6ospYn2sE-DokVJGGYhSqosTgbNMn5sBVnmM,16244
django/contrib/admin/locale/nb/LC_MESSAGES/django.po,sha256=x0ANRpDhe1rxxAH0qjpPxRfccCvR73_4g5TNUdJqmrc,17682
django/contrib/admin/locale/nb/LC_MESSAGES/djangojs.mo,sha256=KwrxBpvwveERK4uKTIgh-DCc9aDLumpHQYh5YroqxhQ,4939
django/contrib/admin/locale/nb/LC_MESSAGES/djangojs.po,sha256=ygn6a5zkHkoIYMC8Hgup8Uw1tMbZcLGgwwDu3x33M-o,5555
django/contrib/admin/locale/ne/LC_MESSAGES/django.mo,sha256=yrm85YXwXIli7eNaPyBTtV7y3TxQuH4mokKuHdAja2A,15772
django/contrib/admin/locale/ne/LC_MESSAGES/django.po,sha256=F8vfWKvSNngkLPZUIwik_qDYu0UAnrWepbI9Z9Iz35g,20400
django/contrib/admin/locale/ne/LC_MESSAGES/djangojs.mo,sha256=mJdtpLT9k4vDbN9fk2fOeiy4q720B3pLD3OjLbAjmUI,5362
django/contrib/admin/locale/ne/LC_MESSAGES/djangojs.po,sha256=N91RciTV1m7e8-6Ihod5U2xR9K0vrLoFnyXjn2ta098,6458
django/contrib/admin/locale/nl/LC_MESSAGES/django.mo,sha256=Sk06I7RNlzalBB7waVFyOlWxFGlkVXejmstQDjk3kZo,17426
django/contrib/admin/locale/nl/LC_MESSAGES/django.po,sha256=ANHtLahN6G5CW8lSDs8bJNF69Qukh_67OmYbqEfcHP8,19144
django/contrib/admin/locale/nl/LC_MESSAGES/djangojs.mo,sha256=HATZkr9m09TLZqQqxvsxTfRz7U1Qw4sjnNwu7sqUTx8,5401
django/contrib/admin/locale/nl/LC_MESSAGES/djangojs.po,sha256=chyt-p5vexp07EjxAnYA-cf8nlNaVskLdmzYuTvEW8A,6387
django/contrib/admin/locale/nn/LC_MESSAGES/django.mo,sha256=yAdb8Yew1ARlnAnvd5gHL7-SDzpkXedBwCSSPEzGCKk,16504
django/contrib/admin/locale/nn/LC_MESSAGES/django.po,sha256=sFxr3UYzltQRqiotm_d5Qqtf8iLXI0LgCw_V6kYffJ0,17932
django/contrib/admin/locale/nn/LC_MESSAGES/djangojs.mo,sha256=RsDri1DmCwrby8m7mLWkFdCe6HK7MD7GindOarVYPWc,4939
django/contrib/admin/locale/nn/LC_MESSAGES/djangojs.po,sha256=koVTt2mmdku1j7SUDRbnug8EThxXuCIF2XPnGckMi7A,5543
django/contrib/admin/locale/os/LC_MESSAGES/django.mo,sha256=c51PwfOeLU2YcVNEEPCK6kG4ZyNc79jUFLuNopmsRR8,14978
django/contrib/admin/locale/os/LC_MESSAGES/django.po,sha256=yugDw7iziHto6s6ATNDK4yuG6FN6yJUvYKhrGxvKmcY,18188
django/contrib/admin/locale/os/LC_MESSAGES/djangojs.mo,sha256=0gMkAyO4Zi85e9qRuMYmxm6JV98WvyRffOKbBVJ_fLQ,3806
django/contrib/admin/locale/os/LC_MESSAGES/djangojs.po,sha256=skiTlhgUEN8uKk7ihl2z-Rxr1ZXqu5qV4wB4q9qXVq0,5208
django/contrib/admin/locale/pa/LC_MESSAGES/django.mo,sha256=EEitcdoS-iQ9QWHPbJBK2ajdN56mBi0BzGnVl3KTmU4,8629
django/contrib/admin/locale/pa/LC_MESSAGES/django.po,sha256=xscRlOkn9Jc8bDsSRM5bzQxEsCLMVsV-Wwin0rfkHDI,16089
django/contrib/admin/locale/pa/LC_MESSAGES/djangojs.mo,sha256=Hub-6v7AfF-tWhw53abpyhnVHo76h_xBgGIhlGIcS70,1148
django/contrib/admin/locale/pa/LC_MESSAGES/djangojs.po,sha256=7L8D4qqhq53XG83NJUZNoM8zCCScwMwzsrzzsyO4lHY,4357
django/contrib/admin/locale/pl/LC_MESSAGES/django.mo,sha256=jjQLGNe-KxoEhNnwOkgLg0jppnoPJZ1TnKkmGQWrbjk,18666
django/contrib/admin/locale/pl/LC_MESSAGES/django.po,sha256=7gYZ_6iGTfyHNdj06eTUU642kVqBsXEkMjU5ws_PQtA,20641
django/contrib/admin/locale/pl/LC_MESSAGES/djangojs.mo,sha256=Y1e-hyxaGkraZWDcXWAPk6MX2dBQUe2UzqErlQdIWeI,6046
django/contrib/admin/locale/pl/LC_MESSAGES/djangojs.po,sha256=HiQneGkdEpWT7i4HfFpFHcqNMP7zCQyNR3o3Z_xqvPo,7176
django/contrib/admin/locale/pt/LC_MESSAGES/django.mo,sha256=MTFRTfUKot-0r-h7qtggPe8l_q0JPAzVF9GzdtB9600,16912
django/contrib/admin/locale/pt/LC_MESSAGES/django.po,sha256=gzRkbl35HZ-88mlA1Bdj1Y-CUJ752pZKCUIG-NNw2os,18436
django/contrib/admin/locale/pt/LC_MESSAGES/djangojs.mo,sha256=D6-8QwX6lsACkEcYXq1tK_4W2q_NMc6g5lZQJDZRFHw,4579
django/contrib/admin/locale/pt/LC_MESSAGES/djangojs.po,sha256=__a9WBgO_o0suf2xvMhyRk_Wkg2tfqNHmJOM5YF86sk,5118
django/contrib/admin/locale/pt_BR/LC_MESSAGES/django.mo,sha256=LgFtBTd1wNMgnO662gwaCo1v0GKeC_rCW2ovno8Clug,18060
django/contrib/admin/locale/pt_BR/LC_MESSAGES/django.po,sha256=IwgI3Ex8aaOKxoGKVuHz03UIbpOsU8gAYzZKdqrHpqs,20568
django/contrib/admin/locale/pt_BR/LC_MESSAGES/djangojs.mo,sha256=BUSFb7OciR49CWPBTwzpqUKqByOsf1VlVnDk-eGJuBE,5527
django/contrib/admin/locale/pt_BR/LC_MESSAGES/djangojs.po,sha256=H9_WjquHgxzXQZ_kO-LpEHxYdDfSTSYMYPlIhx9hjF4,6612
django/contrib/admin/locale/ro/LC_MESSAGES/django.mo,sha256=SEbnJ1aQ3m2nF7PtqzKvYYCdvgg_iG5hzrdO_Xxiv_k,15157
django/contrib/admin/locale/ro/LC_MESSAGES/django.po,sha256=wPfGo9yi3j28cwikkogZ_erQKtUZ9WmzdZ2FuMVugFE,18253
django/contrib/admin/locale/ro/LC_MESSAGES/djangojs.mo,sha256=voEqSN3JUgJM9vumLxE_QNPV7kA0XOoTktN7E7AYV6o,4639
django/contrib/admin/locale/ro/LC_MESSAGES/djangojs.po,sha256=SO7FAqNnuvIDfZ_tsWRiwSv91mHx5NZHyR2VnmoYBWY,5429
django/contrib/admin/locale/ru/LC_MESSAGES/django.mo,sha256=h9viCIosk9nNZCGnjTyKBeF9SzYxyIlHyaI3-NuoXrg,22541
django/contrib/admin/locale/ru/LC_MESSAGES/django.po,sha256=jjVQOuz4PAzxlfVlMICtH3Qy7FRkyCkTQSjvAG6pPpM,24240
django/contrib/admin/locale/ru/LC_MESSAGES/djangojs.mo,sha256=O9G6neCrWRvZj67hhxbk-Yh9Da4-lNrAfXyi1dV8B7A,7440
django/contrib/admin/locale/ru/LC_MESSAGES/djangojs.po,sha256=w7UmFYBzKJFIRyPUaqP2uu8P_t_Lu4X9YSt3avYPj4g,8468
django/contrib/admin/locale/sk/LC_MESSAGES/django.mo,sha256=hSHmImczSCOq8Fq1zVyZD5Sn5bhqUGBHiqM7WFMIMnw,17090
django/contrib/admin/locale/sk/LC_MESSAGES/django.po,sha256=u4mxos-LzwOoZ0KqzYlynCFGagw9y2kQhx9nHE8svJg,18791
django/contrib/admin/locale/sk/LC_MESSAGES/djangojs.mo,sha256=-9dSuiVIPqZDSkF5arXISKP3TXbHtEveZO3vXy5ZotQ,5291
django/contrib/admin/locale/sk/LC_MESSAGES/djangojs.po,sha256=wHjVgHIHxubOaeAuf8nBmj1vlXcPeWTGf1xMrhdVL2E,6083
django/contrib/admin/locale/sl/LC_MESSAGES/django.mo,sha256=iqcg1DYwwDVacRAKJ3QR4fTmKQhRGXU4WkwYco9ASaA,16136
django/contrib/admin/locale/sl/LC_MESSAGES/django.po,sha256=VeIJDh1PojyUy-4AdPcVezbQ-XVWqp04vFE_u3KU2tU,17508
django/contrib/admin/locale/sl/LC_MESSAGES/djangojs.mo,sha256=--wrlI4_qva1mlKR9ehUjaYGA5LLIY9otgvq7BYtUic,4637
django/contrib/admin/locale/sl/LC_MESSAGES/djangojs.po,sha256=u-8YLLTAOmAQHA6qIGPueP6BOswjPctbFc8L8FrX51w,5956
django/contrib/admin/locale/sq/LC_MESSAGES/django.mo,sha256=LLChsUL0O-4ssvH9OmUB89ImYmlUvduzryr5kFNWNi4,18094
django/contrib/admin/locale/sq/LC_MESSAGES/django.po,sha256=8Pjo6vznPCnkz8jc7qH5EriK36CykBYjBTg8XFcm54Q,19464
django/contrib/admin/locale/sq/LC_MESSAGES/djangojs.mo,sha256=HJop8KDVdDWA94549RJ8vLJ34c19VRJUcWDpR8U0bhU,5505
django/contrib/admin/locale/sq/LC_MESSAGES/djangojs.po,sha256=jISDoKjEy1fesqQbznfmIQlrSYLZFyscocJT0F9itUo,6221
django/contrib/admin/locale/sr/LC_MESSAGES/django.mo,sha256=AMEp3NrqHBcqdJb41fQowVTkx8F9-fdg2PluKKykT9w,15816
django/contrib/admin/locale/sr/LC_MESSAGES/django.po,sha256=ifY6hofsf9PhuDNCa38Y2gkGteylhesQzKBdvIWJcVY,19622
django/contrib/admin/locale/sr/LC_MESSAGES/djangojs.mo,sha256=KWwJNCHP5cKHyg8un97RJPx50ngujHXkb6py4F-QCog,6565
django/contrib/admin/locale/sr/LC_MESSAGES/djangojs.po,sha256=bgXig-bNkbQ_QnhFB9GqhXH-riScJhayCdr2F6ipjN0,7318
django/contrib/admin/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=8wcRn4O2WYMFJal760MvjtSPBNoDgHAEYtedg8CC7Ao,12383
django/contrib/admin/locale/sr_Latn/LC_MESSAGES/django.po,sha256=N4fPEJTtUrQnc8q1MioPZ2a7E55YXrE-JvfAcWZubfA,16150
django/contrib/admin/locale/sr_Latn/LC_MESSAGES/djangojs.mo,sha256=qyZM6sLb6BxwYxvrSOn3JRYtkU6LUxUvhB_JEf9V13M,5466
django/contrib/admin/locale/sr_Latn/LC_MESSAGES/djangojs.po,sha256=2cJ1HPgHoj35lJZgIwWoYVESVjtW7xoZvQc7--AMI2U,6176
django/contrib/admin/locale/sv/LC_MESSAGES/django.mo,sha256=rkpwbTO2BibbaE2IW1YLhJMzLliIns06mKcU5eHY5LE,16893
django/contrib/admin/locale/sv/LC_MESSAGES/django.po,sha256=VonLZDGA_OVrDlPoyJ9rBR_39ikQjQoOOXi36PXv0l4,18923
django/contrib/admin/locale/sv/LC_MESSAGES/djangojs.mo,sha256=xaik7riKlY_kanfHZ34gGM6bu87hNmGoJLhEfy-bPg4,5304
django/contrib/admin/locale/sv/LC_MESSAGES/djangojs.po,sha256=B1BUjK6MANg5I7GiMCwz6Y9siAj5unMzkbG7KIuQELs,6110
django/contrib/admin/locale/sw/LC_MESSAGES/django.mo,sha256=Mtj7jvbugkVTj0qyJ_AMokWEa2btJNSG2XrhpY0U1Mc,14353
django/contrib/admin/locale/sw/LC_MESSAGES/django.po,sha256=ElU-s0MgtNKF_aXdo-uugBnuJIDzHqMmy1ToMDQhuD0,16419
django/contrib/admin/locale/sw/LC_MESSAGES/djangojs.mo,sha256=p0pi6-Zg-qsDVMDjNHO4aav3GfJ3tKKhy6MK7mPtC50,3647
django/contrib/admin/locale/sw/LC_MESSAGES/djangojs.po,sha256=lZFP7Po4BM_QMTj-SXGlew1hqyJApZxu0lxMP-YduHI,4809
django/contrib/admin/locale/ta/LC_MESSAGES/django.mo,sha256=ZdtNRZLRqquwMk7mE0XmTzEjTno9Zni3mV6j4DXL4nI,10179
django/contrib/admin/locale/ta/LC_MESSAGES/django.po,sha256=D0TCLM4FFF7K9NqUGXNFE2KfoEzx5IHcJQ6-dYQi2Eg,16881
django/contrib/admin/locale/ta/LC_MESSAGES/djangojs.mo,sha256=2-37FOw9Bge0ahIRxFajzxvMkAZL2zBiQFaELmqyhhY,1379
django/contrib/admin/locale/ta/LC_MESSAGES/djangojs.po,sha256=Qs-D7N3ZVzpZVxXtMWKOzJfSmu_Mk9pge5W15f21ihI,3930
django/contrib/admin/locale/te/LC_MESSAGES/django.mo,sha256=aIAG0Ey4154R2wa-vNe2x8X4fz2L958zRmTpCaXZzds,10590
django/contrib/admin/locale/te/LC_MESSAGES/django.po,sha256=-zJYrDNmIs5fp37VsG4EAOVefgbBNl75c-Pp3RGBDAM,16941
django/contrib/admin/locale/te/LC_MESSAGES/djangojs.mo,sha256=VozLzWQwrY-USvin5XyVPtUUKEmCr0dxaWC6J14BReo,1362
django/contrib/admin/locale/te/LC_MESSAGES/djangojs.po,sha256=HI8IfXqJf4I6i-XZB8ELGyp5ZNr-oi5hW9h7n_8XSaQ,3919
django/contrib/admin/locale/tg/LC_MESSAGES/django.mo,sha256=gJfgsEn9doTT0erBK77OBDi7_0O7Rb6PF9tRPacliXU,15463
django/contrib/admin/locale/tg/LC_MESSAGES/django.po,sha256=Wkx7Hk2a9OzZymgrt9N91OL9K5HZXTbpPBXMhyE0pjI,19550
django/contrib/admin/locale/tg/LC_MESSAGES/djangojs.mo,sha256=SEaBcnnKupXbTKCJchkSu_dYFBBvOTAOQSZNbCYUuHE,5154
django/contrib/admin/locale/tg/LC_MESSAGES/djangojs.po,sha256=CfUjLtwMmz1h_MLE7c4UYv05ZTz_SOclyKKWmVEP9Jg,5978
django/contrib/admin/locale/th/LC_MESSAGES/django.mo,sha256=EVlUISdKOvNkGMG4nbQFzSn5p7d8c9zOGpXwoHsHNlY,16394
django/contrib/admin/locale/th/LC_MESSAGES/django.po,sha256=OqhGCZ87VX-WKdC2EQ8A8WeXdWXu9mj6k8mG9RLZMpM,20187
django/contrib/admin/locale/th/LC_MESSAGES/djangojs.mo,sha256=ukj5tyDor9COi5BT9oRLucO2wVTI6jZWclOM-wNpXHM,6250
django/contrib/admin/locale/th/LC_MESSAGES/djangojs.po,sha256=3L5VU3BNcmfiqzrAWK0tvRRVOtgR8Ceg9YIxL54RGBc,6771
django/contrib/admin/locale/tk/LC_MESSAGES/django.mo,sha256=9EGO5sA_1Hz2fhEmkrLbPJXQtWdxQJUBQ3gSREvjEGM,2834
django/contrib/admin/locale/tk/LC_MESSAGES/django.po,sha256=8dDS2pp8wNI_3J82ZORzOFlCS2_GvFsJ_PY8fPyExHg,12847
django/contrib/admin/locale/tr/LC_MESSAGES/django.mo,sha256=stVPkQcS3okvAZP3WRnB1R3bhX0hgacfl0JuFYFgtKo,18009
django/contrib/admin/locale/tr/LC_MESSAGES/django.po,sha256=NoUe_Iayfk1mjchb6UtoylceaUnaEWs6RUCH4yDhEUc,19561
django/contrib/admin/locale/tr/LC_MESSAGES/djangojs.mo,sha256=cfmwRw4ltT4xUW-o9glHFgQxlL9uxYLB6dIFJRDFJYA,5433
django/contrib/admin/locale/tr/LC_MESSAGES/djangojs.po,sha256=rYlOYluUMRXir_LfpY8qhJXe9__LixKwxecXdguIzwk,6152
django/contrib/admin/locale/tt/LC_MESSAGES/django.mo,sha256=ObJ8zwVLhFsS6XZK_36AkNRCeznoJJwLTMh4_LLGPAA,12952
django/contrib/admin/locale/tt/LC_MESSAGES/django.po,sha256=VDjg5nDrLqRGXpxCyQudEC_n-6kTCIYsOl3izt1Eblc,17329
django/contrib/admin/locale/tt/LC_MESSAGES/djangojs.mo,sha256=Sz5qnMHWfLXjaCIHxQNrwac4c0w4oeAAQubn5R7KL84,2607
django/contrib/admin/locale/tt/LC_MESSAGES/djangojs.po,sha256=_Uh3yH_RXVB3PP75RFztvSzVykVq0SQjy9QtTnyH3Qk,4541
django/contrib/admin/locale/udm/LC_MESSAGES/django.mo,sha256=2Q_lfocM7OEjFKebqNR24ZBqUiIee7Lm1rmS5tPGdZA,622
django/contrib/admin/locale/udm/LC_MESSAGES/django.po,sha256=L4TgEk2Fm2mtKqhZroE6k_gfz1VC-_dXe39CiJvaOPE,10496
django/contrib/admin/locale/udm/LC_MESSAGES/djangojs.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/admin/locale/udm/LC_MESSAGES/djangojs.po,sha256=ZLYr0yHdMYAl7Z7ipNSNjRFIMNYmzIjT7PsKNMT6XVk,2811
django/contrib/admin/locale/uk/LC_MESSAGES/django.mo,sha256=LwO4uX79ZynANx47kGLijkDJ-DAdYWlmW3nYOqbXuuo,22319
django/contrib/admin/locale/uk/LC_MESSAGES/django.po,sha256=9vEMtbw4ck4Sipdu-Y8mYOufWOTWpu7PVrMDu71GT9g,24335
django/contrib/admin/locale/uk/LC_MESSAGES/djangojs.mo,sha256=_YwTcBttv3DZNYkBq4Rsl6oq30o8nDvUHPI5Yx0GaA4,5787
django/contrib/admin/locale/uk/LC_MESSAGES/djangojs.po,sha256=4lYvm_LDX5xha4Qj1dXE5tGs4BjGPUgjigvG2n6y1S4,6993
django/contrib/admin/locale/ur/LC_MESSAGES/django.mo,sha256=HvyjnSeLhUf1JVDy759V_TI7ygZfLaMhLnoCBJxhH_s,13106
django/contrib/admin/locale/ur/LC_MESSAGES/django.po,sha256=BFxxLbHs-UZWEmbvtWJNA7xeuvO9wDc32H2ysKZQvF4,17531
django/contrib/admin/locale/ur/LC_MESSAGES/djangojs.mo,sha256=eYN9Q9KKTV2W0UuqRc-gg7y42yFAvJP8avMeZM-W7mw,2678
django/contrib/admin/locale/ur/LC_MESSAGES/djangojs.po,sha256=Nj-6L6axLrqA0RHUQbidNAT33sXYfVdGcX4egVua-Pk,4646
django/contrib/admin/locale/uz/LC_MESSAGES/django.mo,sha256=bWJujZSbu9Q4u2hcVJAkHDQCjx8Uo_Bj5gcU3CbkeLw,4610
django/contrib/admin/locale/uz/LC_MESSAGES/django.po,sha256=3fxRPvC5_1md4LrntCTLUXVINdrHxgHOav04xabwYUg,13107
django/contrib/admin/locale/uz/LC_MESSAGES/djangojs.mo,sha256=LpuFvNKqNRCCiV5VyRnJoZ8gY3Xieb05YV9KakNU7o8,3783
django/contrib/admin/locale/uz/LC_MESSAGES/djangojs.po,sha256=joswozR3I1ijRapf50FZMzQQhI_aU2XiiSTLeSxkL64,5235
django/contrib/admin/locale/vi/LC_MESSAGES/django.mo,sha256=coCDRhju7xVvdSaounXO5cMqCmLWICZPJth6JI3Si2c,18077
django/contrib/admin/locale/vi/LC_MESSAGES/django.po,sha256=Q1etVmaAb1f79f4uVjbNjPkn-_3m2Spz1buNAV3y9lk,19543
django/contrib/admin/locale/vi/LC_MESSAGES/djangojs.mo,sha256=45E-fCQkq-BRLzRzsGkw1-AvWlvjL1rdsRFqfsvAq98,5302
django/contrib/admin/locale/vi/LC_MESSAGES/djangojs.po,sha256=k87QvFnt8psnwMXXrFO6TyH6xCyXIDd_rlnWDfl2FAA,5958
django/contrib/admin/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=M5tbcSAPA_H-5fJE11DMXeQh9A_C_Vs30Hd6N5p_XGw,16512
django/contrib/admin/locale/zh_Hans/LC_MESSAGES/django.po,sha256=wafZUy6i5YCmk1-BUPQGZf-32XCV64oB-QLpOpcdV8w,18591
django/contrib/admin/locale/zh_Hans/LC_MESSAGES/djangojs.mo,sha256=4Ot7WJ7AbWOv43eLteU5f_Jh9jzjT3fWM2IsrJmjxqE,4972
django/contrib/admin/locale/zh_Hans/LC_MESSAGES/djangojs.po,sha256=NPiunOoL7GXwaXd9hCwIKEMm25Xj6d8M4lMV9nk5Cy4,6128
django/contrib/admin/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=kEKX-cQPRFCNkiqNs1BnyzEvJQF-EzA814ASnYPFMsw,15152
django/contrib/admin/locale/zh_Hant/LC_MESSAGES/django.po,sha256=iH3w7Xt_MelkZefKi8F0yAWN6QGdQCJBz8VaFY4maUg,16531
django/contrib/admin/locale/zh_Hant/LC_MESSAGES/djangojs.mo,sha256=yFwS8aTJUAG5lN4tYLCxx-FLfTsiOxXrCEhlIA-9vcs,4230
django/contrib/admin/locale/zh_Hant/LC_MESSAGES/djangojs.po,sha256=C4Yk5yuYcmaovVs_CS8YFYY2iS4RGi0oNaUpTm7akeU,4724
django/contrib/admin/migrations/0001_initial.py,sha256=9HFpidmBW2Ix8NcpF1SDXgCMloGER_5XmEu_iYWIMzU,2507
django/contrib/admin/migrations/0002_logentry_remove_auto_add.py,sha256=LBJ-ZZoiNu3qDtV-zNOHhq6E42V5CoC5a3WMYX9QvkM,553
django/contrib/admin/migrations/0003_logentry_add_action_flag_choices.py,sha256=AnAKgnGQcg5cQXSVo5UHG2uqKKNOdLyPkIJK-q_AGEE,538
django/contrib/admin/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/admin/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/admin/migrations/__pycache__/0002_logentry_remove_auto_add.cpython-311.pyc,,
django/contrib/admin/migrations/__pycache__/0003_logentry_add_action_flag_choices.cpython-311.pyc,,
django/contrib/admin/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admin/models.py,sha256=y-2sytJ1V-KnhKqUz8KfQho_wzxNbNhXQ38VG41Kb08,6501
django/contrib/admin/options.py,sha256=bsbxf2O11Z5smAkeLQRZ11I00S7jrfqDQ6fEjl7AkPk,98119
django/contrib/admin/sites.py,sha256=5mIXxP2lKUuUa6bbruu-FW16pjYmbNJOu2ivg48XC0c,22473
django/contrib/admin/static/admin/css/autocomplete.css,sha256=6-fcQdqClpGf8EpH1NxgS8YL-diGXc8CFq3Sw2I9K8k,9114
django/contrib/admin/static/admin/css/base.css,sha256=pE3zInXx6VX5zYrRRHPRR8ESJzgDBfkZXngybu45lD0,21207
django/contrib/admin/static/admin/css/changelists.css,sha256=IcOQS_5mJ7AhMBlBuzw0aWo9vO9GK35WXL56jiMncBg,6584
django/contrib/admin/static/admin/css/dark_mode.css,sha256=A0nHppPPMFLYdu6CziH7hSk-KiY1iKAEGPys_bGmF9c,2929
django/contrib/admin/static/admin/css/dashboard.css,sha256=iCz7Kkr5Ld3Hyjx_O1r_XfZ2LcpxOpVjcDZS1wbqHWs,441
django/contrib/admin/static/admin/css/forms.css,sha256=cFdHHQFwLfk3H9Zuzu9FOjn6xcd8OiN21FrmLa9HDIc,8953
django/contrib/admin/static/admin/css/login.css,sha256=BdAkR--cxd5HZXDNPInv2Qgs_c305sPbPCctkUkAmDU,958
django/contrib/admin/static/admin/css/nav_sidebar.css,sha256=hy3d_W9YEVYaASNgYrxZvFX5Vb7MSGwA0-aj_FnLBjw,2694
django/contrib/admin/static/admin/css/responsive.css,sha256=JGuh-3YwQElXVeT6UEIqmuafo0-3hwgni3ENMrT6msQ,18533
django/contrib/admin/static/admin/css/responsive_rtl.css,sha256=6PPofwWZra-AF3gEQGRfnikfE26MqA-8z4nYm_bfTa4,1785
django/contrib/admin/static/admin/css/rtl.css,sha256=SaXpHNbiHD4TGgrVOMZcGXwn3aPzFT7SF_k8_b67sWA,4694
django/contrib/admin/static/admin/css/vendor/select2/LICENSE-SELECT2.md,sha256=TuDLxRNwr941hlKg-XeXIFNyntV4tqQvXioDfRFPCzk,1124
django/contrib/admin/static/admin/css/vendor/select2/select2.css,sha256=kalgQ55Pfy9YBkT-4yYYd5N8Iobe-iWeBuzP7LjVO0o,17358
django/contrib/admin/static/admin/css/vendor/select2/select2.min.css,sha256=FdatTf20PQr_rWg-cAKfl6j4_IY3oohFAJ7gVC3M34E,14966
django/contrib/admin/static/admin/css/widgets.css,sha256=hGFEjQmbjWM4EkGfEwpVOqjmDPxvbXQLfq2aqt9QqNU,11900
django/contrib/admin/static/admin/img/LICENSE,sha256=0RT6_zSIwWwxmzI13EH5AjnT1j2YU3MwM9j3U19cAAQ,1081
django/contrib/admin/static/admin/img/README.txt,sha256=XqN5MlT1SIi6sdnYnKJrOiJ6h9lTIejT7nLSY-Y74pk,319
django/contrib/admin/static/admin/img/calendar-icons.svg,sha256=gbMu26nfxZphlqKFcVOXpcv5zhv5x_Qm_P4ba0Ze84I,1094
django/contrib/admin/static/admin/img/gis/move_vertex_off.svg,sha256=ou-ppUNyy5QZCKFYlcrzGBwEEiTDX5mmJvM8rpwC5DM,1129
django/contrib/admin/static/admin/img/gis/move_vertex_on.svg,sha256=DgmcezWDms_3VhgqgYUGn-RGFHyScBP0MeX8PwHy_nE,1129
django/contrib/admin/static/admin/img/icon-addlink.svg,sha256=kBtPJJ3qeQPWeNftvprZiR51NYaZ2n_ZwJatY9-Zx1Q,331
django/contrib/admin/static/admin/img/icon-alert.svg,sha256=aXtd9PA66tccls-TJfyECQrmdWrj8ROWKC0tJKa7twA,504
django/contrib/admin/static/admin/img/icon-calendar.svg,sha256=_bcF7a_R94UpOfLf-R0plVobNUeeTto9UMiUIHBcSHY,1086
django/contrib/admin/static/admin/img/icon-changelink.svg,sha256=clM2ew94bwVa2xQ6bvfKx8xLtk0i-u5AybNlyP8k-UM,380
django/contrib/admin/static/admin/img/icon-clock.svg,sha256=k55Yv6R6-TyS8hlL3Kye0IMNihgORFjoJjHY21vtpEA,677
django/contrib/admin/static/admin/img/icon-deletelink.svg,sha256=06XOHo5y59UfNBtO8jMBHQqmXt8UmohlSMloUuZ6d0A,392
django/contrib/admin/static/admin/img/icon-no.svg,sha256=QqBaTrrp3KhYJxLYB5E-0cn_s4A_Y8PImYdWjfQSM-c,560
django/contrib/admin/static/admin/img/icon-unknown-alt.svg,sha256=LyL9oJtR0U49kGHYKMxmmm1vAw3qsfXR7uzZH76sZ_g,655
django/contrib/admin/static/admin/img/icon-unknown.svg,sha256=ePcXlyi7cob_IcJOpZ66uiymyFgMPHl8p9iEn_eE3fc,655
django/contrib/admin/static/admin/img/icon-viewlink.svg,sha256=NL7fcy7mQOQ91sRzxoVRLfzWzXBRU59cFANOrGOwWM0,581
django/contrib/admin/static/admin/img/icon-yes.svg,sha256=_H4JqLywJ-NxoPLqSqk9aGJcxEdZwtSFua1TuI9kIcM,436
django/contrib/admin/static/admin/img/inline-delete.svg,sha256=Ni1z8eDYBOveVDqtoaGyEMWG5Mdnt9dniiuBWTlnr5Y,560
django/contrib/admin/static/admin/img/search.svg,sha256=HgvLPNT7FfgYvmbt1Al1yhXgmzYHzMg8BuDLnU9qpMU,458
django/contrib/admin/static/admin/img/selector-icons.svg,sha256=0RJyrulJ_UR9aYP7Wbvs5jYayBVhLoXR26zawNMZ0JQ,3291
django/contrib/admin/static/admin/img/sorting-icons.svg,sha256=cCvcp4i3MAr-mo8LE_h8ZRu3LD7Ma9BtpK-p24O3lVA,1097
django/contrib/admin/static/admin/img/tooltag-add.svg,sha256=fTZCouGMJC6Qq2xlqw_h9fFodVtLmDMrpmZacGVJYZQ,331
django/contrib/admin/static/admin/img/tooltag-arrowright.svg,sha256=GIAqy_4Oor9cDMNC2fSaEGh-3gqScvqREaULnix3wHc,280
django/contrib/admin/static/admin/js/SelectBox.js,sha256=b42sGVqaCDqlr0ibFiZus9FbrUweRcKD_y61HDAdQuc,4530
django/contrib/admin/static/admin/js/SelectFilter2.js,sha256=Cd8WYWj7o1tM_2wduXAh5JAtrmdnGr-Viv1wOE2LKYQ,15292
django/contrib/admin/static/admin/js/actions.js,sha256=90nO6o7754a2w8bNZOrS7EoEoh_MZEnIOJzJji1zTl8,7872
django/contrib/admin/static/admin/js/admin/DateTimeShortcuts.js,sha256=ryJhtM9SN0fMdfnhV_m2Hv2pc6a9B0Zpc37ocZ82_-0,19319
django/contrib/admin/static/admin/js/admin/RelatedObjectLookups.js,sha256=cj5TC29y-BkajwaDHejWZvHd_BHDAKJrmmMMtCSp6xI,8943
django/contrib/admin/static/admin/js/autocomplete.js,sha256=OAqSTiHZnTWZzJKEvOm-Z1tdAlLjPWX9jKpYkmH0Ozo,1060
django/contrib/admin/static/admin/js/calendar.js,sha256=vsYjQ4Nv6LPpqMVMhko8mnsv6U5EXkk5hOHhmkC5m7g,8466
django/contrib/admin/static/admin/js/cancel.js,sha256=UEZdvvWu5s4ZH16lFfxa8UPgWXJ3i8VseK5Lcw2Kreg,884
django/contrib/admin/static/admin/js/change_form.js,sha256=zOTeORCq1i9XXV_saSBBDOXbou5UtZvxYFpVPqxQ02Q,606
django/contrib/admin/static/admin/js/collapse.js,sha256=UONBUueHwsm5SMlG0Ufp4mlqdgu7UGimU6psKzpxbuE,1803
django/contrib/admin/static/admin/js/core.js,sha256=Y3tmCPjfUwvDPdoAcO1GgpRq33mij8260KPYC1JOUeU,5682
django/contrib/admin/static/admin/js/filters.js,sha256=T-JlrqZEBSWbiFw_e5lxkMykkACWqWXd_wMy-b3TnaE,978
django/contrib/admin/static/admin/js/inlines.js,sha256=yWB-KSw_aZmVZpIitKde7imygAa36LBdqoBfB7lTvJQ,15526
django/contrib/admin/static/admin/js/jquery.init.js,sha256=uM_Kf7EOBMipcCmuQHbyubQkycleSWDCS8-c3WevFW0,347
django/contrib/admin/static/admin/js/nav_sidebar.js,sha256=1xzV95R3GaqQ953sVmkLIuZJrzFNoDJMHBqwQePp6-Q,3063
django/contrib/admin/static/admin/js/popup_response.js,sha256=H4ppG14jfrxB1XF5xZp5SS8PapYuYou5H7uwYjHd7eI,551
django/contrib/admin/static/admin/js/prepopulate.js,sha256=UYkWrHNK1-OWp1a5IWZdg0udfo_dcR-jKSn5AlxxqgU,1531
django/contrib/admin/static/admin/js/prepopulate_init.js,sha256=mJIPAgn8QHji_rSqO6WKNREbpkCILFrjRCCOQ1-9SoQ,586
django/contrib/admin/static/admin/js/theme.js,sha256=zBii0JEYGHwG3PiyCjgLmJ3vSSUewb7SlPKzBoI7hQY,1943
django/contrib/admin/static/admin/js/urlify.js,sha256=8oC4Bcxt8oJY4uy9O4NjPws5lXzDkdfwI2Xo3MxpBTo,7887
django/contrib/admin/static/admin/js/vendor/jquery/LICENSE.txt,sha256=1Nuevm8p9RaOrEWtcT8FViOsXQ3NW6ktoj1lCuASAg0,1097
django/contrib/admin/static/admin/js/vendor/jquery/jquery.js,sha256=a9jBBRygX1Bh5lt8GZjXDzyOB-bWve9EiO7tROUtj_E,292458
django/contrib/admin/static/admin/js/vendor/jquery/jquery.min.js,sha256=oP6HI9z1XaZNBrJURtCoUT5SUnxFr8s3BzRl-cbzUq8,89795
django/contrib/admin/static/admin/js/vendor/select2/LICENSE.md,sha256=TuDLxRNwr941hlKg-XeXIFNyntV4tqQvXioDfRFPCzk,1124
django/contrib/admin/static/admin/js/vendor/select2/i18n/af.js,sha256=IpI3uo19fo77jMtN5R3peoP0OriN-nQfPY2J4fufd8g,866
django/contrib/admin/static/admin/js/vendor/select2/i18n/ar.js,sha256=zxQ3peSnbVIfrH1Ndjx4DrHDsmbpqu6mfeylVWFM5mY,905
django/contrib/admin/static/admin/js/vendor/select2/i18n/az.js,sha256=N_KU7ftojf2HgvJRlpP8KqG6hKIbqigYN3K0YH_ctuQ,721
django/contrib/admin/static/admin/js/vendor/select2/i18n/bg.js,sha256=5Z6IlHmuk_6IdZdAVvdigXnlj7IOaKXtcjuI0n0FmYQ,968
django/contrib/admin/static/admin/js/vendor/select2/i18n/bn.js,sha256=wdQbgaxZ47TyGlwvso7GOjpmTXUKaWzvVUr_oCRemEE,1291
django/contrib/admin/static/admin/js/vendor/select2/i18n/bs.js,sha256=g56kWSu9Rxyh_rarLSDa_8nrdqL51JqZai4QQx20jwQ,965
django/contrib/admin/static/admin/js/vendor/select2/i18n/ca.js,sha256=DSyyAXJUI0wTp_TbFhLNGrgvgRsGWeV3IafxYUGBggM,900
django/contrib/admin/static/admin/js/vendor/select2/i18n/cs.js,sha256=t_8OWVi6Yy29Kabqs_l1sM2SSrjUAgZTwbTX_m0MCL8,1292
django/contrib/admin/static/admin/js/vendor/select2/i18n/da.js,sha256=tF2mvzFYSWYOU3Yktl3G93pCkf-V9gonCxk7hcA5J1o,828
django/contrib/admin/static/admin/js/vendor/select2/i18n/de.js,sha256=5bspfcihMp8yXDwfcqvC_nV3QTbtBuQDmR3c7UPQtFw,866
django/contrib/admin/static/admin/js/vendor/select2/i18n/dsb.js,sha256=KtP2xNoP75oWnobUrS7Ep_BOFPzcMNDt0wyPnkbIF_Q,1017
django/contrib/admin/static/admin/js/vendor/select2/i18n/el.js,sha256=IdvD8eY_KpX9fdHvld3OMvQfYsnaoJjDeVkgbIemfn8,1182
django/contrib/admin/static/admin/js/vendor/select2/i18n/en.js,sha256=C66AO-KOXNuXEWwhwfjYBFa3gGcIzsPFHQAZ9qSh3Go,844
django/contrib/admin/static/admin/js/vendor/select2/i18n/es.js,sha256=IhZaIy8ufTduO2-vBrivswMCjlPk7vrk4P81pD6B0SM,922
django/contrib/admin/static/admin/js/vendor/select2/i18n/et.js,sha256=LgLgdOkKjc63svxP1Ua7A0ze1L6Wrv0X6np-8iRD5zw,801
django/contrib/admin/static/admin/js/vendor/select2/i18n/eu.js,sha256=rLmtP7bA_atkNIj81l_riTM7fi5CXxVrFBHFyddO-Hw,868
django/contrib/admin/static/admin/js/vendor/select2/i18n/fa.js,sha256=fqZkE9e8tt2rZ7OrDGPiOsTNdj3S2r0CjbddVUBDeMA,1023
django/contrib/admin/static/admin/js/vendor/select2/i18n/fi.js,sha256=KVGirhGGNee_iIpMGLX5EzH_UkNe-FOPC_0484G-QQ0,803
django/contrib/admin/static/admin/js/vendor/select2/i18n/fr.js,sha256=aj0q2rdJN47BRBc9LqvsgxkuPOcWAbZsUFUlbguwdY0,924
django/contrib/admin/static/admin/js/vendor/select2/i18n/gl.js,sha256=HSJafI85yKp4WzjFPT5_3eZ_-XQDYPzzf4BWmu6uXHk,924
django/contrib/admin/static/admin/js/vendor/select2/i18n/he.js,sha256=DIPRKHw0NkDuUtLNGdTnYZcoCiN3ustHY-UMmw34V_s,984
django/contrib/admin/static/admin/js/vendor/select2/i18n/hi.js,sha256=m6ZqiKZ_jzwzVFgC8vkYiwy4lH5fJEMV-LTPVO2Wu40,1175
django/contrib/admin/static/admin/js/vendor/select2/i18n/hr.js,sha256=NclTlDTiNFX1y0W1Llj10-ZIoXUYd7vDXqyeUJ7v3B4,852
django/contrib/admin/static/admin/js/vendor/select2/i18n/hsb.js,sha256=FTLszcrGaelTW66WV50u_rS6HV0SZxQ6Vhpi2tngC6M,1018
django/contrib/admin/static/admin/js/vendor/select2/i18n/hu.js,sha256=3PdUk0SpHY-H-h62womw4AyyRMujlGc6_oxW-L1WyOs,831
django/contrib/admin/static/admin/js/vendor/select2/i18n/hy.js,sha256=BLh0fntrwtwNwlQoiwLkdQOVyNXHdmRpL28p-W5FsDg,1028
django/contrib/admin/static/admin/js/vendor/select2/i18n/id.js,sha256=fGJ--Aw70Ppzk3EgLjF1V_QvqD2q_ufXjnQIIyZqYgc,768
django/contrib/admin/static/admin/js/vendor/select2/i18n/is.js,sha256=gn0ddIqTnJX4wk-tWC5gFORJs1dkgIH9MOwLljBuQK0,807
django/contrib/admin/static/admin/js/vendor/select2/i18n/it.js,sha256=kGxtapwhRFj3u_IhY_7zWZhKgR5CrZmmasT5w-aoXRM,897
django/contrib/admin/static/admin/js/vendor/select2/i18n/ja.js,sha256=tZ4sqdx_SEcJbiW5-coHDV8FVmElJRA3Z822EFHkjLM,862
django/contrib/admin/static/admin/js/vendor/select2/i18n/ka.js,sha256=DH6VrnVdR8SX6kso2tzqnJqs32uCpBNyvP9Kxs3ssjI,1195
django/contrib/admin/static/admin/js/vendor/select2/i18n/km.js,sha256=x9hyjennc1i0oeYrFUHQnYHakXpv7WD7MSF-c9AaTjg,1088
django/contrib/admin/static/admin/js/vendor/select2/i18n/ko.js,sha256=ImmB9v7g2ZKEmPFUQeXrL723VEjbiEW3YelxeqHEgHc,855
django/contrib/admin/static/admin/js/vendor/select2/i18n/lt.js,sha256=ZT-45ibVwdWnTyo-TqsqW2NjIp9zw4xs5So78KMb_s8,944
django/contrib/admin/static/admin/js/vendor/select2/i18n/lv.js,sha256=hHpEK4eYSoJj_fvA2wl8QSuJluNxh-Tvp6UZm-ZYaeE,900
django/contrib/admin/static/admin/js/vendor/select2/i18n/mk.js,sha256=PSpxrnBpL4SSs9Tb0qdWD7umUIyIoR2V1fpqRQvCXcA,1038
django/contrib/admin/static/admin/js/vendor/select2/i18n/ms.js,sha256=NCz4RntkJZf8YDDC1TFBvK-nkn-D-cGNy7wohqqaQD4,811
django/contrib/admin/static/admin/js/vendor/select2/i18n/nb.js,sha256=eduKCG76J3iIPrUekCDCq741rnG4xD7TU3E7Lib7sPE,778
django/contrib/admin/static/admin/js/vendor/select2/i18n/ne.js,sha256=QQjDPQE6GDKXS5cxq2JRjk3MGDvjg3Izex71Zhonbj8,1357
django/contrib/admin/static/admin/js/vendor/select2/i18n/nl.js,sha256=JctLfTpLQ5UFXtyAmgbCvSPUtW0fy1mE7oNYcMI90bI,904
django/contrib/admin/static/admin/js/vendor/select2/i18n/pl.js,sha256=6gEuKYnJdf8cbPERsw-mtdcgdByUJuLf1QUH0aSajMo,947
django/contrib/admin/static/admin/js/vendor/select2/i18n/ps.js,sha256=4J4sZtSavxr1vZdxmnub2J0H0qr1S8WnNsTehfdfq4M,1049
django/contrib/admin/static/admin/js/vendor/select2/i18n/pt-BR.js,sha256=0DFe1Hu9fEDSXgpjPOQrA6Eq0rGb15NRbsGh1U4vEr0,876
django/contrib/admin/static/admin/js/vendor/select2/i18n/pt.js,sha256=L5jqz8zc5BF8ukrhpI2vvGrNR34X7482dckX-IUuUpA,878
django/contrib/admin/static/admin/js/vendor/select2/i18n/ro.js,sha256=Aadb6LV0u2L2mCOgyX2cYZ6xI5sDT9OI3V7HwuueivM,938
django/contrib/admin/static/admin/js/vendor/select2/i18n/ru.js,sha256=bV6emVCE9lY0LzbVN87WKAAAFLUT3kKqEzn641pJ29o,1171
django/contrib/admin/static/admin/js/vendor/select2/i18n/sk.js,sha256=MnbUcP6pInuBzTW_L_wmXY8gPLGCOcKyzQHthFkImZo,1306
django/contrib/admin/static/admin/js/vendor/select2/i18n/sl.js,sha256=LPIKwp9gp_WcUc4UaVt_cySlNL5_lmfZlt0bgtwnkFk,925
django/contrib/admin/static/admin/js/vendor/select2/i18n/sq.js,sha256=oIxJLYLtK0vG2g3s5jsGLn4lHuDgSodxYAWL0ByHRHo,903
django/contrib/admin/static/admin/js/vendor/select2/i18n/sr-Cyrl.js,sha256=BoT2KdiceZGgxhESRz3W2J_7CFYqWyZyov2YktUo_2w,1109
django/contrib/admin/static/admin/js/vendor/select2/i18n/sr.js,sha256=7EELYXwb0tISsuvL6eorxzTviMK-oedSvZvEZCMloGU,980
django/contrib/admin/static/admin/js/vendor/select2/i18n/sv.js,sha256=c6nqUmitKs4_6AlYDviCe6HqLyOHqot2IrvJRGjj1JE,786
django/contrib/admin/static/admin/js/vendor/select2/i18n/th.js,sha256=saDPLk-2dq5ftKCvW1wddkJOg-mXA-GUoPPVOlSZrIY,1074
django/contrib/admin/static/admin/js/vendor/select2/i18n/tk.js,sha256=mUEGlb-9nQHvzcTYI-1kjsB7JsPRGpLxWbjrJ8URthU,771
django/contrib/admin/static/admin/js/vendor/select2/i18n/tr.js,sha256=dDz8iSp07vbx9gciIqz56wmc2TLHj5v8o6es75vzmZU,775
django/contrib/admin/static/admin/js/vendor/select2/i18n/uk.js,sha256=MixhFDvdRda-wj-TjrN018s7R7E34aQhRjz4baxrdKw,1156
django/contrib/admin/static/admin/js/vendor/select2/i18n/vi.js,sha256=mwTeySsUAgqu_IA6hvFzMyhcSIM1zGhNYKq8G7X_tpM,796
django/contrib/admin/static/admin/js/vendor/select2/i18n/zh-CN.js,sha256=olAdvPQ5qsN9IZuxAKgDVQM-blexUnWTDTXUtiorygI,768
django/contrib/admin/static/admin/js/vendor/select2/i18n/zh-TW.js,sha256=DnDBG9ywBOfxVb2VXg71xBR_tECPAxw7QLhZOXiJ4fo,707
django/contrib/admin/static/admin/js/vendor/select2/select2.full.js,sha256=ugZkER5OAEGzCwwb_4MvhBKE5Gvmc0S59MKn-dooZaI,173566
django/contrib/admin/static/admin/js/vendor/select2/select2.full.min.js,sha256=XG_auAy4aieWldzMImofrFDiySK-pwJC7aoo9St7rS0,79212
django/contrib/admin/static/admin/js/vendor/xregexp/LICENSE.txt,sha256=xnYLh4GL4QG4S1G_JWwF_AR18rY9KmrwD3kxq7PTZNw,1103
django/contrib/admin/static/admin/js/vendor/xregexp/xregexp.js,sha256=rtvcVZex5zUbQQpBDEwPXetC28nAEksnAblw2Flt9tA,232381
django/contrib/admin/static/admin/js/vendor/xregexp/xregexp.min.js,sha256=e2iDfG6V1sfGUB92i5yNqQamsMCc8An0SFzoo3vbylg,125266
django/contrib/admin/templates/admin/404.html,sha256=zyawWu1I9IxDGBRsks6-DgtLUGDDYOKHfj9YQqPl0AA,282
django/contrib/admin/templates/admin/500.html,sha256=rZNmFXr9POnc9TdZwD06qkY8h2W5K05vCyssrIzbZGE,551
django/contrib/admin/templates/admin/actions.html,sha256=B2s3wWt4g_uhd7CZdmXp4ZGZlMfh6K9RAH4Bv6Ud9nQ,1235
django/contrib/admin/templates/admin/app_index.html,sha256=7NPb0bdLKOdja7FoIERyRZRYK-ldX3PcxMoydguWfzc,493
django/contrib/admin/templates/admin/app_list.html,sha256=ihZHIZLWNwtvmeDnsdXAVEo_mHNiM6X4CHA7y0I9YdA,1716
django/contrib/admin/templates/admin/auth/user/add_form.html,sha256=5DL3UbNWW2rTvWrpMsxy5XcVNT6_uYv8DjDZZksiVKQ,320
django/contrib/admin/templates/admin/auth/user/change_password.html,sha256=_sQMWSCS3oda_LfYfbyW1P7rpBk_TzgXMtbXXLfwRUQ,2515
django/contrib/admin/templates/admin/base.html,sha256=-WP308L7iDhmeX8B2O4iqWGs85Uh7FYyQaqtyoQ2SlM,6110
django/contrib/admin/templates/admin/base_site.html,sha256=bzQFd1IobilKqzFxhdGi4Ao5ScS9H6xSny_RyUw2-hE,448
django/contrib/admin/templates/admin/change_form.html,sha256=_FF9GbP-uuzKDdrgjKh_qvRNyv3BBf81c_ddH7AUGEI,3019
django/contrib/admin/templates/admin/change_form_object_tools.html,sha256=C0l0BJF2HuSjIvtY-Yr-ByZ9dePFRrTc-MR-OVJD-AI,403
django/contrib/admin/templates/admin/change_list.html,sha256=O3Txt4wGY7mCrz_zgQSJD-FR4FFA9yUh-kgIzgJnygk,3290
django/contrib/admin/templates/admin/change_list_object_tools.html,sha256=-AX0bYTxDsdLtEpAEK3RFpY89tdvVChMAWPYBLqPn48,378
django/contrib/admin/templates/admin/change_list_results.html,sha256=yOpb1o-L5Ys9GiRA_nCXoFhIzREDVXLBuYzZk1xrx1w,1502
django/contrib/admin/templates/admin/color_theme_toggle.html,sha256=owh9iJVw55HfqHEEaKUpeCxEIB4db8qFALv4fsbG0fI,697
django/contrib/admin/templates/admin/date_hierarchy.html,sha256=Hug06L1uQzPQ-NAeixTtKRtDu2lAWh96o6f8ElnyU0c,453
django/contrib/admin/templates/admin/delete_confirmation.html,sha256=3eMxQPSITd7Mae22TALXtCvJR4YMwfzNG_iAtuyF0PI,2539
django/contrib/admin/templates/admin/delete_selected_confirmation.html,sha256=5yyaNqfiK1evhJ7px7gmMqjFwYrrMaKNDvQJ3-Lu4mo,2241
django/contrib/admin/templates/admin/edit_inline/stacked.html,sha256=o717YOSXLWSvR-Oug7jH5uyqwjZFr9Bkuy9cC0Kx8gs,2580
django/contrib/admin/templates/admin/edit_inline/tabular.html,sha256=DRI0asniH-EAilQH5rXQ0k-FcEYX5CHpQduhuMLOREI,4086
django/contrib/admin/templates/admin/filter.html,sha256=cvjazGEln3BL_0iyz8Kcsend5WhT9y-gXKRN2kHqejU,395
django/contrib/admin/templates/admin/includes/fieldset.html,sha256=-cuBaE0YHvMnrjkah4ZYt54sfmKTiyn3q8tQnjrAeCc,2200
django/contrib/admin/templates/admin/includes/object_delete_summary.html,sha256=OC7VhKQiczmi01Gt_3jyemelerSNrGyDiWghUK6xKEI,192
django/contrib/admin/templates/admin/index.html,sha256=6f59gm9sIIoI6yW5a23USqCE609i0DXF7W8-xie26jI,1849
django/contrib/admin/templates/admin/invalid_setup.html,sha256=F5FS3o7S3l4idPrX29OKlM_azYmCRKzFdYjV_jpTqhE,447
django/contrib/admin/templates/admin/login.html,sha256=ShZFbs_ITw6YoOBI_L6B-zekHJqjlR14h8WHIo-g5Ro,1899
django/contrib/admin/templates/admin/nav_sidebar.html,sha256=OfI8XJn3_Q_Wf2ymc1IH61eTGZNMFwkkGwXXTDqeuP8,486
django/contrib/admin/templates/admin/object_history.html,sha256=5e6ki7C94YKBoFyCvDOfqt4YzCyhNmNMy8NM4aKqiHc,2136
django/contrib/admin/templates/admin/pagination.html,sha256=OBvC2HWFaH3wIuk6gzKSyCli51NTaW8vnJFyBOpNo_8,549
django/contrib/admin/templates/admin/popup_response.html,sha256=Lj8dfQrg1XWdA-52uNtWJ9hwBI98Wt2spSMkO4YBjEk,327
django/contrib/admin/templates/admin/prepopulated_fields_js.html,sha256=PShGpqQWBBVwQ86r7b-SimwJS0mxNiz8AObaiDOSfvY,209
django/contrib/admin/templates/admin/search_form.html,sha256=X2IUueR-Qys1Sjy-5gSr41z1EjA2NKmIGINS9kEDdzQ,1257
django/contrib/admin/templates/admin/submit_line.html,sha256=yI7XWZCjvY5JtDAvbzx8hpXZi4vRYWx0mty7Zt5uWjY,1093
django/contrib/admin/templates/admin/widgets/clearable_file_input.html,sha256=NWjHNdkTZMAxU5HWXrOQCReeAO5A6PXBDRWO8S9gSGI,618
django/contrib/admin/templates/admin/widgets/foreign_key_raw_id.html,sha256=s5BiNQDbL9GcEVzYMwPfoYRFdnMiSeoyLKvyAzMqGnw,339
django/contrib/admin/templates/admin/widgets/many_to_many_raw_id.html,sha256=w18JMKnPKrw6QyqIXBcdPs3YJlTRtHK5HGxj0lVkMlY,54
django/contrib/admin/templates/admin/widgets/radio.html,sha256=-ob26uqmvrEUMZPQq6kAqK4KBk2YZHTCWWCM6BnaL0w,57
django/contrib/admin/templates/admin/widgets/related_widget_wrapper.html,sha256=yBjMl7QILpaIigtdrIhodKPVEWOyykjt1mrVierljI0,2096
django/contrib/admin/templates/admin/widgets/split_datetime.html,sha256=BQ9XNv3eqtvNqZZGW38VBM2Nan-5PBxokbo2Fm_wwCQ,238
django/contrib/admin/templates/admin/widgets/url.html,sha256=Tf7PwdoKAiimfmDTVbWzRVxxUeyfhF0OlsuiOZ1tHgI,218
django/contrib/admin/templates/registration/logged_out.html,sha256=PuviqzJh7C6SZJl9yKZXDcxxqXNCTDVfRuEpqvwJiPE,425
django/contrib/admin/templates/registration/password_change_done.html,sha256=Ukca5IPY_VhtO3wfu9jABgY7SsbB3iIGp2KCSJqihlQ,745
django/contrib/admin/templates/registration/password_change_form.html,sha256=vOyAdwDe7ajx0iFQR-dbWK7Q3bo6NVejWEFIoNlRYbQ,2428
django/contrib/admin/templates/registration/password_reset_complete.html,sha256=_fc5bDeYBaI5fCUJZ0ZFpmOE2CUqlbk3npGk63uc_Ks,417
django/contrib/admin/templates/registration/password_reset_confirm.html,sha256=liNee4VBImIVbKqG4llm597x925Eo2m746VnjoFe06s,1366
django/contrib/admin/templates/registration/password_reset_done.html,sha256=SQsksjWN8vPLpvtFYPBFMMqZtLeiB4nesPq2VxpB3Y8,588
django/contrib/admin/templates/registration/password_reset_email.html,sha256=rqaoGa900-rsUasaGYP2W9nBd6KOGZTyc1PsGTFozHo,612
django/contrib/admin/templates/registration/password_reset_form.html,sha256=VkjUrp7hboZAAErAINl42vecYwORxOVG4SOmIJ8RF-E,869
django/contrib/admin/templatetags/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/admin/templatetags/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admin/templatetags/__pycache__/admin_list.cpython-311.pyc,,
django/contrib/admin/templatetags/__pycache__/admin_modify.cpython-311.pyc,,
django/contrib/admin/templatetags/__pycache__/admin_urls.cpython-311.pyc,,
django/contrib/admin/templatetags/__pycache__/base.cpython-311.pyc,,
django/contrib/admin/templatetags/__pycache__/log.cpython-311.pyc,,
django/contrib/admin/templatetags/admin_list.py,sha256=oKnqZgQrUlMIeSDeEKKFVtLyuTzszpFgMfPTV1M2Ggk,18492
django/contrib/admin/templatetags/admin_modify.py,sha256=DGE-YaZB1-bUqvjOwmnWJTrIRiR1qYdY6NyPDj1Hj3U,4978
django/contrib/admin/templatetags/admin_urls.py,sha256=GaDOb10w0kPIPYNvlwEaAIqhKvLKpHQDqYBVpOQhXQU,1926
django/contrib/admin/templatetags/base.py,sha256=SyI_Dwh5OvtdP0DaPNehpvjgZknlJmrucck5tF3eUHY,1474
django/contrib/admin/templatetags/log.py,sha256=3MT5WKsac8S5H1J2kkM-gasYc9faF91b95TEt3y8E-k,2167
django/contrib/admin/tests.py,sha256=jItB0bAMHtTkDmsPXmg8UZue09a5zGV_Ws2hYH_bL80,8524
django/contrib/admin/utils.py,sha256=NuzszBwAwORX4MrJLwQnzdfE2zuViSYx51jE0K8A5GY,20469
django/contrib/admin/views/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/admin/views/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admin/views/__pycache__/autocomplete.cpython-311.pyc,,
django/contrib/admin/views/__pycache__/decorators.cpython-311.pyc,,
django/contrib/admin/views/__pycache__/main.cpython-311.pyc,,
django/contrib/admin/views/autocomplete.py,sha256=yDp5k-zICP16x-EXY_4ntPX3HewTzcPDLQWQlaHbYEs,4316
django/contrib/admin/views/decorators.py,sha256=4ndYdYoPLhWsdutME0Lxsmcf6UFP5Z2ou3_pMjgNbw8,639
django/contrib/admin/views/main.py,sha256=2y45kvfecNj_NEOWtFKs4BSIQkClE65Fb2Tz1PJTsFc,23813
django/contrib/admin/widgets.py,sha256=sGOKqGZJR3420AsnvLhM75p5olrQtxFVAb7cyvvdxvs,19195
django/contrib/admindocs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/admindocs/__pycache__/__init__.cpython-311.pyc,,
django/contrib/admindocs/__pycache__/apps.cpython-311.pyc,,
django/contrib/admindocs/__pycache__/middleware.cpython-311.pyc,,
django/contrib/admindocs/__pycache__/urls.cpython-311.pyc,,
django/contrib/admindocs/__pycache__/utils.cpython-311.pyc,,
django/contrib/admindocs/__pycache__/views.cpython-311.pyc,,
django/contrib/admindocs/apps.py,sha256=bklhU4oaTSmPdr0QzpVeuNT6iG77QM1AgiKKZDX05t4,216
django/contrib/admindocs/locale/af/LC_MESSAGES/django.mo,sha256=MrncgyILquCzFENxkWfJdzauVt6m3yPnQc1sDR4bCMg,2421
django/contrib/admindocs/locale/af/LC_MESSAGES/django.po,sha256=yHYO9ZMBSGQLiSxd9PLzzNY7GT518wb7M-JAzTjSbw8,5392
django/contrib/admindocs/locale/ar/LC_MESSAGES/django.mo,sha256=MwAJ0TMsgRN4wrwlhlw3gYCfZK5IKDzNPuvjfJS_Eug,7440
django/contrib/admindocs/locale/ar/LC_MESSAGES/django.po,sha256=KSmZCjSEizBx5a6yN_u0FPqG5QoXsTV9gdJkqWC8xC8,8052
django/contrib/admindocs/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=lW-fKcGwnRtdpJLfVw9i1HiM25TctVK0oA0bGV7yAzU,7465
django/contrib/admindocs/locale/ar_DZ/LC_MESSAGES/django.po,sha256=c8LOJTCkHd1objwj6Xqh0wF3LwkLJvWg9FIWSWWMI-I,7985
django/contrib/admindocs/locale/ast/LC_MESSAGES/django.mo,sha256=d4u-2zZXnnueWm9CLSnt4TRWgZk2NMlrA6gaytJ2gdU,715
django/contrib/admindocs/locale/ast/LC_MESSAGES/django.po,sha256=TUkc-Hm4h1kD0NKyndteW97jH6bWcJMFXUuw2Bd62qo,4578
django/contrib/admindocs/locale/az/LC_MESSAGES/django.mo,sha256=oDigGRWoeAjZ4Z2LOrRToycqKjwwV3pjGl1LmedJpwQ,1835
django/contrib/admindocs/locale/az/LC_MESSAGES/django.po,sha256=MUqRjD4VeiTQluNvnpCbGfwdd8Lw_V_lrxeW-k9ytVQ,5100
django/contrib/admindocs/locale/be/LC_MESSAGES/django.mo,sha256=VZl0yvgbo0jwQpf-s472jagbUj83A3twnxddQGwGW5c,8163
django/contrib/admindocs/locale/be/LC_MESSAGES/django.po,sha256=Z8ZtS_t5Tc7iy1p4TTrsKZqiMJl94f1jiTWuv1sep3A,8728
django/contrib/admindocs/locale/bg/LC_MESSAGES/django.mo,sha256=bNNoMFB0_P1qut4txQqHiXGxJa8-sjIZA8bb_jPaaHk,8242
django/contrib/admindocs/locale/bg/LC_MESSAGES/django.po,sha256=nJMwR6R19pXmf4u6jBwe8Xn9fObSaAzulNeqsm8bszo,8989
django/contrib/admindocs/locale/bn/LC_MESSAGES/django.mo,sha256=NOKVcE8id9G1OctSly4C5lm64CgEF8dohX-Pdyt4kCM,3794
django/contrib/admindocs/locale/bn/LC_MESSAGES/django.po,sha256=6M7LjIEjvDTjyraxz70On_TIsgqJPLW7omQ0Fz_zyfQ,6266
django/contrib/admindocs/locale/br/LC_MESSAGES/django.mo,sha256=UsPTado4ZNJM_arSMXyuBGsKN-bCHXQZdFbh0GB3dtg,1571
django/contrib/admindocs/locale/br/LC_MESSAGES/django.po,sha256=SHOxPSgozJbOkm8u5LQJ9VmL58ZSBmlxfOVw1fAGl2s,5139
django/contrib/admindocs/locale/bs/LC_MESSAGES/django.mo,sha256=clvhu0z3IF5Nt0tZ85hOt4M37pnGEWeIYumE20vLpsI,1730
django/contrib/admindocs/locale/bs/LC_MESSAGES/django.po,sha256=1-OrVWFqLpeXQFfh7JNjJtvWjVww7iB2s96dcSgLy90,5042
django/contrib/admindocs/locale/ca/LC_MESSAGES/django.mo,sha256=nI2ctIbZVrsaMbJQGIHQCjwqJNTnH3DKxwI2dWR6G_w,6650
django/contrib/admindocs/locale/ca/LC_MESSAGES/django.po,sha256=hPjkw0bkoUu-yKU8XYE3ji0NG4z5cE1LGonYPJXeze4,7396
django/contrib/admindocs/locale/ckb/LC_MESSAGES/django.mo,sha256=QisqerDkDuKrctJ10CspniXNDqBnCI2Wo-CKZUZtsCY,8154
django/contrib/admindocs/locale/ckb/LC_MESSAGES/django.po,sha256=0adJyGnFg3qoD11s9gZbJlY8O0Dd1mpKF8OLQAkHZHE,8727
django/contrib/admindocs/locale/cs/LC_MESSAGES/django.mo,sha256=dJ-3fDenE42f6XZFc-yrfWL1pEAmSGt2j1eWAyy-5OQ,6619
django/contrib/admindocs/locale/cs/LC_MESSAGES/django.po,sha256=uU4n9PsiI96O0UpJzL-inVzB1Kx7OB_SbLkjrFLuyVA,7227
django/contrib/admindocs/locale/cy/LC_MESSAGES/django.mo,sha256=sYeCCq0CMrFWjT6rKtmFrpC09OEFpYLSI3vu9WtpVTY,5401
django/contrib/admindocs/locale/cy/LC_MESSAGES/django.po,sha256=GhdikiXtx8Aea459uifQtBjHuTlyUeiKu0_rR_mDKyg,6512
django/contrib/admindocs/locale/da/LC_MESSAGES/django.mo,sha256=vmsIZeMIVpLkSdJNS0G6alAmBBEtLDBLnOd-P3dSOAs,6446
django/contrib/admindocs/locale/da/LC_MESSAGES/django.po,sha256=bSoTGPcE7MdRfAtBybZT9jsuww2VDH9t5CssaxSs_GU,7148
django/contrib/admindocs/locale/de/LC_MESSAGES/django.mo,sha256=ReSz0aH1TKT6AtP13lWoONnwNM2OGo4jK9fXJlo75Hc,6567
django/contrib/admindocs/locale/de/LC_MESSAGES/django.po,sha256=tVkDIPF_wYb_KaJ7PF9cZyBJoYu6RpznoM9JIk3RYN4,7180
django/contrib/admindocs/locale/dsb/LC_MESSAGES/django.mo,sha256=K_QuInKk1HrrzQivwJcs_2lc1HreFj7_R7qQh3qMTPY,6807
django/contrib/admindocs/locale/dsb/LC_MESSAGES/django.po,sha256=flF1D0gfTScuC_RddC9njLe6RrnqnksiRxwODVA9Vqw,7332
django/contrib/admindocs/locale/el/LC_MESSAGES/django.mo,sha256=1x0sTZwWbGEURyRaSn4ONvTPXHwm7XemNlcun9Nm1QI,8581
django/contrib/admindocs/locale/el/LC_MESSAGES/django.po,sha256=GebfJfW0QPzAQyBKz1Km9a3saCpAWT7d_Qe2nCBvGn4,9320
django/contrib/admindocs/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/admindocs/locale/en/LC_MESSAGES/django.po,sha256=pEypE71l-Ude2e3XVf0tkBpGx6BSYNqBagWnSYmEbxI,10688
django/contrib/admindocs/locale/en_AU/LC_MESSAGES/django.mo,sha256=BQ54LF9Tx88m-pG_QVz_nm_vqvoy6pVJzL8urSO4l1Q,486
django/contrib/admindocs/locale/en_AU/LC_MESSAGES/django.po,sha256=ho7s1uKEs9FGooyZBurvSjvFz1gDSX6R4G2ZKpF1c9Q,5070
django/contrib/admindocs/locale/en_GB/LC_MESSAGES/django.mo,sha256=xKGbswq1kuWCbn4zCgUQUb58fEGlICIOr00oSdCgtU4,1821
django/contrib/admindocs/locale/en_GB/LC_MESSAGES/django.po,sha256=No09XHkzYVFBgZqo7bPlJk6QD9heE0oaI3JmnrU_p24,4992
django/contrib/admindocs/locale/eo/LC_MESSAGES/django.mo,sha256=114OOVg9hP0H0UU2aQngCm0wE7zEEAp7QFMupOuWCfQ,6071
django/contrib/admindocs/locale/eo/LC_MESSAGES/django.po,sha256=h8P3lmvBaJ8J2xiytReJvI8iGK0gCe-LPK27kWxSNKI,6799
django/contrib/admindocs/locale/es/LC_MESSAGES/django.mo,sha256=wVt9I5M6DGKZFhPhYuS2yKRGVzSROthx98TFiJvJA80,6682
django/contrib/admindocs/locale/es/LC_MESSAGES/django.po,sha256=F72OFWbIZXvopNMzy7eIibNKc5EM0jsYgbN4PobD6tc,7602
django/contrib/admindocs/locale/es_AR/LC_MESSAGES/django.mo,sha256=mZ7OKAmlj2_FOabKsEiWycxiKLSLCPFldponKNxINjs,6658
django/contrib/admindocs/locale/es_AR/LC_MESSAGES/django.po,sha256=deaOq0YMCb1B1PHWYUbgUrQsyXFutn4wQ2BAXiyzugA,7257
django/contrib/admindocs/locale/es_CO/LC_MESSAGES/django.mo,sha256=KFjQyWtSxH_kTdSJ-kNUDAFt3qVZI_3Tlpg2pdkvJfs,6476
django/contrib/admindocs/locale/es_CO/LC_MESSAGES/django.po,sha256=dwrTVjYmueLiVPu2yiJ_fkFF8ZeRntABoVND5H2WIRI,7038
django/contrib/admindocs/locale/es_MX/LC_MESSAGES/django.mo,sha256=3hZiFFVO8J9cC624LUt4lBweqmpgdksRtvt2TLq5Jqs,1853
django/contrib/admindocs/locale/es_MX/LC_MESSAGES/django.po,sha256=gNmx1QTbmyMxP3ftGXGWJH_sVGThiSe_VNKkd7M9jOY,5043
django/contrib/admindocs/locale/es_VE/LC_MESSAGES/django.mo,sha256=sMwJ7t5GqPF496w-PvBYUneZ9uSwmi5jP-sWulhc6BM,6663
django/contrib/admindocs/locale/es_VE/LC_MESSAGES/django.po,sha256=ZOcE0f95Q6uD9SelK6bQlKtS2c3JX9QxNYCihPdlM5o,7201
django/contrib/admindocs/locale/et/LC_MESSAGES/django.mo,sha256=JQHVKehV0sxNaBQRqbsN-Of22CMV70bQ9TUId3QDudY,6381
django/contrib/admindocs/locale/et/LC_MESSAGES/django.po,sha256=qrS3cPEy16hEi1857jvqsmr9zHF9_AkkJUw4mKimg98,7096
django/contrib/admindocs/locale/eu/LC_MESSAGES/django.mo,sha256=WHgK7vGaqjO4MwjBkWz2Y3ABPXCqfnwSGelazRhOiuo,6479
django/contrib/admindocs/locale/eu/LC_MESSAGES/django.po,sha256=718XgJN7UQcHgE9ku0VyFp7Frs-cvmCTO1o-xS5kpqc,7099
django/contrib/admindocs/locale/fa/LC_MESSAGES/django.mo,sha256=Qrkrb_CHPGymnXBoBq5oeTs4W54R6nLz5hLIWH63EHM,7499
django/contrib/admindocs/locale/fa/LC_MESSAGES/django.po,sha256=L-rxiKqUmlQgrPTLQRaS50woZWB9JuEamJpgDpLvIXw,8251
django/contrib/admindocs/locale/fi/LC_MESSAGES/django.mo,sha256=SzuPvgeiaBwABvkJbOoTHsbP7juAuyyMWAjENr50gYk,6397
django/contrib/admindocs/locale/fi/LC_MESSAGES/django.po,sha256=jn4ZMVQ_Gh6I-YLSmBhlyTn5ICP5o3oj7u0VKpV2hnI,6972
django/contrib/admindocs/locale/fr/LC_MESSAGES/django.mo,sha256=dD92eLXIDeI-a_BrxX1G49qRwLS4Vt56bTP9cha5MeE,6755
django/contrib/admindocs/locale/fr/LC_MESSAGES/django.po,sha256=hiUeHTul4Z3JWmkClGZmD5Xn4a1Tj1A5OLRfKU5Zdmo,7329
django/contrib/admindocs/locale/fy/LC_MESSAGES/django.mo,sha256=_xVO-FkPPoTla_R0CzktpRuafD9fuIP_G5N-Q08PxNg,476
django/contrib/admindocs/locale/fy/LC_MESSAGES/django.po,sha256=b3CRH9bSUl_jjb9s51RlvFXp3bmsmuxTfN_MTmIIVNA,5060
django/contrib/admindocs/locale/ga/LC_MESSAGES/django.mo,sha256=PkY5sLKd7gEIE2IkuuNJXP5RmjC-D4OODRv6KCCUDX8,1940
django/contrib/admindocs/locale/ga/LC_MESSAGES/django.po,sha256=-l6VME96KR1KKNACVu7oHzlhCrnkC1PaJQyskOUqOvk,5211
django/contrib/admindocs/locale/gd/LC_MESSAGES/django.mo,sha256=k5-Ov9BkwYHZ_IvIxQdHKVBdOUN7kWGft1l7w5Scd5o,6941
django/contrib/admindocs/locale/gd/LC_MESSAGES/django.po,sha256=FyvfRNkSrEZo8x1didB6nFHYD54lZfKSoAGcwJ2wLso,7478
django/contrib/admindocs/locale/gl/LC_MESSAGES/django.mo,sha256=15OYKk17Dlz74RReFrCHP3eHmaxP8VeRE2ylDOeUY8w,6564
django/contrib/admindocs/locale/gl/LC_MESSAGES/django.po,sha256=mvQmxR4LwDLbCWyIU-xmJEw6oeSY3KFWC1nqnbnuDyc,7197
django/contrib/admindocs/locale/he/LC_MESSAGES/django.mo,sha256=mJKr2rC_1OWQpRaRCecnz01YDEu5APFhJHqRHgGQxXA,6743
django/contrib/admindocs/locale/he/LC_MESSAGES/django.po,sha256=sYlIetORzAXaKk7DAhr-6J0TGucV7RsOftT9Zilz6yE,7427
django/contrib/admindocs/locale/hi/LC_MESSAGES/django.mo,sha256=sZhObIxqrmFu5Y-ZOQC0JGM3ly4IVFr02yqOOOHnDag,2297
django/contrib/admindocs/locale/hi/LC_MESSAGES/django.po,sha256=X6UfEc6q0BeaxVP_C4priFt8irhh-YGOUUzNQyVnEYY,5506
django/contrib/admindocs/locale/hr/LC_MESSAGES/django.mo,sha256=fMsayjODNoCdbpBAk9GHtIUaGJGFz4sD9qYrguj-BQA,2550
django/contrib/admindocs/locale/hr/LC_MESSAGES/django.po,sha256=qi2IB-fBkGovlEz2JAQRUNE54MDdf5gjNJWXM-dIG1s,5403
django/contrib/admindocs/locale/hsb/LC_MESSAGES/django.mo,sha256=4CbZ95VHJUg3UNt-FdzPtUtHJLralgnhadz-evigiFA,6770
django/contrib/admindocs/locale/hsb/LC_MESSAGES/django.po,sha256=ty8zWmqY160ZpSbt1-_2iY2M4RIL7ksh5-ggQGc_TO8,7298
django/contrib/admindocs/locale/hu/LC_MESSAGES/django.mo,sha256=ATEt9wE2VNQO_NMcwepgxpS7mYXdVD5OySFFPWpnBUA,6634
django/contrib/admindocs/locale/hu/LC_MESSAGES/django.po,sha256=3XKQrlonyLXXpU8xeS1OLXcKmmE2hiBoMJN-QZ3k82g,7270
django/contrib/admindocs/locale/ia/LC_MESSAGES/django.mo,sha256=KklX2loobVtA6PqHOZHwF1_A9YeVGlqORinHW09iupI,1860
django/contrib/admindocs/locale/ia/LC_MESSAGES/django.po,sha256=Z7btOCeARREgdH4CIJlVob_f89r2M9j55IDtTLtgWJU,5028
django/contrib/admindocs/locale/id/LC_MESSAGES/django.mo,sha256=2HZrdwFeJV4Xk2HIKsxp_rDyBrmxCuRb92HtFtW8MxE,6343
django/contrib/admindocs/locale/id/LC_MESSAGES/django.po,sha256=O01yt7iDXvEwkebUxUlk-vCrLR26ebuqI51x64uqFl4,7041
django/contrib/admindocs/locale/io/LC_MESSAGES/django.mo,sha256=5t9Vurrh6hGqKohwsZIoveGeYCsUvRBRMz9M7k9XYY8,464
django/contrib/admindocs/locale/io/LC_MESSAGES/django.po,sha256=SVZZEmaS1WbXFRlLLGg5bzUe09pXR23TeJtHUbhyl0w,5048
django/contrib/admindocs/locale/is/LC_MESSAGES/django.mo,sha256=pEr-_MJi4D-WpNyFaQe3tVKVLq_9V-a4eIF18B3Qyko,1828
django/contrib/admindocs/locale/is/LC_MESSAGES/django.po,sha256=-mD5fFnL6xUqeW4MITzm8Lvx6KXq4C9DGsEM9kDluZ8,5045
django/contrib/admindocs/locale/it/LC_MESSAGES/django.mo,sha256=AzCkkJ8x-V38XSOdOG2kMSUujcn0mD8TIvdAeNT6Qcw,6453
django/contrib/admindocs/locale/it/LC_MESSAGES/django.po,sha256=SUsGtCKkCVoj5jaM6z_-JQR8kv8W4Wv_OE26hpOb96s,7171
django/contrib/admindocs/locale/ja/LC_MESSAGES/django.mo,sha256=KoPwCbH9VlKoP_7zTEjOzPsHZ7jVWl2grQRckQmshw4,7358
django/contrib/admindocs/locale/ja/LC_MESSAGES/django.po,sha256=6ZTqM2qfBS_j5aLH52yJPYW4e4X5MqiQFdqV1fmEQGg,8047
django/contrib/admindocs/locale/ka/LC_MESSAGES/django.mo,sha256=w2cHLI1O3pVt43H-h71cnNcjNNvDC8y9uMYxZ_XDBtg,4446
django/contrib/admindocs/locale/ka/LC_MESSAGES/django.po,sha256=omKVSzNA3evF5Mk_Ud6utHql-Do7s9xDzCVQGQA0pSg,6800
django/contrib/admindocs/locale/kab/LC_MESSAGES/django.mo,sha256=XTuWnZOdXhCFXEW4Hp0zFtUtAF0wJHaFpQqoDUTWYGw,1289
django/contrib/admindocs/locale/kab/LC_MESSAGES/django.po,sha256=lQWewMZncWUvGhpkgU_rtwWHcgAyvhIkrDfjFu1l-d8,4716
django/contrib/admindocs/locale/kk/LC_MESSAGES/django.mo,sha256=mmhLzn9lo4ff_LmlIW3zZuhE77LoSUfpaMMMi3oyi38,1587
django/contrib/admindocs/locale/kk/LC_MESSAGES/django.po,sha256=72sxLw-QDSFnsH8kuzeQcV5jx7Hf1xisBmxI8XqSCYw,5090
django/contrib/admindocs/locale/km/LC_MESSAGES/django.mo,sha256=Fff1K0qzialXE_tLiGM_iO5kh8eAmQhPZ0h-eB9iNOU,1476
django/contrib/admindocs/locale/km/LC_MESSAGES/django.po,sha256=E_CaaYc4GqOPgPh2t7iuo0Uf4HSQQFWAoxSOCG-uEGU,4998
django/contrib/admindocs/locale/kn/LC_MESSAGES/django.mo,sha256=lisxE1zzW-Spdm7hIzXxDAfS7bM-RdrAG_mQVwz9WMU,1656
django/contrib/admindocs/locale/kn/LC_MESSAGES/django.po,sha256=u6JnB-mYoYWvLl-2pzKNfeNlT1s6A2I3lRi947R_0yA,5184
django/contrib/admindocs/locale/ko/LC_MESSAGES/django.mo,sha256=nVBVLfXUlGQCeF2foSQ2kksBmR3KbweXdbD6Kyq-PrU,6563
django/contrib/admindocs/locale/ko/LC_MESSAGES/django.po,sha256=y2YjuXM3p0haXrGpxRtm6I84o75TQaMeT4xbHCg7zOM,7342
django/contrib/admindocs/locale/ky/LC_MESSAGES/django.mo,sha256=HEJo4CLoIOWpK-MPcTqLhbNMA8Mt3totYN1YbJ_SNn4,7977
django/contrib/admindocs/locale/ky/LC_MESSAGES/django.po,sha256=VaSXjz8Qlr2EI8f12gtziN7yA7IWsaVoEzL3G6dERXs,8553
django/contrib/admindocs/locale/lb/LC_MESSAGES/django.mo,sha256=N0hKFuAdDIq5clRKZirGh4_YDLsxi1PSX3DVe_CZe4k,474
django/contrib/admindocs/locale/lb/LC_MESSAGES/django.po,sha256=B46-wRHMKUMcbvMCdojOCxqIVL5qVEh4Czo20Qgz6oU,5058
django/contrib/admindocs/locale/lt/LC_MESSAGES/django.mo,sha256=KOnpaVeomKJIHcVLrkeRVnaqQHzFdYM_wXZbbqxWs4g,6741
django/contrib/admindocs/locale/lt/LC_MESSAGES/django.po,sha256=-uzCS8193VCZPyhO8VOi11HijtBG9CWVKStFBZSXfI4,7444
django/contrib/admindocs/locale/lv/LC_MESSAGES/django.mo,sha256=5PAE_peuqlRcc45pm6RsSqnBpG-o8OZpfdt2aasYM2w,6449
django/contrib/admindocs/locale/lv/LC_MESSAGES/django.po,sha256=_mFvAQT1ZVBuDhnWgKY3bVQUWA8DoEf-HFAEsMfkGuU,7085
django/contrib/admindocs/locale/mk/LC_MESSAGES/django.mo,sha256=8H9IpRASM7O2-Ql1doVgM9c4ybZ2KcfnJr12PpprgP4,8290
django/contrib/admindocs/locale/mk/LC_MESSAGES/django.po,sha256=Uew7tEljjgmslgfYJOP9JF9ELp6NbhkZG_v50CZgBg8,8929
django/contrib/admindocs/locale/ml/LC_MESSAGES/django.mo,sha256=bm4tYwcaT8XyPcEW1PNZUqHJIds9CAq3qX_T1-iD4k4,6865
django/contrib/admindocs/locale/ml/LC_MESSAGES/django.po,sha256=yNINX5M7JMTbYnFqQGetKGIXqOjGJtbN2DmIW9BKQ_c,8811
django/contrib/admindocs/locale/mn/LC_MESSAGES/django.mo,sha256=KqdcvSpqmjRfA8M4nGB9Cnu9Auj4pTu9aH07XtCep3I,7607
django/contrib/admindocs/locale/mn/LC_MESSAGES/django.po,sha256=PGhlnzDKyAIRzaPCbNujpxSpf_JaOG66LK_NMlnZy6I,8316
django/contrib/admindocs/locale/mr/LC_MESSAGES/django.mo,sha256=LDGC7YRyVBU50W-iH0MuESunlRXrNfNjwjXRCBdfFVg,468
django/contrib/admindocs/locale/mr/LC_MESSAGES/django.po,sha256=5cUgPltXyS2Z0kIKF5ER8f5DuBhwmAINJQyfHj652d0,5052
django/contrib/admindocs/locale/ms/LC_MESSAGES/django.mo,sha256=vgoSQlIQeFWaVfJv3YK9_0FOywWwxLhWGICKBdxcqJY,6557
django/contrib/admindocs/locale/ms/LC_MESSAGES/django.po,sha256=Qy_NjgqwEwLGk4oaHB4Np3dVbPeCK2URdI73S73IZLE,7044
django/contrib/admindocs/locale/my/LC_MESSAGES/django.mo,sha256=AsdUmou0FjCiML3QOeXMdbHiaSt2GdGMcEKRJFonLOQ,1721
django/contrib/admindocs/locale/my/LC_MESSAGES/django.po,sha256=c75V-PprKrWzgrHbfrZOpm00U_zZRzxAUr2U_j8MF4w,5189
django/contrib/admindocs/locale/nb/LC_MESSAGES/django.mo,sha256=qlzN0-deW2xekojbHi2w6mYKeBe1Cf1nm8Z5FVrmYtA,6308
django/contrib/admindocs/locale/nb/LC_MESSAGES/django.po,sha256=a60vtwHJXhjbRAtUIlO0w3XfQcQ0ljwmwFG3WbQ7PNo,6875
django/contrib/admindocs/locale/ne/LC_MESSAGES/django.mo,sha256=fWPAUZOX9qrDIxGhVVouJCVDWEQLybZ129wGYymuS-c,2571
django/contrib/admindocs/locale/ne/LC_MESSAGES/django.po,sha256=wb8pCm141YfGSHVW84FnAvsKt5KnKvzNyzGcPr-Wots,5802
django/contrib/admindocs/locale/nl/LC_MESSAGES/django.mo,sha256=1-s_SdVm3kci2yLQhv1q6kt7zF5EdbaneGAr6PJ7dQU,6498
django/contrib/admindocs/locale/nl/LC_MESSAGES/django.po,sha256=7s4RysNYRSisywqqZOrRR0il530jRlbEFP3kr4Hq2PA,7277
django/contrib/admindocs/locale/nn/LC_MESSAGES/django.mo,sha256=tIOU1WrHkAfxD6JBpdakiMi6pVzzvIg0jun6gii-D08,6299
django/contrib/admindocs/locale/nn/LC_MESSAGES/django.po,sha256=oekYY3xjjM2sPnHv_ZXxAti1ySPF-HxLrvLLk7Izibk,6824
django/contrib/admindocs/locale/os/LC_MESSAGES/django.mo,sha256=zSQBgSj4jSu5Km0itNgDtbkb1SbxzRvQeZ5M9sXHI8k,2044
django/contrib/admindocs/locale/os/LC_MESSAGES/django.po,sha256=hZlMmmqfbGmoiElGbJg7Fp791ZuOpRFrSu09xBXt6z4,5215
django/contrib/admindocs/locale/pa/LC_MESSAGES/django.mo,sha256=yFeO0eZIksXeDhAl3CrnkL1CF7PHz1PII2kIxGA0opQ,1275
django/contrib/admindocs/locale/pa/LC_MESSAGES/django.po,sha256=DA5LFFLOXHIJIqrrnj9k_rqL-wr63RYX_i-IJFhBuc0,4900
django/contrib/admindocs/locale/pl/LC_MESSAGES/django.mo,sha256=DHxRNP6YK8qocDqSd2DZg7n-wPp2hJSbjNBLFti7U8o,6633
django/contrib/admindocs/locale/pl/LC_MESSAGES/django.po,sha256=mRjleE2-9r9TfseHWeyjvRwzBZP_t2LMvihq8n_baU8,7575
django/contrib/admindocs/locale/pt/LC_MESSAGES/django.mo,sha256=WcXhSlbGdJgVMvydkPYYee7iOQ9SYdrLkquzgIBhVWU,6566
django/contrib/admindocs/locale/pt/LC_MESSAGES/django.po,sha256=J98Hxa-ApyzRevBwcAldK9bRYbkn5DFw3Z5P7SMEwx0,7191
django/contrib/admindocs/locale/pt_BR/LC_MESSAGES/django.mo,sha256=L8t589rbg4vs4HArLpgburmMufZ6BTuwxxkv1QUetBA,6590
django/contrib/admindocs/locale/pt_BR/LC_MESSAGES/django.po,sha256=EG4xELZ8emUIWB78cw8gFeiqTiN9UdAuEaXHyPyNtIE,7538
django/contrib/admindocs/locale/ro/LC_MESSAGES/django.mo,sha256=9K8Sapn6sOg1wtt2mxn7u0cnqPjEHH70qjwM-XMPzNA,6755
django/contrib/admindocs/locale/ro/LC_MESSAGES/django.po,sha256=b4AsPjWBYHQeThAtLP_TH4pJitwidtoPNkJ7dowUuRg,7476
django/contrib/admindocs/locale/ru/LC_MESSAGES/django.mo,sha256=9pIPv2D0rq29vrBNWZENM_SOdNpaPidxmgT20hWtBis,8434
django/contrib/admindocs/locale/ru/LC_MESSAGES/django.po,sha256=BTlxkS4C0DdfC9QJCegXwi5ejfG9pMsAdfy6UJzec3s,9175
django/contrib/admindocs/locale/sk/LC_MESSAGES/django.mo,sha256=GtiqSwQxKsrC-HBexRMuV3qQhZa8vJeukTpeJdXxsz4,6639
django/contrib/admindocs/locale/sk/LC_MESSAGES/django.po,sha256=45J2eddF99_xWbWUoUgQ5NrawMYNreUWpeyXHF6KjsI,7339
django/contrib/admindocs/locale/sl/LC_MESSAGES/django.mo,sha256=FMg_s9ZpeRD42OsSF9bpe8pRQ7wP7-a9WWnaVliqXpU,6508
django/contrib/admindocs/locale/sl/LC_MESSAGES/django.po,sha256=JWO_WZAwBpXw-4FoB7rkWXGhi9aEVq1tH2fOC69rcgg,7105
django/contrib/admindocs/locale/sq/LC_MESSAGES/django.mo,sha256=XvNDzCc3-Hh5Pz7SHhG8zCT_3dtqGzBLkDqhim4jJpc,6551
django/contrib/admindocs/locale/sq/LC_MESSAGES/django.po,sha256=0GZvLpxbuYln7GrTsFyzgjIleSw6Z9IRSPgAWWdx6Eo,7165
django/contrib/admindocs/locale/sr/LC_MESSAGES/django.mo,sha256=PyE8DXRYELzSs4RWh1jeADXOPrDEN3k-nLr8sbM1Ssw,3672
django/contrib/admindocs/locale/sr/LC_MESSAGES/django.po,sha256=ri7v9WHXORY-3Dl-YDKGsCFfQzH-a5y8t1vT6yziIyo,6108
django/contrib/admindocs/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=au90IT43VR162L2jEsYqhRpso2dvOjpCPSCFiglokTc,1932
django/contrib/admindocs/locale/sr_Latn/LC_MESSAGES/django.po,sha256=tJ4tHLJj0tDaVZba3WIkI0kg95_jEYWTmqXD0rFb6T8,5140
django/contrib/admindocs/locale/sv/LC_MESSAGES/django.mo,sha256=5i9qxo9V7TghSIpKCOw5PpITYYHMP-0NhFivwc-w0yw,6394
django/contrib/admindocs/locale/sv/LC_MESSAGES/django.po,sha256=WhABV5B-rhBly6ueJPOMsIBjSiw7i1yCZUQsXWE_jV4,7137
django/contrib/admindocs/locale/sw/LC_MESSAGES/django.mo,sha256=pyJfGL7UdPrJAVlCB3YimXxTjTfEkoZQWX-CSpDkcWc,1808
django/contrib/admindocs/locale/sw/LC_MESSAGES/django.po,sha256=SIywrLX1UGx4OiPxoxUYelmQ1YaY2LMa3dxynGQpHp8,4929
django/contrib/admindocs/locale/ta/LC_MESSAGES/django.mo,sha256=8SjQ9eGGyaZGhkuDoZTdtYKuqcVyEtWrJuSabvNRUVM,1675
django/contrib/admindocs/locale/ta/LC_MESSAGES/django.po,sha256=k593yzVqpSQOsdpuF-rdsSLwKQU8S_QFMRpZXww__1A,5194
django/contrib/admindocs/locale/te/LC_MESSAGES/django.mo,sha256=eAzNpYRy_G1erCcKDAMnJC4809ITRHvJjO3vpyAC_mk,1684
django/contrib/admindocs/locale/te/LC_MESSAGES/django.po,sha256=oDg_J8JxepFKIe5m6lDKVC4YWQ_gDLibgNyQ3508VOM,5204
django/contrib/admindocs/locale/tg/LC_MESSAGES/django.mo,sha256=jSMmwS6F_ChDAZDyTZxRa3YuxkXWlO-M16osP2NLRc0,7731
django/contrib/admindocs/locale/tg/LC_MESSAGES/django.po,sha256=mewOHgRsFydk0d5IY3jy3rOWa6uHdatlSIvFNZFONsc,8441
django/contrib/admindocs/locale/th/LC_MESSAGES/django.mo,sha256=bHK49r45Q1nX4qv0a0jtDja9swKbDHHJVLa3gM13Cb4,2167
django/contrib/admindocs/locale/th/LC_MESSAGES/django.po,sha256=_GMgPrD8Zs0lPKQOMlBmVu1I59yXSV42kfkrHzeiehY,5372
django/contrib/admindocs/locale/tr/LC_MESSAGES/django.mo,sha256=L1iBsNGqqfdNkZZmvnnBB-HxogAgngwhanY1FYefveE,6661
django/contrib/admindocs/locale/tr/LC_MESSAGES/django.po,sha256=D4vmznsY4icyKLXQUgAL4WZL5TOUZYVUSCJ4cvZuFg8,7311
django/contrib/admindocs/locale/tt/LC_MESSAGES/django.mo,sha256=pQmAQOPbrBVzBqtoQ0dsFWFwC6LxA5mQZ9QPqL6pSFw,1869
django/contrib/admindocs/locale/tt/LC_MESSAGES/django.po,sha256=NCLv7sSwvEficUOSoMJlHGqjgjYvrvm2V3j1Gkviw80,5181
django/contrib/admindocs/locale/udm/LC_MESSAGES/django.mo,sha256=hwDLYgadsKrQEPi9HiuMWF6jiiYUSy4y-7PVNJMaNpY,618
django/contrib/admindocs/locale/udm/LC_MESSAGES/django.po,sha256=29fpfn4p8KxxrBdg4QB0GW_l8genZVV0kYi50zO-qKs,5099
django/contrib/admindocs/locale/uk/LC_MESSAGES/django.mo,sha256=G-3yCDj2jK7ZTu80YXGJ_ZR1E7FejbLxTFe866G4Pr0,8468
django/contrib/admindocs/locale/uk/LC_MESSAGES/django.po,sha256=bbWzP-gpbslzbTBc_AO7WBNmtr3CkLOwkSJHI0Z_dTA,9330
django/contrib/admindocs/locale/ur/LC_MESSAGES/django.mo,sha256=VNg9o_7M0Z2LC0n3_-iwF3zYmncRJHaFqqpxuPmMq84,1836
django/contrib/admindocs/locale/ur/LC_MESSAGES/django.po,sha256=QTg85c4Z13hMN_PnhjaLX3wx6TU4SH4hPTzNBfNVaMU,5148
django/contrib/admindocs/locale/vi/LC_MESSAGES/django.mo,sha256=F6dyo00yeyUND_w1Ocm9SL_MUdXb60QQpmAQPto53IU,1306
django/contrib/admindocs/locale/vi/LC_MESSAGES/django.po,sha256=JrVKjT848Y1cS4tpH-eRivFNwM-cUs886UEhY2FkTPw,4836
django/contrib/admindocs/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=ngPlxN85wGOMKoo3OK3wUQeikoaxPKqAIsgw2_0ovN4,6075
django/contrib/admindocs/locale/zh_Hans/LC_MESSAGES/django.po,sha256=TNdJGJCAi0OijBN6w23SwKieZqNqkgNt2qdlPfY-r20,6823
django/contrib/admindocs/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=7c2QywaTzF_GX8T2PUknQ_PN5s0Cx37_cO-walIg8mk,4725
django/contrib/admindocs/locale/zh_Hant/LC_MESSAGES/django.po,sha256=uX-3zu8RQdntg__qYBweKtcuBgLsXPUYApf4bQx9eSU,6153
django/contrib/admindocs/middleware.py,sha256=owqLbigBtxKmhPQmz767KOAkN3nKRIJrwZAUuHRIAQM,1329
django/contrib/admindocs/templates/admin_doc/bookmarklets.html,sha256=PnfojSYh6lJA03UPjWbvxci64CNPQmrhJhycdyqlT5U,1281
django/contrib/admindocs/templates/admin_doc/index.html,sha256=o710lPn-AHBJfKSUS6x1eUjAOZYRO9dbnuq_Cg7HEiY,1369
django/contrib/admindocs/templates/admin_doc/missing_docutils.html,sha256=f8CcVOHCgUmbG_V56rVLV1tttQYPdkcxAHY_IWiMPK4,786
django/contrib/admindocs/templates/admin_doc/model_detail.html,sha256=0O5-Kxf8RNyZ_slYJ1kq26HmKoarGMkf0S27fqhrFYE,1880
django/contrib/admindocs/templates/admin_doc/model_index.html,sha256=7fgybgDWYcWZaDPgf25DxFkdxtnrqnpLem7iVmPQmLk,1346
django/contrib/admindocs/templates/admin_doc/template_detail.html,sha256=C_shsOpJiW0Rngv8ZSXi12dgoepUUCqU3dPdaq9Bmio,1049
django/contrib/admindocs/templates/admin_doc/template_filter_index.html,sha256=U2HBVHXtgCqUp9hLuOMVqCxBbXyYMMgAORG8fziN7uc,1775
django/contrib/admindocs/templates/admin_doc/template_tag_index.html,sha256=S4U-G05yi1YIlFEv-HG20bDiq4rhdiZCgebhVBzNzdY,1731
django/contrib/admindocs/templates/admin_doc/view_detail.html,sha256=u2rjpM0cLlHxSY-Na7wxqnv76zaGf0P1FgdnHl9XqdQ,928
django/contrib/admindocs/templates/admin_doc/view_index.html,sha256=ZLfmxMkVlPYETRFnjLmU3bagve4ZvY1Xzsya1Lntgkw,1734
django/contrib/admindocs/urls.py,sha256=zUZG14KLznM6CVtoxnCsJEa7TRwKRN44XLNAp9EgUy8,1310
django/contrib/admindocs/utils.py,sha256=38lwFUI08_m5OK6d-EUzp90qxysM9Da7lAn-rwcSnwI,7554
django/contrib/admindocs/views.py,sha256=cE0JQDfLWR9Wj3xobMpit11I599LgvSN90YQldb_y10,18626
django/contrib/auth/__init__.py,sha256=K5zVFGbhq1Phxzl-ELYsRTYAgNEtRxXEPv92Ti2QMD4,8722
django/contrib/auth/__pycache__/__init__.cpython-311.pyc,,
django/contrib/auth/__pycache__/admin.cpython-311.pyc,,
django/contrib/auth/__pycache__/apps.cpython-311.pyc,,
django/contrib/auth/__pycache__/backends.cpython-311.pyc,,
django/contrib/auth/__pycache__/base_user.cpython-311.pyc,,
django/contrib/auth/__pycache__/checks.cpython-311.pyc,,
django/contrib/auth/__pycache__/context_processors.cpython-311.pyc,,
django/contrib/auth/__pycache__/decorators.cpython-311.pyc,,
django/contrib/auth/__pycache__/forms.cpython-311.pyc,,
django/contrib/auth/__pycache__/hashers.cpython-311.pyc,,
django/contrib/auth/__pycache__/middleware.cpython-311.pyc,,
django/contrib/auth/__pycache__/mixins.cpython-311.pyc,,
django/contrib/auth/__pycache__/models.cpython-311.pyc,,
django/contrib/auth/__pycache__/password_validation.cpython-311.pyc,,
django/contrib/auth/__pycache__/signals.cpython-311.pyc,,
django/contrib/auth/__pycache__/tokens.cpython-311.pyc,,
django/contrib/auth/__pycache__/urls.cpython-311.pyc,,
django/contrib/auth/__pycache__/validators.cpython-311.pyc,,
django/contrib/auth/__pycache__/views.cpython-311.pyc,,
django/contrib/auth/admin.py,sha256=kWCo5QJ0u6YIBrK8Rr2riy354bQvCMD9txzWlxW2urQ,9001
django/contrib/auth/apps.py,sha256=JE5zuVw7Tx6NFULN_u8sOxs0OnHczMC9bM0N_m1xsmA,1224
django/contrib/auth/backends.py,sha256=QG17twHQSV5ts-Db5gZTAeA6N9L7lyWp2WXP1fIniO0,9217
django/contrib/auth/base_user.py,sha256=k7pIb7zpp8SZsxBkL0oOwwP6jVUVlD7XROXb2xPzwyk,5073
django/contrib/auth/checks.py,sha256=q05m4ylm3r3z8t7BPKeJLlpz5qfv6HOiPNcEl6sgAfw,8442
django/contrib/auth/common-passwords.txt.gz,sha256=MrUGEpphkJZUW9O7s1yYu5g7PnYWd48T5BWySr3CO-c,82262
django/contrib/auth/context_processors.py,sha256=8BbvdbTVPl8GVgB5-2LTzx6FrGsMzev-E7JMnUgr-rM,1911
django/contrib/auth/decorators.py,sha256=0ghSVBcSxUgjfi4HWOK1_7AkSo6S4q6YsHM-d8mSbM0,2901
django/contrib/auth/forms.py,sha256=wZndQVrHoEIoyGpVnqznmH8vH6vjkJxnkMxo1-8QBeY,17187
django/contrib/auth/handlers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/auth/handlers/__pycache__/__init__.cpython-311.pyc,,
django/contrib/auth/handlers/__pycache__/modwsgi.cpython-311.pyc,,
django/contrib/auth/handlers/modwsgi.py,sha256=bTXKVMezywsn1KA2MVyDWeHvTNa2KrwIxn2olH7o_5I,1248
django/contrib/auth/hashers.py,sha256=aBwa7G6PwjIsgLhs_k4jJ7t3Wx7Lav7qmOnfpuiO5ww,29060
django/contrib/auth/locale/af/LC_MESSAGES/django.mo,sha256=UKEGdzrpTwNnuhPcejOS-682hL88yV83xh-55dMZzyg,7392
django/contrib/auth/locale/af/LC_MESSAGES/django.po,sha256=GFM0MbuRB9axSqvFQzZXhyeZF9JTKqoMMdfNEgNQVFY,7618
django/contrib/auth/locale/ar/LC_MESSAGES/django.mo,sha256=7LhxFfL9y6RAfZ8PU-1lKI2V02LbHxXtB1UAf_vXpuc,10040
django/contrib/auth/locale/ar/LC_MESSAGES/django.po,sha256=2QIaioY0RedAB0CFKVZLhGoCnhLzgUh84sAR7i6QUnQ,10520
django/contrib/auth/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=0UokSPc3WDs_0PozSalfBaq4JFYgF1Rt7b90CKvY5jE,10228
django/contrib/auth/locale/ar_DZ/LC_MESSAGES/django.po,sha256=GDvm2m1U7NOY5l7FijKGR77DEZt6rYWoSPCxsY5BZ3Y,10574
django/contrib/auth/locale/ast/LC_MESSAGES/django.mo,sha256=Pt3gYY3j8Eroo4lAEmf-LR6u9U56mpE3vqLhjR4Uq-o,2250
django/contrib/auth/locale/ast/LC_MESSAGES/django.po,sha256=Kiq4s8d1HnYpo3DQGlgUl3bOkxmgGW8CvGp9AbryRk8,5440
django/contrib/auth/locale/az/LC_MESSAGES/django.mo,sha256=kwobdDjncjpc7x7AQgAGSrAdrNlV3mJm1rxyAwweGKo,7576
django/contrib/auth/locale/az/LC_MESSAGES/django.po,sha256=HQB__hodya8egKUqZElnuw47NYOHKpNnXYUpnl3P8LI,7932
django/contrib/auth/locale/be/LC_MESSAGES/django.mo,sha256=ofb4WISgh93fPJemtBF0VyZ-pg0RHys1iMpO5eGYHQc,10123
django/contrib/auth/locale/be/LC_MESSAGES/django.po,sha256=CY1dPSnUX4LIbI4sHE43nO-4yHYJLn5BlGPDhjxZX88,10450
django/contrib/auth/locale/bg/LC_MESSAGES/django.mo,sha256=_GtYha6epRz701qkKltG6obRnwK2rVbyrTIZb_pJ7K8,9476
django/contrib/auth/locale/bg/LC_MESSAGES/django.po,sha256=VqLBBcqwTy8vzBxsVx1cEIfrjh15V6y2_zMI-5mPaD4,10004
django/contrib/auth/locale/bn/LC_MESSAGES/django.mo,sha256=cJSawQn3rNh2I57zK9vRi0r1xc598Wr26AyHh6D50ZQ,5455
django/contrib/auth/locale/bn/LC_MESSAGES/django.po,sha256=5Vqd4n9ab98IMev4GHLxpO7f4r9nnhC3Nfx27HQNd8s,7671
django/contrib/auth/locale/br/LC_MESSAGES/django.mo,sha256=nxLj88BBhT3Hudev1S_BRC8P6Jv7eoR8b6CHGt5eoPo,1436
django/contrib/auth/locale/br/LC_MESSAGES/django.po,sha256=rFo68wfXMyju633KCAhg0Jcb3GVm3rk4opFQqI89d6Y,5433
django/contrib/auth/locale/bs/LC_MESSAGES/django.mo,sha256=jDjP1qIs02k6RixY9xy3V7Cr6zi-henR8nDnhqNG18s,3146
django/contrib/auth/locale/bs/LC_MESSAGES/django.po,sha256=NOICHHU8eFtltH0OBlnasz9TF0uZGZd3hMibRmn158E,5975
django/contrib/auth/locale/ca/LC_MESSAGES/django.mo,sha256=lqiOLv_LZDLeXbJZYsrWRHzcnwd1vd00tW5Jrh-HHkY,7643
django/contrib/auth/locale/ca/LC_MESSAGES/django.po,sha256=v-3t7bDTh1835nZnjYh3_HyN4yw4a1HyHpC3-jX79Z0,8216
django/contrib/auth/locale/ckb/LC_MESSAGES/django.mo,sha256=YiyQ7keGzWy_TSSjneCqj3TOqagupIgwsu038MyBh_k,9295
django/contrib/auth/locale/ckb/LC_MESSAGES/django.po,sha256=ELvFy8shrwy_ZI5zfOT6z9bRRfPENhfM5lKfY9VeIBI,9656
django/contrib/auth/locale/cs/LC_MESSAGES/django.mo,sha256=7TuyZNQ11j4iLxxr_xch3gBDQ0cSTh0VFUa0FMzH1Uo,7836
django/contrib/auth/locale/cs/LC_MESSAGES/django.po,sha256=qoA5lHFEwLZZakgYONzA-TxBqpBNhBytGHxS40YCf0s,8292
django/contrib/auth/locale/cy/LC_MESSAGES/django.mo,sha256=lSfCwEVteW4PDaiGKPDxnSnlDUcGMkPfsxIluExZar0,4338
django/contrib/auth/locale/cy/LC_MESSAGES/django.po,sha256=-LPAKGXNzB77lVHfCRmFlH3SUaLgOXk_YxfC0BomcEs,6353
django/contrib/auth/locale/da/LC_MESSAGES/django.mo,sha256=ZZgOToa8qKpjra9CS7SjjNiYjLTbEDmKIpzws0wpjaI,7560
django/contrib/auth/locale/da/LC_MESSAGES/django.po,sha256=9MhLbrd25hBd5bG5w5xhUyXdENOzcdtA3mZJoXiM7g4,8045
django/contrib/auth/locale/de/LC_MESSAGES/django.mo,sha256=nvwrbU-uvQonGW_UD5zVh7u70csi_5qCehsI-AlTRx4,7607
django/contrib/auth/locale/de/LC_MESSAGES/django.po,sha256=MJGIuwfkwEs9oiktL4C2uB0XXG6gh2zCI_jr-DcH5Tk,8158
django/contrib/auth/locale/dsb/LC_MESSAGES/django.mo,sha256=ENymm4sXNqH7K1z1zP7afU18b4NUcMezi7onBMArLRc,8249
django/contrib/auth/locale/dsb/LC_MESSAGES/django.po,sha256=iOQZuKzPrsA-NE70SxzKsJWsy1CdvGLBL7y0oogOFso,8559
django/contrib/auth/locale/el/LC_MESSAGES/django.mo,sha256=KaP9RLYThwYWLBx0W90HI0zJZ09iNhZ3tk8UVF63n74,10072
django/contrib/auth/locale/el/LC_MESSAGES/django.po,sha256=O5JsNCUNr1YcNNqMugoM5epN6nC5pgq3E6nKXDh3OY0,10795
django/contrib/auth/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/auth/locale/en/LC_MESSAGES/django.po,sha256=ygtJurKRiMx7o1RW1RhoPQT09d7TXFNQaTfgr0CryVA,8256
django/contrib/auth/locale/en_AU/LC_MESSAGES/django.mo,sha256=7cPKOZX0ZmWCYU2ZwgCp8LwXj7FAdP3lMoI2u4nzgeU,7183
django/contrib/auth/locale/en_AU/LC_MESSAGES/django.po,sha256=92Q42wfwKhGxDkomv8JlGBHVUdFIc_wvm_LUNBc9Q1k,7467
django/contrib/auth/locale/en_GB/LC_MESSAGES/django.mo,sha256=p57gDaYVvgEk1x80Hq4Pn2SZbsp9ly3XrJ5Ttlt2yOE,3179
django/contrib/auth/locale/en_GB/LC_MESSAGES/django.po,sha256=-yDflw5-81VOlyqkmLJN17FRuwDrhYXItFUJwx2aqpE,5787
django/contrib/auth/locale/eo/LC_MESSAGES/django.mo,sha256=OCEu7qwKb20Cq2UO-dmHjNPXRfDTsQHp9DbyVXCxNMw,7421
django/contrib/auth/locale/eo/LC_MESSAGES/django.po,sha256=wrvLqKIJycioUFAI7GkCRtDNZ9_OigG_Bf79Dmgpa7c,7868
django/contrib/auth/locale/es/LC_MESSAGES/django.mo,sha256=rIAA3E42jRwvZUuuWtfunhZthN36nGSEJ2nKlgRSCoI,7945
django/contrib/auth/locale/es/LC_MESSAGES/django.po,sha256=Il5B7l35jDdPS2FUti4BdBKwhkS_cQKXRWsxpyyg7rM,8765
django/contrib/auth/locale/es_AR/LC_MESSAGES/django.mo,sha256=tPRhIvlvgn5urawLpgF-YIoO4zqc06LtHflK_G_FYFU,7943
django/contrib/auth/locale/es_AR/LC_MESSAGES/django.po,sha256=XqPd_mBJmPG-YYZrDdfVe7nbC6B5NLcHp2aISkk23xI,8214
django/contrib/auth/locale/es_CO/LC_MESSAGES/django.mo,sha256=K5VaKTyeV_WoKsLR1x8ZG4VQmk3azj6ZM8Phqjs81So,6529
django/contrib/auth/locale/es_CO/LC_MESSAGES/django.po,sha256=qJywTaYi7TmeMB1sjwsiwG8GXtxAOaOX0voj7lLVZRw,7703
django/contrib/auth/locale/es_MX/LC_MESSAGES/django.mo,sha256=dCav1yN5q3bU4PvXZd_NxHQ8cZ9KqQCiNoe4Xi8seoY,7822
django/contrib/auth/locale/es_MX/LC_MESSAGES/django.po,sha256=_4un21ALfFsFaqpLrkE2_I18iEfJlcAnd_X8YChfdWo,8210
django/contrib/auth/locale/es_VE/LC_MESSAGES/django.mo,sha256=GwpZytNHtK7Y9dqQKDiVi4SfA1AtPlk824_k7awqrdI,7415
django/contrib/auth/locale/es_VE/LC_MESSAGES/django.po,sha256=G3mSCo_XGRUfOAKUeP_UNfWVzDPpbQrVYQt8Hv3VZVM,7824
django/contrib/auth/locale/et/LC_MESSAGES/django.mo,sha256=yilio-iPwr09MPHPgrDLQ-G5d2xNg1o75lcv5-yzcM4,7393
django/contrib/auth/locale/et/LC_MESSAGES/django.po,sha256=OvUyjbna_KS-bI4PUUHagS-JuwtB7G0J1__MtFGxB-M,7886
django/contrib/auth/locale/eu/LC_MESSAGES/django.mo,sha256=K0AoFJGJJSnD1IzYqCY9qB4HZHwx-F7QaDTAGehyo7w,7396
django/contrib/auth/locale/eu/LC_MESSAGES/django.po,sha256=y9BAASQYTTYfoTKWFVQUYs5-zPlminfJ6C5ZORD6g-s,7749
django/contrib/auth/locale/fa/LC_MESSAGES/django.mo,sha256=yeA_5LAPu7OyQssunvUNlH07bPVCyGLpnvijNenrtHQ,8979
django/contrib/auth/locale/fa/LC_MESSAGES/django.po,sha256=NChJSgpkXrwAiTrCJzvwlm9mh-LFSD1rR1ESdRQD43o,9513
django/contrib/auth/locale/fi/LC_MESSAGES/django.mo,sha256=fH_rcYkl9L2dK1G3MjVETXAHunCPhsXQYMTbDcNe-00,7537
django/contrib/auth/locale/fi/LC_MESSAGES/django.po,sha256=PVwyNBaToxjyHkxy4t4L-kULjJslTe94coSxWNseyn4,7892
django/contrib/auth/locale/fr/LC_MESSAGES/django.mo,sha256=-OY_FLVUMHl7vTazzjtjvsveuggUtY839WkITcmLfQQ,8448
django/contrib/auth/locale/fr/LC_MESSAGES/django.po,sha256=DkL1v2GwfRWEQ5sTcyAWK6_emBLz4LZaft70nUONsxM,8809
django/contrib/auth/locale/fy/LC_MESSAGES/django.mo,sha256=95N-77SHF0AzQEer5LuBKu5n5oWf3pbH6_hQGvDrlP4,476
django/contrib/auth/locale/fy/LC_MESSAGES/django.po,sha256=8XOzOFx-WerF7whzTie03hgO-dkbUFZneyrpZtat5JY,3704
django/contrib/auth/locale/ga/LC_MESSAGES/django.mo,sha256=Nd02Ed9ACCY6JCCSwtiWl3DTODLFFu9Mq6JVlr5YbYk,3572
django/contrib/auth/locale/ga/LC_MESSAGES/django.po,sha256=FQJMR5DosuKqo4vvF0NAQnjfqbH54MSzqL2-4BO4-uM,6127
django/contrib/auth/locale/gd/LC_MESSAGES/django.mo,sha256=BLBYJV9Adx1BsXZaM0qZ54mNRAF5s4dxB1TBLtIyMHQ,8743
django/contrib/auth/locale/gd/LC_MESSAGES/django.po,sha256=rqPK26mtE_U-TG2qyjc5xCR-feI3sGXZR5H6ohNzx4s,9099
django/contrib/auth/locale/gl/LC_MESSAGES/django.mo,sha256=LEs4FmCgnInkfREWy4ytvs4txunfkDuwGK4x1iDdfq8,7806
django/contrib/auth/locale/gl/LC_MESSAGES/django.po,sha256=CRlrXwKY_gYmJRxlnCmY51N7SoFpzQen0xTSEju2goM,8239
django/contrib/auth/locale/he/LC_MESSAGES/django.mo,sha256=MeI7B43KSAIZL7_qxceKnnFKnyoUVYeZDRkGWabrclw,8606
django/contrib/auth/locale/he/LC_MESSAGES/django.po,sha256=aDJlOsxyGpm-t6BydtqPMDB9lPcBCie8a1IfW_Ennvc,9012
django/contrib/auth/locale/hi/LC_MESSAGES/django.mo,sha256=7CxV1H37hMbgKIhnAWx-aJmipLRosJe1qg8BH2CABfw,5364
django/contrib/auth/locale/hi/LC_MESSAGES/django.po,sha256=DU5YM6r1kd5fo40yqFXzEaNh42ezFQFQ-0dmVqkaKQ0,7769
django/contrib/auth/locale/hr/LC_MESSAGES/django.mo,sha256=GEap3QClwCkuwQZKJE7qOZl93RRxmyyvTTnOTYaAWUo,5894
django/contrib/auth/locale/hr/LC_MESSAGES/django.po,sha256=ALftoYSaI1U90RNDEvnaFATbw1SL0m8fNXAyl6DkSvo,7355
django/contrib/auth/locale/hsb/LC_MESSAGES/django.mo,sha256=bkFfrGhbVkopx8X9W5i2HJ6L-nCgebwT5w5WDbYvePY,8082
django/contrib/auth/locale/hsb/LC_MESSAGES/django.po,sha256=Xb_73b2geSGdwolmiCnNoO8TfzbgAzbt6iXAlzH_5rI,8383
django/contrib/auth/locale/hu/LC_MESSAGES/django.mo,sha256=TLGY7EaLD12NHYM1hQlqb4D4BM0T68jv8yhECOHIgcA,7655
django/contrib/auth/locale/hu/LC_MESSAGES/django.po,sha256=E51MM5qqplgrOSrh60bfz-EvyL91Ik3kL3YJOK-dqzk,8040
django/contrib/auth/locale/hy/LC_MESSAGES/django.mo,sha256=zoLe0EqIH8HQYC5XAWd8b8mA2DpbmDSEBsF-WIKX_OQ,8001
django/contrib/auth/locale/hy/LC_MESSAGES/django.po,sha256=wIWLbz6f0n44ZcjEbZZsgoWTpzXRGND15hudr_DQ3l0,8787
django/contrib/auth/locale/ia/LC_MESSAGES/django.mo,sha256=OTxh6u0QmsytMrp8IKWBwMnhrYCpyS6qVnF7YBCAWe0,7626
django/contrib/auth/locale/ia/LC_MESSAGES/django.po,sha256=ue4RXEXweO1-9sZOKkLZsyZe8yxnPWB3JZyyh3qzmlA,7895
django/contrib/auth/locale/id/LC_MESSAGES/django.mo,sha256=Shn7YL4gYpKmw3tkL3upWpehmSMkLs6ODIFpIhmHSeM,7243
django/contrib/auth/locale/id/LC_MESSAGES/django.po,sha256=7bCK44c-CqLcgcltuOfoTsDJ-tYNW0Fdfq6KaSHLKd4,7638
django/contrib/auth/locale/io/LC_MESSAGES/django.mo,sha256=YwAS3aWljAGXWcBhGU_GLVuGJbHJnGY8kUCE89CPdks,464
django/contrib/auth/locale/io/LC_MESSAGES/django.po,sha256=W36JXuA1HQ72LspixRxeuvxogVxtk7ZBbT0VWI38_oM,3692
django/contrib/auth/locale/is/LC_MESSAGES/django.mo,sha256=0PBYGqQKJaAG9m2jmJUzcqRVPc16hCe2euECMCrNGgI,7509
django/contrib/auth/locale/is/LC_MESSAGES/django.po,sha256=o6dQ8WMuPCw4brSzKUU3j8PYhkLBO7XQ3M7RlsIw-VY,7905
django/contrib/auth/locale/it/LC_MESSAGES/django.mo,sha256=pcBcdOXLqT4shr7Yw5l-pxfYknJyDW6d-jGtkncl24E,7862
django/contrib/auth/locale/it/LC_MESSAGES/django.po,sha256=f03_tMPiwLF1ZyWfnB_j2vhPR1AXkborGQS2Tbxufzk,8471
django/contrib/auth/locale/ja/LC_MESSAGES/django.mo,sha256=yd8QAELWqvHDRaf0rZw8Omc0IhTiqe4a3gtsujennec,8174
django/contrib/auth/locale/ja/LC_MESSAGES/django.po,sha256=EOasPPqLOtSKPeObb5DMDextIgtAdznPe4VQb61eyxE,8533
django/contrib/auth/locale/ka/LC_MESSAGES/django.mo,sha256=0QWYd58Dz5Az3OfZo7wV3o-QCre2oc5dgEPu0rnLVJI,10625
django/contrib/auth/locale/ka/LC_MESSAGES/django.po,sha256=oCtz7gS4--mhv7biS1rIh43I4v1UpZX4DKdrB-xZ2RA,11217
django/contrib/auth/locale/kab/LC_MESSAGES/django.mo,sha256=9qKeQ-gDByoOdSxDpSbLaM4uSP5sIi7qlTn8tJidVDs,2982
django/contrib/auth/locale/kab/LC_MESSAGES/django.po,sha256=8cq5_rjRXPzTvn1jPo6H_Jcrv6IXkWr8n9fTPvghsS8,5670
django/contrib/auth/locale/kk/LC_MESSAGES/django.mo,sha256=RJablrXpRba6YVB_8ACSt2q_BjmxrHQZzX6RxMJImlA,3542
django/contrib/auth/locale/kk/LC_MESSAGES/django.po,sha256=OebwPN9iWBvjDu0P2gQyBbShvIFxFIqCw8DpKuti3xk,6360
django/contrib/auth/locale/km/LC_MESSAGES/django.mo,sha256=FahcwnCgzEamtWcDEPOiJ4KpXCIHbnSowfSRdRQ2F9U,2609
django/contrib/auth/locale/km/LC_MESSAGES/django.po,sha256=lvRHHIkClbt_8-9Yn0xY57dMxcS72z4sUkxLb4cohP0,5973
django/contrib/auth/locale/kn/LC_MESSAGES/django.mo,sha256=u0YygqGJYljBZwI9rm0rRk_DdgaBEMA1etL-Lk-7Mls,4024
django/contrib/auth/locale/kn/LC_MESSAGES/django.po,sha256=J67MIAas5egVq_FJBNsug3Y7rZ8KakhQt6isyF23HAA,6957
django/contrib/auth/locale/ko/LC_MESSAGES/django.mo,sha256=vwD0-GW2g4uAPCQbvsr2CyZ1Y-9VHcF4xlN3qaJbolU,7607
django/contrib/auth/locale/ko/LC_MESSAGES/django.po,sha256=6PX6SMXjv_bYolpgHfcFpzaKPdkwJSVg95GU5EpjdeM,8350
django/contrib/auth/locale/ky/LC_MESSAGES/django.mo,sha256=mnBXtpInYxaSNIURJTmx8uBg_PH-NuPN9r54pkQY3q4,8924
django/contrib/auth/locale/ky/LC_MESSAGES/django.po,sha256=7FeO_Kb2er0S84KnFeXVHO3TgAmEJ0gTQEDHImoxiZ4,9170
django/contrib/auth/locale/lb/LC_MESSAGES/django.mo,sha256=OFhpMA1ZXhrs5fwZPO5IjubvWDiju4wfwWiV94SFkiA,474
django/contrib/auth/locale/lb/LC_MESSAGES/django.po,sha256=dOfY9HjTfMQ0nkRYumw_3ZaywbUrTgT-oTXAnrRyfxo,3702
django/contrib/auth/locale/lt/LC_MESSAGES/django.mo,sha256=-nlZHl7w__TsFUmBb5pQV_XJtKGsi9kzP6CBZXkfM8M,8146
django/contrib/auth/locale/lt/LC_MESSAGES/django.po,sha256=-rdhB6eroSSemsdZkG1Jl4CruNZc_7dj4m5IVoyRBUQ,8620
django/contrib/auth/locale/lv/LC_MESSAGES/django.mo,sha256=3vBq92k5qYRbQGLgkLSxuTpnf1GdDdeGJ09_OqgU8gQ,7730
django/contrib/auth/locale/lv/LC_MESSAGES/django.po,sha256=z1gylOSLagSoNfqwTp9AkOaOpdtRjm7duNixlNM8dlk,8236
django/contrib/auth/locale/mk/LC_MESSAGES/django.mo,sha256=XS9dslnD_YBeD07P8WQkss1gT7GIV-qLiCx4i5_Vd_k,9235
django/contrib/auth/locale/mk/LC_MESSAGES/django.po,sha256=QOLgcwHub9Uo318P2z6sp69MI8syIIWCcr4VOom9vfs,9799
django/contrib/auth/locale/ml/LC_MESSAGES/django.mo,sha256=UEaqq7nnGvcZ8vqFicLiuqsuEUhEjd2FpWfyzy2HqdU,12611
django/contrib/auth/locale/ml/LC_MESSAGES/django.po,sha256=xBROIwJb5h2LmyBLAafZ2tUlPVTAOcMgt-olq5XnPT8,13107
django/contrib/auth/locale/mn/LC_MESSAGES/django.mo,sha256=hBYT0p3LcvIKKPtIn2NzPk_2di9L8jYrUt9j3TcVvaY,9403
django/contrib/auth/locale/mn/LC_MESSAGES/django.po,sha256=R3wAEwnefEHZsma8J-XOn4XlLtuWYKDPLwJ99DUYmvE,9913
django/contrib/auth/locale/mr/LC_MESSAGES/django.mo,sha256=zGuqUTqcWZZn8lZY56lf5tB0_lELn7Dd0Gj78wwO5T4,468
django/contrib/auth/locale/mr/LC_MESSAGES/django.po,sha256=yLW9WuaBHqdp9PXoDEw7c05Vt0oOtlks5TS8oxYPAO8,3696
django/contrib/auth/locale/ms/LC_MESSAGES/django.mo,sha256=eCAZrzQxsM_pAxr_XQo2fIOsCbj5LjGKpLNCzob2l-I,7654
django/contrib/auth/locale/ms/LC_MESSAGES/django.po,sha256=FAtyzSGcD1mIhRIg8O_1SHLdisTPGYZK-QUjzgw-wCY,7847
django/contrib/auth/locale/my/LC_MESSAGES/django.mo,sha256=gYzFJKi15RbphgG1IHbJF3yGz3P2D9vaPoHZpA7LoH8,1026
django/contrib/auth/locale/my/LC_MESSAGES/django.po,sha256=lH5mrq-MyY8gvrNkH2_20rkjFnbviq23wIUqIjPIgFI,5130
django/contrib/auth/locale/nb/LC_MESSAGES/django.mo,sha256=vLJ9F73atlexwVRzZJpQjcB9arodHIMCh-z8lP5Ah9w,7023
django/contrib/auth/locale/nb/LC_MESSAGES/django.po,sha256=c3sTCdzWGZgs94z9dIIpfrFuujBuvWvQ-P0gb1tuqlA,7520
django/contrib/auth/locale/ne/LC_MESSAGES/django.mo,sha256=pq8dEr1ugF5ldwkCDHOq5sXaXV31InbLHYyXU56U_Ao,7722
django/contrib/auth/locale/ne/LC_MESSAGES/django.po,sha256=bV-uWvT1ViEejrbRbVTtwC2cZVD2yX-KaESxKBnxeRI,8902
django/contrib/auth/locale/nl/LC_MESSAGES/django.mo,sha256=rC50p1YuxjzC0qIsV139uhrFkJhPi5sFERoNdD7XYIY,7509
django/contrib/auth/locale/nl/LC_MESSAGES/django.po,sha256=B1K9ZLH0fvz5jY85bIZI8NUDTOqaufezfTUgEObb-fk,8301
django/contrib/auth/locale/nn/LC_MESSAGES/django.mo,sha256=83HdNOuNQVgJXBZMytPz1jx3wWDy8-e6t_JNEUu6W8w,7147
django/contrib/auth/locale/nn/LC_MESSAGES/django.po,sha256=4ciwQsZFYSV6CjFqzxxcESAm16huv9XyXvU-nchD-Fs,7363
django/contrib/auth/locale/os/LC_MESSAGES/django.mo,sha256=DVsYGz-31nofEjZla4YhM5L7qoBnQaYnZ4TBki03AI4,4434
django/contrib/auth/locale/os/LC_MESSAGES/django.po,sha256=Akc1qelQWRA1DE6xseoK_zsY7SFI8SpiVflsSTUhQLw,6715
django/contrib/auth/locale/pa/LC_MESSAGES/django.mo,sha256=PeOLukzQ_CZjWBa5FGVyBEysat4Gwv40xGMS29UKRww,3666
django/contrib/auth/locale/pa/LC_MESSAGES/django.po,sha256=7ts9PUSuvfXGRLpfyVirJLDtsQcsVWFXDepVKUVlmtc,6476
django/contrib/auth/locale/pl/LC_MESSAGES/django.mo,sha256=3t1UX7uu6kRAo90REXiJklBvvOzpS_q9J2Krw3lGDGY,8044
django/contrib/auth/locale/pl/LC_MESSAGES/django.po,sha256=UNPOh_qohNom1u9Zyj80gGwTT0NerYjgJsT8Hyd7TCk,8908
django/contrib/auth/locale/pt/LC_MESSAGES/django.mo,sha256=oyKCSXRo55UiO3-JKcodMUnK7fuOuQxQrXcU7XkWidA,7756
django/contrib/auth/locale/pt/LC_MESSAGES/django.po,sha256=tEazw0kctJ3BaP21IblsMhno6qooOGW54zwende522Q,8128
django/contrib/auth/locale/pt_BR/LC_MESSAGES/django.mo,sha256=Ni5q4FjW3EZsTQ2LnJU2WimEsAym4oC246g6RkVpYqg,7711
django/contrib/auth/locale/pt_BR/LC_MESSAGES/django.po,sha256=9prgcgsX-HKvmljeXRZFV1i2Usb17dEOgvg067se62g,8767
django/contrib/auth/locale/ro/LC_MESSAGES/django.mo,sha256=GD04tb5R6nEeD6ZMAcZghVhXwr8en1omw0c6BxnyHas,7777
django/contrib/auth/locale/ro/LC_MESSAGES/django.po,sha256=YfkFuPrMwAR50k6lfOYeBbMosEbvXGWwMBD8B7p_2ZA,8298
django/contrib/auth/locale/ru/LC_MESSAGES/django.mo,sha256=XbKViOjMVctjl4C7lcMDhOh70U3iTKCDGufBn4BbEkc,10419
django/contrib/auth/locale/ru/LC_MESSAGES/django.po,sha256=Ll6bJLOFF08q7KH15W5gO3wqTY5Dtll0nR4Dw_rOu9k,11014
django/contrib/auth/locale/sk/LC_MESSAGES/django.mo,sha256=1xmFLKSKxwWOoW7MLQ6oLhOi5fRs_YEqYQ6VlQ0f7ag,7853
django/contrib/auth/locale/sk/LC_MESSAGES/django.po,sha256=sNAtYJYT-QLmTRaYpoyAeC9j3adeQwvQqtxjKuDFkn0,8292
django/contrib/auth/locale/sl/LC_MESSAGES/django.mo,sha256=BWza8NHox8osJ0VzZIfPLrwZY4YgSeL1iGy-ZvemmEg,7342
django/contrib/auth/locale/sl/LC_MESSAGES/django.po,sha256=-1VpMnlclV-X6e0AiMIzXfKHD67agIcwK7aAxuSd-uw,7972
django/contrib/auth/locale/sq/LC_MESSAGES/django.mo,sha256=3bm81rsRuQmV_1mD9JrAwSjRIDUlsb3lPmBxRNHfz8w,7813
django/contrib/auth/locale/sq/LC_MESSAGES/django.po,sha256=BWfyT4qg1jMoDGwmpLq4uPHJ1hJXLHI7gyo4BnzVHZI,8128
django/contrib/auth/locale/sr/LC_MESSAGES/django.mo,sha256=3dRNH8jjE8I2vQwyTZ5J6tGLeBr3_XhlAjdPqcMea0M,9761
django/contrib/auth/locale/sr/LC_MESSAGES/django.po,sha256=33D4YxtMpY3s0cDsK0L2-bCvfZHlbfxR4XX9oMjCQXM,10081
django/contrib/auth/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=SXl_MvkY_idYMT3sF7nIuh8z2qMdMC1lJ69Y6FcJMaA,3191
django/contrib/auth/locale/sr_Latn/LC_MESSAGES/django.po,sha256=hlU8JVlqIKv-Wx9urJDnFxvyT_m8mLz0vTl8Tcat4lw,5958
django/contrib/auth/locale/sv/LC_MESSAGES/django.mo,sha256=hdFeVy7UXyyHylfvuWrzcLE9eIDBTGWy91ReCvFgXAg,7484
django/contrib/auth/locale/sv/LC_MESSAGES/django.po,sha256=Ia6YyrYr3hOKBojOfMVQBlY1LvcX0hi3LRvMmf9mOIw,8130
django/contrib/auth/locale/sw/LC_MESSAGES/django.mo,sha256=I_lEsKuMGm07X1vM3-ReGDx2j09PGLkWcG0onC8q1uQ,5029
django/contrib/auth/locale/sw/LC_MESSAGES/django.po,sha256=TiZS5mh0oN0e6dFEdh-FK81Vk-tdv35ngJ-EbM1yX80,6455
django/contrib/auth/locale/ta/LC_MESSAGES/django.mo,sha256=T1t5CKEb8hIumvbOtai-z4LKj2et8sX-PgBMd0B3zuA,2679
django/contrib/auth/locale/ta/LC_MESSAGES/django.po,sha256=X8UDNmk02X9q1leNV1qWWwPNakhvNd45mCKkQ8EpZQQ,6069
django/contrib/auth/locale/te/LC_MESSAGES/django.mo,sha256=i9hG4thA0P-Hc-S2oX7GufWFDO4Y_LF4RcdQ22cbLyE,2955
django/contrib/auth/locale/te/LC_MESSAGES/django.po,sha256=txND8Izv2oEjSlcsx3q6l5fEUqsS-zv-sjVVILB1Bmc,6267
django/contrib/auth/locale/tg/LC_MESSAGES/django.mo,sha256=MwdyYwC4ILX4MFsqCy46NNfPKLbW1GzRhFxMV0uIbLI,7932
django/contrib/auth/locale/tg/LC_MESSAGES/django.po,sha256=miOPNThjHZODwjXMbON8PTMQhaCGJ0Gy6FZr6Jcj4J8,8938
django/contrib/auth/locale/th/LC_MESSAGES/django.mo,sha256=zRpZ2xM5JEQoHtfXm2_XYdhe2FtaqH-hULJadLJ1MHU,6013
django/contrib/auth/locale/th/LC_MESSAGES/django.po,sha256=Yhh_AQS_aM_9f_yHNNSu_3THbrU-gOoMpfiDKhkaSHo,7914
django/contrib/auth/locale/tk/LC_MESSAGES/django.mo,sha256=HSN9CgJEGgCCUcU3KECQkYMsVhKawYbP0Mc9r5JbGmM,7159
django/contrib/auth/locale/tk/LC_MESSAGES/django.po,sha256=NZhEwgQYBmu82tu-LXFqz2nvdmL8YYFTYhSOed-aWNk,7608
django/contrib/auth/locale/tr/LC_MESSAGES/django.mo,sha256=mYG9uXXM3nGlu6LPpE5bI50ijVE2o30Ozlzj-nYGmcI,7594
django/contrib/auth/locale/tr/LC_MESSAGES/django.po,sha256=lMpqDnx1JyK7yzFws5SSdqhGg4Cgdi1jgVRjxOteS9A,8183
django/contrib/auth/locale/tt/LC_MESSAGES/django.mo,sha256=g4pTk8QLQFCOkU29RZvR1wOd1hkOZe_o5GV9Cg5u8N4,1371
django/contrib/auth/locale/tt/LC_MESSAGES/django.po,sha256=owkJ7iPT-zJYkuKLykfWsw8j7O8hbgzVTOD0DVv956E,5222
django/contrib/auth/locale/udm/LC_MESSAGES/django.mo,sha256=zey19UQmS79AJFxHGrOziExPDDpJ1AbUegbCRm0x0hM,462
django/contrib/auth/locale/udm/LC_MESSAGES/django.po,sha256=gLVgaMGg0GA3Tey1_nWIjV1lnM7czLC0XR9NFBgL2Zk,3690
django/contrib/auth/locale/uk/LC_MESSAGES/django.mo,sha256=hjA-VzGMy8ReYSjuELwK3WEliLLjGsi0iRadzoX8UyU,10146
django/contrib/auth/locale/uk/LC_MESSAGES/django.po,sha256=8R2bP3QC6jhcz_XSpK-GK1OPTCCb7PN6bz-1ZRX37fs,10850
django/contrib/auth/locale/ur/LC_MESSAGES/django.mo,sha256=rippTNHoh49W19c4HDUF8G5Yo3SknL3C87Afu8YXxzA,698
django/contrib/auth/locale/ur/LC_MESSAGES/django.po,sha256=gwSd8noEwbcvDE1Q4ZsrftvoWMwhw1J15gvdtK6E9ns,4925
django/contrib/auth/locale/uz/LC_MESSAGES/django.mo,sha256=bDkhpvduocjekq6eZiuEfWJqnIt5hQmxxoIMhLQWzqM,2549
django/contrib/auth/locale/uz/LC_MESSAGES/django.po,sha256=tPp8tRZwSMQCQ9AyAeUDtnRfmOk54UQMwok3HH8VNSQ,5742
django/contrib/auth/locale/vi/LC_MESSAGES/django.mo,sha256=eBMTwnpRWRj8SZVZ1tN592Re_8CPyJzuF4Vtg9IMmFw,7892
django/contrib/auth/locale/vi/LC_MESSAGES/django.po,sha256=mOr5WgFpwztdW-pEZ4O80MGlltYQyL2cAMhz6-Esfo0,8246
django/contrib/auth/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=xV9wTiaL7hMCKmUOHuEs5XtxEibXWLnywDYTjeXoVCA,6907
django/contrib/auth/locale/zh_Hans/LC_MESSAGES/django.po,sha256=CUdR2ch2mOf5v3GTOTIQg2IOj-7M1mS6Dw9yvz891Yw,7638
django/contrib/auth/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=yQ5Gllu4hXzuBpBNAgtJaBMVivJeXUUlpfDS4CT1wg4,6728
django/contrib/auth/locale/zh_Hant/LC_MESSAGES/django.po,sha256=Rw18_ZEtobUhmj2oF544zdQ6Vrac0T9UI9RJO4plOdc,7145
django/contrib/auth/management/__init__.py,sha256=SGcjDZGJsHYG70R_VG7EXyNzaa-mV2xobfP6Fy6KN7c,5490
django/contrib/auth/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/auth/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/auth/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/auth/management/commands/__pycache__/changepassword.cpython-311.pyc,,
django/contrib/auth/management/commands/__pycache__/createsuperuser.cpython-311.pyc,,
django/contrib/auth/management/commands/changepassword.py,sha256=uMA0bm8Xy2JovP9M4WrVdZF4qxgRLMaebx3sET2BKSY,2633
django/contrib/auth/management/commands/createsuperuser.py,sha256=WyKuwuSJjBMGccAlBEaaZUgQhUOxjEzNXVU3xPRkcp8,13206
django/contrib/auth/middleware.py,sha256=_Y3pB-F4WhZdAZZMHL4iQ-TSBQrivkz2flALIjodXiM,5431
django/contrib/auth/migrations/0001_initial.py,sha256=hFz_MZYGMy9J7yDOFl0aF-UixCbF5W12FhM-nk6rpe8,7281
django/contrib/auth/migrations/0002_alter_permission_name_max_length.py,sha256=_q-X4Oj30Ui-w9ubqyNJxeFYiBF8H_KCne_2PvnhbP8,346
django/contrib/auth/migrations/0003_alter_user_email_max_length.py,sha256=nVZXtNuYctwmwtY0wvWRGj1pqx2FUq9MbWM7xAAd-r8,418
django/contrib/auth/migrations/0004_alter_user_username_opts.py,sha256=lTjbNCyam-xMoSsxN_uAdyxOpK-4YehkeilisepYNEo,880
django/contrib/auth/migrations/0005_alter_user_last_login_null.py,sha256=efYKNdwAD91Ce8BchSM65bnEraB4_waI_J94YEv36u4,410
django/contrib/auth/migrations/0006_require_contenttypes_0002.py,sha256=AMsW40BfFLYtvv-hXGjJAwKR5N3VE9czZIukYNbF54E,369
django/contrib/auth/migrations/0007_alter_validators_add_error_messages.py,sha256=EV24fcMnUw-14ZZLo9A_l0ZJL5BgBAaUe-OfVPbMBC8,802
django/contrib/auth/migrations/0008_alter_user_username_max_length.py,sha256=AoV_ZffWSBR6XRJZayAKg-KRRTkdP5hs64SzuGWiw1E,814
django/contrib/auth/migrations/0009_alter_user_last_name_max_length.py,sha256=GaiVAOfxCKc5famxczGB-SEF91hmOzaFtg9cLaOE124,415
django/contrib/auth/migrations/0010_alter_group_name_max_length.py,sha256=CWPtZJisCzqEMLbKNMG0pLHV9VtD09uQLxWgP_dLFM0,378
django/contrib/auth/migrations/0011_update_proxy_permissions.py,sha256=haXd5wjcS2ER4bxxznI-z7p7H4rt7P0TCQD_d4J2VDY,2860
django/contrib/auth/migrations/0012_alter_user_first_name_max_length.py,sha256=bO-8n4CQN2P_hJKlN6IoNu9p8iJ-GdQCUJuAmdK67LA,411
django/contrib/auth/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/auth/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0002_alter_permission_name_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0003_alter_user_email_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0004_alter_user_username_opts.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0005_alter_user_last_login_null.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0006_require_contenttypes_0002.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0007_alter_validators_add_error_messages.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0008_alter_user_username_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0009_alter_user_last_name_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0010_alter_group_name_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0011_update_proxy_permissions.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/0012_alter_user_first_name_max_length.cpython-311.pyc,,
django/contrib/auth/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/auth/mixins.py,sha256=rHq9HsX4W8lKtfXsazxM3chhTFLqd3eKI-OVKpbeLjQ,4652
django/contrib/auth/models.py,sha256=7DKhZJdEgTkm1j38W_BSfMQ3qh1y-AhqmElQ8kHKhAY,16500
django/contrib/auth/password_validation.py,sha256=lLTPVZb2bGCiikcG1U3ySzZrdcvPRQhYhMPe84hMOtg,9376
django/contrib/auth/signals.py,sha256=BFks70O0Y8s6p1fr8SCD4-yk2kjucv7HwTcdRUzVDFM,118
django/contrib/auth/templates/auth/widgets/read_only_password_hash.html,sha256=hP5lekZa5ww1wQbWNiEHkT_KGnXoCKFBm5yxIlJm3d8,196
django/contrib/auth/templates/registration/password_reset_subject.txt,sha256=-TZcy_r0vArBgdPK7feeUY6mr9EkYwy7esQ62_onbBk,132
django/contrib/auth/tokens.py,sha256=ljqQWO0dAkd45-bBJ6W85oZZU9pEjzNh3VbZfeANwxQ,4328
django/contrib/auth/urls.py,sha256=Uh8DrSqpJXDA5a17Br9fMmIbEcgLkxdN9FvCRg-vxyg,1185
django/contrib/auth/validators.py,sha256=VO7MyackTaTiK8OjEm7YyLtsjKrteVjdzPbNZki0irU,722
django/contrib/auth/views.py,sha256=8CbrdLoy6NnCdxmzm4BETTHIZvVzS654Fnbu3g61JKw,14446
django/contrib/contenttypes/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/contenttypes/__pycache__/__init__.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/admin.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/apps.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/checks.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/fields.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/forms.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/models.cpython-311.pyc,,
django/contrib/contenttypes/__pycache__/views.cpython-311.pyc,,
django/contrib/contenttypes/admin.py,sha256=a0KrlT8k2aPIKn54fNwCDTaAVdVr1fLY1BDz_FrE3ts,5200
django/contrib/contenttypes/apps.py,sha256=1Q1mWjPvfYU7EaO50JvsWuDg_3uK8DoCwpvdIdT7iKY,846
django/contrib/contenttypes/checks.py,sha256=KKB-4FOfPO60TM-uxqK8m9sIXzB3CRx7Imr-jaauM_U,1268
django/contrib/contenttypes/fields.py,sha256=NlE4X8KDQg8qkBXc4gc8LzhkcwPDih6qlOZWceXmMsE,29513
django/contrib/contenttypes/forms.py,sha256=T6fZZkJjPrD6R3h5Wos2a9aDM3mZJLerHSh6NXHJp4I,3956
django/contrib/contenttypes/locale/af/LC_MESSAGES/django.mo,sha256=93nlniPFfVcxfBCs_PsLtMKrJ2BqpcofPRNYYTTlels,1070
django/contrib/contenttypes/locale/af/LC_MESSAGES/django.po,sha256=SY04sW55-xpO_qBjv8pHoN7eqB2C5q_9CxQguMz7Q94,1244
django/contrib/contenttypes/locale/ar/LC_MESSAGES/django.mo,sha256=2t3y_6wxi0khsYi6s9ZyJwjRB8bnRT1PKvazWOKhJcQ,1271
django/contrib/contenttypes/locale/ar/LC_MESSAGES/django.po,sha256=t6M3XYQLotNMFCjzB8aWFXnlRI8fU744YZvAoFdScQY,1634
django/contrib/contenttypes/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=upFxoSvOvdmqCvC5irRV_8yYpFidanHfRk6i3tPrFAc,1233
django/contrib/contenttypes/locale/ar_DZ/LC_MESSAGES/django.po,sha256=jUg-4BVi0arx5v-osaUDAfM6cQgaBh7mE8Mr8aVTp5A,1447
django/contrib/contenttypes/locale/ast/LC_MESSAGES/django.mo,sha256=y88CPGGbwTVRmZYIipCNIWkn4OuzuxEk2QCYsBhc7RY,643
django/contrib/contenttypes/locale/ast/LC_MESSAGES/django.po,sha256=H-qMo5ikva84ycnlmBT4XXEWhzMIw-r7J_zuqxo3wu4,1088
django/contrib/contenttypes/locale/az/LC_MESSAGES/django.mo,sha256=VTQ2qQ7aoZYUVl2yht2DbYzj2acs71Szqz7iZyySAqI,1065
django/contrib/contenttypes/locale/az/LC_MESSAGES/django.po,sha256=9NcmP1jMQPfjPraoXui6iqJn3z3f3uG1RYN7K5-_-dU,1359
django/contrib/contenttypes/locale/be/LC_MESSAGES/django.mo,sha256=Kp1TpXX1v0IgGp9HZxleXJ6y5ZvMZ6AqJrSIVcDs7xA,1353
django/contrib/contenttypes/locale/be/LC_MESSAGES/django.po,sha256=Oy5QXZBmBM_OYLT5OeXJQzTBCHXBp8NVMYuKmr_TUm0,1615
django/contrib/contenttypes/locale/bg/LC_MESSAGES/django.mo,sha256=IFghXuYj0yxP5j-LfRsNJXlyS2b2dUNJXD01uhUqxLg,1225
django/contrib/contenttypes/locale/bg/LC_MESSAGES/django.po,sha256=y-OpKdDHxHDYATSmi8DAUXuhpIwgujKZUe48G8So8AU,1613
django/contrib/contenttypes/locale/bn/LC_MESSAGES/django.mo,sha256=2Z1GL6c1ukKQCMcls7R0_n4eNdH3YOXZSR8nCct7SLI,1201
django/contrib/contenttypes/locale/bn/LC_MESSAGES/django.po,sha256=PLjnppx0FxfGBQMuWVjo0N4sW2QYc2DAEMK6ziGWUc8,1491
django/contrib/contenttypes/locale/br/LC_MESSAGES/django.mo,sha256=kAlOemlwBvCdktgYoV-4NpC7XFDaIue_XN7GJYzDu88,1419
django/contrib/contenttypes/locale/br/LC_MESSAGES/django.po,sha256=BQmHVQqOc6xJWJLeAo49rl_Ogfv-lFtx18mj82jT_to,1613
django/contrib/contenttypes/locale/bs/LC_MESSAGES/django.mo,sha256=klj9n7AKBkTf7pIa9m9b-itsy4UlbYPnHiuvSLcFZXY,700
django/contrib/contenttypes/locale/bs/LC_MESSAGES/django.po,sha256=pmJaMBLWbYtYFFXYBvPEvwXkTPdjQDv2WkFI5jNGmTI,1151
django/contrib/contenttypes/locale/ca/LC_MESSAGES/django.mo,sha256=uYq1BXdw1AXjnLusUQfN7ox1ld6siiy41C8yKVTry7Q,1095
django/contrib/contenttypes/locale/ca/LC_MESSAGES/django.po,sha256=-dsOzvzVzEPVvA9lYsIP-782BbtJxGRo-OHtS3fIjmU,1403
django/contrib/contenttypes/locale/ckb/LC_MESSAGES/django.mo,sha256=_dJ-2B3tupoUHRS7HjC-EIlghIYLWebwsy4IvEXI13w,1213
django/contrib/contenttypes/locale/ckb/LC_MESSAGES/django.po,sha256=SrQwgQTltnR7OExi6sP5JsnEOg6qDzd8dSPXjX92B-M,1419
django/contrib/contenttypes/locale/cs/LC_MESSAGES/django.mo,sha256=QexBQDuGdMFhVBtA9XWUs2geFBROcxyzdU_IBUGQ7x4,1108
django/contrib/contenttypes/locale/cs/LC_MESSAGES/django.po,sha256=8pdPwZmpGOeSZjILGLZEAzqvmmV69ogpkh0c3tukT2g,1410
django/contrib/contenttypes/locale/cy/LC_MESSAGES/django.mo,sha256=2QyCWeXFyymoFu0Jz1iVFgOIdLtt4N1rCZATZAwiH-8,1159
django/contrib/contenttypes/locale/cy/LC_MESSAGES/django.po,sha256=ZWDxQTHJcw1UYav1C3MX08wCFrSeJNNI2mKjzRVd6H0,1385
django/contrib/contenttypes/locale/da/LC_MESSAGES/django.mo,sha256=EyancRrTWxM6KTpLq65gIQB0sO_PLtVr1ESN2v1pSNU,1038
django/contrib/contenttypes/locale/da/LC_MESSAGES/django.po,sha256=J09u3IjLgv4g77Kea_WQAhevHb8DskGU-nVxyucYf_0,1349
django/contrib/contenttypes/locale/de/LC_MESSAGES/django.mo,sha256=MGUZ4Gw8rSFjBO2OfFX9ooGGpJYwAapgNkc-GdBMXa0,1055
django/contrib/contenttypes/locale/de/LC_MESSAGES/django.po,sha256=T5ucSqa6VyfUcoN6nFWBtjUkrSrz7wxr8t0NGTBrWow,1308
django/contrib/contenttypes/locale/dsb/LC_MESSAGES/django.mo,sha256=QpdSZObmfb-DQZb3Oh6I1bFRnaPorXMznNZMyVIM7Hc,1132
django/contrib/contenttypes/locale/dsb/LC_MESSAGES/django.po,sha256=_tNajamEnnf9FEjI-XBRraKjJVilwvpv2TBf9PAzPxw,1355
django/contrib/contenttypes/locale/el/LC_MESSAGES/django.mo,sha256=1ySEbSEzhH1lDjHQK9Kv59PMA3ZPdqY8EJe6xEQejIM,1286
django/contrib/contenttypes/locale/el/LC_MESSAGES/django.po,sha256=8rlMKE5SCLTtm1myjLFBtbEIFyuRmSrL9HS2PA7gneQ,1643
django/contrib/contenttypes/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/contenttypes/locale/en/LC_MESSAGES/django.po,sha256=BRgOISCCJb4TU0dNxG4eeQJFe-aIe7U3GKLPip03d_Q,1110
django/contrib/contenttypes/locale/en_AU/LC_MESSAGES/django.mo,sha256=dTndJxA-F1IE_nMUOtf1sRr7Kq2s_8yjgKk6mkWkVu4,486
django/contrib/contenttypes/locale/en_AU/LC_MESSAGES/django.po,sha256=wmxyIJtz628AbsxgkB-MjdImcIJWhcW7NV3tWbDpedg,1001
django/contrib/contenttypes/locale/en_GB/LC_MESSAGES/django.mo,sha256=_uM-jg43W7Pz8RQhMcR_o15wRkDaYD8aRcl2_NFGoNs,1053
django/contrib/contenttypes/locale/en_GB/LC_MESSAGES/django.po,sha256=SyzwSvqAgKF8BEhXYh4598GYP583OK2GUXH1lc4iDMk,1298
django/contrib/contenttypes/locale/eo/LC_MESSAGES/django.mo,sha256=4EgHUHPb4TuK2DKf0dWOf7rNzJNsyT8CG39SQixI0oM,1072
django/contrib/contenttypes/locale/eo/LC_MESSAGES/django.po,sha256=gbxNuagxW01xLd3DY0Lc5UNNSlw1nEiBExzcElrB61E,1350
django/contrib/contenttypes/locale/es/LC_MESSAGES/django.mo,sha256=KzgypFDwIlVzr_h9Dq2X8dXu3XnsbdSaHwJKJWZ6qc8,1096
django/contrib/contenttypes/locale/es/LC_MESSAGES/django.po,sha256=Dpn9dTvdy87bVf3It8pZFOdEEKnO91bDeYyY1YujkIA,1456
django/contrib/contenttypes/locale/es_AR/LC_MESSAGES/django.mo,sha256=WkHABVDmtKidPyo6zaYGVGrgXpe6tZ69EkxaIBu6mtg,1084
django/contrib/contenttypes/locale/es_AR/LC_MESSAGES/django.po,sha256=yVSu_fJSKwS4zTlRud9iDochIaY0zOPILF59biVfkeY,1337
django/contrib/contenttypes/locale/es_CO/LC_MESSAGES/django.mo,sha256=aACo1rOrgs_BYK3AWzXEljCdAc4bC3BXpyXrwE4lzAs,1158
django/contrib/contenttypes/locale/es_CO/LC_MESSAGES/django.po,sha256=vemhoL-sESessGmIlHoRvtWICqF2aO05WvcGesUZBRM,1338
django/contrib/contenttypes/locale/es_MX/LC_MESSAGES/django.mo,sha256=vD9rSUAZC_rgkwiOOsrrra07Gnx7yEpNHI96tr8xD3U,840
django/contrib/contenttypes/locale/es_MX/LC_MESSAGES/django.po,sha256=tLgjAi9Z1kZloJFVQuUdAvyiJy1J-5QHfoWmxbqQZCc,1237
django/contrib/contenttypes/locale/es_VE/LC_MESSAGES/django.mo,sha256=TVGDydYVg_jGfnYghk_cUFjCCtpGchuoTB4Vf0XJPYk,1152
django/contrib/contenttypes/locale/es_VE/LC_MESSAGES/django.po,sha256=vJW37vuKYb_KpXBPmoNSqtNstFgCDlKmw-8iOoSCenU,1342
django/contrib/contenttypes/locale/et/LC_MESSAGES/django.mo,sha256=TE84lZl6EP54-pgmv275jiTOW0vIsnsGU97qmtxMEVg,1028
django/contrib/contenttypes/locale/et/LC_MESSAGES/django.po,sha256=KO9fhmRCx25VeHNDGXVNhoFx3VFH-6PSLVXZJ6ohOSA,1368
django/contrib/contenttypes/locale/eu/LC_MESSAGES/django.mo,sha256=K0f1cXEhfg_djPzgCL9wC0iHGWF_JGIhWGFL0Y970g0,1077
django/contrib/contenttypes/locale/eu/LC_MESSAGES/django.po,sha256=sSuVV0o8MeWN6BxlaeKcjKA3h4H29fCo1kKEtkczEp4,1344
django/contrib/contenttypes/locale/fa/LC_MESSAGES/django.mo,sha256=hW3A3_9b-NlLS4u6qDnPS1dmNdn1UJCt-nihXvnXywI,1130
django/contrib/contenttypes/locale/fa/LC_MESSAGES/django.po,sha256=TPiYsGGN-j-VD--Rentx1p-IcrNJYoYxrxDO_5xeZHI,1471
django/contrib/contenttypes/locale/fi/LC_MESSAGES/django.mo,sha256=dWar3g1rJAkUG1xRLlmGkH63Fy_h2YqzhMVv0Z25aWc,1036
django/contrib/contenttypes/locale/fi/LC_MESSAGES/django.po,sha256=yALWMFU8-gFD2G0NdWqIDIenrAMUY4VCW1oi8TJXFAc,1325
django/contrib/contenttypes/locale/fr/LC_MESSAGES/django.mo,sha256=CTOu_JOAQeC72VX5z9cg8Bn3HtZsdgbtjA7XKcy681o,1078
django/contrib/contenttypes/locale/fr/LC_MESSAGES/django.po,sha256=6LArEWoBpdaJa7UPcyv4HJKD3YoKUxrwGQGd16bi9DM,1379
django/contrib/contenttypes/locale/fy/LC_MESSAGES/django.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/contenttypes/locale/fy/LC_MESSAGES/django.po,sha256=SB07aEGG7n4oX_5rqHB6OnjpK_K0KwFM7YxaWYNpB_4,991
django/contrib/contenttypes/locale/ga/LC_MESSAGES/django.mo,sha256=GYQYfYWbgwL3nQJR5d7XGjc5KeYYXsB0yRQJz7zxd_k,1097
django/contrib/contenttypes/locale/ga/LC_MESSAGES/django.po,sha256=byvw9sQ9VLVjS7Au81LcNpxOzwA29_4Al9nB1ZyV2b4,1408
django/contrib/contenttypes/locale/gd/LC_MESSAGES/django.mo,sha256=dQz7j45qlY3M1rL2fCVdPnuHMUdUcJ0K6cKgRD7Js2w,1154
django/contrib/contenttypes/locale/gd/LC_MESSAGES/django.po,sha256=_hwx9XqeX5QYRFtDpEYkChswn8WMdYTQlbzL1LjREbY,1368
django/contrib/contenttypes/locale/gl/LC_MESSAGES/django.mo,sha256=OS8R8sck0Q__XBw3M9brT4jOHmXYUHH71zU2a0mY0vQ,1080
django/contrib/contenttypes/locale/gl/LC_MESSAGES/django.po,sha256=i-kmfgIuDtreavYL3mCc_BSRi-GmTklAsqE4AhP3wgk,1417
django/contrib/contenttypes/locale/he/LC_MESSAGES/django.mo,sha256=oaxWykyc3N63WpxyHPI5CyhCTBqhM5-2Sasp_DNm1xc,1219
django/contrib/contenttypes/locale/he/LC_MESSAGES/django.po,sha256=wCm08UMCiCa6y1-5E-7bEz-8Kd0oMRMwgzoEJjMwFyw,1486
django/contrib/contenttypes/locale/hi/LC_MESSAGES/django.mo,sha256=KAZuQMKOvIPj3a7GrNJE3yhT70O2abCEF2GOsbwTE5A,1321
django/contrib/contenttypes/locale/hi/LC_MESSAGES/django.po,sha256=PcsNgu2YmT0biklhwOF_nSvoGTvWVKw2IsBxIwSVAtI,1577
django/contrib/contenttypes/locale/hr/LC_MESSAGES/django.mo,sha256=DbOUA8ks3phsEwQvethkwZ9-ymrd36aQ6mP7OnGdpjU,1167
django/contrib/contenttypes/locale/hr/LC_MESSAGES/django.po,sha256=722KxvayO6YXByAmO4gfsfzyVbT-HqqrLYQsr02KDc8,1445
django/contrib/contenttypes/locale/hsb/LC_MESSAGES/django.mo,sha256=tPtv_lIzCPIUjGkAYalnNIUxVUQFE3MShhVXTnfVx3Q,1106
django/contrib/contenttypes/locale/hsb/LC_MESSAGES/django.po,sha256=rbI3G8ARG7DF7uEe82SYCfotBnKTRJJ641bGhjdptTQ,1329
django/contrib/contenttypes/locale/hu/LC_MESSAGES/django.mo,sha256=2nsylOwBIDOnkUjE2GYU-JRvgs_zxent7q3_PuscdXk,1102
django/contrib/contenttypes/locale/hu/LC_MESSAGES/django.po,sha256=Dzcf94ZSvJtyNW9EUKpmyNJ1uZbXPvc7dIxCccZrDYc,1427
django/contrib/contenttypes/locale/hy/LC_MESSAGES/django.mo,sha256=hKOErB5dzj44ThQ1_nZHak2-aXZlwMoxYcDWmPb3Xo8,1290
django/contrib/contenttypes/locale/hy/LC_MESSAGES/django.po,sha256=UeGzaghsEt9Lt5DsEzRb9KCbuphWUQwLayt4AN194ao,1421
django/contrib/contenttypes/locale/ia/LC_MESSAGES/django.mo,sha256=9B0XhxH0v3FvkEvS5MOHHqVbgV6KQITPrjzx1Sn76GA,1105
django/contrib/contenttypes/locale/ia/LC_MESSAGES/django.po,sha256=NX8jpTaIhtVbVlwEsOl5aufZ80ljHZZwqtsVVozQb4M,1318
django/contrib/contenttypes/locale/id/LC_MESSAGES/django.mo,sha256=4-6RBAvrtA1PY3LNxMrgwzBLZE0ZKwWaXa7SmtmAIyk,1031
django/contrib/contenttypes/locale/id/LC_MESSAGES/django.po,sha256=xdxEOgfta1kaXyQAngmmbL8wDQzJU6boC9HdbmoM1iI,1424
django/contrib/contenttypes/locale/io/LC_MESSAGES/django.mo,sha256=3SSRXx4tYiMUc00LZ9kGHuvTgaWpsICEf5G208CEqgg,1051
django/contrib/contenttypes/locale/io/LC_MESSAGES/django.po,sha256=1ku9WPcenn47DOF05HL2eRqghZeRYfklo2huYUrkeJ0,1266
django/contrib/contenttypes/locale/is/LC_MESSAGES/django.mo,sha256=ZYWbT4qeaco8h_J9SGF2Bs7Rdu3auZ969xZ0RQ_03go,1049
django/contrib/contenttypes/locale/is/LC_MESSAGES/django.po,sha256=iNdghSbBVPZmfrHu52hRG8vHMgGUfOjLqie09fYcuso,1360
django/contrib/contenttypes/locale/it/LC_MESSAGES/django.mo,sha256=GSP0BJc3bGLoNS0tnhiz_5dtSh5NXCrBiZbnwEhWbpk,1075
django/contrib/contenttypes/locale/it/LC_MESSAGES/django.po,sha256=njEgvhDwWOc-CsGBDz1_mtEsXx2aTU6cP3jZzcLkkYk,1457
django/contrib/contenttypes/locale/ja/LC_MESSAGES/django.mo,sha256=tVH6RvZ5tXz56lEM3aoJtFp5PKsSR-XXpi8ZNCHjiFw,1211
django/contrib/contenttypes/locale/ja/LC_MESSAGES/django.po,sha256=5_-Uo7Ia3X9gAWm2f72ezQnNr_pQzf6Ax4AUutULuZU,1534
django/contrib/contenttypes/locale/ka/LC_MESSAGES/django.mo,sha256=1_yGL68sK0QG_mhwFAVdksiDlB57_1W5QkL7NGGE5L0,1429
django/contrib/contenttypes/locale/ka/LC_MESSAGES/django.po,sha256=6iUBbKjXsIgrq7Dj_xhxzoxItSSSKwQjIZsDayefGr8,1654
django/contrib/contenttypes/locale/kk/LC_MESSAGES/django.mo,sha256=SNY0vydwLyR2ExofAHjmg1A2ykoLI7vU5Ryq-QFu5Gs,627
django/contrib/contenttypes/locale/kk/LC_MESSAGES/django.po,sha256=PU-NAl6xUEeGV0jvJx9siVBTZIzHywL7oKc4DgUjNkc,1130
django/contrib/contenttypes/locale/km/LC_MESSAGES/django.mo,sha256=BXifukxf48Lr0t0V3Y0GJUMhD1KiHN1wwbueoK0MW1A,678
django/contrib/contenttypes/locale/km/LC_MESSAGES/django.po,sha256=fTPlBbnaNbLZxjzJutGvqe33t6dWsEKiHQYaw27m7KQ,1123
django/contrib/contenttypes/locale/kn/LC_MESSAGES/django.mo,sha256=a4sDGaiyiWn-1jFozYI4vdAvuHXrs8gbZErP_SAUk9Y,714
django/contrib/contenttypes/locale/kn/LC_MESSAGES/django.po,sha256=A6Vss8JruQcPUKQvY-zaubVZDTLEPwHsnd_rXcyzQUs,1168
django/contrib/contenttypes/locale/ko/LC_MESSAGES/django.mo,sha256=myRfFxf2oKcbpmCboongTsL72RTM95nEmAC938M-ckE,1089
django/contrib/contenttypes/locale/ko/LC_MESSAGES/django.po,sha256=uui_LhgGTrW0uo4p-oKr4JUzhjvkLbFCqRVLNMrptzY,1383
django/contrib/contenttypes/locale/ky/LC_MESSAGES/django.mo,sha256=ULoIe36zGKPZZs113CenA6J9HviYcBOKagXrPGxyBUI,1182
django/contrib/contenttypes/locale/ky/LC_MESSAGES/django.po,sha256=FnW5uO8OrTYqbvoRuZ6gnCD6CHnuLjN00s2Jo1HX1NE,1465
django/contrib/contenttypes/locale/lb/LC_MESSAGES/django.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/contenttypes/locale/lb/LC_MESSAGES/django.po,sha256=dwVKpCRYmXTD9h69v5ivkZe-yFtvdZNZ3VfuyIl4olY,989
django/contrib/contenttypes/locale/lt/LC_MESSAGES/django.mo,sha256=HucsRl-eqfxw6ESTuXvl7IGjPGYSI9dxM5lMly_P1sc,1215
django/contrib/contenttypes/locale/lt/LC_MESSAGES/django.po,sha256=odzYqHprxKFIrR8TzdxA4WeeMK0W0Nvn2gAVuzAsEqI,1488
django/contrib/contenttypes/locale/lv/LC_MESSAGES/django.mo,sha256=nWfy7jv2VSsKYT6yhk_xqxjk1TlppJfsQcurC40CeTs,1065
django/contrib/contenttypes/locale/lv/LC_MESSAGES/django.po,sha256=pHlbzgRpIJumDMp2rh1EKrxFBg_DRcvLLgkQ3mi_L0s,1356
django/contrib/contenttypes/locale/mk/LC_MESSAGES/django.mo,sha256=KTFZWm0F4S6lmi1FX76YKOyJqIZN5cTsiTBI_D4ADHs,1258
django/contrib/contenttypes/locale/mk/LC_MESSAGES/django.po,sha256=mQZosS90S-Bil6-EoGjs9BDWYlvOF6mtUDZ8h9NxEdE,1534
django/contrib/contenttypes/locale/ml/LC_MESSAGES/django.mo,sha256=rtmLWfuxJED-1KuqkUT8F5CU1KGJP0Of718n2Gl_gI0,1378
django/contrib/contenttypes/locale/ml/LC_MESSAGES/django.po,sha256=Z-kL9X9CD7rYfa4Uoykye2UgCNQlgyql0HTv1eUXAf4,1634
django/contrib/contenttypes/locale/mn/LC_MESSAGES/django.mo,sha256=J6kKYjUOsQxptNXDcCaY4d3dHJio4HRibRk3qfwO6Xc,1225
django/contrib/contenttypes/locale/mn/LC_MESSAGES/django.po,sha256=x8aRJH2WQvMBBWlQt3T3vpV4yHeZXLmRTT1U0at4ZIk,1525
django/contrib/contenttypes/locale/mr/LC_MESSAGES/django.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/contenttypes/locale/mr/LC_MESSAGES/django.po,sha256=FgZKD9E-By0NztUnBM4llpR59K0MJSIMZIrJYGKDqpc,983
django/contrib/contenttypes/locale/ms/LC_MESSAGES/django.mo,sha256=EIwbOZ0QahW9AFFWRmRdKGKBtYYY_eTcfU4eqDVSVxw,1035
django/contrib/contenttypes/locale/ms/LC_MESSAGES/django.po,sha256=t7nKsOMxycn_CsXw2nIfU-owJRge3FAixgbTsDhffvo,1225
django/contrib/contenttypes/locale/my/LC_MESSAGES/django.mo,sha256=YYa2PFe9iJygqL-LZclfpgR6rBmIvx61JRpBkKS6Hrs,1554
django/contrib/contenttypes/locale/my/LC_MESSAGES/django.po,sha256=6F3nXd9mBc-msMchkC8OwAHME1x1O90xrsZp7xmynpU,1732
django/contrib/contenttypes/locale/nb/LC_MESSAGES/django.mo,sha256=EHU9Lm49U7WilR5u-Lq0Fg8ChR_OzOce4UyPlkZ6Zs4,1031
django/contrib/contenttypes/locale/nb/LC_MESSAGES/django.po,sha256=lbktPYsJudrhe4vxnauzpzN9eNwyoVs0ZmZSdkwjkOk,1403
django/contrib/contenttypes/locale/ne/LC_MESSAGES/django.mo,sha256=-zZAn5cex4PkScoZVqS74PUMThJJuovZSk3WUKZ8hnw,1344
django/contrib/contenttypes/locale/ne/LC_MESSAGES/django.po,sha256=1ZCUkulQ9Gxb50yMKFKWaTJli2SinBeNj0KpXkKpsNE,1519
django/contrib/contenttypes/locale/nl/LC_MESSAGES/django.mo,sha256=aXDHgg891TyTiMWNcbNaahfZQ2hqtl5yTkx5gNRocMU,1040
django/contrib/contenttypes/locale/nl/LC_MESSAGES/django.po,sha256=zDJ_vyQxhP0mP06U-e4p6Uj6v1g863s8oaxc0JIAMjg,1396
django/contrib/contenttypes/locale/nn/LC_MESSAGES/django.mo,sha256=a_X8e2lMieWwUtENJueBr8wMvkw6at0QSaWXd5AM6yQ,1040
django/contrib/contenttypes/locale/nn/LC_MESSAGES/django.po,sha256=xFSirHUAKv78fWUpik6xv-6WQSEoUgN5jjPbTOy58C4,1317
django/contrib/contenttypes/locale/os/LC_MESSAGES/django.mo,sha256=QV533Wu-UpjV3XiCe83jlz7XGuwgRviV0ggoeMaIOIY,1116
django/contrib/contenttypes/locale/os/LC_MESSAGES/django.po,sha256=UZahnxo8z6oWJfEz4JNHGng0EAifXYtJupB6lx0JB60,1334
django/contrib/contenttypes/locale/pa/LC_MESSAGES/django.mo,sha256=qacd7eywof8rvJpstNfEmbHgvDiQ9gmkcyG7gfato8s,697
django/contrib/contenttypes/locale/pa/LC_MESSAGES/django.po,sha256=Kq2NTzdbgq8Q9jLLgV-ZJaSRj43D1dDHcRIgNnJXu-s,1145
django/contrib/contenttypes/locale/pl/LC_MESSAGES/django.mo,sha256=J5sC36QwKLvrMB4adsojhuw2kYuEckHz6eoTrZwYcnI,1208
django/contrib/contenttypes/locale/pl/LC_MESSAGES/django.po,sha256=gxP59PjlIHKSiYZcbgIY4PUZSoKYx4YKCpm4W4Gj22g,1577
django/contrib/contenttypes/locale/pt/LC_MESSAGES/django.mo,sha256=MjyyKlA75YtEG9m6hm0GxKhU-cF3m1PA_j63BuIPPlE,1125
django/contrib/contenttypes/locale/pt/LC_MESSAGES/django.po,sha256=X2Rec6LXIqPa9AVqF4J2mzYrwfls1BdUfN8XOe0zkdQ,1379
django/contrib/contenttypes/locale/pt_BR/LC_MESSAGES/django.mo,sha256=qjl-3fBqNcAuoviGejjILC7Z8XmrRd7gHwOgwu1x1zw,1117
django/contrib/contenttypes/locale/pt_BR/LC_MESSAGES/django.po,sha256=Xp0iBhseS8v13zjDcNQv4BDaroMtDJVs4-BzNc0UOpU,1494
django/contrib/contenttypes/locale/ro/LC_MESSAGES/django.mo,sha256=sCthDD10v7GY2cui9Jj9HK8cofVEg2WERCm6aktOM-4,1142
django/contrib/contenttypes/locale/ro/LC_MESSAGES/django.po,sha256=n-BPEfua0Gd6FN0rsP7qAlTGbQEZ14NnDMA8jI2844Y,1407
django/contrib/contenttypes/locale/ru/LC_MESSAGES/django.mo,sha256=OSf206SFmVLULHmwVhTaRhWTQtyDKsxe03gIzuvAUnY,1345
django/contrib/contenttypes/locale/ru/LC_MESSAGES/django.po,sha256=xHyJYD66r8We3iN5Hqo69syWkjhz4zM7X9BWPIiI6mU,1718
django/contrib/contenttypes/locale/sk/LC_MESSAGES/django.mo,sha256=xf95XGPB9Tyz7p8JH1aqiY4BYMkug2cnN5gNNlHV7xU,1082
django/contrib/contenttypes/locale/sk/LC_MESSAGES/django.po,sha256=wqbW-x6NEJU7nIAmYnKw9ncgmrcD3TKW7aPg7rIiX_M,1395
django/contrib/contenttypes/locale/sl/LC_MESSAGES/django.mo,sha256=sMML-ubI_9YdKptzeri1du8FOdKcEzJbe4Tt0J4ePFI,1147
django/contrib/contenttypes/locale/sl/LC_MESSAGES/django.po,sha256=0zxiyzRWWDNVpNNLlcwl-OLh5sLukma1vm-kYrGHYrE,1392
django/contrib/contenttypes/locale/sq/LC_MESSAGES/django.mo,sha256=jYDQH3OpY4Vx9hp6ISFMI88uxBa2GDQK0BkLGm8Qulk,1066
django/contrib/contenttypes/locale/sq/LC_MESSAGES/django.po,sha256=JIvguXVOFpQ3MRqRXHpxlg8_YhEzCsZBBMdpekYTxlk,1322
django/contrib/contenttypes/locale/sr/LC_MESSAGES/django.mo,sha256=GUXj97VN15HdY7XMy5jmMLEu13juD3To5NsztcoyPGs,1204
django/contrib/contenttypes/locale/sr/LC_MESSAGES/django.po,sha256=T1w_EeB6yT-PXr7mrwzqu270linf_KY3_ZCgl4wfLAQ,1535
django/contrib/contenttypes/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=m2plistrI8O-ztAs5HmDYXG8N_wChaDfXFev0GYWVys,1102
django/contrib/contenttypes/locale/sr_Latn/LC_MESSAGES/django.po,sha256=lJrhLPDbJAcXgBPco-_lfUXqs31imj_vGwE5p1EXZjk,1390
django/contrib/contenttypes/locale/sv/LC_MESSAGES/django.mo,sha256=J5ha8X6jnQ4yuafk-JCqPM5eIGNwKpDOpTwIVCrnGNE,1055
django/contrib/contenttypes/locale/sv/LC_MESSAGES/django.po,sha256=HeKnQJaRNflAbKxTiC_2EFAg2Sx-e3nDXrReJyVoNTQ,1400
django/contrib/contenttypes/locale/sw/LC_MESSAGES/django.mo,sha256=XLPle0JYPPkmm5xpJRmWztMTF1_3a2ZubWE4ur2sav8,563
django/contrib/contenttypes/locale/sw/LC_MESSAGES/django.po,sha256=jRc8Eh6VuWgqc4kM-rxjbVE3yV9uip6mOJLdD6yxGLM,1009
django/contrib/contenttypes/locale/ta/LC_MESSAGES/django.mo,sha256=L3eF4z9QSmIPqzEWrNk8-2uLteQUMsuxiD9VZyRuSfo,678
django/contrib/contenttypes/locale/ta/LC_MESSAGES/django.po,sha256=iDb9lRU_-YPmO5tEQeXEZeGeFe-wVZy4k444sp_vTgw,1123
django/contrib/contenttypes/locale/te/LC_MESSAGES/django.mo,sha256=S_UF_mZbYfScD6Z36aB-kwtTflTeX3Wt4k7z_pEcOV8,690
django/contrib/contenttypes/locale/te/LC_MESSAGES/django.po,sha256=aAGMMoJPg_pF9_rCNZmda5A_TvDCvQfYEL64Xdoa4jo,1135
django/contrib/contenttypes/locale/tg/LC_MESSAGES/django.mo,sha256=dkLic6fD2EMzrB7m7MQazaGLoJ_pBw55O4nYZc5UYEs,864
django/contrib/contenttypes/locale/tg/LC_MESSAGES/django.po,sha256=1nv1cVJewfr44gbQh1Szzy3DT4Y9Dy7rUgAZ81otJQs,1232
django/contrib/contenttypes/locale/th/LC_MESSAGES/django.mo,sha256=qilt-uZMvt0uw-zFz7-eCmkGEx3XYz7NNo9Xbq3s7uI,1186
django/contrib/contenttypes/locale/th/LC_MESSAGES/django.po,sha256=42F34fNEn_3yQKBBJnCLttNeyktuLVpilhMyepOd6dg,1444
django/contrib/contenttypes/locale/tk/LC_MESSAGES/django.mo,sha256=0fuA3E487-pceoGpX9vMCwSnCItN_pbLUIUzzcrAGOE,1068
django/contrib/contenttypes/locale/tk/LC_MESSAGES/django.po,sha256=pS8wX9dzxys3q8Vvz3PyoVJYqplXhNuAqfq7Dsb07fw,1283
django/contrib/contenttypes/locale/tr/LC_MESSAGES/django.mo,sha256=gKg2FCxs2fHpDB1U6gh9xrP7mOpYG65pB4CNmdPYiDg,1057
django/contrib/contenttypes/locale/tr/LC_MESSAGES/django.po,sha256=gmI3RDhq39IlDuvNohT_FTPY5QG8JD0gFxG5CTsvVZs,1345
django/contrib/contenttypes/locale/tt/LC_MESSAGES/django.mo,sha256=_LQ1N04FgosdDLUYXJOEqpCB2Mg92q95cBRgYPi1MyY,659
django/contrib/contenttypes/locale/tt/LC_MESSAGES/django.po,sha256=L7wMMpxGnpQiKd_mjv2bJpE2iqCJ8XwiXK0IN4EHSbM,1110
django/contrib/contenttypes/locale/udm/LC_MESSAGES/django.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/contenttypes/locale/udm/LC_MESSAGES/django.po,sha256=YVyej0nAhhEf7knk4vCeRQhmSQeGZLhMPPXyIyWObnM,977
django/contrib/contenttypes/locale/uk/LC_MESSAGES/django.mo,sha256=GgAuuLexfhYl1fRKPfZI5uMTkt2H42Ogil6MQHcejkU,1404
django/contrib/contenttypes/locale/uk/LC_MESSAGES/django.po,sha256=1HzO_Wmxqk0Kd5gtACKZODiH8ZEpOf5Eh8Mkrg3IMf8,1779
django/contrib/contenttypes/locale/ur/LC_MESSAGES/django.mo,sha256=OJs_EmDBps-9a_KjFJnrS8IqtJfd25LaSWeyG8u8UfI,671
django/contrib/contenttypes/locale/ur/LC_MESSAGES/django.po,sha256=f0FnsaAM_qrBuCXzLnkBrW5uFfVc6pUh7S-qp4918Ng,1122
django/contrib/contenttypes/locale/vi/LC_MESSAGES/django.mo,sha256=kGYgEI1gHkyU4y_73mBJN1hlKC2JujVXMg6iCdWncDg,1155
django/contrib/contenttypes/locale/vi/LC_MESSAGES/django.po,sha256=RIDUgsElfRF8bvBdUKtshizuMnupdMGAM896s7qZKD4,1439
django/contrib/contenttypes/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=RviK0bqLZzPrZ46xUpc0f8IKkw3JLtsrt0gNA74Ypj0,1015
django/contrib/contenttypes/locale/zh_Hans/LC_MESSAGES/django.po,sha256=vSKJDEQ_ANTj3-W8BFJd9u_QGdTMF12iS15rVgeujOs,1380
django/contrib/contenttypes/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=NMumOJ9dPX-7YjQH5Obm4Yj0-lnGXJmCMN5DGbsLQG4,1046
django/contrib/contenttypes/locale/zh_Hant/LC_MESSAGES/django.po,sha256=7WIqYRpcs986MjUsegqIido5k6HG8d3FVvkrOQCRVCI,1338
django/contrib/contenttypes/management/__init__.py,sha256=ZVHVJAYi_jCIXxWUZSkxq0IDECe6bvbFsWayrqbutfc,4937
django/contrib/contenttypes/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/contenttypes/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/contenttypes/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/contenttypes/management/commands/__pycache__/remove_stale_contenttypes.cpython-311.pyc,,
django/contrib/contenttypes/management/commands/remove_stale_contenttypes.py,sha256=t2IpqEgqW7bmS6o59arCGWA7G95fg1r7oVGUny6syao,4533
django/contrib/contenttypes/migrations/0001_initial.py,sha256=Ne2EiaFH4LQqFcIbXU8OiUDeb3P7Mm6dbeqRtNC5U8w,1434
django/contrib/contenttypes/migrations/0002_remove_content_type_name.py,sha256=fTZJQHV1Dw7TwPaNDLFUjrpZzFk_UvaR9sw3oEMIN2Y,1199
django/contrib/contenttypes/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/contenttypes/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/contenttypes/migrations/__pycache__/0002_remove_content_type_name.cpython-311.pyc,,
django/contrib/contenttypes/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/contenttypes/models.py,sha256=9GAtPa7R8DQRNahb7eQJhVPXba8F36R9Yp2e8ViEOZo,6890
django/contrib/contenttypes/views.py,sha256=HBoIbNpgHTQN5pH8mul77UMEMZHbbkEH_Qdln-XFgd0,3549
django/contrib/flatpages/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/flatpages/__pycache__/__init__.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/admin.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/apps.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/forms.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/middleware.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/models.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/sitemaps.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/urls.cpython-311.pyc,,
django/contrib/flatpages/__pycache__/views.cpython-311.pyc,,
django/contrib/flatpages/admin.py,sha256=ynemOSDgvKoCfRFLXZrPwj27U0mPUXmxdrue7SOZeqQ,701
django/contrib/flatpages/apps.py,sha256=_OlaDxWbMrUmFNCS4u-RnBsg67rCWs8Qzh_c58wvtXA,252
django/contrib/flatpages/forms.py,sha256=MyuENmsP1Wn01frdVSug7JnabiwoHf8nm-PthAlcoQw,2493
django/contrib/flatpages/locale/af/LC_MESSAGES/django.mo,sha256=c0XEKXJYgpy2snfmWFPQqeYeVla1F5s_wXIBaioiyPc,2297
django/contrib/flatpages/locale/af/LC_MESSAGES/django.po,sha256=_psp14JfICDxrKx_mKF0uLnItkJPkCNMvrNOyE35nFw,2428
django/contrib/flatpages/locale/ar/LC_MESSAGES/django.mo,sha256=dBHaqsaKH9QOIZ0h2lIDph8l9Bv2UAcD-Hr9TAxj8Ac,2636
django/contrib/flatpages/locale/ar/LC_MESSAGES/django.po,sha256=-0ZdfA-sDU8fOucgT2Ow1iM3QnRMuQeslMOSwYhAH9M,2958
django/contrib/flatpages/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=jp6sS05alESJ4-SbEIf574UPVcbllAd_J-FW802lGyk,2637
django/contrib/flatpages/locale/ar_DZ/LC_MESSAGES/django.po,sha256=yezpjWcROwloS08TEMo9oPXDKS1mfFE9NYI66FUuLaA,2799
django/contrib/flatpages/locale/ast/LC_MESSAGES/django.mo,sha256=4SEsEE2hIZJwQUNs8jDgN6qVynnUYJUIE4w-usHKA6M,924
django/contrib/flatpages/locale/ast/LC_MESSAGES/django.po,sha256=5UlyS59bVo1lccM6ZgdYSgHe9NLt_WeOdXX-swLKubU,1746
django/contrib/flatpages/locale/az/LC_MESSAGES/django.mo,sha256=6ID6KejChxQzsUT4wevUAjd9u7Ly21mfJ22dgbitNN4,2373
django/contrib/flatpages/locale/az/LC_MESSAGES/django.po,sha256=v7tkbuUUqkbUzXoOOWxS75TpvuMESqoZAEXDXisfbiA,2679
django/contrib/flatpages/locale/be/LC_MESSAGES/django.mo,sha256=mOQlbfwwIZiwWCrFStwag2irCwsGYsXIn6wZDsPRvyA,2978
django/contrib/flatpages/locale/be/LC_MESSAGES/django.po,sha256=wlIfhun5Jd6gxbkmmYPSIy_tzPVmSu4CjMwPzBNnvpo,3161
django/contrib/flatpages/locale/bg/LC_MESSAGES/django.mo,sha256=9Un5mKtsAuNeYWFQKFkIyCpQquE6qVD3zIrFoq8sCDI,2802
django/contrib/flatpages/locale/bg/LC_MESSAGES/django.po,sha256=Vr6d-9XjgK4_eXdWY3FEpdTlCEGgbCv93bLGyMTE9hs,3104
django/contrib/flatpages/locale/bn/LC_MESSAGES/django.mo,sha256=2oK2Rm0UtAI7QFRwpUR5aE3-fOltE6kTilsTbah737Y,2988
django/contrib/flatpages/locale/bn/LC_MESSAGES/django.po,sha256=QrbX69iqXOD6oByLcgPkD1QzAkfthpfTjezIFQ-6kVg,3172
django/contrib/flatpages/locale/br/LC_MESSAGES/django.mo,sha256=SKbykdilX_NcpkVi_lHF8LouB2G49ZAzdF09xw49ERc,2433
django/contrib/flatpages/locale/br/LC_MESSAGES/django.po,sha256=O_mwrHIiEwV4oB1gZ7Yua4nVKRgyIf3j5UtedZWAtwk,2783
django/contrib/flatpages/locale/bs/LC_MESSAGES/django.mo,sha256=bd7ID7OsEhp57JRw_TXoTwsVQNkFYiR_sxSkgi4WvZU,1782
django/contrib/flatpages/locale/bs/LC_MESSAGES/django.po,sha256=IyFvI5mL_qesEjf6NO1nNQbRHhCAZQm0UhIpmGjrSwQ,2233
django/contrib/flatpages/locale/ca/LC_MESSAGES/django.mo,sha256=GcMVbg4i5zKCd2Su7oN30WVJN7Q9K7FsFifgTB8jDPI,2237
django/contrib/flatpages/locale/ca/LC_MESSAGES/django.po,sha256=-aJHSbWPVyNha_uF6R35Q6yn4-Hse3jTInr9jtaxKOI,2631
django/contrib/flatpages/locale/ckb/LC_MESSAGES/django.mo,sha256=ds26zJRsUHDNdhoUJ8nsLtBdKDhN29Kb51wNiB8Llgo,2716
django/contrib/flatpages/locale/ckb/LC_MESSAGES/django.po,sha256=jqqMYjrplyX8jtyBLd1ObMEwoFmaETmNXrO3tg2S0BY,2918
django/contrib/flatpages/locale/cs/LC_MESSAGES/django.mo,sha256=8nwep22P86bMCbW7sj4n0BMGl_XaJIJV0fjnVp-_dqY,2340
django/contrib/flatpages/locale/cs/LC_MESSAGES/django.po,sha256=1agUeRthwpam1UvZY4vRnZtLLbiop75IEXb6ul_e3mg,2611
django/contrib/flatpages/locale/cy/LC_MESSAGES/django.mo,sha256=zr_2vsDZsrby3U8AmvlJMU3q1U_4IrrTmz6oS29OWtQ,2163
django/contrib/flatpages/locale/cy/LC_MESSAGES/django.po,sha256=E_NC_wtuhWKYKB3YvYGB9ccJgKI3AfIZlB2HpXSyOsk,2370
django/contrib/flatpages/locale/da/LC_MESSAGES/django.mo,sha256=nALoI50EvFPa4f3HTuaHUHATF1zHMjo4v5zcHj4n6sA,2277
django/contrib/flatpages/locale/da/LC_MESSAGES/django.po,sha256=j4dpnreB7LWdZO7Drj7E9zBwFx_Leuj7ZLyEPi-ccAQ,2583
django/contrib/flatpages/locale/de/LC_MESSAGES/django.mo,sha256=I4CHFzjYM_Wd-vuIYOMf8E58ntOgkLmgOAg35Chdz3s,2373
django/contrib/flatpages/locale/de/LC_MESSAGES/django.po,sha256=P6tPVPumP9JwBIv-XXi1QQYJyj1PY3OWoM4yOAmgTRE,2592
django/contrib/flatpages/locale/dsb/LC_MESSAGES/django.mo,sha256=oTILSe5teHa9XTYWoamstpyPu02yb_xo8S0AtkP7WP8,2391
django/contrib/flatpages/locale/dsb/LC_MESSAGES/django.po,sha256=1xD2aH5alerranvee6QLZqgxDVXxHThXCHR4kOJAV48,2576
django/contrib/flatpages/locale/el/LC_MESSAGES/django.mo,sha256=LQ8qIGwzoKwewtLz_1NhnhEeR4dPx2rrQ_hAN4BF6Og,2864
django/contrib/flatpages/locale/el/LC_MESSAGES/django.po,sha256=gbLO52fcZK7LoG5Rget2Aq5PTFoz467ackXpSsR81kY,3221
django/contrib/flatpages/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/flatpages/locale/en/LC_MESSAGES/django.po,sha256=0bNWKiu-1MkHFJ_UWrCLhp9ENr-pHzBz1lkhBkkrhJM,2169
django/contrib/flatpages/locale/en_AU/LC_MESSAGES/django.mo,sha256=dTt7KtwiEyMEKYVzkPSqs6VS0CiUfK7ISz2c6rV2erA,2210
django/contrib/flatpages/locale/en_AU/LC_MESSAGES/django.po,sha256=_V4RTf0JtmyU7DRQv7jIwtPJs05KA2THPid5nKQ0ego,2418
django/contrib/flatpages/locale/en_GB/LC_MESSAGES/django.mo,sha256=7zyXYOsqFkUGxclW-VPPxrQTZKDuiYQ7MQJy4m8FClo,1989
django/contrib/flatpages/locale/en_GB/LC_MESSAGES/django.po,sha256=oHrBd6lVnO7-SdnO-Taa7iIyiqp_q2mQZjkuuU3Qa_s,2232
django/contrib/flatpages/locale/eo/LC_MESSAGES/django.mo,sha256=W8TkkQkV58oOvFdKCPAyoQNyCxSmfErwik1U8a_W5nE,2333
django/contrib/flatpages/locale/eo/LC_MESSAGES/django.po,sha256=e54WOtIcIQLjB4bJGol51z6d6dwLBiiJN2k-nrTQlaI,2750
django/contrib/flatpages/locale/es/LC_MESSAGES/django.mo,sha256=9Q7Qf1eSPvAfPTZSGWq7QMWrROY-CnpUkeRpiH8rpJw,2258
django/contrib/flatpages/locale/es/LC_MESSAGES/django.po,sha256=3vGZ3uVCyWnIkDSUt6DMMOqyphv3EQteTPLx7e9J_sU,2663
django/contrib/flatpages/locale/es_AR/LC_MESSAGES/django.mo,sha256=bUnFDa5vpxl27kn2ojTbNaCmwRkBCH-z9zKXAvXe3Z0,2275
django/contrib/flatpages/locale/es_AR/LC_MESSAGES/django.po,sha256=vEg3wjL_7Ee-PK4FZTaGRCXFscthkoH9szJ7H01K8w8,2487
django/contrib/flatpages/locale/es_CO/LC_MESSAGES/django.mo,sha256=jt8wzeYky5AEnoNuAv8W4nGgd45XsMbpEdRuLnptr3U,2140
django/contrib/flatpages/locale/es_CO/LC_MESSAGES/django.po,sha256=xrbAayPoxT7yksXOGPb-0Nc-4g14UmWANaKTD4ItAFA,2366
django/contrib/flatpages/locale/es_MX/LC_MESSAGES/django.mo,sha256=Y5IOKRzooJHIhJzD9q4PKOe39Z4Rrdz8dBKuvmGkqWU,2062
django/contrib/flatpages/locale/es_MX/LC_MESSAGES/django.po,sha256=Y-EXhw-jISttA9FGMz7gY_kB-hQ3wEyKEaOc2gu2hKQ,2246
django/contrib/flatpages/locale/es_VE/LC_MESSAGES/django.mo,sha256=EI6WskepXUmbwCPBNFKqLGNcWFVZIbvXayOHxOCLZKo,2187
django/contrib/flatpages/locale/es_VE/LC_MESSAGES/django.po,sha256=ipG6a0A2d0Pyum8GcknA-aNExVLjSyuUqbgHM9VdRQo,2393
django/contrib/flatpages/locale/et/LC_MESSAGES/django.mo,sha256=zriqETEWD-DDPiNzXgAzgEhjvPAaTo7KBosyvBebyc0,2233
django/contrib/flatpages/locale/et/LC_MESSAGES/django.po,sha256=tMuITUlzy6LKJh3X3CxssFpTQogg8OaGHlKExzjwyOI,2525
django/contrib/flatpages/locale/eu/LC_MESSAGES/django.mo,sha256=FoKazUkuPpDgsEEI6Gm-xnZYVHtxILiy6Yzvnu8y-L0,2244
django/contrib/flatpages/locale/eu/LC_MESSAGES/django.po,sha256=POPFB5Jd8sE9Z_ivYSdnet14u-aaXneTUNDMuOrJy00,2478
django/contrib/flatpages/locale/fa/LC_MESSAGES/django.mo,sha256=2rA7-OR8lQbl_ZhlAC4cmHEmQ9mwxnA8q5M-gx3NmVQ,2612
django/contrib/flatpages/locale/fa/LC_MESSAGES/django.po,sha256=_-yKW2xIN9XSXEwZTdkhEpRHJoacN8f56D3AkCvlFs0,3006
django/contrib/flatpages/locale/fi/LC_MESSAGES/django.mo,sha256=VsQdof8hE_AKQGS-Qp82o8PTN_7NxxEdxelGenIAE-8,2256
django/contrib/flatpages/locale/fi/LC_MESSAGES/django.po,sha256=RL7eruNkgDjr1b3cF2yCqeM8eDKHwAqF6h8hYuxl6R4,2552
django/contrib/flatpages/locale/fr/LC_MESSAGES/django.mo,sha256=ZqD4O3_Ny8p5i6_RVHlANCnPiowMd19Qi_LOPfTHav4,2430
django/contrib/flatpages/locale/fr/LC_MESSAGES/django.po,sha256=liAoOgT2CfpANL_rYzyzsET1MhsM19o7wA2GBnoDvMA,2745
django/contrib/flatpages/locale/fy/LC_MESSAGES/django.mo,sha256=DRsFoZKo36F34XaiQg_0KUOr3NS_MG3UHptzOI4uEAU,476
django/contrib/flatpages/locale/fy/LC_MESSAGES/django.po,sha256=9JIrRVsPL1m0NPN6uHiaAYxJXHp5IghZmQhVSkGo5g8,1523
django/contrib/flatpages/locale/ga/LC_MESSAGES/django.mo,sha256=KKvDhZULHQ4JQ_31ltLkk88H2BKUbBXDQFSvdKFqjn8,2191
django/contrib/flatpages/locale/ga/LC_MESSAGES/django.po,sha256=Yat7oU2XPQFQ8vhNq1nJFAlX2rqfxz4mjpU5TcnaYO8,2400
django/contrib/flatpages/locale/gd/LC_MESSAGES/django.mo,sha256=KbaTL8kF9AxDBLDQWlxcP5hZ4zWnbkvY0l2xRKZ9Dg0,2469
django/contrib/flatpages/locale/gd/LC_MESSAGES/django.po,sha256=DVY_1R0AhIaI1qXIeRej3XSHMtlimeKNUwzFjc4OmwA,2664
django/contrib/flatpages/locale/gl/LC_MESSAGES/django.mo,sha256=e8hfOxRyLtCsvdd1FVGuI_dnsptVhfW_O9KyuPT0ENk,2256
django/contrib/flatpages/locale/gl/LC_MESSAGES/django.po,sha256=YqyR8qnKho8jK03igqPv9KlJw5yVIIDCAGc5z2QxckE,2583
django/contrib/flatpages/locale/he/LC_MESSAGES/django.mo,sha256=PbypHBhT3W_rp37u8wvaCJdtYB4IP-UeE02VUvSHPf0,2517
django/contrib/flatpages/locale/he/LC_MESSAGES/django.po,sha256=f7phCRqJPFL7CsuSE1xg9xlaBoOpdd-0zoTYotff29M,2827
django/contrib/flatpages/locale/hi/LC_MESSAGES/django.mo,sha256=w29ukoF48C7iJ6nE045YoWi7Zcrgu_oXoxT-r6gcQy8,2770
django/contrib/flatpages/locale/hi/LC_MESSAGES/django.po,sha256=nXq5y1FqMGVhpXpQVdV3uU5JcUtBc2BIrf-n__C2q30,3055
django/contrib/flatpages/locale/hr/LC_MESSAGES/django.mo,sha256=Mt4gpBuUXvcBl8K714ls4PimHQqee82jFxY1BEAYQOE,2188
django/contrib/flatpages/locale/hr/LC_MESSAGES/django.po,sha256=ZbUMJY6a-os-xDmcDCJNrN4-YqRe9b_zJ4V5gt2wlGI,2421
django/contrib/flatpages/locale/hsb/LC_MESSAGES/django.mo,sha256=Pk44puT-3LxzNdGYxMALWpFdw6j6W0G-dWwAfv8sopI,2361
django/contrib/flatpages/locale/hsb/LC_MESSAGES/django.po,sha256=mhnBXgZSK19E4JU8p2qzqyZqozSzltK-3iY5glr9WG8,2538
django/contrib/flatpages/locale/hu/LC_MESSAGES/django.mo,sha256=rZxICk460iWBubNq53g9j2JfKIw2W7OqyPG5ylGE92s,2363
django/contrib/flatpages/locale/hu/LC_MESSAGES/django.po,sha256=DDP7OLBkNbWXr-wiulmQgG461qAubJ8VrfCCXbyPk2g,2700
django/contrib/flatpages/locale/hy/LC_MESSAGES/django.mo,sha256=qocNtyLcQpjmGqQ130VGjJo-ruaOCtfmZehS9If_hWk,2536
django/contrib/flatpages/locale/hy/LC_MESSAGES/django.po,sha256=WD8ohMnsaUGQItyqQmS46d76tKgzhQ17X_tGevqULO0,2619
django/contrib/flatpages/locale/ia/LC_MESSAGES/django.mo,sha256=bochtCPlc268n0WLF0bJtUUT-XveZLPOZPQUetnOWfU,500
django/contrib/flatpages/locale/ia/LC_MESSAGES/django.po,sha256=gOJ850e8sFcjR2G79zGn3_0-9-KSy591i7ketBRFjyw,1543
django/contrib/flatpages/locale/id/LC_MESSAGES/django.mo,sha256=2kRHbcmfo09pIEuBb8q5AOkgC0sISJrAG37Rb5F0vts,2222
django/contrib/flatpages/locale/id/LC_MESSAGES/django.po,sha256=1avfX88CkKMh2AjzN7dxRwj9pgohIBgKE0aXB_shZfc,2496
django/contrib/flatpages/locale/io/LC_MESSAGES/django.mo,sha256=N8R9dXw_cnBSbZtwRbX6Tzw5XMr_ZdRkn0UmsQFDTi4,464
django/contrib/flatpages/locale/io/LC_MESSAGES/django.po,sha256=_pJveonUOmMu3T6WS-tV1OFh-8egW0o7vU3i5YqgChA,1511
django/contrib/flatpages/locale/is/LC_MESSAGES/django.mo,sha256=lFtP1N5CN-x2aMtBNpB6j5HsZYZIZYRm6Y-22gNe1Ek,2229
django/contrib/flatpages/locale/is/LC_MESSAGES/django.po,sha256=9e132zDa-n6IZxB8jO5H8I0Wr7ubYxrFEMBYj2W49vI,2490
django/contrib/flatpages/locale/it/LC_MESSAGES/django.mo,sha256=oOEG327VGpi0K5P2UOQgQa39ln15t0lAz2Z36MIQQAc,2209
django/contrib/flatpages/locale/it/LC_MESSAGES/django.po,sha256=ar8i-bTtAKhiXLULCsKMddpmYBjKyg2paYxBI6ImY1s,2526
django/contrib/flatpages/locale/ja/LC_MESSAGES/django.mo,sha256=Qax3t7FFRonMrszVEeiyQNMtYyWQB3dmOeeIklEmhAg,2469
django/contrib/flatpages/locale/ja/LC_MESSAGES/django.po,sha256=N6PBvnXLEWELKTx8nHm5KwydDuFFKq5pn6AIHsBSM5M,2848
django/contrib/flatpages/locale/ka/LC_MESSAGES/django.mo,sha256=R4OSbZ-lGxMdeJYsaXVXpo6-KSZWeKPuErKmEsUvEQE,3022
django/contrib/flatpages/locale/ka/LC_MESSAGES/django.po,sha256=TWKtkRamM6YD-4WMoqfZ7KY-ZPs5ny7G82Wst6vQRko,3306
django/contrib/flatpages/locale/kk/LC_MESSAGES/django.mo,sha256=lMPryzUQr21Uy-NAGQhuIZjHz-4LfBHE_zxEc2_UPaw,2438
django/contrib/flatpages/locale/kk/LC_MESSAGES/django.po,sha256=3y9PbPw-Q8wM7tCq6u3KeYUT6pfTqcQwlNlSxpAXMxQ,2763
django/contrib/flatpages/locale/km/LC_MESSAGES/django.mo,sha256=FYRfhNSqBtavYb10sHZNfB-xwLwdZEfVEzX116nBs-k,1942
django/contrib/flatpages/locale/km/LC_MESSAGES/django.po,sha256=d2AfbR78U0rJqbFmJQvwiBl_QvYIeSwsPKEnfYM4JZA,2471
django/contrib/flatpages/locale/kn/LC_MESSAGES/django.mo,sha256=n5HCZEPYN_YIVCXrgA1qhxvfhZtDbhfiannJy5EkHkI,1902
django/contrib/flatpages/locale/kn/LC_MESSAGES/django.po,sha256=-CHwu13UuE2-Qg6poG949I_dw3YiPI9ZhMh5h2vP4xw,2443
django/contrib/flatpages/locale/ko/LC_MESSAGES/django.mo,sha256=M-IInVdIH24ORarb-KgY60tEorJZgrThDfJQOxW-S0c,2304
django/contrib/flatpages/locale/ko/LC_MESSAGES/django.po,sha256=DjAtWVAN_fwOvZb-7CUSLtO8WN0Sr08z3jQLNqZ98wY,2746
django/contrib/flatpages/locale/ky/LC_MESSAGES/django.mo,sha256=WmdWR6dRgmJ-nqSzFDUETypf373fj62igDVHC4ww7hQ,2667
django/contrib/flatpages/locale/ky/LC_MESSAGES/django.po,sha256=0XDF6CjQTGkuaHADytG95lpFRVndlf_136q0lrQiU1U,2907
django/contrib/flatpages/locale/lb/LC_MESSAGES/django.mo,sha256=Wkvlh5L_7CopayfNM5Z_xahmyVje1nYOBfQJyqucI_0,502
django/contrib/flatpages/locale/lb/LC_MESSAGES/django.po,sha256=gGeTuniu3ZZ835t9HR-UtwCcd2s_Yr7ihIUm3jgQ7Y0,1545
django/contrib/flatpages/locale/lt/LC_MESSAGES/django.mo,sha256=es6xV6X1twtqhIMkV-MByA7KZ5SoVsrx5Qh8BuzJS0Q,2506
django/contrib/flatpages/locale/lt/LC_MESSAGES/django.po,sha256=T__44veTC_u4hpPvkLekDOWfntXYAMzCd5bffRtGxWA,2779
django/contrib/flatpages/locale/lv/LC_MESSAGES/django.mo,sha256=RJbVUR8qS8iLL3dD5x1TOau4hcdscHUJBfxge3p3dsM,2359
django/contrib/flatpages/locale/lv/LC_MESSAGES/django.po,sha256=M6GT6S-5-7__RtSbJ9oqkIlxfU3FIWMlGAQ03NEfcKo,2610
django/contrib/flatpages/locale/mk/LC_MESSAGES/django.mo,sha256=55H8w6fB-B-RYlKKkGw3fg2m-djxUoEp_XpupK-ZL70,2699
django/contrib/flatpages/locale/mk/LC_MESSAGES/django.po,sha256=OhHJ5OVWb0jvNaOB3wip9tSIZ1yaPPLkfQR--uUEyUI,2989
django/contrib/flatpages/locale/ml/LC_MESSAGES/django.mo,sha256=VMMeOujp5fiLzrrbDeH24O2qKBPUkvI_YTSPH-LQjZc,3549
django/contrib/flatpages/locale/ml/LC_MESSAGES/django.po,sha256=KR2CGnZ1sVuRzSGaPj5IlspoAkVuVEdf48XsAzt1se0,3851
django/contrib/flatpages/locale/mn/LC_MESSAGES/django.mo,sha256=tqwROY6D-bJ4gbDQIowKXfuLIIdCWksGwecL2sj_wco,2776
django/contrib/flatpages/locale/mn/LC_MESSAGES/django.po,sha256=jqiBpFLXlptDyU4F8ZWbP61S4APSPh0-nuTpNOejA6c,3003
django/contrib/flatpages/locale/mr/LC_MESSAGES/django.mo,sha256=GvSfsp0Op7st6Ifd8zp8Cj4tTHoFMltQb4p64pebrqI,468
django/contrib/flatpages/locale/mr/LC_MESSAGES/django.po,sha256=sayU0AfVaSFpBj0dT32Ri55LRafQFUHLi03K06kI7gc,1515
django/contrib/flatpages/locale/ms/LC_MESSAGES/django.mo,sha256=5t_67bMQhux6v6SSWqHfzzCgc6hm3olxgHAsKOMGGZU,2184
django/contrib/flatpages/locale/ms/LC_MESSAGES/django.po,sha256=-ZzZ8lfAglGkO_BRYz1lRlywxaF1zZ28-Xv74O2nT04,2336
django/contrib/flatpages/locale/my/LC_MESSAGES/django.mo,sha256=OcbiA7tJPkyt_WNrqyvoFjHt7WL7tMGHV06AZSxzkho,507
django/contrib/flatpages/locale/my/LC_MESSAGES/django.po,sha256=EPWE566Vn7tax0PYUKq93vtydvmt-A4ooIau9Cwcdfc,1550
django/contrib/flatpages/locale/nb/LC_MESSAGES/django.mo,sha256=L_XICESZ0nywkk1dn6RqzdUbFTcR92ju-zHCT1g3iEg,2208
django/contrib/flatpages/locale/nb/LC_MESSAGES/django.po,sha256=ZtcBVD0UqIcsU8iLu5a2wnHLqu5WRLLboVFye2IuQew,2576
django/contrib/flatpages/locale/ne/LC_MESSAGES/django.mo,sha256=gDZKhcku1NVlSs5ZPPupc7RI8HOF7ex0R4Rs8tMmrYE,1500
django/contrib/flatpages/locale/ne/LC_MESSAGES/django.po,sha256=GWlzsDaMsJkOvw2TidJOEf1Fvxx9WxGdGAtfZIHkHwk,2178
django/contrib/flatpages/locale/nl/LC_MESSAGES/django.mo,sha256=_yV_-SYYjpbo-rOHp8NlRzVHFPOSrfS-ndHOEJ9JP3Y,2231
django/contrib/flatpages/locale/nl/LC_MESSAGES/django.po,sha256=xUuxx2b4ZTCA-1RIdoMqykLgjLLkmpO4ur1Vh93IITU,2669
django/contrib/flatpages/locale/nn/LC_MESSAGES/django.mo,sha256=sHkuZneEWo1TItSlarlnOUR7ERjc76bJfHUcuFgd9mQ,2256
django/contrib/flatpages/locale/nn/LC_MESSAGES/django.po,sha256=MpI9qkWqj4rud__xetuqCP-eFHUgMYJpfBhDnWRKPK4,2487
django/contrib/flatpages/locale/os/LC_MESSAGES/django.mo,sha256=cXGTA5M229UFsgc7hEiI9vI9SEBrNQ8d3A0XrtazO6w,2329
django/contrib/flatpages/locale/os/LC_MESSAGES/django.po,sha256=m-qoTiKePeFviKGH1rJRjZRH-doJ2Fe4DcZ6W52rG8s,2546
django/contrib/flatpages/locale/pa/LC_MESSAGES/django.mo,sha256=69_ZsZ4nWlQ0krS6Mx3oL6c4sP5W9mx-yAmOhZOnjPU,903
django/contrib/flatpages/locale/pa/LC_MESSAGES/django.po,sha256=N6gkoRXP5MefEnjywzRiE3aeU6kHQ0TUG6IGdLV7uww,1780
django/contrib/flatpages/locale/pl/LC_MESSAGES/django.mo,sha256=5M5-d-TOx2WHlD6BCw9BYIU6bYrSR0Wlem89ih5k3Pc,2448
django/contrib/flatpages/locale/pl/LC_MESSAGES/django.po,sha256=oKeeo-vNfPaCYVUbufrJZGk0vsgzAE0kLQOTF5qHAK4,2793
django/contrib/flatpages/locale/pt/LC_MESSAGES/django.mo,sha256=xD2pWdS3XMg7gAqBrUBmCEXFsOzEs0Npe8AJnlpueRY,2115
django/contrib/flatpages/locale/pt/LC_MESSAGES/django.po,sha256=-K2jipPUWjXpfSPq3upnC_bvtaRAeOw0OLRFv03HWFY,2326
django/contrib/flatpages/locale/pt_BR/LC_MESSAGES/django.mo,sha256=YGyagSFIc-ssFN8bnqVRce1_PsybvLmI8RVCygjow8E,2291
django/contrib/flatpages/locale/pt_BR/LC_MESSAGES/django.po,sha256=pFA8RPNefZpuhbxBHLt9KrI2RiHxct5V-DnZA-XqBv0,2942
django/contrib/flatpages/locale/ro/LC_MESSAGES/django.mo,sha256=oS3MXuRh2USyLOMrMH0WfMSFpgBcZWfrbCrovYgbONo,2337
django/contrib/flatpages/locale/ro/LC_MESSAGES/django.po,sha256=UNKGNSZKS92pJDjxKDLqVUW87DKCWP4_Q51xS16IZl0,2632
django/contrib/flatpages/locale/ru/LC_MESSAGES/django.mo,sha256=AACtHEQuytEohUZVgk-o33O7rJTFAluq22VJOw5JqII,2934
django/contrib/flatpages/locale/ru/LC_MESSAGES/django.po,sha256=H6JOPAXNxji1oni9kfga_hNZevodStpEl0O6cDnZ148,3312
django/contrib/flatpages/locale/sk/LC_MESSAGES/django.mo,sha256=8_NZkzRd3Bcewp4GiczCAjQshq5rl29TPEj1RbBPipo,2321
django/contrib/flatpages/locale/sk/LC_MESSAGES/django.po,sha256=qo9Xvr2whYmwtc1n39T_9ADcI3nP-t-jtVh2S51KkFQ,2601
django/contrib/flatpages/locale/sl/LC_MESSAGES/django.mo,sha256=kOrhhBdM9nbQbCLN49bBn23hCrzpAPrfKvPs4QMHgvo,2301
django/contrib/flatpages/locale/sl/LC_MESSAGES/django.po,sha256=oyTrOVH0v76Ttc93qfeyu3FHcWLh3tTiz2TefGkmoq4,2621
django/contrib/flatpages/locale/sq/LC_MESSAGES/django.mo,sha256=Jv2sebdAM6CfiLzgi1b7rHo5hp-6_BFeeMQ4_BwYpjk,2328
django/contrib/flatpages/locale/sq/LC_MESSAGES/django.po,sha256=Xm87FbWaQ1JGhhGx8uvtqwUltkTkwk5Oysagu8qIPUA,2548
django/contrib/flatpages/locale/sr/LC_MESSAGES/django.mo,sha256=p--v7bpD8Pp6zeP3cdh8fnfC8g2nuhbzGJTdN9eoE58,2770
django/contrib/flatpages/locale/sr/LC_MESSAGES/django.po,sha256=jxcyMN2Qh_osmo4Jf_6QUC2vW3KVKt1BupDWMMZyAXA,3071
django/contrib/flatpages/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=3N4mGacnZj0tI5tFniLqC2LQCPSopDEM1SGaw5N1bsw,2328
django/contrib/flatpages/locale/sr_Latn/LC_MESSAGES/django.po,sha256=od7r3dPbZ7tRAJUW80Oe-nm_tHcmIiG6b2OZMsFg53s,2589
django/contrib/flatpages/locale/sv/LC_MESSAGES/django.mo,sha256=1pFmNWiExWo5owNijZHZb8-Tbd0nYPqqvTmIitcFPbY,2252
django/contrib/flatpages/locale/sv/LC_MESSAGES/django.po,sha256=l3anvdgLQJzYehCalwr1AAh8e-hRKrL_bSNwmkfgbbc,2613
django/contrib/flatpages/locale/sw/LC_MESSAGES/django.mo,sha256=Lhf99AGmazKJHzWk2tkGrMInoYOq0mtdCd8SGblnVCQ,1537
django/contrib/flatpages/locale/sw/LC_MESSAGES/django.po,sha256=cos3eahuznpTfTdl1Vj_07fCOSYE8C9CRYHCBLYZrVw,1991
django/contrib/flatpages/locale/ta/LC_MESSAGES/django.mo,sha256=nNuoOX-FPAmTvM79o7colM4C7TtBroTFxYtETPPatcQ,1945
django/contrib/flatpages/locale/ta/LC_MESSAGES/django.po,sha256=XE4SndPZPLf1yXGl5xQSb0uor4OE8CKJ0EIXBRDA3qU,2474
django/contrib/flatpages/locale/te/LC_MESSAGES/django.mo,sha256=bMxhDMTQc_WseqoeqJMCSNy71o4U5tJZYgD2G0p-jD0,1238
django/contrib/flatpages/locale/te/LC_MESSAGES/django.po,sha256=tmUWOrAZ98B9T6Cai8AgLCfb_rLeoPVGjDTgdsMOY1Y,2000
django/contrib/flatpages/locale/tg/LC_MESSAGES/django.mo,sha256=gpzjf_LxwWX6yUrcUfNepK1LGez6yvnuYhmfULDPZ6E,2064
django/contrib/flatpages/locale/tg/LC_MESSAGES/django.po,sha256=lZFLes8BWdJ-VbczHFDWCSKhKg0qmmk10hTjKcBNr5o,2572
django/contrib/flatpages/locale/th/LC_MESSAGES/django.mo,sha256=mct17_099pUn0aGuHu8AlZG6UqdKDpYLojqGYDLRXRg,2698
django/contrib/flatpages/locale/th/LC_MESSAGES/django.po,sha256=PEcRx5AtXrDZvlNGWFH-0arroD8nZbutdJBe8_I02ag,2941
django/contrib/flatpages/locale/tk/LC_MESSAGES/django.mo,sha256=5iVSzjcnJLfdAnrI1yOKua_OfHmgUu6ydixKkvayrzQ,753
django/contrib/flatpages/locale/tk/LC_MESSAGES/django.po,sha256=0VK0Ju55wTvmYXqS9hPKLJXyTtTz9Z8mv_qw66ck5gg,1824
django/contrib/flatpages/locale/tr/LC_MESSAGES/django.mo,sha256=pPNGylfG8S0iBI4ONZbky3V2Q5AG-M1njp27tFrhhZc,2290
django/contrib/flatpages/locale/tr/LC_MESSAGES/django.po,sha256=0ULZu3Plp8H9zdirHy3MSduJ_QRdpoaaivf3bL9MCwA,2588
django/contrib/flatpages/locale/tt/LC_MESSAGES/django.mo,sha256=9RfCKyn0ZNYsqLvFNmY18xVMl7wnmDq5uXscrsFfupk,2007
django/contrib/flatpages/locale/tt/LC_MESSAGES/django.po,sha256=SUwalSl8JWI9tuDswmnGT8SjuWR3DQGND9roNxJtH1o,2402
django/contrib/flatpages/locale/udm/LC_MESSAGES/django.mo,sha256=7KhzWgskBlHmi-v61Ax9fjc3NBwHB17WppdNMuz-rEc,490
django/contrib/flatpages/locale/udm/LC_MESSAGES/django.po,sha256=zidjP05Hx1OpXGqWEmF2cg9SFxASM4loOV85uW7zV5U,1533
django/contrib/flatpages/locale/uk/LC_MESSAGES/django.mo,sha256=r2RZT8xQ1Gi9Yp0nnoNALqQ4zrEJ0JC7m26E5gSeq4g,3002
django/contrib/flatpages/locale/uk/LC_MESSAGES/django.po,sha256=qcVizoTiKYc1c9KwSTwSALHgjjSGVY2oito_bBRLVTE,3405
django/contrib/flatpages/locale/ur/LC_MESSAGES/django.mo,sha256=Li4gVdFoNOskGKAKiNuse6B2sz6ePGqGvZu7aGXMNy0,1976
django/contrib/flatpages/locale/ur/LC_MESSAGES/django.po,sha256=hDasKiKrYov9YaNIHIpoooJo0Bzba___IuN2Hl6ofSc,2371
django/contrib/flatpages/locale/vi/LC_MESSAGES/django.mo,sha256=FsFUi96oGTWGlZwM4qSMpuL1M2TAxsW51qO70TrybSM,1035
django/contrib/flatpages/locale/vi/LC_MESSAGES/django.po,sha256=ITX3MWd7nlWPxTCoNPl22_OMLTt0rfvajGvTVwo0QC8,1900
django/contrib/flatpages/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=UTCQr9t2wSj6dYLK1ftpF8-pZ25dAMYLRE2wEUQva-o,2124
django/contrib/flatpages/locale/zh_Hans/LC_MESSAGES/django.po,sha256=loi9RvOnrgFs4qp8FW4RGis7wgDzBBXuwha5pFfLRxY,2533
django/contrib/flatpages/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=Y5nDMQ3prLJ6OHuQEeEqjDLBC9_L-4XHDGJSLNoCgqg,2200
django/contrib/flatpages/locale/zh_Hant/LC_MESSAGES/django.po,sha256=6dKCSJpw_8gnunfTY86_apXdH5Pqe0kKYSVaqRtOIh0,2475
django/contrib/flatpages/middleware.py,sha256=aXeOeOkUmpdkGOyqZnkR-l1VrDQ161RWIWa3WPBhGac,784
django/contrib/flatpages/migrations/0001_initial.py,sha256=4xhMsKaXOycsfo9O1QIuknS9wf7r0uVsshAJ7opeqsM,2408
django/contrib/flatpages/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/flatpages/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/flatpages/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/flatpages/models.py,sha256=3ugRRsDwB5C3GHOWvtOzjJl-y0yqqjYZBSOMt24QYuw,1764
django/contrib/flatpages/sitemaps.py,sha256=CEhZOsLwv3qIJ1hs4eHlE_0AAtYjicb_yRzsstY19eg,584
django/contrib/flatpages/templatetags/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/flatpages/templatetags/__pycache__/__init__.cpython-311.pyc,,
django/contrib/flatpages/templatetags/__pycache__/flatpages.cpython-311.pyc,,
django/contrib/flatpages/templatetags/flatpages.py,sha256=QH-suzsoPIMSrgyHR9O8uOdmfIkBv_w3LM-hGfQvnU8,3552
django/contrib/flatpages/urls.py,sha256=Rs37Ij192SOtSBjd4Lx9YtpINfEMg7XRY01dEOY8Rgg,179
django/contrib/flatpages/views.py,sha256=H4LG7Janb6Dcn-zINLmp358hR60JigAKGzh4A4PMPaM,2724
django/contrib/gis/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/__pycache__/apps.cpython-311.pyc,,
django/contrib/gis/__pycache__/feeds.cpython-311.pyc,,
django/contrib/gis/__pycache__/geometry.cpython-311.pyc,,
django/contrib/gis/__pycache__/measure.cpython-311.pyc,,
django/contrib/gis/__pycache__/ptr.cpython-311.pyc,,
django/contrib/gis/__pycache__/shortcuts.cpython-311.pyc,,
django/contrib/gis/__pycache__/views.cpython-311.pyc,,
django/contrib/gis/admin/__init__.py,sha256=fPyCk9pBLWojuzrhZ6-dWQIvD3kpYg_HwsFzSxhawg8,672
django/contrib/gis/admin/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/admin/__pycache__/options.cpython-311.pyc,,
django/contrib/gis/admin/__pycache__/widgets.cpython-311.pyc,,
django/contrib/gis/admin/options.py,sha256=7dR6t_kD3yma_pcz8gwrudWiKbaIkIh6cFX7T5lqoWU,6390
django/contrib/gis/admin/widgets.py,sha256=2dVstM22JrlIDUZOtzzH9rlFVy97Hrqqv-JfSLc86kY,5097
django/contrib/gis/apps.py,sha256=dbAFKx9jj9_QdhdNfL5KCC47puH_ZTw098jsJFwDO9Y,417
django/contrib/gis/db/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/__pycache__/utils.cpython-311.pyc,,
django/contrib/gis/db/backends/base/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/base/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/base/__pycache__/adapter.cpython-311.pyc,,
django/contrib/gis/db/backends/base/__pycache__/features.cpython-311.pyc,,
django/contrib/gis/db/backends/base/__pycache__/models.cpython-311.pyc,,
django/contrib/gis/db/backends/base/__pycache__/operations.cpython-311.pyc,,
django/contrib/gis/db/backends/base/adapter.py,sha256=qbLG-sLB6EZ_sA6-E_uIClyp5E5hz9UQ-CsR3BWx8W8,592
django/contrib/gis/db/backends/base/features.py,sha256=fF-AKB6__RjkxVRadNkOP7Av4wMaRGkXKybYV6ES2Gk,3718
django/contrib/gis/db/backends/base/models.py,sha256=WqpmVLqK21m9J6k_N-SGPXq1VZMuNHafyB9xqxUwR4k,4009
django/contrib/gis/db/backends/base/operations.py,sha256=7GwgfCmw4RexrOJunxP2tQwV7TkE3BoQwFpjZQxg3a4,6835
django/contrib/gis/db/backends/mysql/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/mysql/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/__pycache__/features.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/__pycache__/introspection.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/__pycache__/operations.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/__pycache__/schema.cpython-311.pyc,,
django/contrib/gis/db/backends/mysql/base.py,sha256=z75wKhm-e9JfRLCvgDq-iv9OqOjBBAS238JTTrWfHRQ,498
django/contrib/gis/db/backends/mysql/features.py,sha256=dVRo3CuV8Zp5822h9l48nApiXyn3lCuXQV3vsRZKeao,866
django/contrib/gis/db/backends/mysql/introspection.py,sha256=ZihcSzwN0f8iqKOYKMHuQ_MY41ERSswjP46dvCF0v68,1602
django/contrib/gis/db/backends/mysql/operations.py,sha256=_QX71zWVeD1EQPleSCWIOEFk4ThZZE3pxG-QLkE2YG4,4230
django/contrib/gis/db/backends/mysql/schema.py,sha256=XZb1ImKNFZNUEZMxdgLYXGs4Xirgw8kKoGHNVJv763E,3205
django/contrib/gis/db/backends/oracle/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/oracle/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/adapter.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/features.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/introspection.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/models.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/operations.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/__pycache__/schema.cpython-311.pyc,,
django/contrib/gis/db/backends/oracle/adapter.py,sha256=IB5C_zBe_yvbZ-w71kuh_A77sGESuJOUbxGTFKEHDw4,2025
django/contrib/gis/db/backends/oracle/base.py,sha256=_7qhvEdbnrJQEKL51sg8YYu8kRYmQNAlBgNb2OUbBkw,507
django/contrib/gis/db/backends/oracle/features.py,sha256=3yCDutKz4iX01eOjLf0CLe_cemMaRjDmH8ZKNy_Sbyk,1021
django/contrib/gis/db/backends/oracle/introspection.py,sha256=51_nz8_OKGP1TCw44no20Vt6EV1B9MTKu8irSnkqZBo,1890
django/contrib/gis/db/backends/oracle/models.py,sha256=7mij7owmmwqAl-4rPJmEU_zW3hZZI0hix7HyFOwJkms,2084
django/contrib/gis/db/backends/oracle/operations.py,sha256=ThWHnX3wlmYqg8UHXNHoSotzxv7GaXuRe_vgNzKGEs4,8766
django/contrib/gis/db/backends/oracle/schema.py,sha256=4bjssdtSl2_n3CWX67k4yLOCLzevU5CYg-yx8s4A39Y,4469
django/contrib/gis/db/backends/postgis/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/postgis/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/adapter.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/const.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/features.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/introspection.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/models.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/operations.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/pgraster.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/__pycache__/schema.cpython-311.pyc,,
django/contrib/gis/db/backends/postgis/adapter.py,sha256=81hwPi7Z2b7BjKMTbA7MKEuCgSYc8MnGQfB2SL9BWqQ,1980
django/contrib/gis/db/backends/postgis/base.py,sha256=GrBlgfqfIIZ02wxqRnXkUKQwUlMKvr1uemr79_tI7EM,5239
django/contrib/gis/db/backends/postgis/const.py,sha256=_ODq71ixhGpojzbO1DAWs5O4REFgzruIpQkNhPw9O-E,2007
django/contrib/gis/db/backends/postgis/features.py,sha256=qOEJLQTIC1YdlDoJkpLCiVQU4GAy0d9_Dneui7w41bM,455
django/contrib/gis/db/backends/postgis/introspection.py,sha256=ihrNd_qHQ64DRjoaPj9-1a0y3H8Ko4gWbK2N5fDA3_g,3164
django/contrib/gis/db/backends/postgis/models.py,sha256=nFFshpCS4Az4js853MuZxdsp_SOOIlghjuu2XZEeB-Y,2002
django/contrib/gis/db/backends/postgis/operations.py,sha256=sxeX_rmdRhLwBTjheRUdbpYaZ5JH0b4dhCEBSFwgUDc,16576
django/contrib/gis/db/backends/postgis/pgraster.py,sha256=eCa2y-v3qGLeNbFI4ERFj2UmqgYAE19nuL3SgDFmm0o,4588
django/contrib/gis/db/backends/postgis/schema.py,sha256=dU-o1GQh2lPdiNYmBgd7QTnKq3L3JYqZck5pKn-BA0o,3020
django/contrib/gis/db/backends/spatialite/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/db/backends/spatialite/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/adapter.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/client.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/features.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/introspection.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/models.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/operations.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/__pycache__/schema.cpython-311.pyc,,
django/contrib/gis/db/backends/spatialite/adapter.py,sha256=qTiA5BBGUFND3D7xGK_85oo__HSexTH32XF4uin3ZV0,318
django/contrib/gis/db/backends/spatialite/base.py,sha256=wU1fgp68CLyKELsMfO6zYM85ox4g_GloWESEK8EPrfM,3218
django/contrib/gis/db/backends/spatialite/client.py,sha256=dNM7mqDyTzFlgQR1XhqZIftnR9VRH7AfcSvvy4vucEs,138
django/contrib/gis/db/backends/spatialite/features.py,sha256=zkmJPExFtRqjRj608ZTlsSpxkYaPbV3A3SEfX3PcaFY,876
django/contrib/gis/db/backends/spatialite/introspection.py,sha256=V_iwkz0zyF1U-AKq-UlxvyDImqQCsitcmvxk2cUw81A,3118
django/contrib/gis/db/backends/spatialite/models.py,sha256=Of5O1At0W9wQ5PPLVpO0LWth2KDCOJt6Cfz5_OwaYR0,1930
django/contrib/gis/db/backends/spatialite/operations.py,sha256=s549jK8yzs6UAKjLSvXAnRFdtOf3PQBdUNa150VIELE,8394
django/contrib/gis/db/backends/spatialite/schema.py,sha256=Uqo4Zp3q_HlmdjTWXvMAVn4_p5piK35iJ7UGXzqQ0Hc,7204
django/contrib/gis/db/backends/utils.py,sha256=rLwSv79tKJPxvDHACY8rhPDLFZC79mEIlIySTyl_qqc,785
django/contrib/gis/db/models/__init__.py,sha256=TrCS27JdVa-Q7Hok-YaJxb4eLrPdyvRmasJGIu05fvA,865
django/contrib/gis/db/models/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/models/__pycache__/aggregates.cpython-311.pyc,,
django/contrib/gis/db/models/__pycache__/fields.cpython-311.pyc,,
django/contrib/gis/db/models/__pycache__/functions.cpython-311.pyc,,
django/contrib/gis/db/models/__pycache__/lookups.cpython-311.pyc,,
django/contrib/gis/db/models/__pycache__/proxy.cpython-311.pyc,,
django/contrib/gis/db/models/aggregates.py,sha256=kM-GKfjwurd7D3P6sDbkEpZXBaocqobcSarQ89OEJko,2969
django/contrib/gis/db/models/fields.py,sha256=n40s9HYbqVpFKIW9b4X4IQ8INWUus7QZi5QdiWVPsTI,14312
django/contrib/gis/db/models/functions.py,sha256=ZDg8CGax6Cv4sszHM03QTyggs4p21fpdTcq7oR2Y4mQ,18666
django/contrib/gis/db/models/lookups.py,sha256=1raEdKM1m7e2rdMRZ4g30UKzLieJ1QCXcAdeAyuH1LA,11798
django/contrib/gis/db/models/proxy.py,sha256=o2wXW3sFIWhjhkSrzrwFaCdatvZLF8Z5Zs3s1ugmriA,3173
django/contrib/gis/db/models/sql/__init__.py,sha256=-rzcC3izMJi2bnvyQUCMzIOrigBnY6N_5EQIim4wCSY,134
django/contrib/gis/db/models/sql/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/db/models/sql/__pycache__/conversion.cpython-311.pyc,,
django/contrib/gis/db/models/sql/conversion.py,sha256=AZLJCMSw_svSLQPB5LTvA-YRFnMZSXYdHdvPSTFmK4Y,2432
django/contrib/gis/feeds.py,sha256=0vNVVScIww13bOxvlQfXAOCItIOGWSXroKKl6QXGB58,5995
django/contrib/gis/forms/__init__.py,sha256=Zyid_YlZzHUcMYkfGX1GewmPPDNc0ni7HyXKDTeIkjo,318
django/contrib/gis/forms/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/forms/__pycache__/fields.cpython-311.pyc,,
django/contrib/gis/forms/__pycache__/widgets.cpython-311.pyc,,
django/contrib/gis/forms/fields.py,sha256=FrZaZWXFUdWK1QEu8wlda3u6EtqaVHjQRYrSKKu66PA,4608
django/contrib/gis/forms/widgets.py,sha256=J29IUZ3HTfepfoiJvSeLoDfzyy6Gf6Hoo_Y-bTUMO3o,4549
django/contrib/gis/gdal/LICENSE,sha256=VwoEWoNyts1qAOMOuv6OPo38Cn_j1O8sxfFtQZ62Ous,1526
django/contrib/gis/gdal/__init__.py,sha256=m5cRj_qvD3jbLDjMk0ggDxW_hifeZ-CbtRtHZUIsRiQ,1827
django/contrib/gis/gdal/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/datasource.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/driver.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/envelope.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/error.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/feature.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/field.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/geometries.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/geomtype.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/layer.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/libgdal.cpython-311.pyc,,
django/contrib/gis/gdal/__pycache__/srs.cpython-311.pyc,,
django/contrib/gis/gdal/base.py,sha256=yymyL0vZRMBfiFUzrehvaeaunIxMH5ucGjPRfKj-rAo,181
django/contrib/gis/gdal/datasource.py,sha256=78S8Z5H61PCJS1_-CCJbiJAOP12X-IWo79PwCfyiVXI,4611
django/contrib/gis/gdal/driver.py,sha256=eCzrqEVOwyTlcRItrUirmEdNaSrsAIvw9jP_Z669xds,3351
django/contrib/gis/gdal/envelope.py,sha256=Aj3Qn33QWjDYrwX1je2AZOmokffzs-s4kD96HL1easQ,7323
django/contrib/gis/gdal/error.py,sha256=Vt-Uis9z786UGE3tD7fjiH8_0P5HSTO81n4fad4l6kw,1578
django/contrib/gis/gdal/feature.py,sha256=HPWoCZjwzsUnhc7QmKh-BBMRqJCjj07RcFI6vjbdnp4,4017
django/contrib/gis/gdal/field.py,sha256=EKE-Ioj5L79vo93Oixz_JE4TIZbDTRy0YVGvZH-I1z4,6886
django/contrib/gis/gdal/geometries.py,sha256=tYXqoHD0kY8LWN1SVcabj15kfeXy2WTQW9zKIeR8-iQ,24346
django/contrib/gis/gdal/geomtype.py,sha256=VD_w5GymdaKJwgBW1cq2Xjtl3EVXCvJh26LIlKgW_PM,3071
django/contrib/gis/gdal/layer.py,sha256=PygAgsRZzWekp6kq6NEAZ6vhQTSo1Nk4c1Yi_pOdK58,8825
django/contrib/gis/gdal/libgdal.py,sha256=EVRE0a9yInHI7NuAkkeEuu6MDcezw9Jw495nciN11RM,3618
django/contrib/gis/gdal/prototypes/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/gdal/prototypes/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/ds.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/errcheck.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/generation.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/geom.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/raster.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/__pycache__/srs.cpython-311.pyc,,
django/contrib/gis/gdal/prototypes/ds.py,sha256=aWeItuRLGr9N3qcnB7vuooNbeGerkixnDRUjtaX7zk0,4525
django/contrib/gis/gdal/prototypes/errcheck.py,sha256=wlRqrVnozMingrYIBH_9oMMzY9DMrX00BYzP_n54iu0,4173
django/contrib/gis/gdal/prototypes/generation.py,sha256=c4m3x0QkDhDDaYxavGcvMLs3RNNb9EzfKTzHudWF1f8,4889
django/contrib/gis/gdal/prototypes/geom.py,sha256=LjygKS-WbNMXj4Y8kaYGSn0OU5-UlQpjCmpmj3aPjhY,5046
django/contrib/gis/gdal/prototypes/raster.py,sha256=HPLc2gAsGRhNwkjTgtZzHdjWG8LKbcSdwRl1A3qjQDk,5994
django/contrib/gis/gdal/prototypes/srs.py,sha256=uJ7XgnrX7TuvpgJu8uwes7CWidC7-C6PSSqNeEpJur8,3731
django/contrib/gis/gdal/raster/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/gdal/raster/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/gdal/raster/__pycache__/band.cpython-311.pyc,,
django/contrib/gis/gdal/raster/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/gdal/raster/__pycache__/const.cpython-311.pyc,,
django/contrib/gis/gdal/raster/__pycache__/source.cpython-311.pyc,,
django/contrib/gis/gdal/raster/band.py,sha256=RPdut6BeQ9vW71rrPMwb2CnXrbCys8YAt1BA8Aholy0,8343
django/contrib/gis/gdal/raster/base.py,sha256=2GGlL919lPr7YVGFtdIynLPIH-QKYhzrUpoXwVRlM1k,2882
django/contrib/gis/gdal/raster/const.py,sha256=xBoMW6PeykWg3_IfVIEaGdrKTahxCMENCtDVzHOB8V8,2981
django/contrib/gis/gdal/raster/source.py,sha256=NmsCjTWDbNFt7oEWfSQSN7ZlofyDZ2yJ3ClSAfDjiW0,18394
django/contrib/gis/gdal/srs.py,sha256=g_svEEc-3-NgZEwPxkZgi1fUDj_INhDmzmMDgBp8fag,12775
django/contrib/gis/geoip2/__init__.py,sha256=YY9IoFvLImeagLMqouHeY62qKfo0qXl3AFQh63-_Ego,824
django/contrib/gis/geoip2/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/geoip2/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/geoip2/__pycache__/resources.cpython-311.pyc,,
django/contrib/gis/geoip2/base.py,sha256=pth-ZPbB9ks3ikY_RVESzqUs_poKPulItSdJVDQXe28,8942
django/contrib/gis/geoip2/resources.py,sha256=Lzz-Ok677UBmMZQdHsPv1-qPBeJ8bc4HKTk7_UzmY0I,819
django/contrib/gis/geometry.py,sha256=0INgLWg4LeRjoO3fUm7f68vXXWmaJGBZGbt-GJovTlc,666
django/contrib/gis/geos/LICENSE,sha256=CL8kt1USOK4yUpUkVCWxyuua0PQvni0wPHs1NQJjIEU,1530
django/contrib/gis/geos/__init__.py,sha256=LCGbpFFWXYm6SunsMzV9LoPLNRtDKEWaQ7P4VUtsk84,660
django/contrib/gis/geos/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/base.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/collections.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/coordseq.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/error.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/factory.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/geometry.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/io.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/libgeos.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/linestring.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/mutable_list.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/point.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/polygon.cpython-311.pyc,,
django/contrib/gis/geos/__pycache__/prepared.cpython-311.pyc,,
django/contrib/gis/geos/base.py,sha256=NdlFg5l9akvDp87aqzh9dk0A3ZH2TI3cOq10mmmuHBk,181
django/contrib/gis/geos/collections.py,sha256=p3-m7yjqxsKPhLZxvLoQUtNKElM3tQjbs860LTCSnYM,3940
django/contrib/gis/geos/coordseq.py,sha256=zK2p4lzNHzgw6HgYT1vXwEgQg_ad3BdUIMSDHSS2H-U,7284
django/contrib/gis/geos/error.py,sha256=r3SNTnwDBI6HtuyL3mQ_iEEeKlOqqqdkHnhNoUkMohw,104
django/contrib/gis/geos/factory.py,sha256=KQF6lqAh5KRlFSDgN-BSXWojmWFabbEUFgz2IGYX_vk,961
django/contrib/gis/geos/geometry.py,sha256=c1vtDlAUTUfmzRMAKWUTUbU5NwlTYY0N526VLsKOxb4,26418
django/contrib/gis/geos/io.py,sha256=P3bfg3AIWv99lrqmzFZyP-i6e5YiCuC32fql_IXPgUo,799
django/contrib/gis/geos/libgeos.py,sha256=rEoKvo3cJ9yqIUyVCeQSIxxuHdVAmburE1cqFQFbtZM,4987
django/contrib/gis/geos/linestring.py,sha256=BJAoWfHW08EX1UpNFVB09iSKXdTS6pZsTIBc6DcZcfc,6372
django/contrib/gis/geos/mutable_list.py,sha256=nthCtQ0FsJrDGd29cSERwXb-tJkpK35Vc0T_ywCnXgc,10121
django/contrib/gis/geos/point.py,sha256=bvatsdXTb1XYy1EaSZvp4Rnr2LwXZU12zILefLu6sRw,4781
django/contrib/gis/geos/polygon.py,sha256=DZq6Ed9bJA3MqhpDQ9u926hHxcnxBjnbKSppHgbShxw,6710
django/contrib/gis/geos/prepared.py,sha256=J5Dj6e3u3gEfVPNOM1E_rvcmcXR2-CdwtbAcoiDU5a0,1577
django/contrib/gis/geos/prototypes/__init__.py,sha256=YEg8BbMqHRMxqy9aQWxItqfa80hzrGpu9GaH6D3fgog,1412
django/contrib/gis/geos/prototypes/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/coordseq.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/errcheck.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/geom.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/io.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/misc.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/predicates.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/prepared.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/threadsafe.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/__pycache__/topology.cpython-311.pyc,,
django/contrib/gis/geos/prototypes/coordseq.py,sha256=fIcSIzmyCbazQSR-XdvCwtP2YZItQur1Y27vfAKXNfw,3122
django/contrib/gis/geos/prototypes/errcheck.py,sha256=aW4kLew3tdXZ4NmJhOF2NFY837ACid6Vm-_a10ET5Q8,2788
django/contrib/gis/geos/prototypes/geom.py,sha256=NlR-rUFCj_V3lppSmYSI2bapLim_VUJXABwElTldZM0,3398
django/contrib/gis/geos/prototypes/io.py,sha256=s_PezKaVl9JBGEf-6pNMMDE3oZ_GQkLY2WWBMhtTkMw,11489
django/contrib/gis/geos/prototypes/misc.py,sha256=3Ek1DTeDo4BBsS7LloseeSHPBz70Vu-4mF-dxSjyXLU,1168
django/contrib/gis/geos/prototypes/predicates.py,sha256=67HWiwf5NWFWNjiDJ8GvdlS5rCw0BcO7brqcDMwv_5s,1599
django/contrib/gis/geos/prototypes/prepared.py,sha256=4I9pS75Q5MZ1z8A1v0mKkmdCly33Kj_0sDcrqxOppzM,1175
django/contrib/gis/geos/prototypes/threadsafe.py,sha256=n1yCYvQCtc7piFrhjeZCWH8Pf0-AiOGBH33VZusTgWI,2302
django/contrib/gis/geos/prototypes/topology.py,sha256=7TNgvTU8L3cyoU0VMXbox3RA3qmUePDXejJiHMntXlU,2327
django/contrib/gis/locale/af/LC_MESSAGES/django.mo,sha256=TN3GddZjlqXnhK8UKLlMoMIXNw2szzj7BeRjoKjsR5c,470
django/contrib/gis/locale/af/LC_MESSAGES/django.po,sha256=XPdXaQsZ6yDPxF3jVMEI4bli_5jrEawoO-8DHMk8Q_A,1478
django/contrib/gis/locale/ar/LC_MESSAGES/django.mo,sha256=5LCO903yJTtRVaaujBrmwMx8f8iLa3ihasgmj8te9eg,2301
django/contrib/gis/locale/ar/LC_MESSAGES/django.po,sha256=pfUyK0VYgY0VC2_LvWZvG_EEIWa0OqIUfhiPT2Uov3Q,2569
django/contrib/gis/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=1e2lutVEjsa5vErMdjS6gaBbOLPTVIpDv15rax-wvKg,2403
django/contrib/gis/locale/ar_DZ/LC_MESSAGES/django.po,sha256=dizXM36w-rUtI7Dv2mSoJDR5ouVR6Ar7zqjywX3xKr0,2555
django/contrib/gis/locale/ast/LC_MESSAGES/django.mo,sha256=8o0Us4wR14bdv1M5oBeczYC4oW5uKnycWrj1-lMIqV4,850
django/contrib/gis/locale/ast/LC_MESSAGES/django.po,sha256=0beyFcBkBOUNvPP45iqewTNv2ExvCPvDYwpafCJY5QM,1684
django/contrib/gis/locale/az/LC_MESSAGES/django.mo,sha256=liiZOQ712WIdLolC8_uIHY6G4QPJ_sYhp5CfwxTXEv0,1976
django/contrib/gis/locale/az/LC_MESSAGES/django.po,sha256=kUxBJdYhLZNnAO3IWKy4R3ijTZBiG-OFMg2wrZ7Jh28,2172
django/contrib/gis/locale/be/LC_MESSAGES/django.mo,sha256=4B6F3HmhZmk1eLi42Bw90aipUHF4mT-Zlmsi0aKojHg,2445
django/contrib/gis/locale/be/LC_MESSAGES/django.po,sha256=4QgQvhlM_O4N_8uikD7RASkS898vov-qT_FkQMhg4cE,2654
django/contrib/gis/locale/bg/LC_MESSAGES/django.mo,sha256=qZKt6jmYT9ecax0Z1H8nCKWwL5qLoUiZB2MfYMu-SQs,2389
django/contrib/gis/locale/bg/LC_MESSAGES/django.po,sha256=4MDPVwks5pLvqsXQVA2M9m_3nMFEWMsivkLEWkYm1LA,2654
django/contrib/gis/locale/bn/LC_MESSAGES/django.mo,sha256=7oNsr_vHQfsanyP-o1FG8jZTSBK8jB3eK2fA9AqNOx4,1070
django/contrib/gis/locale/bn/LC_MESSAGES/django.po,sha256=PTa9EFZdqfznUH7si3Rq3zp1kNkTOnn2HRTEYXQSOdM,1929
django/contrib/gis/locale/br/LC_MESSAGES/django.mo,sha256=xN8hOvJi_gDlpdC5_lghXuX6yCBYDPfD_SQLjcvq8gU,1614
django/contrib/gis/locale/br/LC_MESSAGES/django.po,sha256=LQw3Tp_ymJ_x7mJ6g4SOr6aP00bejkjuaxfFFRZnmaQ,2220
django/contrib/gis/locale/bs/LC_MESSAGES/django.mo,sha256=9EdKtZkY0FX2NlX_q0tIxXD-Di0SNQJZk3jo7cend0A,1308
django/contrib/gis/locale/bs/LC_MESSAGES/django.po,sha256=eu_qF8dbmlDiRKGNIz80XtIunrF8QIOcy8O28X02GvQ,1905
django/contrib/gis/locale/ca/LC_MESSAGES/django.mo,sha256=nPWtfc4Fbm2uaY-gCASaye9CxzOYIfjG8mDTQGvn2As,2007
django/contrib/gis/locale/ca/LC_MESSAGES/django.po,sha256=pPMDNc3hAWsbC_BM4UNmziX2Bq7vs6bHbNqVkEvCSic,2359
django/contrib/gis/locale/ckb/LC_MESSAGES/django.mo,sha256=h9Hjp1EvPo9LFfMGm_uK3kc80jANSbjComJ3LQAIOqQ,2337
django/contrib/gis/locale/ckb/LC_MESSAGES/django.po,sha256=Jh51irZqa1qvdpjtEyOfRnhluRF5SBWLyT4rsDrNNVo,2528
django/contrib/gis/locale/cs/LC_MESSAGES/django.mo,sha256=V7MNXNsOaZ3x1G6LqYu6KJn6zeiFQCZKvF7Xk4J0fkg,2071
django/contrib/gis/locale/cs/LC_MESSAGES/django.po,sha256=mPkcIWtWRILisD6jOlBpPV7CKYJjhTaBcRLf7OqifdM,2321
django/contrib/gis/locale/cy/LC_MESSAGES/django.mo,sha256=vUG_wzZaMumPwIlKwuN7GFcS9gnE5rpflxoA_MPM_po,1430
django/contrib/gis/locale/cy/LC_MESSAGES/django.po,sha256=_QjXT6cySUXrjtHaJ3046z-5PoXkCqtOhvA7MCZsXxk,1900
django/contrib/gis/locale/da/LC_MESSAGES/django.mo,sha256=kH8GcLFe-XvmznQbiY5Ce2-Iz4uKJUfF4Be0yY13AEs,1894
django/contrib/gis/locale/da/LC_MESSAGES/django.po,sha256=JOVTWeTnSUASbupCd2Fo0IY_veJb6XKDhyKFu6M2J_8,2179
django/contrib/gis/locale/de/LC_MESSAGES/django.mo,sha256=1PBxHsFHDrbkCslumxKVD_kD2eIElGWOq2chQopcorY,1965
django/contrib/gis/locale/de/LC_MESSAGES/django.po,sha256=0XnbUsy9yZHhFsGGhcSnXUqJpDlMVqmrRl-0c-kdcYk,2163
django/contrib/gis/locale/dsb/LC_MESSAGES/django.mo,sha256=NzmmexcIC525FHQ5XvsKdzCZtkkb5wnrSd12fdAkZ-0,2071
django/contrib/gis/locale/dsb/LC_MESSAGES/django.po,sha256=aTBfL_NB8uIDt2bWBxKCdKi-EUNo9lQ9JZ0ekWeI4Yk,2234
django/contrib/gis/locale/el/LC_MESSAGES/django.mo,sha256=OBxHnlLrT4tY0bW5TuaRqBCKtchnz_53RtrEc0fZ3V4,2484
django/contrib/gis/locale/el/LC_MESSAGES/django.po,sha256=q0YzrFC5seve2ralJJDSmMG2uukAAALhoRflYOPFudg,2937
django/contrib/gis/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/gis/locale/en/LC_MESSAGES/django.po,sha256=8yvqHG1Mawkhx9RqD5tDXX8U0-a7RWr-wCQPGHWAqG0,2225
django/contrib/gis/locale/en_AU/LC_MESSAGES/django.mo,sha256=IPn5kRqOvv5S7jpbIUw8PEUkHlyjEL-4GuOANd1iAzI,486
django/contrib/gis/locale/en_AU/LC_MESSAGES/django.po,sha256=x_58HmrHRia2LoYhmmN_NLb1J3f7oTDvwumgTo0LowI,1494
django/contrib/gis/locale/en_GB/LC_MESSAGES/django.mo,sha256=WkORQDOsFuV2bI7hwVsJr_JTWnDQ8ZaK-VYugqnLv3w,1369
django/contrib/gis/locale/en_GB/LC_MESSAGES/django.po,sha256=KWPMoX-X-gQhb47zoVsa79-16-SiCGpO0s4xkcGv9z0,1910
django/contrib/gis/locale/eo/LC_MESSAGES/django.mo,sha256=qls9V1jybymGCdsutcjP6fT5oMaI-GXnt_oNfwq-Yhs,1960
django/contrib/gis/locale/eo/LC_MESSAGES/django.po,sha256=WPSkCxwq3ZnR-_L-W-CnS0_Qne3ekX7ZAZVaubiWw5s,2155
django/contrib/gis/locale/es/LC_MESSAGES/django.mo,sha256=oMQQrOdtyzvfCE844C5vM7wUuqtjMQ_HsG0TkKmfhr4,2025
django/contrib/gis/locale/es/LC_MESSAGES/django.po,sha256=Tqmpl0-dMQELpOc7o-ig9pf6W4p8X-7Hn1EhLTnBN4Q,2476
django/contrib/gis/locale/es_AR/LC_MESSAGES/django.mo,sha256=J-A7H9J3DjwlJ-8KvO5MC-sq4hUsJhmioAE-wiwOA8E,2012
django/contrib/gis/locale/es_AR/LC_MESSAGES/django.po,sha256=uWqoO-Tw7lOyPnOKC2SeSFD0MgPIQHWqTfroAws24aQ,2208
django/contrib/gis/locale/es_CO/LC_MESSAGES/django.mo,sha256=P79E99bXjthakFYr1BMobTKqJN9S1aj3vfzMTbGRhCY,1865
django/contrib/gis/locale/es_CO/LC_MESSAGES/django.po,sha256=tyu8_dFA9JKeQ2VCpCUy_6yX97SPJcDwVqqAuf_xgks,2347
django/contrib/gis/locale/es_MX/LC_MESSAGES/django.mo,sha256=bC-uMgJXdbKHQ-w7ez-6vh9E_2YSgCF_LkOQlvb60BU,1441
django/contrib/gis/locale/es_MX/LC_MESSAGES/django.po,sha256=MYO9fGclp_VvLG5tXDjXY3J_1FXI4lDv23rGElXAyjA,1928
django/contrib/gis/locale/es_VE/LC_MESSAGES/django.mo,sha256=5YVIO9AOtmjky90DAXVyU0YltfQ4NLEpVYRTTk7SZ5o,486
django/contrib/gis/locale/es_VE/LC_MESSAGES/django.po,sha256=R8suLsdDnSUEKNlXzow3O6WIT5NcboZoCjir9GfSTSQ,1494
django/contrib/gis/locale/et/LC_MESSAGES/django.mo,sha256=xrNWaGCM9t14hygJ7a2g3KmhnFIAxVPrfKdJmP9ysrg,1921
django/contrib/gis/locale/et/LC_MESSAGES/django.po,sha256=ejWpn0QAyxGCsfY1VpsJhUcY4ngNXG5vcwt_qOF5jbA,2282
django/contrib/gis/locale/eu/LC_MESSAGES/django.mo,sha256=VCs3BT_AwXUHmLnAftVWs9C9rZl1FYB33u4kkQyoedY,1936
django/contrib/gis/locale/eu/LC_MESSAGES/django.po,sha256=IrFIeK0oZNh3y3RodKxqG_1c84DdPHYqdfufY5a9C6g,2197
django/contrib/gis/locale/fa/LC_MESSAGES/django.mo,sha256=5S15sLEZkbyZJ_GaWfysYbSo49X2U15ZFqfRHf-q0ZY,2242
django/contrib/gis/locale/fa/LC_MESSAGES/django.po,sha256=SBQDQA2E3e1e2XniZtEu4dr6-MwNh-q_uJ022xHO_34,2596
django/contrib/gis/locale/fi/LC_MESSAGES/django.mo,sha256=wbBTW0tVHJZbyVYDLdHourHKw5m6joaX1X_eP9uD6vY,1887
django/contrib/gis/locale/fi/LC_MESSAGES/django.po,sha256=FYB9ZYdGMBtxt-7ZkxjtsgxVYFLDLOlscqaeSnNUa4s,2114
django/contrib/gis/locale/fr/LC_MESSAGES/django.mo,sha256=BpmQ_09rbzFR-dRjX0_SbFAHQJs7bZekLTGwsN96j8A,2052
django/contrib/gis/locale/fr/LC_MESSAGES/django.po,sha256=Nqsu2ILMuPVFGhHo7vYdQH7lwNupJRjl1SsMmFEo_Dw,2306
django/contrib/gis/locale/fy/LC_MESSAGES/django.mo,sha256=2kCnWU_giddm3bAHMgDy0QqNwOb9qOiEyCEaYo1WdqQ,476
django/contrib/gis/locale/fy/LC_MESSAGES/django.po,sha256=7ncWhxC5OLhXslQYv5unWurhyyu_vRsi4bGflZ6T2oQ,1484
django/contrib/gis/locale/ga/LC_MESSAGES/django.mo,sha256=m6Owcr-5pln54TXcZFAkYEYDjYiAkT8bGFyw4nowNHA,1420
django/contrib/gis/locale/ga/LC_MESSAGES/django.po,sha256=I0kyTnYBPSdYr8RontzhGPShJhylVAdRLBGWRQr2E7g,1968
django/contrib/gis/locale/gd/LC_MESSAGES/django.mo,sha256=8TAogB3fzblx48Lv6V94mOlR6MKAW6NjZOkKmAhncRY,2082
django/contrib/gis/locale/gd/LC_MESSAGES/django.po,sha256=vBafKOhKlhMXU2Qzgbiy7GhEGy-RBdHJi5ey5sHx5_I,2259
django/contrib/gis/locale/gl/LC_MESSAGES/django.mo,sha256=mQEj5OXDGYGYuQvp_VrXgZDvod9DkMRNnRFCCgj8xHU,2021
django/contrib/gis/locale/gl/LC_MESSAGES/django.po,sha256=yCuR6tHMjkSiesJBISCEgIm4o4Oo_I3UE-MwMGJgGM0,2298
django/contrib/gis/locale/he/LC_MESSAGES/django.mo,sha256=ngfIMxGYVgNCVs_bfNI2PwjSyj03DF3FmSugZuVti60,2190
django/contrib/gis/locale/he/LC_MESSAGES/django.po,sha256=N-FTLS0TL8AW5Owtfuqt7mlmqszgfXLUZ_4MQo23F2w,2393
django/contrib/gis/locale/hi/LC_MESSAGES/django.mo,sha256=3nsy5mxKTPtx0EpqBNA_TJXmLmVZ4BPUZG72ZEe8OPM,1818
django/contrib/gis/locale/hi/LC_MESSAGES/django.po,sha256=jTFG2gqqYAQct9-to0xL2kUFQu-ebR4j7RGfxn4sBAg,2372
django/contrib/gis/locale/hr/LC_MESSAGES/django.mo,sha256=0XrRj2oriNZxNhEwTryo2zdMf-85-4X7fy7OJhB5ub4,1549
django/contrib/gis/locale/hr/LC_MESSAGES/django.po,sha256=iijzoBoD_EJ1n-a5ys5CKnjzZzG299zPoCN-REFkeqE,2132
django/contrib/gis/locale/hsb/LC_MESSAGES/django.mo,sha256=hA9IBuEZ6JHsTIVjGZdlvD8NcFy6v56pTy1fmA_lWwo,2045
django/contrib/gis/locale/hsb/LC_MESSAGES/django.po,sha256=LAGSJIa6wd3Dh4IRG5DLigL-mjQzmYwn0o2RmSAdBdw,2211
django/contrib/gis/locale/hu/LC_MESSAGES/django.mo,sha256=9P8L1-RxODT4NCMBUQnWQJaydNs9FwcAZeuoVmaQUDY,1940
django/contrib/gis/locale/hu/LC_MESSAGES/django.po,sha256=qTC31EofFBS4HZ5SvxRKDIt2afAV4OS52_LYFnX2OB8,2261
django/contrib/gis/locale/hy/LC_MESSAGES/django.mo,sha256=4D6em091yzO4s3U_DIdocdlvxtAbXdMt6Ig1ATxRGrQ,2535
django/contrib/gis/locale/hy/LC_MESSAGES/django.po,sha256=0nkAba1H7qrC5JSakzJuAqsldWPG7lsjH7H8jVfG1SU,2603
django/contrib/gis/locale/ia/LC_MESSAGES/django.mo,sha256=9MZnSXkQUIfbYB2f4XEtYo_FzuVi5OlsYcX9K_REz3c,1899
django/contrib/gis/locale/ia/LC_MESSAGES/django.po,sha256=f7OuqSzGHQNldBHp62VIWjqP0BB0bvo8qEx9_wzH090,2116
django/contrib/gis/locale/id/LC_MESSAGES/django.mo,sha256=FPjGhjf4wy-Wi6f3GnsBhmpBJBFnAPOw5jUPbufHISM,1938
django/contrib/gis/locale/id/LC_MESSAGES/django.po,sha256=ap7GLVlZO6mmAs6PHgchU5xrChWF-YbwtJU7t0tqz0k,2353
django/contrib/gis/locale/io/LC_MESSAGES/django.mo,sha256=_yUgF2fBUxVAZAPNw2ROyWly5-Bq0niGdNEzo2qbp8k,464
django/contrib/gis/locale/io/LC_MESSAGES/django.po,sha256=fgGJ1xzliMK0MlVoV9CQn_BuuS3Kl71Kh5YEybGFS0Y,1472
django/contrib/gis/locale/is/LC_MESSAGES/django.mo,sha256=UQb3H5F1nUxJSrADpLiYe12TgRhYKCFQE5Xy13MzEqU,1350
django/contrib/gis/locale/is/LC_MESSAGES/django.po,sha256=8QWtgdEZR7OUVXur0mBCeEjbXTBjJmE-DOiKe55FvMo,1934
django/contrib/gis/locale/it/LC_MESSAGES/django.mo,sha256=8VddOMr-JMs5D-J5mq-UgNnhf98uutpoJYJKTr8E224,1976
django/contrib/gis/locale/it/LC_MESSAGES/django.po,sha256=Vp1G-GChjjTsODwABsg5LbmR6_Z-KpslwkNUipuOqk4,2365
django/contrib/gis/locale/ja/LC_MESSAGES/django.mo,sha256=Ro8-P0647LU_963TJT1uOWTohB77YaGGci_2sMLJwEo,2096
django/contrib/gis/locale/ja/LC_MESSAGES/django.po,sha256=shMi1KrURuWbFGc3PpSrpatfEQJlW--QTDH6HwHbtv4,2352
django/contrib/gis/locale/ka/LC_MESSAGES/django.mo,sha256=iqWQ9j8yanPjDhwi9cNSktYgfLVnofIsdICnAg2Y_to,1991
django/contrib/gis/locale/ka/LC_MESSAGES/django.po,sha256=rkM7RG0zxDN8vqyAudmk5nocajhOYP6CTkdJKu21Pf4,2571
django/contrib/gis/locale/kk/LC_MESSAGES/django.mo,sha256=NtgQONp0UncUNvrh0W2R7u7Ja8H33R-a-tsQShWq-QI,1349
django/contrib/gis/locale/kk/LC_MESSAGES/django.po,sha256=78OMHuerBJZJZVo9GjGJ1h5fwdLuSc_X03ZhSRibtf4,1979
django/contrib/gis/locale/km/LC_MESSAGES/django.mo,sha256=T0aZIZ_gHqHpQyejnBeX40jdcfhrCOjgKjNm2hLrpNE,459
django/contrib/gis/locale/km/LC_MESSAGES/django.po,sha256=7ARjFcuPQJG0OGLJu9pVfSiAwc2Q-1tT6xcLeKeom1c,1467
django/contrib/gis/locale/kn/LC_MESSAGES/django.mo,sha256=EkJRlJJSHZJvNZJuOLpO4IIUEoyi_fpKwNWe0OGFcy4,461
django/contrib/gis/locale/kn/LC_MESSAGES/django.po,sha256=MnsSftGvmgJgGfgayQUVDMj755z8ItkM9vBehORfYbk,1475
django/contrib/gis/locale/ko/LC_MESSAGES/django.mo,sha256=3cvrvesJ_JU-XWI5oaYSAANVjwFxn3SLd3UrdRSMAfA,1939
django/contrib/gis/locale/ko/LC_MESSAGES/django.po,sha256=Gg9s__57BxLIYJx5O0c-UJ8cAzsU3TcLuKGE7abn1rE,2349
django/contrib/gis/locale/ky/LC_MESSAGES/django.mo,sha256=1z_LnGCxvS3_6OBr9dBxsyHrDs7mR3Fzm76sdgNGJrU,2221
django/contrib/gis/locale/ky/LC_MESSAGES/django.po,sha256=NyWhlb3zgb0iAa6C0hOqxYxA7zaR_XgyjJHffoCIw1g,2438
django/contrib/gis/locale/lb/LC_MESSAGES/django.mo,sha256=XAyZQUi8jDr47VpSAHp_8nQb0KvSMJHo5THojsToFdk,474
django/contrib/gis/locale/lb/LC_MESSAGES/django.po,sha256=5rfudPpH4snSq2iVm9E81EBwM0S2vbkY2WBGhpuga1Q,1482
django/contrib/gis/locale/lt/LC_MESSAGES/django.mo,sha256=9I8bq0gbDGv7wBe60z3QtWZ5x_NgALjCTvR6rBtPPBY,2113
django/contrib/gis/locale/lt/LC_MESSAGES/django.po,sha256=jD2vv47dySaH1nVzzf7mZYKM5vmofhmaKXFp4GvX1Iw,2350
django/contrib/gis/locale/lv/LC_MESSAGES/django.mo,sha256=KkVqgndzTA8WAagHB4hg65PUvQKXl_O79fb2r04foXw,2025
django/contrib/gis/locale/lv/LC_MESSAGES/django.po,sha256=21VWQDPMF27yZ-ctKO-f0sohyvVkIaTXk9MKF-WGmbo,2253
django/contrib/gis/locale/mk/LC_MESSAGES/django.mo,sha256=PVw73LWWNvaNd95zQbAIA7LA7JNmpf61YIoyuOca2_s,2620
django/contrib/gis/locale/mk/LC_MESSAGES/django.po,sha256=eusHVHXHRfdw1_JyuBW7H7WPCHFR_z1NBqr79AVqAk0,2927
django/contrib/gis/locale/ml/LC_MESSAGES/django.mo,sha256=Kl9okrE3AzTPa5WQ-IGxYVNSRo2y_VEdgDcOyJ_Je78,2049
django/contrib/gis/locale/ml/LC_MESSAGES/django.po,sha256=PWg8atPKfOsnVxg_uro8zYO9KCE1UVhfy_zmCWG0Bdk,2603
django/contrib/gis/locale/mn/LC_MESSAGES/django.mo,sha256=-Nn70s2On94C-jmSZwTppW2q7_W5xgMpzPXYmxZSKXs,2433
django/contrib/gis/locale/mn/LC_MESSAGES/django.po,sha256=I0ZHocPlRYrogJtzEGVPsWWHpoVEa7e2KYP9Ystlj60,2770
django/contrib/gis/locale/mr/LC_MESSAGES/django.mo,sha256=sO2E__g61S0p5I6aEwnoAsA3epxv7_Jn55TyF0PZCUA,468
django/contrib/gis/locale/mr/LC_MESSAGES/django.po,sha256=McWaLXfWmYTDeeDbIOrV80gwnv07KCtNIt0OXW_v7vw,1476
django/contrib/gis/locale/ms/LC_MESSAGES/django.mo,sha256=Ws6mtfdx1yajz4NUl1aqrWYc0XNPm2prqAAE8yCNyT0,1887
django/contrib/gis/locale/ms/LC_MESSAGES/django.po,sha256=wglQEOZ8SF4_d7tZBCoOOSTbRG1U5IM4lIZA1H5MaDg,2017
django/contrib/gis/locale/my/LC_MESSAGES/django.mo,sha256=e6G8VbCCthUjV6tV6PRCy_ZzsXyZ-1OYjbYZIEShbXI,525
django/contrib/gis/locale/my/LC_MESSAGES/django.po,sha256=R3v1S-904f8FWSVGHe822sWrOJI6cNJIk93-K7_E_1c,1580
django/contrib/gis/locale/nb/LC_MESSAGES/django.mo,sha256=a89qhy9BBE_S-MYlOMLaYMdnOvUEJxh8V80jYJqFEj0,1879
django/contrib/gis/locale/nb/LC_MESSAGES/django.po,sha256=UIk8oXTFdxTn22tTtIXowTl3Nxn2qvpQO72GoQDUmaw,2166
django/contrib/gis/locale/ne/LC_MESSAGES/django.mo,sha256=nB-Ta8w57S6hIAhAdWZjDT0Dg6JYGbAt5FofIhJT7k8,982
django/contrib/gis/locale/ne/LC_MESSAGES/django.po,sha256=eMH6uKZZZYn-P3kmHumiO4z9M4923s9tWGhHuJ0eWuI,1825
django/contrib/gis/locale/nl/LC_MESSAGES/django.mo,sha256=d22j68OCI1Bevtl2WgXHSQHFCiDgkPXmrFHca_uUm14,1947
django/contrib/gis/locale/nl/LC_MESSAGES/django.po,sha256=ffytg6K7pTQoIRfxY35i1FpolJeox-fpSsG1JQzvb-0,2381
django/contrib/gis/locale/nn/LC_MESSAGES/django.mo,sha256=Rp1zi-gbaGBPk9MVR4sw1MS4MhCRs6u9v7Aa8IxrkQQ,1888
django/contrib/gis/locale/nn/LC_MESSAGES/django.po,sha256=ApoLxcaZ3UzO8owOqfDgDMCJuemnGAfrKH_qJVR47eM,2087
django/contrib/gis/locale/os/LC_MESSAGES/django.mo,sha256=02NpGC8WPjxmPqQkfv9Kj2JbtECdQCtgecf_Tjk1CZc,1594
django/contrib/gis/locale/os/LC_MESSAGES/django.po,sha256=JBIsv5nJg3Wof7Xy7odCI_xKRBLN_Hlbb__kNqNW4Xw,2161
django/contrib/gis/locale/pa/LC_MESSAGES/django.mo,sha256=JR1NxG5_h_dFE_7p6trBWWIx-QqWYIgfGomnjaCsWAA,1265
django/contrib/gis/locale/pa/LC_MESSAGES/django.po,sha256=Ejd_8dq_M0E9XFijk0qj4oC-8_oe48GWWHXhvOrFlnY,1993
django/contrib/gis/locale/pl/LC_MESSAGES/django.mo,sha256=BkGcSOdz9VE7OYEeFzC9OLANJsTB3pFU1Xs8-CWFgb4,2095
django/contrib/gis/locale/pl/LC_MESSAGES/django.po,sha256=IIy2N8M_UFanmHB6Ajne9g5NQ7tJCF5JvgrzasFUJDY,2531
django/contrib/gis/locale/pt/LC_MESSAGES/django.mo,sha256=sE5PPOHzfT8QQXuV5w0m2pnBTRhKYs_vFhk8p_A4Jg0,2036
django/contrib/gis/locale/pt/LC_MESSAGES/django.po,sha256=TFt6Oj1NlCM3pgs2dIgFZR3S3y_g7oR7S-XRBlM4924,2443
django/contrib/gis/locale/pt_BR/LC_MESSAGES/django.mo,sha256=5HGIao480s3B6kXtSmdy1AYjGUZqbYuZ9Eapho_jkTk,1976
django/contrib/gis/locale/pt_BR/LC_MESSAGES/django.po,sha256=4-2WPZT15YZPyYbH7xnBRc7A8675875kVFjM9tr1o5U,2333
django/contrib/gis/locale/ro/LC_MESSAGES/django.mo,sha256=brEMR8zmBMK6otF_kmR2IVuwM9UImo24vwSVUdRysAY,1829
django/contrib/gis/locale/ro/LC_MESSAGES/django.po,sha256=EDdumoPfwMHckneEl4OROll5KwYL0ljdY-yJTUkK2JA,2242
django/contrib/gis/locale/ru/LC_MESSAGES/django.mo,sha256=Beo_YLNtenVNPIyWB-KKMlbxeK0z4DIxhLNkAE8p9Ko,2542
django/contrib/gis/locale/ru/LC_MESSAGES/django.po,sha256=GKPf50Wm3evmbOdok022P2YZxh-6ROKgDRLyxewPy1g,2898
django/contrib/gis/locale/sk/LC_MESSAGES/django.mo,sha256=bws9O1h9u-ia1FraYJNIsRCf78_cSo9PNVo802hCMMQ,2043
django/contrib/gis/locale/sk/LC_MESSAGES/django.po,sha256=DAAMn59_3-aTD8qimDetbY6GFqC311lTD3VOxz80xNQ,2375
django/contrib/gis/locale/sl/LC_MESSAGES/django.mo,sha256=9-efMT2MoEMa5-SApGWTRiyfvI6vmZzLeMg7qGAr7_A,2067
django/contrib/gis/locale/sl/LC_MESSAGES/django.po,sha256=foZY7N5QkuAQS7nc3CdnJerCPk-lhSb1xZqU11pNGNo,2303
django/contrib/gis/locale/sq/LC_MESSAGES/django.mo,sha256=WEq6Bdd9fM_aRhWUBpl_qTc417U9708u9sXNgyB8o1k,1708
django/contrib/gis/locale/sq/LC_MESSAGES/django.po,sha256=mAOImw7HYWDO2VuoHU-VAp08u5DM-BUC633Lhkc3vRk,2075
django/contrib/gis/locale/sr/LC_MESSAGES/django.mo,sha256=cQzh-8YOz0FSIE0-BkeQHiqG6Tl4ArHvSN3yMXiaoec,2454
django/contrib/gis/locale/sr/LC_MESSAGES/django.po,sha256=PQ3FYEidoV200w8WQBFsid7ULKZyGLzCjfCVUUPKWrk,2719
django/contrib/gis/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=SASOtA8mOnMPxh1Lr_AC0yR82SqyTiPrlD8QmvYgG58,2044
django/contrib/gis/locale/sr_Latn/LC_MESSAGES/django.po,sha256=BPkwFmsLHVN8jwjf1pqmrTXhxO0fgDzE0-C7QvaBeVg,2271
django/contrib/gis/locale/sv/LC_MESSAGES/django.mo,sha256=qz5WD6-SV6IYc36G52EccYa6AdGq3_MO35vJjPj5tgA,1944
django/contrib/gis/locale/sv/LC_MESSAGES/django.po,sha256=VHHxr5TBEBClbH_WosRk8J4vTvkQ0Fa0pbRdflVQlH4,2312
django/contrib/gis/locale/sw/LC_MESSAGES/django.mo,sha256=uBhpGHluGwYpODTE-xhdJD2e6PHleN07wLE-kjrXr_M,1426
django/contrib/gis/locale/sw/LC_MESSAGES/django.po,sha256=nHXQQMYYXT1ec3lIBxQIDIAwLtXucX47M4Cozy08kko,1889
django/contrib/gis/locale/ta/LC_MESSAGES/django.mo,sha256=Rboo36cGKwTebe_MiW4bOiMsRO2isB0EAyJJcoy_F6s,466
django/contrib/gis/locale/ta/LC_MESSAGES/django.po,sha256=sLYW8_5BSVoSLWUr13BbKRe0hNJ_cBMEtmjCPBdTlAk,1474
django/contrib/gis/locale/te/LC_MESSAGES/django.mo,sha256=xDkaSztnzQ33Oc-GxHoSuutSIwK9A5Bg3qXEdEvo4h4,824
django/contrib/gis/locale/te/LC_MESSAGES/django.po,sha256=nYryhktJumcwtZDGZ43xBxWljvdd-cUeBrAYFZOryVg,1772
django/contrib/gis/locale/tg/LC_MESSAGES/django.mo,sha256=6Jyeaq1ORsnE7Ceh_rrhbfslFskGe12Ar-dQl6NFyt0,611
django/contrib/gis/locale/tg/LC_MESSAGES/django.po,sha256=9c1zPt7kz1OaRJPPLdqjQqO8MT99KtS9prUvoPa9qJk,1635
django/contrib/gis/locale/th/LC_MESSAGES/django.mo,sha256=0kekAr7eXc_papwPAxEZ3TxHOBg6EPzdR3q4hmAxOjg,1835
django/contrib/gis/locale/th/LC_MESSAGES/django.po,sha256=WJPdoZjLfvepGGMhfBB1EHCpxtxxfv80lRjPG9kGErM,2433
django/contrib/gis/locale/tr/LC_MESSAGES/django.mo,sha256=_bNVyXHbuyM42-fAsL99wW7_Hwu5hF_WD7FzY-yfS8k,1961
django/contrib/gis/locale/tr/LC_MESSAGES/django.po,sha256=W0pxShIqMePnQvn_7zcY_q4_C1PCnWwFMastDo_gHd0,2242
django/contrib/gis/locale/tt/LC_MESSAGES/django.mo,sha256=cGVPrWCe4WquVV77CacaJwgLSnJN0oEAepTzNMD-OWk,1470
django/contrib/gis/locale/tt/LC_MESSAGES/django.po,sha256=98yeRs-JcMGTyizOpEuQenlnWJMYTR1-rG3HGhKCykk,2072
django/contrib/gis/locale/udm/LC_MESSAGES/django.mo,sha256=I6bfLvRfMn79DO6bVIGfYSVeZY54N6c8BNO7OyyOOsw,462
django/contrib/gis/locale/udm/LC_MESSAGES/django.po,sha256=B1PCuPYtNOrrhu4fKKJgkqxUrcEyifS2Y3kw-iTmSIk,1470
django/contrib/gis/locale/uk/LC_MESSAGES/django.mo,sha256=Pnot1RDsNa4HYvy_6ZsFFMGhJ4JyEn6qWbDPPFUXDzg,2586
django/contrib/gis/locale/uk/LC_MESSAGES/django.po,sha256=uJfVys_Tzi99yJ7F5IEbIDJTcM1MzCz2vpiVv_fVRmc,3090
django/contrib/gis/locale/ur/LC_MESSAGES/django.mo,sha256=tB5tz7EscuE9IksBofNuyFjk89-h5X7sJhCKlIho5SY,1410
django/contrib/gis/locale/ur/LC_MESSAGES/django.po,sha256=16m0t10Syv76UcI7y-EXfQHETePmrWX4QMVfyeuX1fQ,2007
django/contrib/gis/locale/vi/LC_MESSAGES/django.mo,sha256=NT5T0FRCC2XINdtaCFCVUxb5VRv8ta62nE8wwSHGTrc,1384
django/contrib/gis/locale/vi/LC_MESSAGES/django.po,sha256=y77GtqH5bv1wR78xN5JLHusmQzoENTH9kLf9Y3xz5xk,1957
django/contrib/gis/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=g_8mpfbj-6HJ-g1PrFU2qTTfvCbztNcjDym_SegaI8Q,1812
django/contrib/gis/locale/zh_Hans/LC_MESSAGES/django.po,sha256=MBJpb5IJxUaI2k0Hq8Q1GLXHJPFAA-S1w6NRjsmrpBw,2286
django/contrib/gis/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=jEgcPJy_WzZa65-5rXb64tN_ehUku_yIj2d7tXwweP8,1975
django/contrib/gis/locale/zh_Hant/LC_MESSAGES/django.po,sha256=iVnQKpbsQ4nJi65PHAO8uGRO6jhHWs22gTOUKPpb64s,2283
django/contrib/gis/management/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/management/commands/__pycache__/inspectdb.cpython-311.pyc,,
django/contrib/gis/management/commands/__pycache__/ogrinspect.cpython-311.pyc,,
django/contrib/gis/management/commands/inspectdb.py,sha256=8WhDOBICFAbLFu7kwAAS4I5pNs_p1BrCv8GJYI3S49k,760
django/contrib/gis/management/commands/ogrinspect.py,sha256=XnWAbLxRxTSvbKSvjgePN7D1o_Ep4qWkvMwVrG1TpYY,6071
django/contrib/gis/measure.py,sha256=KieLLeQFsV23gnPzj1WoJvN5unOIK5v8QThgX0Rk4Sg,12557
django/contrib/gis/ptr.py,sha256=NeIBB-plwO61wGOOxGg7fFyVXI4a5vbAGUdaJ_Fmjqo,1312
django/contrib/gis/serializers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/gis/serializers/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/serializers/__pycache__/geojson.cpython-311.pyc,,
django/contrib/gis/serializers/geojson.py,sha256=lgwJ0xh-mjMVwJi_UpHH7MTKtjH_7txIQyLG-G2C4-A,3000
django/contrib/gis/shortcuts.py,sha256=aa9zFjVU38qaEvRc0vAH_j2AgAERlI01rphYLHbc7Tg,1027
django/contrib/gis/sitemaps/__init__.py,sha256=Tjj057omOVcoC5Fb8ITEYVhLm0HcVjrZ1Mbz_tKoD1A,138
django/contrib/gis/sitemaps/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/sitemaps/__pycache__/kml.cpython-311.pyc,,
django/contrib/gis/sitemaps/__pycache__/views.cpython-311.pyc,,
django/contrib/gis/sitemaps/kml.py,sha256=CUn_KKVrwGg2ZmmDcWosBc0QFuJp8hHpeNRCcloVk1U,2573
django/contrib/gis/sitemaps/views.py,sha256=AFV1ay-oFftFC-IszzeKz3JAGzE0TOCH8pN1cwtg7yI,2353
django/contrib/gis/static/gis/css/ol3.css,sha256=DmCfOuPC1wUs0kioWxIpSausvF6AYUlURbJLNGyvngA,773
django/contrib/gis/static/gis/img/draw_line_off.svg,sha256=6XW83xsR5-Guh27UH3y5UFn9y9FB9T_Zc4kSPA-xSOI,918
django/contrib/gis/static/gis/img/draw_line_on.svg,sha256=Hx-pXu4ped11esG6YjXP1GfZC5q84zrFQDPUo1C7FGA,892
django/contrib/gis/static/gis/img/draw_point_off.svg,sha256=PICrywZPwuBkaQAKxR9nBJ0AlfTzPHtVn_up_rSiHH4,803
django/contrib/gis/static/gis/img/draw_point_on.svg,sha256=raGk3oc8w87rJfLdtZ4nIXJyU3OChCcTd4oH-XAMmmM,803
django/contrib/gis/static/gis/img/draw_polygon_off.svg,sha256=gnVmjeZE2jOvjfyx7mhazMDBXJ6KtSDrV9f0nSzkv3A,981
django/contrib/gis/static/gis/img/draw_polygon_on.svg,sha256=ybJ9Ww7-bsojKQJtjErLd2cCOgrIzyqgIR9QNhH_ZfA,982
django/contrib/gis/static/gis/js/OLMapWidget.js,sha256=wNkqWj8CdsMqxBYI57v0SKl-2Ay12ckFvq3eMk1bsg4,9356
django/contrib/gis/templates/gis/admin/openlayers.html,sha256=41MtWKVz6IR-_-c0zIQi1hvA9wXpD-g5VDJdojkcMgE,1441
django/contrib/gis/templates/gis/admin/openlayers.js,sha256=KoT3VUMAez9-5QoT5U6OJXzt3MLxlTrJMMwINjQ_k7M,8975
django/contrib/gis/templates/gis/admin/osm.html,sha256=yvYyZPmgP64r1JT3eZCDun5ENJaaN3d3wbTdCxIOvSo,111
django/contrib/gis/templates/gis/admin/osm.js,sha256=0wFRJXKZ2plp7tb0F9fgkMzp4NrKZXcHiMkKDJeHMRw,128
django/contrib/gis/templates/gis/kml/base.kml,sha256=VYnJaGgFVHRzDjiFjbcgI-jxlUos4B4Z1hx_JeI2ZXU,219
django/contrib/gis/templates/gis/kml/placemarks.kml,sha256=TEC81sDL9RK2FVeH0aFJTwIzs6_YWcMeGnHkACJV1Uc,360
django/contrib/gis/templates/gis/openlayers-osm.html,sha256=TeiUqCjt73W8Hgrp_6zAtk_ZMBxskNN6KHSmnJ1-GD4,378
django/contrib/gis/templates/gis/openlayers.html,sha256=Ou-Cwe58NHmSyOuMeCNixrys_SCmd2RzMecNeAW67_I,1587
django/contrib/gis/utils/__init__.py,sha256=om0rPPBwSmvN4_BZpEkvpZqT44S0b7RCJpLAS2nI9-o,604
django/contrib/gis/utils/__pycache__/__init__.cpython-311.pyc,,
django/contrib/gis/utils/__pycache__/layermapping.cpython-311.pyc,,
django/contrib/gis/utils/__pycache__/ogrinfo.cpython-311.pyc,,
django/contrib/gis/utils/__pycache__/ogrinspect.cpython-311.pyc,,
django/contrib/gis/utils/__pycache__/srs.cpython-311.pyc,,
django/contrib/gis/utils/layermapping.py,sha256=hSQ-sBvqD0Qy3_xhnOTYXa6puJDc7p20xn9LpHQGsew,28914
django/contrib/gis/utils/ogrinfo.py,sha256=6m3KaRzLoZtQ0OSrpRkaFIQXi9YOXTkQcYeqYb0S0nw,1956
django/contrib/gis/utils/ogrinspect.py,sha256=nxKd1cufjbP86uJcsaNb1c3n9IA-uy4ltQjLGgPjB1E,9169
django/contrib/gis/utils/srs.py,sha256=UXsbxW0cQzdnPKO0d9E5K2HPdekdab5NaLZWNOUq-zk,2962
django/contrib/gis/views.py,sha256=zdCV8QfUVfxEFGxESsUtCicsbSVtZNI_IXybdmsHKiM,714
django/contrib/humanize/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/humanize/__pycache__/__init__.cpython-311.pyc,,
django/contrib/humanize/__pycache__/apps.cpython-311.pyc,,
django/contrib/humanize/apps.py,sha256=LH3PTbB4V1gbBc8nmCw3BsSuA8La0fNOb4cSISvJAwI,194
django/contrib/humanize/locale/af/LC_MESSAGES/django.mo,sha256=bNLjjeZ3H-KD_pm-wa1_5eLCDOmG2FXgDHVOg5vgL7o,5097
django/contrib/humanize/locale/af/LC_MESSAGES/django.po,sha256=p3OduzjtTGkwlgDJhPgSm9aXI2sWzORspsPf7_RnWjs,8923
django/contrib/humanize/locale/ar/LC_MESSAGES/django.mo,sha256=PokPfBR8w4AbRtNNabl5vO8r5E8_egHvFBjKp4CCvO4,7510
django/contrib/humanize/locale/ar/LC_MESSAGES/django.po,sha256=QGW-kx-87DlPMGr5l_Eb6Ge-x4tkz2PuwHDe3EIkIQg,12326
django/contrib/humanize/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=NwCrL5FX_xdxYdqkW_S8tmU8ktDM8LqimmUvkt8me74,9155
django/contrib/humanize/locale/ar_DZ/LC_MESSAGES/django.po,sha256=tt0AxhohGX79OQ_lX1S5soIo-iSCC07SdAhPpy0O7Q4,15234
django/contrib/humanize/locale/ast/LC_MESSAGES/django.mo,sha256=WvBk8V6g1vgzGqZ_rR-4p7SMh43PFnDnRhIS9HSwdoQ,3468
django/contrib/humanize/locale/ast/LC_MESSAGES/django.po,sha256=S9lcUf2y5wR8Ufa-Rlz-M73Z3bMo7zji_63cXwtDK2I,5762
django/contrib/humanize/locale/az/LC_MESSAGES/django.mo,sha256=h7H_-Y-3YiP_98cdIz953QFmQJq86bHfN-U5pXjQLg8,4345
django/contrib/humanize/locale/az/LC_MESSAGES/django.po,sha256=prn_LypmpP3By-EYF3_DMXtjrn4o60fpMi-SC9uD8fE,7770
django/contrib/humanize/locale/be/LC_MESSAGES/django.mo,sha256=7KyJKhNqMqv32CPdJi01RPLBefOVCQW-Gx6-Vf9JVrs,6653
django/contrib/humanize/locale/be/LC_MESSAGES/django.po,sha256=2mbReEHyXhmZysqhSmaT6A2XCHn8mYb2R_O16TMGCAo,10666
django/contrib/humanize/locale/bg/LC_MESSAGES/django.mo,sha256=jCdDIbqWlhOs-4gML44wSRIXJQxypfak6ByRG_reMsk,4823
django/contrib/humanize/locale/bg/LC_MESSAGES/django.po,sha256=v2ih4-pL1cdDXaa3uXm9FxRjRKyULLGyz78Q91eKEG8,8267
django/contrib/humanize/locale/bn/LC_MESSAGES/django.mo,sha256=jbL4ucZxxtexI10jgldtgnDie3I23XR3u-PrMMMqP6U,4026
django/contrib/humanize/locale/bn/LC_MESSAGES/django.po,sha256=0l4yyy7q3OIWyFk_PW0y883Vw2Pmu48UcnLM9OBxB68,6545
django/contrib/humanize/locale/br/LC_MESSAGES/django.mo,sha256=V_tPVAyQzVdDwWPNlVGWmlVJjmVZfbh35alkwsFlCNU,5850
django/contrib/humanize/locale/br/LC_MESSAGES/django.po,sha256=BcAqEV2JpF0hiCQDttIMblp9xbB7zoHsmj7fJFV632k,12245
django/contrib/humanize/locale/bs/LC_MESSAGES/django.mo,sha256=1-RNRHPgZR_9UyiEn9Djp4mggP3fywKZho45E1nGMjM,1416
django/contrib/humanize/locale/bs/LC_MESSAGES/django.po,sha256=M017Iu3hyXmINZkhCmn2he-FB8rQ7rXN0KRkWgrp7LI,5498
django/contrib/humanize/locale/ca/LC_MESSAGES/django.mo,sha256=WDvXis2Y1ivSq6NdJgddO_WKbz8w5MpVpkT4sq-pWXI,4270
django/contrib/humanize/locale/ca/LC_MESSAGES/django.po,sha256=AD3h2guGADdp1f9EcbP1vc1lmfDOL8-1qQfwvXa6I04,7731
django/contrib/humanize/locale/ckb/LC_MESSAGES/django.mo,sha256=Mqv3kRZrOjWtTstmtOEqIJsi3vevf_hZUfYEetGxO7w,5021
django/contrib/humanize/locale/ckb/LC_MESSAGES/django.po,sha256=q_7p7pEyV_NTw9eBvcztKlSFW7ykl0CIsNnA9g5oy20,8317
django/contrib/humanize/locale/cs/LC_MESSAGES/django.mo,sha256=VFyZcn19aQUXhVyh2zo2g3PAuzOO38Kx9fMFOCCxzMc,5479
django/contrib/humanize/locale/cs/LC_MESSAGES/django.po,sha256=mq3LagwA9hyWOGy76M9n_rD4p3wuVk6oQsneB9CF99w,9527
django/contrib/humanize/locale/cy/LC_MESSAGES/django.mo,sha256=VjJiaUUhvX9tjOEe6x2Bdp7scvZirVcUsA4-iE2-ElQ,5241
django/contrib/humanize/locale/cy/LC_MESSAGES/django.po,sha256=sylmceSq-NPvtr_FjklQXoBAfueKu7hrjEpMAsVbQC4,7813
django/contrib/humanize/locale/da/LC_MESSAGES/django.mo,sha256=vfDHopmWFAomwqmmCX3wfmX870-zzVbgUFC6I77n9tE,4316
django/contrib/humanize/locale/da/LC_MESSAGES/django.po,sha256=v7Al6UOkbYB1p7m8kOe-pPRIAoyWemoyg_Pm9bD5Ldc,7762
django/contrib/humanize/locale/de/LC_MESSAGES/django.mo,sha256=aOUax9csInbXnjAJc3jq4dcW_9H-6ueVI-TtKz2b9q0,4364
django/contrib/humanize/locale/de/LC_MESSAGES/django.po,sha256=gW3OfOfoVMvpVudwghKCYztkLrCIPbbcriZjBNnRyGo,7753
django/contrib/humanize/locale/dsb/LC_MESSAGES/django.mo,sha256=OVKcuW9ZXosNvP_3A98WsIIk_Jl6U_kv3zOx4pvwh-g,5588
django/contrib/humanize/locale/dsb/LC_MESSAGES/django.po,sha256=VimcsmobK3VXTbbTasg6osWDPOIZ555uimbUoUfNco4,9557
django/contrib/humanize/locale/el/LC_MESSAGES/django.mo,sha256=o-yjhpzyGRbbdMzwUcG_dBP_FMEMZevm7Wz1p4Wd-pg,6740
django/contrib/humanize/locale/el/LC_MESSAGES/django.po,sha256=UbD5QEw_-JNoNETaOyDfSReirkRsHnlHeSsZF5hOSkI,10658
django/contrib/humanize/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/humanize/locale/en/LC_MESSAGES/django.po,sha256=7CzW7XKCntUjZon7-mQU_Z2UX9XReoQ8IsjojNowG1w,9050
django/contrib/humanize/locale/en_AU/LC_MESSAGES/django.mo,sha256=QFf4EgAsGprbFetnwogmj8vDV7SfGq1E3vhL9D8xTTM,918
django/contrib/humanize/locale/en_AU/LC_MESSAGES/django.po,sha256=Bnfesr1_T9sa31qkKOMunwKKXbnFzZJhzV8rYC_pdSE,6532
django/contrib/humanize/locale/en_GB/LC_MESSAGES/django.mo,sha256=mkx192XQM3tt1xYG8EOacMfa-BvgzYCbSsJQsWZGeAo,3461
django/contrib/humanize/locale/en_GB/LC_MESSAGES/django.po,sha256=MArKzXxY1104jxaq3kvDZs2WzOGYxicfJxFKsLzFavw,5801
django/contrib/humanize/locale/eo/LC_MESSAGES/django.mo,sha256=b47HphXBi0cax_reCZiD3xIedavRHcH2iRG8pcwqb54,5386
django/contrib/humanize/locale/eo/LC_MESSAGES/django.po,sha256=oN1YqOZgxKY3L1a1liluhM6X5YA5bawg91mHF_Vfqx8,9095
django/contrib/humanize/locale/es/LC_MESSAGES/django.mo,sha256=z5ZCmAG4jGYleEE6pESMXihlESRQPkTEo2vIedXdjjI,5005
django/contrib/humanize/locale/es/LC_MESSAGES/django.po,sha256=WwykwsBM_Q_xtA2vllIbcFSO7eUB72r56AG4ITwM5VM,8959
django/contrib/humanize/locale/es_AR/LC_MESSAGES/django.mo,sha256=-btiXH3B5M1qkAsW9D5I742Gt9GcJs5VC8ZhJ_DKkGY,4425
django/contrib/humanize/locale/es_AR/LC_MESSAGES/django.po,sha256=UsiuRj-eq-Vl41wNZGw9XijCMEmcXhcGrMTPWgZn4LA,7858
django/contrib/humanize/locale/es_CO/LC_MESSAGES/django.mo,sha256=2GhQNtNOjK5mTov5RvnuJFTYbdoGBkDGLxzvJ8Vsrfs,4203
django/contrib/humanize/locale/es_CO/LC_MESSAGES/django.po,sha256=JBf2fHO8jWi6dFdgZhstKXwyot_qT3iJBixQZc3l330,6326
django/contrib/humanize/locale/es_MX/LC_MESSAGES/django.mo,sha256=82DL2ztdq10X5RIceshK1nO99DW5628ZIjaN8Xzp9ok,3939
django/contrib/humanize/locale/es_MX/LC_MESSAGES/django.po,sha256=-O7AQluA5Kce9-bd04GN4tfQKoCxb8Sa7EZR6TZBCdM,6032
django/contrib/humanize/locale/es_VE/LC_MESSAGES/django.mo,sha256=cJECzKpD99RRIpVFKQW65x0Nvpzrm5Fuhfi-nxOWmkM,942
django/contrib/humanize/locale/es_VE/LC_MESSAGES/django.po,sha256=tDdYtvRILgeDMgZqKHSebe7Z5ZgI1bZhDdvGVtj_anM,4832
django/contrib/humanize/locale/et/LC_MESSAGES/django.mo,sha256=_vLDxD-e-pBY7vs6gNkhFZNGYu_dAeETVMKGsjjWOHg,4406
django/contrib/humanize/locale/et/LC_MESSAGES/django.po,sha256=u0tSkVYckwXUv1tVfe1ODdZ8tJ2wUkS0Vv8pakJ8eBM,7915
django/contrib/humanize/locale/eu/LC_MESSAGES/django.mo,sha256=k_3NJUSo2JS5OZeQmGuCx0PEa_Xy1DvKIknoSv5EhWo,4312
django/contrib/humanize/locale/eu/LC_MESSAGES/django.po,sha256=YuD0UCpc-tE1l1MS4gLLgDXhWGoEH6b2JYkgCZyAPds,7733
django/contrib/humanize/locale/fa/LC_MESSAGES/django.mo,sha256=N32l1DsPALoSGe9GtJ5baIo0XUDm8U09JhcHr0lXtw4,4656
django/contrib/humanize/locale/fa/LC_MESSAGES/django.po,sha256=YsYRnmvABepSAOgEj6dRvdY_jYZqJb0_dbQ_6daiJAQ,8228
django/contrib/humanize/locale/fi/LC_MESSAGES/django.mo,sha256=FJfyLFkz-oAz9e15e1aQUct7CJ2EJqSkZKh_ztDxtic,4425
django/contrib/humanize/locale/fi/LC_MESSAGES/django.po,sha256=j5Z5t9zX1kePdM_Es1hu9AKOpOrijVWTsS2t19CIiaE,7807
django/contrib/humanize/locale/fr/LC_MESSAGES/django.mo,sha256=pHHD7DV36bC86CKXWUpWUp3NtKuqWu9_YXU04sE6ib4,5125
django/contrib/humanize/locale/fr/LC_MESSAGES/django.po,sha256=SyN1vUt8zDG-iSTDR4OH1B_CbvKMM2YaMJ2_s-FEyog,8812
django/contrib/humanize/locale/fy/LC_MESSAGES/django.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/humanize/locale/fy/LC_MESSAGES/django.po,sha256=pPvcGgBWiZwQ5yh30OlYs-YZUd_XsFro71T9wErVv0M,4732
django/contrib/humanize/locale/ga/LC_MESSAGES/django.mo,sha256=AOEiBNOak_KQkBeGyUpTNO12zyg3CiK66h4kMoS15_0,5112
django/contrib/humanize/locale/ga/LC_MESSAGES/django.po,sha256=jTXihbd-ysAUs0TEKkOBmXJJj69V0cFNOHM6VbcPCWw,11639
django/contrib/humanize/locale/gd/LC_MESSAGES/django.mo,sha256=wHsBVluXm4DW7iWxGHMHexqG9ovXEvgcaXvsmvkNHSE,5838
django/contrib/humanize/locale/gd/LC_MESSAGES/django.po,sha256=CmmpKK7me-Ujitgx2IVkOcJyZOvie6XEBS7wCY4xZQ0,9802
django/contrib/humanize/locale/gl/LC_MESSAGES/django.mo,sha256=LbJABG0-USW2C5CQro6WcPlPwT7I1BfuKGi_VFNhJIU,4345
django/contrib/humanize/locale/gl/LC_MESSAGES/django.po,sha256=caidyTAFJ5iZ-tpEp0bflpUx0xlaH2jIYmPKxCVzlGE,7772
django/contrib/humanize/locale/he/LC_MESSAGES/django.mo,sha256=phFZMDohKT86DUtiAlnZslPFwSmpcpxTgZaXb8pGohc,5875
django/contrib/humanize/locale/he/LC_MESSAGES/django.po,sha256=xhEZYcK-fg_mHMyGCEZXEwbd6FvutaGvkDyHTET-sic,9970
django/contrib/humanize/locale/hi/LC_MESSAGES/django.mo,sha256=qrzm-6vXIUsxA7nOxa-210-6iO-3BPBj67vKfhTOPrY,4131
django/contrib/humanize/locale/hi/LC_MESSAGES/django.po,sha256=BrypbKaQGOyY_Gl1-aHXiBVlRqrbSjGfZ2OK8omj_9M,6527
django/contrib/humanize/locale/hr/LC_MESSAGES/django.mo,sha256=29XTvFJHex31hbu2qsOfl5kOusz-zls9eqlxtvw_H0s,1274
django/contrib/humanize/locale/hr/LC_MESSAGES/django.po,sha256=OuEH4fJE6Fk-s0BMqoxxdlUAtndvvKK7N8Iy-9BP3qA,5424
django/contrib/humanize/locale/hsb/LC_MESSAGES/django.mo,sha256=a1DqdiuRfFSfSrD8IvzQmZdzE0dhkxDChFddrmt3fjA,5679
django/contrib/humanize/locale/hsb/LC_MESSAGES/django.po,sha256=V5aRblcqKii4RXSQO87lyoQwwvxL59T3m4-KOBTx4bc,9648
django/contrib/humanize/locale/hu/LC_MESSAGES/django.mo,sha256=8tEqiZHEc6YmfWjf7hO0Fb3Xd-HSleKaR1gT_XFTQ8g,5307
django/contrib/humanize/locale/hu/LC_MESSAGES/django.po,sha256=KDVYBAGSuMrtwqO98-oGOOAp7Unfm7ode1sv8lfe81c,9124
django/contrib/humanize/locale/hy/LC_MESSAGES/django.mo,sha256=C1yx1DrYTrZ7WkOzZ5hvunphWABvGX-DqXbChNQ5_yg,1488
django/contrib/humanize/locale/hy/LC_MESSAGES/django.po,sha256=MGbuYylBt1C5hvSlktydD4oMLZ1Sjzj7DL_nl7uluTg,7823
django/contrib/humanize/locale/ia/LC_MESSAGES/django.mo,sha256=d0m-FddFnKp08fQYQSC9Wr6M4THVU7ibt3zkIpx_Y_A,4167
django/contrib/humanize/locale/ia/LC_MESSAGES/django.po,sha256=qX6fAZyn54hmtTU62oJcHF8p4QcYnoO2ZNczVjvjOeE,6067
django/contrib/humanize/locale/id/LC_MESSAGES/django.mo,sha256=AdUmhfkQOV9Le4jXQyQSyd5f2GqwNt-oqnJV-WVELVw,3885
django/contrib/humanize/locale/id/LC_MESSAGES/django.po,sha256=lMnTtM27j1EWg1i9d7NzAeueo7mRztGVfNOXtXdZVjw,7021
django/contrib/humanize/locale/io/LC_MESSAGES/django.mo,sha256=nMu5JhIy8Fjie0g5bT8-h42YElCiS00b4h8ej_Ie-w0,464
django/contrib/humanize/locale/io/LC_MESSAGES/django.po,sha256=RUs8JkpT0toKOLwdv1oCbcBP298EOk02dkdNSJiC-_A,4720
django/contrib/humanize/locale/is/LC_MESSAGES/django.mo,sha256=D6ElUYj8rODRsZwlJlH0QyBSM44sVmuBCNoEkwPVxko,3805
django/contrib/humanize/locale/is/LC_MESSAGES/django.po,sha256=1VddvtkhsK_5wmpYIqEFqFOo-NxIBnL9wwW74Tw9pbw,8863
django/contrib/humanize/locale/it/LC_MESSAGES/django.mo,sha256=Zw8reudMUlPGC3eQ-CpsGYHX-FtNrAc5SxgTdmIrUC0,5374
django/contrib/humanize/locale/it/LC_MESSAGES/django.po,sha256=wJzT-2ygufGLMIULd7afg1sZLQKnwQ55NZ2eAnwIY8M,9420
django/contrib/humanize/locale/ja/LC_MESSAGES/django.mo,sha256=x8AvfUPBBJkGtE0jvAP4tLeZEByuyo2H4V_UuLoCEmw,3907
django/contrib/humanize/locale/ja/LC_MESSAGES/django.po,sha256=G2yTPZq6DxgzPV5uJ6zvMK4o3aiuLWbl4vXPH7ylUhc,6919
django/contrib/humanize/locale/ka/LC_MESSAGES/django.mo,sha256=UeUbonYTkv1d2ljC0Qj8ZHw-59zHu83fuMvnME9Fkmw,4878
django/contrib/humanize/locale/ka/LC_MESSAGES/django.po,sha256=-eAMexwjm8nSB4ARJU3f811UZnuatHKIFf8FevpJEpo,9875
django/contrib/humanize/locale/kk/LC_MESSAGES/django.mo,sha256=jujbUM0jOpt3Mw8zN4LSIIkxCJ0ihk_24vR0bXoux78,2113
django/contrib/humanize/locale/kk/LC_MESSAGES/django.po,sha256=hjZg_NRE9xMA5uEa2mVSv1Hr4rv8inG9es1Yq7uy9Zc,8283
django/contrib/humanize/locale/km/LC_MESSAGES/django.mo,sha256=mfXs9p8VokORs6JqIfaSSnQshZEhS90rRFhOIHjW7CI,459
django/contrib/humanize/locale/km/LC_MESSAGES/django.po,sha256=JQBEHtcy-hrV_GVWIjvUJyOf3dZ5jUzzN8DUTAbHKUg,4351
django/contrib/humanize/locale/kn/LC_MESSAGES/django.mo,sha256=Oq3DIPjgCqkn8VZMb6ael7T8fQ7LnWobPPAZKQSFHl4,461
django/contrib/humanize/locale/kn/LC_MESSAGES/django.po,sha256=CAJ0etMlQF3voPYrxIRr5ChAwUYO7wI42n5kjpIEVjA,4359
django/contrib/humanize/locale/ko/LC_MESSAGES/django.mo,sha256=mWmQEoe0MNVn3sNqsz6CBc826x3KIpOL53ziv6Ekf7c,3891
django/contrib/humanize/locale/ko/LC_MESSAGES/django.po,sha256=UUxIUYM332DOZinJrqOUtQvHfCCHkodFhENDVWj3dpk,7003
django/contrib/humanize/locale/ky/LC_MESSAGES/django.mo,sha256=jDu1bVgJMDpaZ0tw9-wdkorvZxDdRzcuzdeC_Ot7rUs,4177
django/contrib/humanize/locale/ky/LC_MESSAGES/django.po,sha256=MEHbKMLIiFEG7BlxsNVF60viXSnlk5iqlFCH3hgamH0,7157
django/contrib/humanize/locale/lb/LC_MESSAGES/django.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/humanize/locale/lb/LC_MESSAGES/django.po,sha256=_y0QFS5Kzx6uhwOnzmoHtCrbufMrhaTLsHD0LfMqtcM,4730
django/contrib/humanize/locale/lt/LC_MESSAGES/django.mo,sha256=O0C-tPhxWNW5J4tCMlB7c7shVjNO6dmTURtIpTVO9uc,7333
django/contrib/humanize/locale/lt/LC_MESSAGES/django.po,sha256=M5LlRxC1KWh1-3fwS93UqTijFuyRENmQJXfpxySSKik,12086
django/contrib/humanize/locale/lv/LC_MESSAGES/django.mo,sha256=3gEzmKBtYsFz9wvLw0ltiir91CDLxhK3IG2j55-uM7Y,5033
django/contrib/humanize/locale/lv/LC_MESSAGES/django.po,sha256=yfeBxpH2J49xHDzZUZI3cK5ms4QbWq0gtTmhj8ejAjE,8836
django/contrib/humanize/locale/mk/LC_MESSAGES/django.mo,sha256=htUgd6rcaeRPDf6UrEb18onz-Ayltw9LTvWRgEkXm08,4761
django/contrib/humanize/locale/mk/LC_MESSAGES/django.po,sha256=Wl9Rt8j8WA_0jyxKCswIovSiCQD-ZWFYXbhFsCUKIWo,6665
django/contrib/humanize/locale/ml/LC_MESSAGES/django.mo,sha256=5As-FXkEJIYetmV9dMtzLtsRPTOm1oUgyx-oeTH_guY,4655
django/contrib/humanize/locale/ml/LC_MESSAGES/django.po,sha256=I9_Ln0C1nSj188_Zdq9Vy6lC8aLzg_YdNc5gy9hNGjE,10065
django/contrib/humanize/locale/mn/LC_MESSAGES/django.mo,sha256=gi-b-GRPhg2s2O9wP2ENx4bVlgHBo0mSqoi58d_QpCw,6020
django/contrib/humanize/locale/mn/LC_MESSAGES/django.po,sha256=0zV7fYPu6xs_DVOCUQ6li36JWOnpc-RQa0HXwo7FrWc,9797
django/contrib/humanize/locale/mr/LC_MESSAGES/django.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/humanize/locale/mr/LC_MESSAGES/django.po,sha256=M44sYiBJ7woVZZlDO8rPDQmS_Lz6pDTCajdheyxtdaI,4724
django/contrib/humanize/locale/ms/LC_MESSAGES/django.mo,sha256=Bcictup-1bGKm0FIa3CeGNvrHg8VyxsqUHzWI7UMscs,3839
django/contrib/humanize/locale/ms/LC_MESSAGES/django.po,sha256=UQEUC2iZxhtrWim96GaEK1VAKxAC0fTQIghg4Zx4R3Q,6774
django/contrib/humanize/locale/my/LC_MESSAGES/django.mo,sha256=55CWHz34sy9k6TfOeVI9GYvE9GRa3pjSRE6DSPk9uQ8,3479
django/contrib/humanize/locale/my/LC_MESSAGES/django.po,sha256=jCiDhSqARfqKcMLEHJd-Xe6zo3Uc9QpiCh3BbAAA5UE,5433
django/contrib/humanize/locale/nb/LC_MESSAGES/django.mo,sha256=957mOf_wFBOTjpcevsRz5tQ6IQ4PJnZZfJUETUgF23s,4318
django/contrib/humanize/locale/nb/LC_MESSAGES/django.po,sha256=G_4pAxT3QZhC-wmWKIhEkFf0IRBn6gKRQZvx0spqjuk,7619
django/contrib/humanize/locale/ne/LC_MESSAGES/django.mo,sha256=YFT2D-yEkUdJBO2GfuUowau1OZQA5mS86CZvMzH38Rk,3590
django/contrib/humanize/locale/ne/LC_MESSAGES/django.po,sha256=SN7yH65hthOHohnyEmQUjXusRTDRjxWJG_kuv5g2Enk,9038
django/contrib/humanize/locale/nl/LC_MESSAGES/django.mo,sha256=RxwgVgdHvfFirimjPrpDhzqmI1Z9soDC--raoAzgBkw,4311
django/contrib/humanize/locale/nl/LC_MESSAGES/django.po,sha256=M7dVQho17p71Ud6imsQLGMiBisLrVNEZNP4ufpkEJnM,7872
django/contrib/humanize/locale/nn/LC_MESSAGES/django.mo,sha256=wyJDAGJWgvyBYZ_-UQnBQ84-Jelk5forKfk7hMFDGpQ,4336
django/contrib/humanize/locale/nn/LC_MESSAGES/django.po,sha256=zuKg53XCX-C6Asc9M04BKZVVw1X6u5p5hvOXxc0AXnM,7651
django/contrib/humanize/locale/os/LC_MESSAGES/django.mo,sha256=BwS3Mj7z_Fg5s7Qm-bGLVhzYLZ8nPgXoB0gXLnrMGWc,3902
django/contrib/humanize/locale/os/LC_MESSAGES/django.po,sha256=CGrxyL5l-5HexruOc7QDyRbum7piADf-nY8zjDP9wVM,6212
django/contrib/humanize/locale/pa/LC_MESSAGES/django.mo,sha256=TH1GkAhaVVLk2jrcqAmdxZprWyikAX6qMP0eIlr2tWM,1569
django/contrib/humanize/locale/pa/LC_MESSAGES/django.po,sha256=_7oP0Hn-IU7IPLv_Qxg_wstLEdhgWNBBTCWYwSycMb0,5200
django/contrib/humanize/locale/pl/LC_MESSAGES/django.mo,sha256=0QheMbF3Y0Q_sxZlN2wAYJRQyK3K_uq6ttVr7wCc33w,5596
django/contrib/humanize/locale/pl/LC_MESSAGES/django.po,sha256=6wX50O68aIyKiP6CcyLMXZ3xuUnAzasFPIg_8deJQBY,9807
django/contrib/humanize/locale/pt/LC_MESSAGES/django.mo,sha256=El9Sdr3kXS-yTol_sCg1dquxf0ThDdWyrWGjjim9Dj4,5408
django/contrib/humanize/locale/pt/LC_MESSAGES/django.po,sha256=XudOc67ybF_fminrTR2XOCKEKwqB5FX14pl3clCNXGE,9281
django/contrib/humanize/locale/pt_BR/LC_MESSAGES/django.mo,sha256=5iQ4VjZG60slrQqHejtlUoqastPUK-nwOLKsUMV4poM,5047
django/contrib/humanize/locale/pt_BR/LC_MESSAGES/django.po,sha256=GZolivUh_cSWH53pjS3THvQMiOV3JwXgd5roJGqEfWA,8915
django/contrib/humanize/locale/ro/LC_MESSAGES/django.mo,sha256=vP6o72bsgKPsbKGwH0PU8Xyz9BnQ_sPWT3EANLT2wRk,6188
django/contrib/humanize/locale/ro/LC_MESSAGES/django.po,sha256=JZiW6Y9P5JdQe4vgCvcFg35kFa8bSX0lU_2zdeudQP0,10575
django/contrib/humanize/locale/ru/LC_MESSAGES/django.mo,sha256=tVtMvbDmHtoXFav2cXzhHpHmT-4-593Vo7kE5sd-Agc,6733
django/contrib/humanize/locale/ru/LC_MESSAGES/django.po,sha256=0OWESEN33yMIcRUaX_oSQUuDidhbzgKpdivwAS7kNgs,11068
django/contrib/humanize/locale/sk/LC_MESSAGES/django.mo,sha256=uUeDN0iYDq_3vT3NcTOTpKCGcv2ner5WtkIk6GVIsu0,6931
django/contrib/humanize/locale/sk/LC_MESSAGES/django.po,sha256=cwmpA5EbD4ZE8aK0I1enRE_4RVbtfp1HQy0g1n_IYAE,11708
django/contrib/humanize/locale/sl/LC_MESSAGES/django.mo,sha256=ZE_2sG50tX8W72L23TYdFEWjL7qImPR695zun6PPhzw,4739
django/contrib/humanize/locale/sl/LC_MESSAGES/django.po,sha256=VLAGh12rM4QnnxyYkgJbyrUZiG4ddNlspTjaLZUvBEQ,9486
django/contrib/humanize/locale/sq/LC_MESSAGES/django.mo,sha256=1XXRe0nurGUUxI7r7gbSIuluRuza7VOeNdkIVX3LIFU,5280
django/contrib/humanize/locale/sq/LC_MESSAGES/django.po,sha256=BS-5o3aG8Im9dWTkx4E_IbbeTRFcjjohinz1823ZepI,9127
django/contrib/humanize/locale/sr/LC_MESSAGES/django.mo,sha256=kBcoXTmJJlXEOk2M3l-k0PisT2jN_jXXhcOdPLBAiUY,5415
django/contrib/humanize/locale/sr/LC_MESSAGES/django.po,sha256=u9ECn0qC8OPkHC9n10rljZc1vxed10eI0OOG7iPyA2w,9055
django/contrib/humanize/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=Z4hRzn0ks-vAj2ia4ovbsv00pOoZ973jRThbtlLKe5U,1017
django/contrib/humanize/locale/sr_Latn/LC_MESSAGES/django.po,sha256=T9CYAx-KhtXwrlY4ol3hFv8dzxyJ1FTqeMBgtjYMEj8,6875
django/contrib/humanize/locale/sv/LC_MESSAGES/django.mo,sha256=7OABdxvdZvKB9j1o99UiecoTXaVGn3XmXnU5xCNov8s,4333
django/contrib/humanize/locale/sv/LC_MESSAGES/django.po,sha256=71tFrQzwtwzYfeC2BG0v8dZNkSEMbM-tAC5_z2AElLM,7876
django/contrib/humanize/locale/sw/LC_MESSAGES/django.mo,sha256=cxjSUqegq1JX08xIAUgqq9ByP-HuqaXuxWM8Y2gHdB4,4146
django/contrib/humanize/locale/sw/LC_MESSAGES/django.po,sha256=bPYrLJ2yY_lZ3y1K-RguNi-qrxq2r-GLlsz1gZcm2A8,6031
django/contrib/humanize/locale/ta/LC_MESSAGES/django.mo,sha256=1X2vH0iZOwM0uYX9BccJUXqK-rOuhcu5isRzMpnjh2o,466
django/contrib/humanize/locale/ta/LC_MESSAGES/django.po,sha256=8x1lMzq2KOJveX92ADSuqNmXGIEYf7fZ1JfIJPysS04,4722
django/contrib/humanize/locale/te/LC_MESSAGES/django.mo,sha256=iKd4dW9tan8xPxgaSoenIGp1qQpvSHHXUw45Tj2ATKQ,1327
django/contrib/humanize/locale/te/LC_MESSAGES/django.po,sha256=FQdjWKMsiv-qehYZ4AtN9iKRf8Rifzcm5TZzMkQVfQI,5103
django/contrib/humanize/locale/tg/LC_MESSAGES/django.mo,sha256=1Fiqat0CZSyExRXRjRCBS0AFzwy0q1Iba-2RVnrXoZQ,1580
django/contrib/humanize/locale/tg/LC_MESSAGES/django.po,sha256=j2iczgQDbqzpthKAAlMt1Jk7gprYLqZ1Ya0ASr2SgD0,7852
django/contrib/humanize/locale/th/LC_MESSAGES/django.mo,sha256=jT7wGhYWP9HHwOvtr2rNPStiOgZW-rGMcO36w1U8Y4c,3709
django/contrib/humanize/locale/th/LC_MESSAGES/django.po,sha256=ZO3_wU7z0VASS5E8RSLEtmTveMDjJ0O8QTynb2-jjt0,8318
django/contrib/humanize/locale/tk/LC_MESSAGES/django.mo,sha256=cI2Ukp5kVTsUookoxyDD9gZKdxh4YezfRWYFBL7KuRU,4419
django/contrib/humanize/locale/tk/LC_MESSAGES/django.po,sha256=6Qaxa03R4loH0FWQ6PCytT3Yz3LZt7UGTd01WVnHOIk,7675
django/contrib/humanize/locale/tr/LC_MESSAGES/django.mo,sha256=D4ChMLE1Uz921NIF_Oe1vNkYAGfRpQuC8xANFwtlygE,4319
django/contrib/humanize/locale/tr/LC_MESSAGES/django.po,sha256=4PjW65seHF9SsWnLv47JhgYPt0Gvzr-7_Ejech3d3ak,7754
django/contrib/humanize/locale/tt/LC_MESSAGES/django.mo,sha256=z8VgtMhlfyDo7bERDfrDmcYV5aqOeBY7LDgqa5DRxDM,3243
django/contrib/humanize/locale/tt/LC_MESSAGES/django.po,sha256=j_tRbg1hzLBFAmPQt0HoN-_WzWFtA07PloCkqhvNkcY,5201
django/contrib/humanize/locale/udm/LC_MESSAGES/django.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/humanize/locale/udm/LC_MESSAGES/django.po,sha256=AR55jQHmMrbA6RyHGOtqdvUtTFlxWnqvfMy8vZK25Bo,4354
django/contrib/humanize/locale/uk/LC_MESSAGES/django.mo,sha256=wQOJu-zKyuCazul-elFLZc-iKw2Zea7TGb90OVGZYkQ,6991
django/contrib/humanize/locale/uk/LC_MESSAGES/django.po,sha256=hxEufGt-NOgSFc5T9OzxCibcfqkhWD7zxhQljoUQssQ,11249
django/contrib/humanize/locale/ur/LC_MESSAGES/django.mo,sha256=MF9uX26-4FFIz-QpDUbUHUNLQ1APaMLQmISMIaPsOBE,1347
django/contrib/humanize/locale/ur/LC_MESSAGES/django.po,sha256=D5UhcPEcQ16fsBEdkk_zmpjIF6f0gEv0P86z_pK_1eA,5015
django/contrib/humanize/locale/uz/LC_MESSAGES/django.mo,sha256=HDah_1qqUz5m_ABBVIEML3WMR2xyomFckX82i6b3n4k,1915
django/contrib/humanize/locale/uz/LC_MESSAGES/django.po,sha256=Ql3GZOhuoVgS0xHEzxjyYkOWQUyi_jiizfAXBp2Y4uw,7296
django/contrib/humanize/locale/vi/LC_MESSAGES/django.mo,sha256=ZUK_Na0vnfdhjo0MgnBWnGFU34sxcMf_h0MeyuysKG8,3646
django/contrib/humanize/locale/vi/LC_MESSAGES/django.po,sha256=DzRpXObt9yP5RK_slWruaIhnVI0-JXux2hn_uGsVZiE,5235
django/contrib/humanize/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=YgeAjXHMV1rXNNIrlDu_haxnKB0hxU5twJ86LMR10k8,3844
django/contrib/humanize/locale/zh_Hans/LC_MESSAGES/django.po,sha256=JGfRVW_5UqwyI2mK_WRK8xDPzwBAO2q_mGsGzf89a88,7122
django/contrib/humanize/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=qYO9_rWuIMxnlL9Q8V9HfhUu7Ebv1HGOlvsnh7MvZkE,4520
django/contrib/humanize/locale/zh_Hant/LC_MESSAGES/django.po,sha256=AijEfvIlJK9oVaLJ7lplmbvhGRKIbYcLh8WxoBYoQkA,7929
django/contrib/humanize/templatetags/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/humanize/templatetags/__pycache__/__init__.cpython-311.pyc,,
django/contrib/humanize/templatetags/__pycache__/humanize.cpython-311.pyc,,
django/contrib/humanize/templatetags/humanize.py,sha256=FuOhGLO0OS2KT0DgMgnOwllCwVSpwIvrOiCmku-W_fg,12085
django/contrib/messages/__init__.py,sha256=6myQIwIFgc3SAyH5P1soIjwELREVgbxgxP85fJcge04,106
django/contrib/messages/__pycache__/__init__.cpython-311.pyc,,
django/contrib/messages/__pycache__/api.cpython-311.pyc,,
django/contrib/messages/__pycache__/apps.cpython-311.pyc,,
django/contrib/messages/__pycache__/constants.cpython-311.pyc,,
django/contrib/messages/__pycache__/context_processors.cpython-311.pyc,,
django/contrib/messages/__pycache__/middleware.cpython-311.pyc,,
django/contrib/messages/__pycache__/utils.cpython-311.pyc,,
django/contrib/messages/__pycache__/views.cpython-311.pyc,,
django/contrib/messages/api.py,sha256=3DbnVG5oOBdg499clMU8l2hxCXMXB6S03-HCKVuBXjA,3250
django/contrib/messages/apps.py,sha256=mepKl1mUA44s4aiIlQ20SnO5YYFTRYcKC432NKnL8jI,542
django/contrib/messages/constants.py,sha256=JD4TpaR4C5G0oxIh4BmrWiVmCACv7rnVgZSpJ8Rmzeg,312
django/contrib/messages/context_processors.py,sha256=xMrgYeX6AcT_WwS9AYKNDDstbvAwE7_u1ssDVLN_bbg,354
django/contrib/messages/middleware.py,sha256=2mxncCpJVUgLtjouUGSVl39mTF-QskQpWo2jCOOqV8A,986
django/contrib/messages/storage/__init__.py,sha256=gXDHbQ9KgQdfhYOla9Qj59_SlE9WURQiKzIA0cFH0DQ,392
django/contrib/messages/storage/__pycache__/__init__.cpython-311.pyc,,
django/contrib/messages/storage/__pycache__/base.cpython-311.pyc,,
django/contrib/messages/storage/__pycache__/cookie.cpython-311.pyc,,
django/contrib/messages/storage/__pycache__/fallback.cpython-311.pyc,,
django/contrib/messages/storage/__pycache__/session.cpython-311.pyc,,
django/contrib/messages/storage/base.py,sha256=sVkSITZRsdYDvyaS5tqjcw8-fylvcbZpR4ctlpWI5bM,5820
django/contrib/messages/storage/cookie.py,sha256=wxGdxUbklpS6J3HXW_o-VC9cTyxbptyIxTlrxZObkIM,6344
django/contrib/messages/storage/fallback.py,sha256=K5CrVJfUDakMjIcqSRt1WZd_1Xco1Bc2AQM3O3ld9aA,2093
django/contrib/messages/storage/session.py,sha256=kvdVosbBAvI3XBA0G4AFKf0vxLleyzlwbGEgl60DfMQ,1764
django/contrib/messages/utils.py,sha256=_oItQILchdwdXH08SIyZ-DBdYi7q_uobHQajWwmAeUw,256
django/contrib/messages/views.py,sha256=I_7C4yr-YLkhTEWx3iuhixG7NrKuyuSDG_CVg-EYRD8,524
django/contrib/postgres/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/postgres/__pycache__/__init__.cpython-311.pyc,,
django/contrib/postgres/__pycache__/apps.cpython-311.pyc,,
django/contrib/postgres/__pycache__/constraints.cpython-311.pyc,,
django/contrib/postgres/__pycache__/expressions.cpython-311.pyc,,
django/contrib/postgres/__pycache__/functions.cpython-311.pyc,,
django/contrib/postgres/__pycache__/indexes.cpython-311.pyc,,
django/contrib/postgres/__pycache__/lookups.cpython-311.pyc,,
django/contrib/postgres/__pycache__/operations.cpython-311.pyc,,
django/contrib/postgres/__pycache__/search.cpython-311.pyc,,
django/contrib/postgres/__pycache__/serializers.cpython-311.pyc,,
django/contrib/postgres/__pycache__/signals.cpython-311.pyc,,
django/contrib/postgres/__pycache__/utils.cpython-311.pyc,,
django/contrib/postgres/__pycache__/validators.cpython-311.pyc,,
django/contrib/postgres/aggregates/__init__.py,sha256=QCznqMKqPbpraxSi1Y8-B7_MYlL42F1kEWZ1HeLgTKs,65
django/contrib/postgres/aggregates/__pycache__/__init__.cpython-311.pyc,,
django/contrib/postgres/aggregates/__pycache__/general.cpython-311.pyc,,
django/contrib/postgres/aggregates/__pycache__/mixins.cpython-311.pyc,,
django/contrib/postgres/aggregates/__pycache__/statistics.cpython-311.pyc,,
django/contrib/postgres/aggregates/general.py,sha256=Qfk8I3VEz6I3tdfNw5m27iTLUR2_Skse-8OE5mhTRVo,5237
django/contrib/postgres/aggregates/mixins.py,sha256=k2fwYW89490mYW8H5113fMOTf-Y3vzrRH6VvJFHqA1Q,1181
django/contrib/postgres/aggregates/statistics.py,sha256=xSWk5Z5ZVpM2LSaMgP97pxcijOnPHiPATe3X45poXCI,1511
django/contrib/postgres/apps.py,sha256=sfjoL-2VJrFzrv0CC3S4WGWZblzR_4BwFDm9bEHs8B0,3692
django/contrib/postgres/constraints.py,sha256=tmkkoiQtdTdBjopURx9aBn00zUp78wE1Qm-h7rllnrQ,10001
django/contrib/postgres/expressions.py,sha256=fo5YASHJtIjexadqskuhYYk4WutofxzymYsivWWJS84,405
django/contrib/postgres/fields/__init__.py,sha256=Xo8wuWPwVNOkKY-EwV9U1zusQ2DjMXXtL7_8R_xAi5s,148
django/contrib/postgres/fields/__pycache__/__init__.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/array.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/citext.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/hstore.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/jsonb.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/ranges.cpython-311.pyc,,
django/contrib/postgres/fields/__pycache__/utils.cpython-311.pyc,,
django/contrib/postgres/fields/array.py,sha256=4SUUGDZCUSw6oQWCNJtwFiEihmKxPzjWl5sladB-f3s,12302
django/contrib/postgres/fields/citext.py,sha256=KMXa7CO8fyNYKa7zcU17hN8IEAw8qJxdHPVIr0jxhPg,2549
django/contrib/postgres/fields/hstore.py,sha256=WWWEoBfMtAjd226vvjFtGqbHMHFCjSly-BEhm9UN1qQ,3276
django/contrib/postgres/fields/jsonb.py,sha256=ncMGT6WY70lCbcmhwtu2bjRmfDMUIvCr76foUv7tqv0,406
django/contrib/postgres/fields/ranges.py,sha256=IbjAQC7IdWuISqHdBXrraiOGPzUP_4pHHcnL8VuYZRs,11417
django/contrib/postgres/fields/utils.py,sha256=TV-Aj9VpBb13I2iuziSDURttZtz355XakxXnFwvtGio,95
django/contrib/postgres/forms/__init__.py,sha256=NjENn2-C6BcXH4T8YeC0K2AbDk8MVT8tparL3Q4OF6g,89
django/contrib/postgres/forms/__pycache__/__init__.cpython-311.pyc,,
django/contrib/postgres/forms/__pycache__/array.cpython-311.pyc,,
django/contrib/postgres/forms/__pycache__/hstore.cpython-311.pyc,,
django/contrib/postgres/forms/__pycache__/ranges.cpython-311.pyc,,
django/contrib/postgres/forms/array.py,sha256=LRUU3fxXePptMh3lolxhX4sbMjNSvnzMvNgcJolKfZc,8401
django/contrib/postgres/forms/hstore.py,sha256=XN5xOrI-jCeTsWFEjPXf6XMaLzJdXiqA6pTdGSjWdOw,1767
django/contrib/postgres/forms/ranges.py,sha256=cKAeWvRISPLXIPhm2C57Lu9GoIlAd1xiRxzns69XehA,3652
django/contrib/postgres/functions.py,sha256=7v6J01QQvX70KFyg9hDc322PgvT62xZqWlzp_vrl8bA,252
django/contrib/postgres/indexes.py,sha256=jFMzMt6SwC7aCA-tXSrsBlBPCWQhxj3Xu5V04uwxTkw,8123
django/contrib/postgres/jinja2/postgres/widgets/split_array.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/contrib/postgres/locale/af/LC_MESSAGES/django.mo,sha256=kDeL_SZezO8DRNMRh2oXz94YtAK1ZzPiK5dftqAonKI,2841
django/contrib/postgres/locale/af/LC_MESSAGES/django.po,sha256=ALKUHbZ8DE6IH80STMJhGOoyHB8HSSxI4PlX_SfxJWc,3209
django/contrib/postgres/locale/ar/LC_MESSAGES/django.mo,sha256=UTBknYC-W7nclTrBCEiCpTglZxZQY80UqGki8I6j3EM,4294
django/contrib/postgres/locale/ar/LC_MESSAGES/django.po,sha256=_PgF2T3ylO4vnixVoKRsgmpPDHO-Qhj3mShHtHeSna0,4821
django/contrib/postgres/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=fND1NtGTmEl7Rukt_VlqJeExdJjphBygmI-qJmE83P0,4352
django/contrib/postgres/locale/ar_DZ/LC_MESSAGES/django.po,sha256=Z9y3h6lDnbwD4JOn7OACLjEZqNY8OpEwuzoUD8FSdwA,4868
django/contrib/postgres/locale/az/LC_MESSAGES/django.mo,sha256=K-2weZNapdDjP5-ecOfQhhhWmVR53JneJ2n4amA_zTk,2855
django/contrib/postgres/locale/az/LC_MESSAGES/django.po,sha256=Pn47g_NvMgSBjguFLT_AE1QzxOGXOYjA-g_heXAT_tU,3214
django/contrib/postgres/locale/be/LC_MESSAGES/django.mo,sha256=tYaaEbBaVxIgxC9qUAuE3YpHJa-aUu9ufFuJLa8my-s,4143
django/contrib/postgres/locale/be/LC_MESSAGES/django.po,sha256=CL9BslCvHOvwjTBbCEswW8ISH72gSAyW5Dc-zoXI670,4643
django/contrib/postgres/locale/bg/LC_MESSAGES/django.mo,sha256=dkM1WSo5SgBglvJXNVvcIhKHU0ZjUJxmy4cX6_cJgZs,3515
django/contrib/postgres/locale/bg/LC_MESSAGES/django.po,sha256=jalX0o2VjTVhXJIBKkyEk3aMjqYyNywmSGmyve9cu5M,3974
django/contrib/postgres/locale/ca/LC_MESSAGES/django.mo,sha256=XR1UEZV9AXKFz7XrchjRkd-tEdjnlmccW_I7XANyMns,2904
django/contrib/postgres/locale/ca/LC_MESSAGES/django.po,sha256=5wPLvkODU_501cHPZ7v0n89rmFrsuctt7T8dUBMfQ0Q,3430
django/contrib/postgres/locale/ckb/LC_MESSAGES/django.mo,sha256=bue3b5xV84UvuzndoIQvLCNyRCkGKsNHBw1QQOF9MvU,2994
django/contrib/postgres/locale/ckb/LC_MESSAGES/django.po,sha256=gaiFjvVSbX7_qwH4MIc5ma5oKqmjWBsvxzaEtI4hM0s,3526
django/contrib/postgres/locale/cs/LC_MESSAGES/django.mo,sha256=_EmT9NnoX3xeRU-AI5sPlAszjzC0XwryWOmj8d07ox8,3388
django/contrib/postgres/locale/cs/LC_MESSAGES/django.po,sha256=dkWVucs3-avEVtk_Xh5p-C8Tvw_oKDASdgab_-ByP-w,3884
django/contrib/postgres/locale/da/LC_MESSAGES/django.mo,sha256=VaTePWY3W7YRW-CkTUx6timYDXEYOFRFCkg3F36_k_I,2886
django/contrib/postgres/locale/da/LC_MESSAGES/django.po,sha256=5j5xI-yKORhnywIACpjvMQA6yHj4aHMYiiN4KVSmBMM,3344
django/contrib/postgres/locale/de/LC_MESSAGES/django.mo,sha256=iTfG4OxvwSG32U_PQ0Tmtl38v83hSjFa2W0J8Sw0NUE,3078
django/contrib/postgres/locale/de/LC_MESSAGES/django.po,sha256=GkF6wBg7JAvAB8YExwOx4hzpLr1r2K6HsvSLYfyojow,3611
django/contrib/postgres/locale/dsb/LC_MESSAGES/django.mo,sha256=zZa1kLFCKar4P1xVNpJ0BTXm4I-xcNi_e8IY7n8Aa4w,3605
django/contrib/postgres/locale/dsb/LC_MESSAGES/django.po,sha256=5vnAeH9tF9H9xL2nqfwc0MLlhI4hnNr45x2NXlw8owo,4061
django/contrib/postgres/locale/el/LC_MESSAGES/django.mo,sha256=NmzROkTfSbioGv8exM3UdMDnRAxR65YMteGv9Nhury4,3583
django/contrib/postgres/locale/el/LC_MESSAGES/django.po,sha256=4WuswUwrInAh-OPX9k7gDdLb-oMKp1vQFUGvfm0ej00,4144
django/contrib/postgres/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/postgres/locale/en/LC_MESSAGES/django.po,sha256=jrbHgf4TLTbEAaYV9-briB5JoE7sBWTn9r6aaRtpn54,2862
django/contrib/postgres/locale/en_AU/LC_MESSAGES/django.mo,sha256=WA0RSssD8ljI16g6DynQZQLQhd_0XR8ilrnJnepsIFg,2839
django/contrib/postgres/locale/en_AU/LC_MESSAGES/django.po,sha256=4JASYUpYlQlSPREPvMxFBqDpDhprlkI1GpAqTJrmb10,3215
django/contrib/postgres/locale/eo/LC_MESSAGES/django.mo,sha256=1wqM_IVO8Dl9AefzvWYuoS4eNTrBg7LDH6XUMovKi9A,2742
django/contrib/postgres/locale/eo/LC_MESSAGES/django.po,sha256=r2tpOblfLAAHMacDWU-OVXTQus_vvAPMjUzVfrV_T7U,3217
django/contrib/postgres/locale/es/LC_MESSAGES/django.mo,sha256=O2Tdel44oxmQ13ZcwMwK3QPxUPChHdUzVKg2pLCPoqo,3163
django/contrib/postgres/locale/es/LC_MESSAGES/django.po,sha256=YPjvjmvpS69FuNmPm-7Z1K1Eg_W01JwRHNrWkbKzVZ8,3794
django/contrib/postgres/locale/es_AR/LC_MESSAGES/django.mo,sha256=f_gM-9Y0FK-y67lU2b4yYiFt0hz4ps9gH0NhCZScwaE,2917
django/contrib/postgres/locale/es_AR/LC_MESSAGES/django.po,sha256=0qNlBk5v2QhZsb90xX3xHp8gw6jXevERbkOLBjwtJOc,3278
django/contrib/postgres/locale/es_CO/LC_MESSAGES/django.mo,sha256=Q2eOegYKQFY3fAKZCX7VvZAN6lT304W51aGl0lzkbLU,2484
django/contrib/postgres/locale/es_CO/LC_MESSAGES/django.po,sha256=bbgOn34B7CSq1Kf2IrJh6oRJWPur_Smc4ebljIxAFGE,3233
django/contrib/postgres/locale/es_MX/LC_MESSAGES/django.mo,sha256=l6WdS59mDfjsV9EMULjKP2DhXR7x3bYax1iokL-AXcU,689
django/contrib/postgres/locale/es_MX/LC_MESSAGES/django.po,sha256=_-jzhIT71zV539_4SUbwvOXfDHkxRy1FDGdx23iB7B4,2283
django/contrib/postgres/locale/et/LC_MESSAGES/django.mo,sha256=oPGqGUQhU9xE7j6hQZSVdC-be2WV-_BNrSAaN4csFR4,2886
django/contrib/postgres/locale/et/LC_MESSAGES/django.po,sha256=xKkb-0CQCAn37xe0G2jfQmjg2kuYBmXB5yBpTA5lYNI,3404
django/contrib/postgres/locale/eu/LC_MESSAGES/django.mo,sha256=UG7x642-n3U7mamXuNHD66a_mR0agX72xSwBD3PpyJU,2883
django/contrib/postgres/locale/eu/LC_MESSAGES/django.po,sha256=dAx6nlRd4FF_8i7Xeylwvj4HkEDKi3swFenkdJkDawU,3321
django/contrib/postgres/locale/fa/LC_MESSAGES/django.mo,sha256=uLh9fJtCSKg5eaj9uGP2muN_71aFxpZwOjRHtnZhPik,3308
django/contrib/postgres/locale/fa/LC_MESSAGES/django.po,sha256=adN7bh9Q_R0Wzlf2fWaQnTtvxo0NslyoHH5t5V0eeMM,3845
django/contrib/postgres/locale/fi/LC_MESSAGES/django.mo,sha256=gB2z3nI8Bz-km3DngYfJulwelHSlWgZeBXlj5yWyA08,2943
django/contrib/postgres/locale/fi/LC_MESSAGES/django.po,sha256=LNVTHv4-FWT5KOre5qTwLEpKIQbaSIusFH2uUmbwYBg,3315
django/contrib/postgres/locale/fr/LC_MESSAGES/django.mo,sha256=02ug8j0VpkPC2tRDkXrK2snj91M68Ju29PUiv4UhAsQ,3391
django/contrib/postgres/locale/fr/LC_MESSAGES/django.po,sha256=5T_wkYoHJcpzemKqR-7apZ11Pas4dZhnAitHOgT8gRc,3759
django/contrib/postgres/locale/gd/LC_MESSAGES/django.mo,sha256=okWU_Ke95EG2pm8rZ4PT5ScO-8f0Hqg65lYZgSid8tM,3541
django/contrib/postgres/locale/gd/LC_MESSAGES/django.po,sha256=tjt5kfkUGryU3hFzPuAly2DBDLuLQTTD5p-XrxryFEI,4013
django/contrib/postgres/locale/gl/LC_MESSAGES/django.mo,sha256=1Od7e0SG9tEeTefFLLWkU38tlk5PL5aRF1GTlKkfTAs,2912
django/contrib/postgres/locale/gl/LC_MESSAGES/django.po,sha256=tE2-GX2OH06krOFxvzdJeYWC7a57QYNFx5OtMXFWTdQ,3316
django/contrib/postgres/locale/he/LC_MESSAGES/django.mo,sha256=UDu--EyjTrPOqf-XI9rH_Z9z7mhBGnXvrpHrfdGBlKk,3713
django/contrib/postgres/locale/he/LC_MESSAGES/django.po,sha256=ekkwIceJdQKqL9VlCYwipnrsckSLhGi5OwBKEloZWlU,4188
django/contrib/postgres/locale/hr/LC_MESSAGES/django.mo,sha256=vdm5GxgpKuVdGoVl3VreD8IB1Mq5HGWuq-2YDeDrNnU,929
django/contrib/postgres/locale/hr/LC_MESSAGES/django.po,sha256=8TxEnVH2yIQWbmbmDOpR7kksNFSaUGVhimRPQgSgDkM,2501
django/contrib/postgres/locale/hsb/LC_MESSAGES/django.mo,sha256=SSZpG-PSeVCHrzB-wzW4wRHxIEt7hqobzvRLB-9tu8Y,3518
django/contrib/postgres/locale/hsb/LC_MESSAGES/django.po,sha256=UQUlfpJsgd-0qa6hZhUkTAi6VF5ZYiygSMrLcsiEC4k,3971
django/contrib/postgres/locale/hu/LC_MESSAGES/django.mo,sha256=6-9w_URPmVzSCcFea7eThbIE5Q-QSr5Q-i0zvKhpBBI,2872
django/contrib/postgres/locale/hu/LC_MESSAGES/django.po,sha256=fx4w4FgjfP0dlik7zGCJsZEHmmwQUSA-GRzg4KeVd_s,3394
django/contrib/postgres/locale/hy/LC_MESSAGES/django.mo,sha256=2QFIJdmh47IGPqI-8rvuHR0HdH2LOAmaYqEeCwUpRuw,3234
django/contrib/postgres/locale/hy/LC_MESSAGES/django.po,sha256=MLHMbdwdo1txzFOG-fVK4VUvAoDtrLA8CdpQThybSCQ,3825
django/contrib/postgres/locale/ia/LC_MESSAGES/django.mo,sha256=gn8lf-gOP4vv-iiqnkcxvjzhJ8pTdetBhHyjl4TapXo,582
django/contrib/postgres/locale/ia/LC_MESSAGES/django.po,sha256=FsqhPQf0j4g06rGuWSTn8A1kJ7E5U9rX16mtB8CAiIE,2251
django/contrib/postgres/locale/id/LC_MESSAGES/django.mo,sha256=KKI5fjmuD7jqiGe7SgGkWmF6unHNe8JMVoOSDVemB8o,2733
django/contrib/postgres/locale/id/LC_MESSAGES/django.po,sha256=Me13R5Oi89IZ0T3CtY0MZ34YK3T-HIZ7GbtFiXl2h50,3300
django/contrib/postgres/locale/is/LC_MESSAGES/django.mo,sha256=rNL5Un5K_iRAZDtpHo4egcySaaBnNEirYDuWw0eI7gk,2931
django/contrib/postgres/locale/is/LC_MESSAGES/django.po,sha256=UO53ciyI0jCVtBOXWkaip2AbPE2Hd2YhzK1RAlcxyQ8,3313
django/contrib/postgres/locale/it/LC_MESSAGES/django.mo,sha256=dsn-Xuhg1WeRkJVGHHdoPz-KobYsS8A41BUdnM4wQQ8,3210
django/contrib/postgres/locale/it/LC_MESSAGES/django.po,sha256=2RpaA-mmvXcYkYTu_y0u3p32aAhP9DyAy641ZJL79sk,3874
django/contrib/postgres/locale/ja/LC_MESSAGES/django.mo,sha256=IC9mYW8gXWNGuXeh8gGxGFvrjfxiSpj57E63Ka47pkM,3046
django/contrib/postgres/locale/ja/LC_MESSAGES/django.po,sha256=IPnDsh8rtq158a63zQJekJ0LJlR3uj6KAjx4omc7XN0,3437
django/contrib/postgres/locale/ka/LC_MESSAGES/django.mo,sha256=A_VhLUZbocGNF5_5mMoYfB3l654MrPIW4dL1ywd3Tw8,713
django/contrib/postgres/locale/ka/LC_MESSAGES/django.po,sha256=kRIwQ1Nrzdf5arHHxOPzQcB-XwPNK5lUFKU0L3QHfC8,2356
django/contrib/postgres/locale/kk/LC_MESSAGES/django.mo,sha256=xMc-UwyP1_jBHcGIAGWmDAjvSL50jJaiZbcT5TmzDOg,665
django/contrib/postgres/locale/kk/LC_MESSAGES/django.po,sha256=f6Z3VUFRJ3FgSReC0JItjA0RaYbblqDb31lbJ3RRExQ,2327
django/contrib/postgres/locale/ko/LC_MESSAGES/django.mo,sha256=vK52cwamFt1mrvpSaoVcf2RAmQghw_EbPVrx_EA9onI,2897
django/contrib/postgres/locale/ko/LC_MESSAGES/django.po,sha256=N_HTD-HK_xI27gZJRm_sEX4qM_Wtgdy5Pwqb8A6h9C8,3445
django/contrib/postgres/locale/ky/LC_MESSAGES/django.mo,sha256=F0Ws34MbE7zJa8FNxA-9rFm5sNLL22D24LyiBb927lE,3101
django/contrib/postgres/locale/ky/LC_MESSAGES/django.po,sha256=yAzSeT2jBm7R2ZXiuYBQFSKQ_uWIUfNTAobE1UYnlPs,3504
django/contrib/postgres/locale/lt/LC_MESSAGES/django.mo,sha256=kJ3ih8HrHt2M_hFW0H9BZg7zcj6sXy6H_fD1ReIzngM,3452
django/contrib/postgres/locale/lt/LC_MESSAGES/django.po,sha256=PNADIV8hdpLoqwW4zpIhxtWnQN8cPkdcoXYngyjFeFw,3972
django/contrib/postgres/locale/lv/LC_MESSAGES/django.mo,sha256=UwBbbIbC_MO6xhB66UzO80XFcmlyv8-mfFEK4kQd6fE,3153
django/contrib/postgres/locale/lv/LC_MESSAGES/django.po,sha256=phDSZnB5JeCoCi0f_MYCjQiwhE00gcVl5urOFiAKmkU,3768
django/contrib/postgres/locale/mk/LC_MESSAGES/django.mo,sha256=WE4nRJKWAZvXuyU2qT2_FGqGlKYsP1KSACCtT10gQQY,3048
django/contrib/postgres/locale/mk/LC_MESSAGES/django.po,sha256=CQX91LP1Gbkazpt4hTownJtSqZGR1OJfoD-1MCo6C1Y,3783
django/contrib/postgres/locale/ml/LC_MESSAGES/django.mo,sha256=N47idWIsmtghZ_D5325TRsDFeoUa0MIvMFtdx7ozAHc,1581
django/contrib/postgres/locale/ml/LC_MESSAGES/django.po,sha256=lt_7fGZV7BCB2XqFWIQQtH4niU4oMBfGzQQuN5sD0fo,2947
django/contrib/postgres/locale/mn/LC_MESSAGES/django.mo,sha256=VWeXaMvdqhW0GHs1Irb1ikTceH7jMKH_xMzKLH0vKZg,3310
django/contrib/postgres/locale/mn/LC_MESSAGES/django.po,sha256=p3141FJiYrkV8rocgqdxnV05FReQYZmosv9LI46FlfE,3867
django/contrib/postgres/locale/ms/LC_MESSAGES/django.mo,sha256=m3JZm1IIMZwmpvIs3oV0roYCeR_UlswHyCpZjjE6-A8,2712
django/contrib/postgres/locale/ms/LC_MESSAGES/django.po,sha256=HCMBA1fxKLJct14ywap0PYVBi2bDp2F97Ms5_-G_Pwg,3025
django/contrib/postgres/locale/nb/LC_MESSAGES/django.mo,sha256=3h8DqEFG39i6uHY0vpXuGFmoJnAxTtRFy1RazcYIXfg,2849
django/contrib/postgres/locale/nb/LC_MESSAGES/django.po,sha256=gDUg-HDg3LiYMKzb2QaDrYopqaJmbvnw2Fo-qhUHFuI,3252
django/contrib/postgres/locale/ne/LC_MESSAGES/django.mo,sha256=5XdBLGMkn20qeya3MgTCpsIDxLEa7PV-i2BmK993iRc,875
django/contrib/postgres/locale/ne/LC_MESSAGES/django.po,sha256=1QLLfbrHneJmxM_5UTpNIYalP-qX7Bn7bmj4AfDLIzE,2421
django/contrib/postgres/locale/nl/LC_MESSAGES/django.mo,sha256=ttUzGWvxJYw71fVbcXCwzetyTWERBsURTe_nsf_axq0,2951
django/contrib/postgres/locale/nl/LC_MESSAGES/django.po,sha256=ENw-dI6FHFqxclQKdefthCIVgp41HoIYj0IBmRCz0Vw,3515
django/contrib/postgres/locale/nn/LC_MESSAGES/django.mo,sha256=RdMFozwxYIckBY40mJhN-jjkghztKn0-ytCtqxFHBMY,2836
django/contrib/postgres/locale/nn/LC_MESSAGES/django.po,sha256=vl8NkY342eonqbrj89eCR_8PsJpeQuaRjxems-OPIBk,3184
django/contrib/postgres/locale/pl/LC_MESSAGES/django.mo,sha256=Wox9w-HN7Guf8N1nkgemuDVs0LQxxTmEqQDOxriKy60,3462
django/contrib/postgres/locale/pl/LC_MESSAGES/django.po,sha256=pxm_IKMg8g5qfg19CKc5JEdK6IMnhyeSPHd7THUb1GY,4217
django/contrib/postgres/locale/pt/LC_MESSAGES/django.mo,sha256=KZvJXjrIdtxbffckcrRV3nJ5GnID6PvqAb7vpOiWpHE,2745
django/contrib/postgres/locale/pt/LC_MESSAGES/django.po,sha256=2gIDOjnFo6Iom-oTkQek4IX6FYPI9rNp9V-6sJ55aL8,3281
django/contrib/postgres/locale/pt_BR/LC_MESSAGES/django.mo,sha256=PVEiflh0v3AqVOC0S85XO-V3xDU3d8UwS31lzGrLoi8,3143
django/contrib/postgres/locale/pt_BR/LC_MESSAGES/django.po,sha256=onF2K6s-McAXDSRzQ50EpGrKAIv89vvRWjCjsLCVXvs,3896
django/contrib/postgres/locale/ro/LC_MESSAGES/django.mo,sha256=w4tyByrZlba_Ju_F2OzD52ut5JSD6UGJfjt3A7CG_uc,3188
django/contrib/postgres/locale/ro/LC_MESSAGES/django.po,sha256=hnotgrr-zeEmE4lgpqDDiJ051GoGbL_2GVs4O9dVLXI,3700
django/contrib/postgres/locale/ru/LC_MESSAGES/django.mo,sha256=TQ7EuEipMb-vduqTGhQY8PhjmDrCgujKGRX7Im0BymQ,4721
django/contrib/postgres/locale/ru/LC_MESSAGES/django.po,sha256=Me728Qfq_PXRZDxjGQbs3lLMueG3bNaqGZuZPgqsZQA,5495
django/contrib/postgres/locale/sk/LC_MESSAGES/django.mo,sha256=0LY5Axf2dGDPCe0d2eQgEJY6OI3VORrIU9IiXPF2MD8,3358
django/contrib/postgres/locale/sk/LC_MESSAGES/django.po,sha256=jtXuD3iUdd0_COtBzW57sNgWZ9jgXhNNiWKTj8M2X1A,3846
django/contrib/postgres/locale/sl/LC_MESSAGES/django.mo,sha256=JM9YZagjHIIrCxOKkR4d4oKaEXKJU7bfVdM3_uzSTAE,2810
django/contrib/postgres/locale/sl/LC_MESSAGES/django.po,sha256=1jI2zXSU4LWxfLEUL-FXpldCExZJLD53Jy7VnA258xs,3602
django/contrib/postgres/locale/sq/LC_MESSAGES/django.mo,sha256=slZq_bGPIzF8AlmtsfIqo65B14YYfw_uYKNcw_Tun0g,2958
django/contrib/postgres/locale/sq/LC_MESSAGES/django.po,sha256=TPmtauQdDYM5QIOhGj2EwjRBQ3qOiRmvPMpUavUqh9A,3394
django/contrib/postgres/locale/sr/LC_MESSAGES/django.mo,sha256=OfsUq8rZdD2NP7NQjBoatSXATxc8d6QL-nxmlPp5QSc,3775
django/contrib/postgres/locale/sr/LC_MESSAGES/django.po,sha256=vUvFaIp8renqgGs-VgrtPNu7IBkcB38mlTBJ0xxXTaI,4214
django/contrib/postgres/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=2nDFP43vk1Jih35jns8vSbOhhLq_w7t_2vJHg-crfxY,3112
django/contrib/postgres/locale/sr_Latn/LC_MESSAGES/django.po,sha256=QN4NEy0zFaPNjTCBrT9TydedWG7w4QBPm-pO7cKvSjg,3510
django/contrib/postgres/locale/sv/LC_MESSAGES/django.mo,sha256=AkUgWYRBGNJYg5QDPJR3qu4BA_XF9xaZA__3m_KF4hk,2918
django/contrib/postgres/locale/sv/LC_MESSAGES/django.po,sha256=hhJBRobgyHkLeKxdDxNkEl9XKkDXkrlx6PjyWcERp7I,3487
django/contrib/postgres/locale/tg/LC_MESSAGES/django.mo,sha256=3yW5NKKsa2f2qDGZ4NGlSn4DHatLOYEv5SEwB9voraA,2688
django/contrib/postgres/locale/tg/LC_MESSAGES/django.po,sha256=Zuix5sJH5Fz9-joe_ivMRpNz2Fbzefsxz3OOoDV0o1c,3511
django/contrib/postgres/locale/tk/LC_MESSAGES/django.mo,sha256=ytivs6cnECDuyVKToFQMRnH_RPr4PlVepg8xFHnr0W4,2789
django/contrib/postgres/locale/tk/LC_MESSAGES/django.po,sha256=bfXIyKNOFRC3U34AEKCsYQn3XMBGtgqHsXpboHvRQq0,3268
django/contrib/postgres/locale/tr/LC_MESSAGES/django.mo,sha256=hZ2pxkYNOGE4BX--QmDlzqXxT21gHaPGA6CmXDODzhI,2914
django/contrib/postgres/locale/tr/LC_MESSAGES/django.po,sha256=fzQsDL_wSO62qUaXCutRgq0ifrQ9oOaaxVQRyfnvV7Y,3288
django/contrib/postgres/locale/uk/LC_MESSAGES/django.mo,sha256=Jg6nM7ah7hEv7eqpe11e0e_MvRaMAQW3mdHTj9hqyG8,4406
django/contrib/postgres/locale/uk/LC_MESSAGES/django.po,sha256=6gBP1xKxK9hf8ISCR1wABxkKXEUTx2CUYHGr6RVPI94,5100
django/contrib/postgres/locale/uz/LC_MESSAGES/django.mo,sha256=PcmhhVC1spz3EFrQ2qdhfPFcA1ELHtBhHGWk9Z868Ss,703
django/contrib/postgres/locale/uz/LC_MESSAGES/django.po,sha256=lbQxX2cmueGCT8sl6hsNWcrf9H-XEUbioP4L7JHGqiU,2291
django/contrib/postgres/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=ln_p6MRs5JPvTAXFzegXYnCCKki-LEr_YiOw6sK8oPA,2560
django/contrib/postgres/locale/zh_Hans/LC_MESSAGES/django.po,sha256=7YZE8B0c1HuKVjGzreY7iiyuFeyPgqzKIwzxe5YOKb4,3084
django/contrib/postgres/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=Twqt8SVetuVV6UQ8ne48RfXILh2I9_-5De7cIrd5Lvc,2586
django/contrib/postgres/locale/zh_Hant/LC_MESSAGES/django.po,sha256=5qE-q9uXlHM59soKgNSqeCfP-DnFuYI4fXLAbQctJ8c,2962
django/contrib/postgres/lookups.py,sha256=J50bsr8rLjp_zzdViSVDDcTLfDkY21fEUoyqCgeHauI,1991
django/contrib/postgres/operations.py,sha256=NAxMCzBMjxMNvEBWdRibbSpJ_UhyheToJTVImRAGS6s,11755
django/contrib/postgres/search.py,sha256=GAZAOSVpSL-eDjHCPGPrSBqw0Meic44bqdNgLAIsz0c,11676
django/contrib/postgres/serializers.py,sha256=wCg0IzTNeuVOiC2cdy1wio6gChjqVvH6Ri4hkCkEeXU,435
django/contrib/postgres/signals.py,sha256=cpkaedbyvajpN4NNAYLA6TfKI_4fe9AU40CeYhYmS8Q,2870
django/contrib/postgres/templates/postgres/widgets/split_array.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/contrib/postgres/utils.py,sha256=32nCnzdMZ7Ra4dDonbIdv1aCppV3tnQnoEX9AhCJe38,1187
django/contrib/postgres/validators.py,sha256=TMXBxwiboanDPtso3hiAAu5GSfZtHxAzzY1iInDouws,2803
django/contrib/redirects/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/redirects/__pycache__/__init__.cpython-311.pyc,,
django/contrib/redirects/__pycache__/admin.cpython-311.pyc,,
django/contrib/redirects/__pycache__/apps.cpython-311.pyc,,
django/contrib/redirects/__pycache__/middleware.cpython-311.pyc,,
django/contrib/redirects/__pycache__/models.cpython-311.pyc,,
django/contrib/redirects/admin.py,sha256=1bPOgeZYRYCHdh7s2SpXnuL2WsfdQjD96U5Y3xhRY8g,314
django/contrib/redirects/apps.py,sha256=1uS5EBp7WwDnY0WHeaRYo7VW9j-s20h4KDdImodjCNg,251
django/contrib/redirects/locale/af/LC_MESSAGES/django.mo,sha256=EZpwI7hxr96D4CUt6e-kJHgkE3Q5k9RAmPjn6kXvE8A,1136
django/contrib/redirects/locale/af/LC_MESSAGES/django.po,sha256=kDPrxqvMg3hn12fGyTaImC1gOtTjSxuJtbKdA7jvl_4,1367
django/contrib/redirects/locale/ar/LC_MESSAGES/django.mo,sha256=FfPauXNUmQxq0R1-eQ2xw2WY1Oi33sLwVhyKX10_zFw,1336
django/contrib/redirects/locale/ar/LC_MESSAGES/django.po,sha256=X0xX51asSDWedd56riJ4UrsCGEjH-lZdkcilIg4amgI,1595
django/contrib/redirects/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=hg1lkBEORP2vgLPRbuKcXiIFUcTvAO7KrjbPXlWhvqY,1379
django/contrib/redirects/locale/ar_DZ/LC_MESSAGES/django.po,sha256=O4quBKA1jHATGGeDqCONDFfAqvDvOAATIBvueeMphyY,1581
django/contrib/redirects/locale/ast/LC_MESSAGES/django.mo,sha256=a1ixBQQIdBZ7o-ADnF2r74CBtPLsuatG7txjc05_GXI,1071
django/contrib/redirects/locale/ast/LC_MESSAGES/django.po,sha256=PguAqeIUeTMWsADOYLTxoC6AuKrCloi8HN18hbm3pZ0,1266
django/contrib/redirects/locale/az/LC_MESSAGES/django.mo,sha256=KzpRUrONOi5Cdr9sSRz3p0X-gGhD1-3LNhen-XDhO3g,1092
django/contrib/redirects/locale/az/LC_MESSAGES/django.po,sha256=RGjd2J_pRdSkin4UlKxg7kc3aA8PCQRjDPXkpGZHdn0,1347
django/contrib/redirects/locale/be/LC_MESSAGES/django.mo,sha256=fVqy28ml508UJf5AA-QVsS5dzKI8Q_ugZZ34WjTpJ-s,1426
django/contrib/redirects/locale/be/LC_MESSAGES/django.po,sha256=zHBVewcpt0KoavV96v3F4wybqtkGb1jUuPz7sbiWWDI,1662
django/contrib/redirects/locale/bg/LC_MESSAGES/django.mo,sha256=o-ETSDGtAFZRo3SPd_IHe0mJ3R0RHA32KpgfOmUH11M,1279
django/contrib/redirects/locale/bg/LC_MESSAGES/django.po,sha256=9qm8s6vj-0LStnyEJ8iYVi13_MfugVAAs2RHvIi7kW8,1587
django/contrib/redirects/locale/bn/LC_MESSAGES/django.mo,sha256=SbQh_pgxNCogvUFud7xW9T6NTAvpaQb2jngXCtpjICM,1319
django/contrib/redirects/locale/bn/LC_MESSAGES/django.po,sha256=LgUuiPryDLSXxo_4KMCdjM5XC3BiRfINuEk0s5PUQYQ,1511
django/contrib/redirects/locale/br/LC_MESSAGES/django.mo,sha256=Yt8xo5B5LJ9HB8IChCkj5mljFQAAKlaW_gurtF8q8Yw,1429
django/contrib/redirects/locale/br/LC_MESSAGES/django.po,sha256=L2qPx6mZEVUNay1yYEweKBLr_fXVURCnACfsezfP_pI,1623
django/contrib/redirects/locale/bs/LC_MESSAGES/django.mo,sha256=0Yak4rXHjRRXLu3oYYzvS8qxvk2v4IFvUiDPA68a5YI,1115
django/contrib/redirects/locale/bs/LC_MESSAGES/django.po,sha256=s9Nhx3H4074hlSqo1zgQRJbozakdJTwA1aTuMSqEJWw,1316
django/contrib/redirects/locale/ca/LC_MESSAGES/django.mo,sha256=VHE6qHCEoA7rQk0fMUpoTfwqSfu63-CiOFvhvKp5DMQ,1136
django/contrib/redirects/locale/ca/LC_MESSAGES/django.po,sha256=PSMb_7iZBuYhtdR8byh9zr9dr50Z_tQ518DUlqoEA_M,1484
django/contrib/redirects/locale/ckb/LC_MESSAGES/django.mo,sha256=23RM9kso65HHxGHQ_DKxGDaUkmdX72DfYvqQfhr7JKw,1340
django/contrib/redirects/locale/ckb/LC_MESSAGES/django.po,sha256=cGrAq3e6h3vbYrtyi0oFSfZmLlJ0-Y3uqrvFon48n80,1521
django/contrib/redirects/locale/cs/LC_MESSAGES/django.mo,sha256=UwYsoEHsg7FJLVe0JxdOa1cTGypqJFienAbWe7Vldf0,1229
django/contrib/redirects/locale/cs/LC_MESSAGES/django.po,sha256=hnWJLXX7IjwZK7_8L3p-dpj5XpDmEo7lQ7-F4upjn7U,1504
django/contrib/redirects/locale/cy/LC_MESSAGES/django.mo,sha256=NSGoK12A7gbtuAuzQEVFPNSZMqqmhHyRvTEn9PUm9So,1132
django/contrib/redirects/locale/cy/LC_MESSAGES/django.po,sha256=jDmC64z5exPnO9zwRkBmpa9v3DBlaeHRhqZYPoWqiIY,1360
django/contrib/redirects/locale/da/LC_MESSAGES/django.mo,sha256=_UVfTMRG__5j7Ak8Q3HtXSy_DPGpZ1XvKj9MHdmR_xI,1132
django/contrib/redirects/locale/da/LC_MESSAGES/django.po,sha256=RAWWbZXbJciNSdw4skUEoTnOb19iKXAe1KXJLWi0zPQ,1418
django/contrib/redirects/locale/de/LC_MESSAGES/django.mo,sha256=uh-ldy-QkWS5-ARX6cLyzxzdhbTb_chyEbBPFCvCKuE,1155
django/contrib/redirects/locale/de/LC_MESSAGES/django.po,sha256=hhGNnVCRV4HNxhCYfmVXTOIkabD7qsVQccwxKa5Tz9g,1424
django/contrib/redirects/locale/dsb/LC_MESSAGES/django.mo,sha256=LXgczA38RzrN7zSWpxKy8_RY4gPg5tZLl30CJGjJ63s,1236
django/contrib/redirects/locale/dsb/LC_MESSAGES/django.po,sha256=rI9dyDp7zuZ6CjvFyo2OkGUDK5XzdvdI0ma8IGVkjp4,1431
django/contrib/redirects/locale/el/LC_MESSAGES/django.mo,sha256=sD3HT4e53Yd3HmQap_Mqlxkm0xF98A6PFW8Lil0PihI,1395
django/contrib/redirects/locale/el/LC_MESSAGES/django.po,sha256=puhVCcshg5HaPHsVAOucneVgBYT6swhCCBpVGOZykgA,1716
django/contrib/redirects/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/redirects/locale/en/LC_MESSAGES/django.po,sha256=u4RcMkFmNvlG9Bv6kM0a0scWUMDUbTEDJGR90-G8C0E,1123
django/contrib/redirects/locale/en_AU/LC_MESSAGES/django.mo,sha256=wxCpSLGl_zsE47kDwilDkpihazwHkA363PvtGOLWhdk,1127
django/contrib/redirects/locale/en_AU/LC_MESSAGES/django.po,sha256=zujH1WuxoHw_32flptG0x2Ob_BlilLKXuMjQxVbZmgw,1307
django/contrib/redirects/locale/en_GB/LC_MESSAGES/django.mo,sha256=VscL30uJnV-eiQZITpBCy0xk_FfKdnMh4O9Hk4HGxww,1053
django/contrib/redirects/locale/en_GB/LC_MESSAGES/django.po,sha256=loe8xIVjZ7eyteQNLPoa-QceBZdgky22dR6deK5ubmA,1246
django/contrib/redirects/locale/eo/LC_MESSAGES/django.mo,sha256=WZ3NHrS0qMoCJER5jWnGI12bvY5wH0yytM8F7BFTgYc,712
django/contrib/redirects/locale/eo/LC_MESSAGES/django.po,sha256=T-Gw75sOjZgqpwjIfieIrLxbg1kekWzjrJYSMld2OEQ,1299
django/contrib/redirects/locale/es/LC_MESSAGES/django.mo,sha256=xyeIQL_pHFyo7p7SkeuxzKdDsma2EXhvnPNDHUhaBv8,1159
django/contrib/redirects/locale/es/LC_MESSAGES/django.po,sha256=Y3hPQrcbhLtR-pPYRJJXkJME5M8Enr20j9D63hhe9ZA,1490
django/contrib/redirects/locale/es_AR/LC_MESSAGES/django.mo,sha256=JdKzpdyf9W2m_0_NguvXvyciOh6LAATfE6lqcsp45To,1144
django/contrib/redirects/locale/es_AR/LC_MESSAGES/django.po,sha256=3zrKJXLh_mrjc4A6g9O6ePyFz8PNUMYTPjNFpvEhaDo,1364
django/contrib/redirects/locale/es_CO/LC_MESSAGES/django.mo,sha256=wcAMOiqsgz2KEpRwirRH9FNoto6vmo_hxthrQJi0IHU,1147
django/contrib/redirects/locale/es_CO/LC_MESSAGES/django.po,sha256=n8DM14vHekZRayH0B6Pm3L5XnSo4lto4ZAdu4OhcOmc,1291
django/contrib/redirects/locale/es_MX/LC_MESSAGES/django.mo,sha256=38fbiReibMAmC75BCCbyo7pA2VA3QvmRqVEo_K6Ejow,1116
django/contrib/redirects/locale/es_MX/LC_MESSAGES/django.po,sha256=t7R6PiQ1bCc7jhfMrjHlZxVQ6BRlWT2Vv4XXhxBD_Oo,1397
django/contrib/redirects/locale/es_VE/LC_MESSAGES/django.mo,sha256=59fZBDut-htCj38ZUoqPjhXJPjZBz-xpU9__QFr3kLs,486
django/contrib/redirects/locale/es_VE/LC_MESSAGES/django.po,sha256=f4XZW8OHjRJoztMJtSDCxd2_Mfy-XK44hLtigjGSsZY,958
django/contrib/redirects/locale/et/LC_MESSAGES/django.mo,sha256=34-Z1s9msdnj6U7prMctEWCxAR8TNnP44MIoyUuFsls,1131
django/contrib/redirects/locale/et/LC_MESSAGES/django.po,sha256=1VWcUbM9z_nNmiGnT9Mka3Y3ZLRVHuJdS_j_yNXvmQ0,1479
django/contrib/redirects/locale/eu/LC_MESSAGES/django.mo,sha256=yHlAEz01pWse4ZworAj7JiATUam5Fp20EZd_3PRgSNw,1126
django/contrib/redirects/locale/eu/LC_MESSAGES/django.po,sha256=zAvSdahjvq727hXeGjHJ_R5L5meCrOv98tbH3rwlBcE,1404
django/contrib/redirects/locale/fa/LC_MESSAGES/django.mo,sha256=vZa1KKm2y8duEv9UbJMyiM8WO2EAXcevdR3Lj1ISgLU,1234
django/contrib/redirects/locale/fa/LC_MESSAGES/django.po,sha256=1quB0Wx5VTIjX2QUCpENl1GA2hpSdsRpgK931jr20B0,1541
django/contrib/redirects/locale/fi/LC_MESSAGES/django.mo,sha256=xJEd4M2IowXxKBlaGuOEgFKA9OuihcgPoK07Beat4cc,1164
django/contrib/redirects/locale/fi/LC_MESSAGES/django.po,sha256=1I7AoXMPRDMY6TCjPkQh0Q9g68r9BwKOwki9DybcFWc,1429
django/contrib/redirects/locale/fr/LC_MESSAGES/django.mo,sha256=YhVNoNaHdSOp2P2F7xfo2MHCd2KkHiehpVjLyJ4VLuw,1155
django/contrib/redirects/locale/fr/LC_MESSAGES/django.po,sha256=-ljzEKiU05annJ8DHw4OOg8eDCAnWLV2V33R-tQn9dE,1391
django/contrib/redirects/locale/fy/LC_MESSAGES/django.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/redirects/locale/fy/LC_MESSAGES/django.po,sha256=D7xverCbf3kTCcFM8h7EKWM5DcxZRqeOSKDB1irbKeE,948
django/contrib/redirects/locale/ga/LC_MESSAGES/django.mo,sha256=blwOMshClFZKvOZXVvqENK_E_OkdS1ydbjQCDXcHXd4,1075
django/contrib/redirects/locale/ga/LC_MESSAGES/django.po,sha256=76rdrG4GVbcKwgUQN4bB-B0t6hpivCA_ehf4uzGM_mY,1341
django/contrib/redirects/locale/gd/LC_MESSAGES/django.mo,sha256=baZXdulbPZwe4_Q3OwfHFl4GJ4hCYtoZz-lE4wcdJvg,1250
django/contrib/redirects/locale/gd/LC_MESSAGES/django.po,sha256=M4E2giFgzRowd3OsvhD389MyJmT5osKz1Vs1sEfmUpU,1428
django/contrib/redirects/locale/gl/LC_MESSAGES/django.mo,sha256=au4ulT76A8cd_C_DmtEdiuQ14dIJaprVvFbS9_hYRNk,1131
django/contrib/redirects/locale/gl/LC_MESSAGES/django.po,sha256=r2t9gHhIvPb8d9XR8fG0b_eW5xkkQswuj4ekJI9x90w,1393
django/contrib/redirects/locale/he/LC_MESSAGES/django.mo,sha256=MnCcK4Vb3Z5ZQ2A52tb0kM60hmoHQJ0UrWcrhuI2RK0,1204
django/contrib/redirects/locale/he/LC_MESSAGES/django.po,sha256=gjFr6b15s5JoAT6OoLCA3ApfwiqZ_vhB-EXEWOiUEwo,1427
django/contrib/redirects/locale/hi/LC_MESSAGES/django.mo,sha256=onR8L7Kvkx6HgFLK7jT-wA_zjarBN8pyltG6BbKFIWU,1409
django/contrib/redirects/locale/hi/LC_MESSAGES/django.po,sha256=fNv9_qwR9iS-pjWNXnrUFIqvc10lwg3bfj5lgdQOy1U,1649
django/contrib/redirects/locale/hr/LC_MESSAGES/django.mo,sha256=7wHi6Uu0czZhI6v0ndJJ1wSkalTRfn7D5ovyw8tr4U4,1207
django/contrib/redirects/locale/hr/LC_MESSAGES/django.po,sha256=HtxZwZ-ymmf-XID0z5s7nGYg-4gJL8i6FDGWt9i4Wns,1406
django/contrib/redirects/locale/hsb/LC_MESSAGES/django.mo,sha256=6lfIW4LcMGvuLOY0U4w1V6Xwcd_TsUC3r-QzZOOLwys,1221
django/contrib/redirects/locale/hsb/LC_MESSAGES/django.po,sha256=l5pATo8NHa8ypB8dCigRwqpLZvV8W0v2vPh60oAeGn0,1420
django/contrib/redirects/locale/hu/LC_MESSAGES/django.mo,sha256=4oYBNGEmFMISzw3LExVf6CHsJD_o20mMy132pwzM-wk,1111
django/contrib/redirects/locale/hu/LC_MESSAGES/django.po,sha256=UYJ_ZrAnOqA6S8nkkfN_FBLxCyPHJjOMd1OSIUVc8aY,1383
django/contrib/redirects/locale/hy/LC_MESSAGES/django.mo,sha256=gT5x1TZXMNyBwfmQ-C_cOB60JGYdKIM7tVb3-J5d6nw,1261
django/contrib/redirects/locale/hy/LC_MESSAGES/django.po,sha256=40QTpth2AVeoy9P36rMJC2C82YsBh_KYup19WL6zM6w,1359
django/contrib/redirects/locale/ia/LC_MESSAGES/django.mo,sha256=PDB5ZQP6iH31xN6N2YmPZYjt6zzc88TRmh9_gAWH2U0,1152
django/contrib/redirects/locale/ia/LC_MESSAGES/django.po,sha256=GXjbzY-cQz2QLx_iuqgijT7VUMcoNKL7prbP6yIbj8E,1297
django/contrib/redirects/locale/id/LC_MESSAGES/django.mo,sha256=XEsvVWMR9As9csO_6iXNAcLZrErxz3HfDj5GTe06fJU,1105
django/contrib/redirects/locale/id/LC_MESSAGES/django.po,sha256=t8FoC1xIB-XHDplyDJByQGFnHggxR0LSfUMGwWoAKWE,1410
django/contrib/redirects/locale/io/LC_MESSAGES/django.mo,sha256=vz7TWRML-DFDFapbEXTByb9-pRQwoeJ0ApSdh6nOzXY,1019
django/contrib/redirects/locale/io/LC_MESSAGES/django.po,sha256=obStuMYYSQ7x2utkGS3gekdPfnsNAwp3DcNwlwdg1sI,1228
django/contrib/redirects/locale/is/LC_MESSAGES/django.mo,sha256=aMjlGilYfP7clGriAp1Za60uCD40rvLt9sKXuYX3ABg,1040
django/contrib/redirects/locale/is/LC_MESSAGES/django.po,sha256=nw5fxVV20eQqsk4WKg6cIiKttG3zsITSVzH4p5xBV8s,1299
django/contrib/redirects/locale/it/LC_MESSAGES/django.mo,sha256=bBj6dvhZSpxojLZ0GiMBamh1xiluxAYMt6RHubi9CxU,1092
django/contrib/redirects/locale/it/LC_MESSAGES/django.po,sha256=NHSVus7ixtrB7JDIrYw22srZcse5i4Z9y8Ply_-Jcts,1390
django/contrib/redirects/locale/ja/LC_MESSAGES/django.mo,sha256=XSJw3iLK0gYVjZ86MYuV4jfoiN_-WkH--oMK5uW9cs8,1193
django/contrib/redirects/locale/ja/LC_MESSAGES/django.po,sha256=SlYrmC3arGgS7SL8cCnq7d37P-bQGcmpgUXAwVC2eRw,1510
django/contrib/redirects/locale/ka/LC_MESSAGES/django.mo,sha256=0aOLKrhUX6YAIMNyt6KES9q2iFk2GupEr76WeGlJMkk,1511
django/contrib/redirects/locale/ka/LC_MESSAGES/django.po,sha256=AQWIEdhxp55XnJwwHrUxxQaGbLJPmdo1YLeT86IJqnY,1725
django/contrib/redirects/locale/kab/LC_MESSAGES/django.mo,sha256=Ogx9NXK1Nfw4ctZfp-slIL81ziDX3f4DZ01OkVNY5Tw,699
django/contrib/redirects/locale/kab/LC_MESSAGES/django.po,sha256=gI6aUPkXH-XzKrStDsMCMNfQKDEc-D1ffqE-Z-ItQuI,1001
django/contrib/redirects/locale/kk/LC_MESSAGES/django.mo,sha256=KVLc6PKL1MP_Px0LmpoW2lIvgLiSzlvoJ9062F-s3Zw,1261
django/contrib/redirects/locale/kk/LC_MESSAGES/django.po,sha256=Xoy4mnOT51F_GS1oIO91EAuwt-ZfePKh-sutedo6D_g,1478
django/contrib/redirects/locale/km/LC_MESSAGES/django.mo,sha256=tcW1s7jvTG0cagtdRNT0jSNkhX-B903LKl7bK31ZvJU,1248
django/contrib/redirects/locale/km/LC_MESSAGES/django.po,sha256=KJ4h1umpfFLdsWZtsfXoeOl6cUPUD97U4ISWt80UZ2U,1437
django/contrib/redirects/locale/kn/LC_MESSAGES/django.mo,sha256=24GHcQlEoCDri-98eLtqLbGjtJz9cTPAfYdAijsL5ck,788
django/contrib/redirects/locale/kn/LC_MESSAGES/django.po,sha256=xkH24itr2fpuCQMGQ3xssOqaN_7KzM-GLy0u00ti27I,1245
django/contrib/redirects/locale/ko/LC_MESSAGES/django.mo,sha256=viohri0QV3d46CN-YZP1k7w83Ac8r5lCkWU8fhbAEEc,1134
django/contrib/redirects/locale/ko/LC_MESSAGES/django.po,sha256=8TsMfyl-BqGb-8fI12pazzlI7x3X1yruIYuvFroLti0,1521
django/contrib/redirects/locale/ky/LC_MESSAGES/django.mo,sha256=4jX_g-hledmjWEx0RvY99G5QcBj_mQt_HZzpd000J44,1265
django/contrib/redirects/locale/ky/LC_MESSAGES/django.po,sha256=yvx21nxsqqVzPyyxX9_rF-oeaY2WszXrG4ZDSZTW6-4,1522
django/contrib/redirects/locale/lb/LC_MESSAGES/django.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/redirects/locale/lb/LC_MESSAGES/django.po,sha256=Hv1CF9CC78YuVVNpklDtPJDU5-iIUeuXcljewmc9akg,946
django/contrib/redirects/locale/lt/LC_MESSAGES/django.mo,sha256=reiFMXJnvE4XUosbKjyvUFzl4IKjlJoFK1gVJE9Tbnc,1191
django/contrib/redirects/locale/lt/LC_MESSAGES/django.po,sha256=G56UIYuuVLgwzHCIj_suHNYPe1z76Y_cauWfGEs4nKI,1448
django/contrib/redirects/locale/lv/LC_MESSAGES/django.mo,sha256=slGK6O2tYD5yciS8m_7h2WA4LOPf05nQ4oTRKB63etE,1175
django/contrib/redirects/locale/lv/LC_MESSAGES/django.po,sha256=GUDn1IYQ5UMOQUBvGfuVOeVb-bpf5FHVigqTt_N0I0M,1442
django/contrib/redirects/locale/mk/LC_MESSAGES/django.mo,sha256=3XGgf2K60LclScPKcgw07TId6x535AW5jtGVJ9lC01A,1353
django/contrib/redirects/locale/mk/LC_MESSAGES/django.po,sha256=Smsdpid5VByoxvnfzju_XOlp6aTPl8qshFptot3cRYM,1596
django/contrib/redirects/locale/ml/LC_MESSAGES/django.mo,sha256=IhSkvbgX9xfE4GypOQ7W7SDM-wOOqx1xgSTW7L1JofU,1573
django/contrib/redirects/locale/ml/LC_MESSAGES/django.po,sha256=9KpXf88GRUB5I51Rj3q9qhvhjHFINuiJ9ig0SZdYE6k,1755
django/contrib/redirects/locale/mn/LC_MESSAGES/django.mo,sha256=14fdHC_hZrRaA0EAFzBJy8BHj4jMMX6l2e6rLLBtJ8E,1274
django/contrib/redirects/locale/mn/LC_MESSAGES/django.po,sha256=7_QzUWf5l0P-7gM35p9UW7bOj33NabQq_zSrekUeZsY,1502
django/contrib/redirects/locale/mr/LC_MESSAGES/django.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/redirects/locale/mr/LC_MESSAGES/django.po,sha256=0aGKTlriCJoP-Tirl-qCl7tjjpjURhgCjRGmurHVO3c,940
django/contrib/redirects/locale/ms/LC_MESSAGES/django.mo,sha256=WUk6hvvHPWuylCGiDvy0MstWoQ1mdmwwfqlms1Nv4Ng,1094
django/contrib/redirects/locale/ms/LC_MESSAGES/django.po,sha256=bsQDwxqtS5FgPCqTrfm9kw2hH_R2y44DnI5nluUgduc,1255
django/contrib/redirects/locale/my/LC_MESSAGES/django.mo,sha256=H5-y9A3_1yIXJzC4sSuHqhURxhOlnYEL8Nvc0IF4zUE,549
django/contrib/redirects/locale/my/LC_MESSAGES/django.po,sha256=MZGNt0jMQA6aHA6OmjvaC_ajvRWfUfDiKkV0j3_E480,1052
django/contrib/redirects/locale/nb/LC_MESSAGES/django.mo,sha256=pxRtj5VFxTQBbi_mDS05iGoQs4BZ4y6LLJZ9pozJezY,1110
django/contrib/redirects/locale/nb/LC_MESSAGES/django.po,sha256=ALYXciVa0d0sG70dqjtk17Yh_qwzKAzTXDlEZSU9kc0,1392
django/contrib/redirects/locale/ne/LC_MESSAGES/django.mo,sha256=TxTnBGIi5k0PKAjADeCuOAJQV5dtzLrsFRXBXtfszWI,1420
django/contrib/redirects/locale/ne/LC_MESSAGES/django.po,sha256=5b5R-6AlSIQrDyTtcmquoW5xrQRGZwlxZpBpZfVo5t4,1607
django/contrib/redirects/locale/nl/LC_MESSAGES/django.mo,sha256=Xeh1YbEAu7Lhz07RXPTMDyv7AyWF9Bhe-9oHdWT74mo,1129
django/contrib/redirects/locale/nl/LC_MESSAGES/django.po,sha256=QuNgrX7w2wO15KPEe3ogVhXbkt0v60EwKmKfD7-PedU,1476
django/contrib/redirects/locale/nn/LC_MESSAGES/django.mo,sha256=8TQXBF2mzENl7lFpcrsKxkJ4nKySTOgXJM5_I2OD7q8,1143
django/contrib/redirects/locale/nn/LC_MESSAGES/django.po,sha256=pfrKVQd1wLKKpq-b7CBpc-rZnEEgyZFDSjbipsEiwxM,1344
django/contrib/redirects/locale/os/LC_MESSAGES/django.mo,sha256=joQ-ibV9_6ctGMNPLZQLCx5fUamRQngs6_LDd_s9sMQ,1150
django/contrib/redirects/locale/os/LC_MESSAGES/django.po,sha256=ZwFWiuGS9comy7r2kMnKuqaPOvVehVdAAuFvXM5ldxM,1358
django/contrib/redirects/locale/pa/LC_MESSAGES/django.mo,sha256=MY-OIDNXlZth-ZRoOJ52nlUPg_51_F5k0NBIpc7GZEw,748
django/contrib/redirects/locale/pa/LC_MESSAGES/django.po,sha256=TPDTK2ZvDyvO1ob8Qfr64QDbHVWAREfEeBO5w9jf63E,1199
django/contrib/redirects/locale/pl/LC_MESSAGES/django.mo,sha256=9Sc_8aDC8-PADnr4hYdat6iRUXj0QxsWR1RGWKIQP3M,1285
django/contrib/redirects/locale/pl/LC_MESSAGES/django.po,sha256=RLuSAlWQPvxDGSNHL3j5ohMdf4IZL-g21-_QIuTdY4c,1605
django/contrib/redirects/locale/pt/LC_MESSAGES/django.mo,sha256=WocPaVk3fQEz_MLmGVtFBGwsThD-gNU7GDocqEbeaBA,1129
django/contrib/redirects/locale/pt/LC_MESSAGES/django.po,sha256=ptCzoE41c9uFAbgSjb6VHSFYPEUv_51YyBdoThXN3XA,1350
django/contrib/redirects/locale/pt_BR/LC_MESSAGES/django.mo,sha256=LxFEZCH75ucCaB5fEmdsjEJi5aJa3barRLqcd6r-gj0,1171
django/contrib/redirects/locale/pt_BR/LC_MESSAGES/django.po,sha256=PO5whkwiagEN_s8ViBDN41dW35wdjAuXZBB1j2m09lY,1615
django/contrib/redirects/locale/ro/LC_MESSAGES/django.mo,sha256=D8FkmV6IxZOn5QAPBu9PwhStBpVQWudU62wKa7ADfJY,1158
django/contrib/redirects/locale/ro/LC_MESSAGES/django.po,sha256=Z_-pDi2-A7_KXrEQtFlAJ_KLO0vXFKCbMphsNlqfNJk,1477
django/contrib/redirects/locale/ru/LC_MESSAGES/django.mo,sha256=IvO0IXq1xuX0wpo2hV8po1AMifLS3ElGyQal0vmC_Jw,1457
django/contrib/redirects/locale/ru/LC_MESSAGES/django.po,sha256=FHb4L3RMVV5ajxGj9y6ZymPtO_XjZrhHmvCZBPwwzmQ,1762
django/contrib/redirects/locale/sk/LC_MESSAGES/django.mo,sha256=oVA89AU0UVErADtesum66Oo3D27RRy04qLHy3n0Y9-w,1189
django/contrib/redirects/locale/sk/LC_MESSAGES/django.po,sha256=Kjbdc7nrKsMCaEphxUdGb4VbpJbFhF0cs3ReqrY7638,1468
django/contrib/redirects/locale/sl/LC_MESSAGES/django.mo,sha256=GAZtOFSUxsOHdXs3AzT40D-3JFWIlNDZU_Z-cMvdaHo,1173
django/contrib/redirects/locale/sl/LC_MESSAGES/django.po,sha256=gkZTyxNh8L2gNxyLVzm-M1HTiK8KDvughTa2MK9NzWo,1351
django/contrib/redirects/locale/sq/LC_MESSAGES/django.mo,sha256=f2HyVjWFGnjNXV-EIk0YMFaMH6_ZwYLYgSDwU4fIJfM,1165
django/contrib/redirects/locale/sq/LC_MESSAGES/django.po,sha256=gbd4JxoevGfDTRx3iYfDtlnh54EwyRKYXxs4XagHvRM,1453
django/contrib/redirects/locale/sr/LC_MESSAGES/django.mo,sha256=OK90avxrpYxBcvPIZ_tDlSZP6PyRCzFg_7h0F_JlMy8,1367
django/contrib/redirects/locale/sr/LC_MESSAGES/django.po,sha256=Ipi7j7q5N8aNGWmkz5XGlOPqpD46xCLKarfs-lNbKqM,1629
django/contrib/redirects/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=qYXT0j80c7a5jMsxeezncAL9Gff2Pb7eJz8iTX0TRX4,1210
django/contrib/redirects/locale/sr_Latn/LC_MESSAGES/django.po,sha256=CL3ij3uGK8UOMggLXf0MctEydLbyi-9zvkXN5Teuu9c,1424
django/contrib/redirects/locale/sv/LC_MESSAGES/django.mo,sha256=2j_IyOgbM_yED5lF10r7KGguEC2qX58dRIVogWj5PVY,1134
django/contrib/redirects/locale/sv/LC_MESSAGES/django.po,sha256=lIFNLfEondtzlwlG3tDf3AH59uEotLtj-XdL87c-QUo,1404
django/contrib/redirects/locale/sw/LC_MESSAGES/django.mo,sha256=oJnTp9CTgNsg5TSOV_aPZIUXdr6-l65hAZbaARZCO2w,1078
django/contrib/redirects/locale/sw/LC_MESSAGES/django.po,sha256=CTVwA3O7GUQb7l1WpbmT8kOfqr7DpqnIyQt3HWJ6YTQ,1245
django/contrib/redirects/locale/ta/LC_MESSAGES/django.mo,sha256=AE6Py2_CV2gQKjKQAa_UgkLT9i61x3i1hegQpRGuZZM,1502
django/contrib/redirects/locale/ta/LC_MESSAGES/django.po,sha256=ojdq8p4HnwtK0n6By2I6_xuucOpJIobJEGRMGc_TrS8,1700
django/contrib/redirects/locale/te/LC_MESSAGES/django.mo,sha256=Gtcs4cbgrD7-bSkPKiPbM5DcjONS2fSdHhvWdbs_E1M,467
django/contrib/redirects/locale/te/LC_MESSAGES/django.po,sha256=RT-t3TjcOLyNQQWljVrIcPWErKssh_HQMyGujloy-EI,939
django/contrib/redirects/locale/tg/LC_MESSAGES/django.mo,sha256=6e4Pk9vX1csvSz80spVLhNTd3N251JrXaCga9n60AP8,782
django/contrib/redirects/locale/tg/LC_MESSAGES/django.po,sha256=2Cmle5usoNZBo8nTfAiqCRq3KqN1WKKdc-mogUOJm9I,1177
django/contrib/redirects/locale/th/LC_MESSAGES/django.mo,sha256=1l6eO0k1KjcmuRJKUS4ZdtJGhAUmUDMAMIeNwEobQqY,1331
django/contrib/redirects/locale/th/LC_MESSAGES/django.po,sha256=DVVqpGC6zL8Hy8e6P8ZkhKbvcMJmXV5euLxmfoTCtms,1513
django/contrib/redirects/locale/tk/LC_MESSAGES/django.mo,sha256=NkxO6C7s1HHT1Jrmwad9zaD3pPyW_sPuZz3F2AGUD7M,1155
django/contrib/redirects/locale/tk/LC_MESSAGES/django.po,sha256=0EQj1I1oNbAovKmF7o2rQ8_QsQiYqEFDab2KlCFw0s0,1373
django/contrib/redirects/locale/tr/LC_MESSAGES/django.mo,sha256=-qySxKYwxfFO79cBytvzTBeFGdio1wJlM5DeBBfdxns,1133
django/contrib/redirects/locale/tr/LC_MESSAGES/django.po,sha256=-03z3YMI6tlt12xwFI2lWchOxiIVbkdVRhghaCoMKlk,1408
django/contrib/redirects/locale/tt/LC_MESSAGES/django.mo,sha256=Hf1JXcCGNwedxy1nVRM_pQ0yUebC-tvOXr7P0h86JyI,1178
django/contrib/redirects/locale/tt/LC_MESSAGES/django.po,sha256=2WCyBQtqZk-8GXgtu-x94JYSNrryy2QoMnirhiBrgV0,1376
django/contrib/redirects/locale/udm/LC_MESSAGES/django.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/redirects/locale/udm/LC_MESSAGES/django.po,sha256=xsxlm4itpyLlLdPQRIHLuvTYRvruhM3Ezc9jtp3XSm4,934
django/contrib/redirects/locale/uk/LC_MESSAGES/django.mo,sha256=QbN1ABfbr2YbZQXz2U4DI-6iTvWoKPrLAn5tGq57G5Y,1569
django/contrib/redirects/locale/uk/LC_MESSAGES/django.po,sha256=pH9M4ilsJneoHw6E1E3T54QCHGS_i4tlhDc0nbAJP8I,1949
django/contrib/redirects/locale/ur/LC_MESSAGES/django.mo,sha256=CQkt-yxyAaTd_Aj1ZZC8s5-4fI2TRyTEZ-SYJZgpRrQ,1138
django/contrib/redirects/locale/ur/LC_MESSAGES/django.po,sha256=CkhmN49PvYTccvlSRu8qGpcbx2C-1aY7K3Lq1VC2fuM,1330
django/contrib/redirects/locale/uz/LC_MESSAGES/django.mo,sha256=vD0Y920SSsRsLROKFaU6YM8CT5KjQxJcgMh5bZ4Pugo,743
django/contrib/redirects/locale/uz/LC_MESSAGES/django.po,sha256=G2Rj-6g8Vse2Bp8L_hGIO84S--akagMXj8gSa7F2lK4,1195
django/contrib/redirects/locale/vi/LC_MESSAGES/django.mo,sha256=BquXycJKh-7-D9p-rGUNnjqzs1d6S1YhEJjFW8_ARFA,1106
django/contrib/redirects/locale/vi/LC_MESSAGES/django.po,sha256=xsCASrGZNbQk4d1mhsTZBcCpPJ0KO6Jr4Zz1wfnL67s,1301
django/contrib/redirects/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=iftb_HccNV383_odHbB6Tikn2h7EtP_9QK-Plq2xwTY,1100
django/contrib/redirects/locale/zh_Hans/LC_MESSAGES/django.po,sha256=xZmfuCEYx7ou_qvtxBcBly5mBmkSBEhnx0xqJj3nvMw,1490
django/contrib/redirects/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=-H2o5p5v8j5RqKZ6vOsWToFWGOn8CaO3KSTiU42Zqjk,1071
django/contrib/redirects/locale/zh_Hant/LC_MESSAGES/django.po,sha256=fQicS5nmJLgloKM83l6NcSJp36-Wjn2Dl9jf03e0pGo,1334
django/contrib/redirects/middleware.py,sha256=ydqidqi5JTaoguEFQBRzLEkU3HeiohgVsFglHUE-HIU,1921
django/contrib/redirects/migrations/0001_initial.py,sha256=0mXB5TgK_fwYbmbB_e7tKSjgOvpHWnZXg0IFcVtnmfU,2101
django/contrib/redirects/migrations/0002_alter_redirect_new_path_help_text.py,sha256=RXPdSbYewnW1bjjXxNqUIL-qIeSxdBUehBp0BjfRl8o,635
django/contrib/redirects/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/redirects/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/redirects/migrations/__pycache__/0002_alter_redirect_new_path_help_text.cpython-311.pyc,,
django/contrib/redirects/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/redirects/models.py,sha256=KJ6mj0BS243BNPKp26K7OSqcT9j49FPth5m0gNWWxFM,1083
django/contrib/sessions/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sessions/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sessions/__pycache__/apps.cpython-311.pyc,,
django/contrib/sessions/__pycache__/base_session.cpython-311.pyc,,
django/contrib/sessions/__pycache__/exceptions.cpython-311.pyc,,
django/contrib/sessions/__pycache__/middleware.cpython-311.pyc,,
django/contrib/sessions/__pycache__/models.cpython-311.pyc,,
django/contrib/sessions/__pycache__/serializers.cpython-311.pyc,,
django/contrib/sessions/apps.py,sha256=5WIMqa3ymqEvYMnFHe3uWZB8XSijUF_NSgaorRD50Lg,194
django/contrib/sessions/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sessions/backends/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/base.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/cache.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/cached_db.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/db.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/file.cpython-311.pyc,,
django/contrib/sessions/backends/__pycache__/signed_cookies.cpython-311.pyc,,
django/contrib/sessions/backends/base.py,sha256=xm9Rs0ZI8ERP6cZ-N4KdfVww3aWiXC8FcgcxQWNdrqw,11744
django/contrib/sessions/backends/cache.py,sha256=Dz4lOirEI3ZSrvOWnAffQpyA53TuPm3MmV1u8jkT-hI,2741
django/contrib/sessions/backends/cached_db.py,sha256=pxPlY9klOH0NCht8OZrHQew_UkMrQlKMtIKMLYIv2DI,2098
django/contrib/sessions/backends/db.py,sha256=qEYZNmyWk1pBbuXGXbTsLtQ2Xt_HgoRALxTQm55ZLy0,3785
django/contrib/sessions/backends/file.py,sha256=4o1LB0hZz_SCQjAwXHulDnFB1QZrEprAY4LKQdGfkRc,7754
django/contrib/sessions/backends/signed_cookies.py,sha256=keRgy5CyvufiEo4A91znOKbX6UOzzH2hzaw51UzK_0Y,2676
django/contrib/sessions/base_session.py,sha256=1woSGGF4IFWm2apOabxtdQHeVS6OmnivL_fwjUYGJwc,1490
django/contrib/sessions/exceptions.py,sha256=KhkhXiFwfUflSP_t6wCLOEXz1YjBRTKVNbrLmGhOTLo,359
django/contrib/sessions/locale/af/LC_MESSAGES/django.mo,sha256=0DS0pgVrMN-bUimDfesgHs8Lgr0loz2c6nJdz58RxyQ,717
django/contrib/sessions/locale/af/LC_MESSAGES/django.po,sha256=ZJRLBshQCAiTTAUycdB3MZIadLeHR5LxbSlDvSWLnEo,838
django/contrib/sessions/locale/ar/LC_MESSAGES/django.mo,sha256=yoepqaR68PTGLx--cAOzP94Sqyl5xIYpeQ0IFWgY380,846
django/contrib/sessions/locale/ar/LC_MESSAGES/django.po,sha256=ZgwtBYIdtnqp_8nKHXF1NVJFzQU81-3yv9b7STrQHMc,995
django/contrib/sessions/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=_iSasR22CxvNWfei6aE_24woPhhhvNzQl5FUO_649dc,817
django/contrib/sessions/locale/ar_DZ/LC_MESSAGES/django.po,sha256=vop5scstamgFSnO_FWXCEnI7R1N26t7jy_mZUAfETcY,978
django/contrib/sessions/locale/ast/LC_MESSAGES/django.mo,sha256=hz2m-PkrHby2CKfIOARj6kCzisT-Vs0syfDSTx_iVVw,702
django/contrib/sessions/locale/ast/LC_MESSAGES/django.po,sha256=M90j1Nx6oDJ16hguUkfKYlyb5OymUeZ5xzPixWxSC7I,846
django/contrib/sessions/locale/az/LC_MESSAGES/django.mo,sha256=_4XcYdtRasbCjRoaWGoULsXX2cEa--KdRdqbnGoaRuM,731
django/contrib/sessions/locale/az/LC_MESSAGES/django.po,sha256=qYd7vz6A-hHQNwewzI6wEsxRVLdoc2xLGm1RPW0Hxc4,891
django/contrib/sessions/locale/be/LC_MESSAGES/django.mo,sha256=FHZ72QuOd-vAOjOXisLs4CaEk7uZuzjO_EfUSB6754M,854
django/contrib/sessions/locale/be/LC_MESSAGES/django.po,sha256=tHsYVn3XNTcukB0SrHUWP1iV763rrQHCimOyJHRPiek,1023
django/contrib/sessions/locale/bg/LC_MESSAGES/django.mo,sha256=fFZ8EgRlJ1Z-IP8gPtsUXAnqVHbqQRZpYv6PLWNlNVA,759
django/contrib/sessions/locale/bg/LC_MESSAGES/django.po,sha256=tXcaDPNmFIv0RU-7sGscRkLCbKEgTBowzVj3AYymarY,997
django/contrib/sessions/locale/bn/LC_MESSAGES/django.mo,sha256=0BdFN7ou9tmoVG00fCA-frb1Tri3iKz43W7SWal398s,762
django/contrib/sessions/locale/bn/LC_MESSAGES/django.po,sha256=LycmTel6LXV2HGGN6qzlAfID-cVEQCNnW1Nv_hbWXJk,909
django/contrib/sessions/locale/br/LC_MESSAGES/django.mo,sha256=6ubPQUyXX08KUssyVZBMMkTlD94mlA6wzsteAMiZ8C8,1027
django/contrib/sessions/locale/br/LC_MESSAGES/django.po,sha256=LKxGGHOQejKpUp18rCU2FXW8D_H3WuP_P6dPlEluwcE,1201
django/contrib/sessions/locale/bs/LC_MESSAGES/django.mo,sha256=M7TvlJMrSUAFhp7oUSpUKejnbTuIK-19yiGBBECl9Sc,759
django/contrib/sessions/locale/bs/LC_MESSAGES/django.po,sha256=Ur0AeRjXUsLgDJhcGiw75hRk4Qe98DzPBOocD7GFDRQ,909
django/contrib/sessions/locale/ca/LC_MESSAGES/django.mo,sha256=tbaZ48PaihGGD9-2oTKiMFY3kbXjU59nNciCRINOBNk,738
django/contrib/sessions/locale/ca/LC_MESSAGES/django.po,sha256=tJuJdehKuD9aXOauWOkE5idQhsVsLbeg1Usmc6N_SP0,906
django/contrib/sessions/locale/ckb/LC_MESSAGES/django.mo,sha256=qTCUlxmStU9w1nXRAc_gRodaN6ojJK_XAxDXoYC5vQI,741
django/contrib/sessions/locale/ckb/LC_MESSAGES/django.po,sha256=F2bHLL66fWF5_VTM5QvNUFakY7gPRDr1qCjW6AkYxec,905
django/contrib/sessions/locale/cs/LC_MESSAGES/django.mo,sha256=wEFP4NNaRQDbcbw96UC906jN4rOrlPJMn60VloXr944,759
django/contrib/sessions/locale/cs/LC_MESSAGES/django.po,sha256=7XkKESwfOmbDRDbUYr1f62-fDOuyI-aCqLGaEiDrmX8,962
django/contrib/sessions/locale/cy/LC_MESSAGES/django.mo,sha256=GeWVeV2PvgLQV8ecVUA2g3-VvdzMsedgIDUSpn8DByk,774
django/contrib/sessions/locale/cy/LC_MESSAGES/django.po,sha256=zo18MXtkEdO1L0Q6ewFurx3lsEWTCdh0JpQJTmvw5bY,952
django/contrib/sessions/locale/da/LC_MESSAGES/django.mo,sha256=7_YecCzfeYQp9zVYt2B7MtjhAAuVb0BcK2D5Qv_uAbg,681
django/contrib/sessions/locale/da/LC_MESSAGES/django.po,sha256=qX_Oo7niVo57bazlIYFA6bnVmPBclUUTWvZFYNLaG04,880
django/contrib/sessions/locale/de/LC_MESSAGES/django.mo,sha256=N3kTal0YK9z7Te3zYGLbJmoSB6oWaviWDLGdPlsPa9g,721
django/contrib/sessions/locale/de/LC_MESSAGES/django.po,sha256=0qnfDeCUQN2buKn6R0MvwhQP05XWxSu-xgvfxvnJe3k,844
django/contrib/sessions/locale/dsb/LC_MESSAGES/django.mo,sha256=RABl3WZmY6gLh4IqmTUhoBEXygDzjp_5lLF1MU9U5fA,810
django/contrib/sessions/locale/dsb/LC_MESSAGES/django.po,sha256=cItKs5tASYHzDxfTg0A_dgBQounpzoGyOEFn18E_W_g,934
django/contrib/sessions/locale/el/LC_MESSAGES/django.mo,sha256=QbTbmcfgc8_4r5hFrIghDhk2XQ4f8_emKmqupMG2ah0,809
django/contrib/sessions/locale/el/LC_MESSAGES/django.po,sha256=HeaEbpVmFhhrZt2NsZteYaYoeo8FYKZF0IoNJwtzZkc,971
django/contrib/sessions/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/sessions/locale/en/LC_MESSAGES/django.po,sha256=afaM-IIUZtcRZduojUTS8tT0w7C4Ya9lXgReOvq_iF0,804
django/contrib/sessions/locale/en_AU/LC_MESSAGES/django.mo,sha256=FgY1K6IVyQjMjXqVZxcsyWW_Tu5ckfrbmIfNYq5P-_E,693
django/contrib/sessions/locale/en_AU/LC_MESSAGES/django.po,sha256=cMV15gJq8jNSUzkhn7uyOf2JYMFx7BNH1oFYa1vISnc,853
django/contrib/sessions/locale/en_GB/LC_MESSAGES/django.mo,sha256=T5NQCTYkpERfP9yKbUvixT0VdBt1zGmGB8ITlkVc420,707
django/contrib/sessions/locale/en_GB/LC_MESSAGES/django.po,sha256=1ks_VE1qpEfPcyKg0HybkTG0-DTttTHTfUPhQCR53sw,849
django/contrib/sessions/locale/eo/LC_MESSAGES/django.mo,sha256=eBvYQbZS_WxVV3QCSZAOyHNIljC2ZXxVc4mktUuXVjI,727
django/contrib/sessions/locale/eo/LC_MESSAGES/django.po,sha256=Ru9xicyTgHWVHh26hO2nQNFRQmwBnYKEagsS8TZRv3E,917
django/contrib/sessions/locale/es/LC_MESSAGES/django.mo,sha256=jbHSvHjO2OCLlBD66LefocKOEbefWbPhj-l3NugiWuc,734
django/contrib/sessions/locale/es/LC_MESSAGES/django.po,sha256=fY5WXeONEXHeuBlH0LkvzdZ2CSgbvLZ8BJc429aIbhI,909
django/contrib/sessions/locale/es_AR/LC_MESSAGES/django.mo,sha256=_8icF2dMUWj4WW967rc5npgndXBAdJrIiz_VKf5D-Rw,694
django/contrib/sessions/locale/es_AR/LC_MESSAGES/django.po,sha256=AnmvjeOA7EBTJ6wMOkCl8JRLVYRU8KS0egPijcKutns,879
django/contrib/sessions/locale/es_CO/LC_MESSAGES/django.mo,sha256=UP7ia0gV9W-l0Qq5AS4ZPadJtml8iuzzlS5C9guMgh8,754
django/contrib/sessions/locale/es_CO/LC_MESSAGES/django.po,sha256=_XeiiRWvDaGjofamsRHr5up_EQvcw0w-GLLeWK27Af8,878
django/contrib/sessions/locale/es_MX/LC_MESSAGES/django.mo,sha256=MDM0K3xMvyf8ymvAurHYuacpxfG_YfJFyNnp1uuc6yY,756
django/contrib/sessions/locale/es_MX/LC_MESSAGES/django.po,sha256=Y7VNa16F_yyK7_XJvF36rR2XNW8aBJK4UDweufyXpxE,892
django/contrib/sessions/locale/es_VE/LC_MESSAGES/django.mo,sha256=59fZBDut-htCj38ZUoqPjhXJPjZBz-xpU9__QFr3kLs,486
django/contrib/sessions/locale/es_VE/LC_MESSAGES/django.po,sha256=zWjgB0AmsmhX2tjk1PgldttqY56Czz8epOVCaYWXTLU,761
django/contrib/sessions/locale/et/LC_MESSAGES/django.mo,sha256=aL1jZWourEC7jtjsuBZHD-Gw9lpL6L1SoqjTtzguxD0,737
django/contrib/sessions/locale/et/LC_MESSAGES/django.po,sha256=VNBYohAOs59jYWkjVMY-v2zwVy5AKrtBbFRJZLwdCFg,899
django/contrib/sessions/locale/eu/LC_MESSAGES/django.mo,sha256=M9piOB_t-ZnfN6pX-jeY0yWh2S_5cCuo1oGiy7X65A4,728
django/contrib/sessions/locale/eu/LC_MESSAGES/django.po,sha256=bHdSoknoH0_dy26e93tWVdO4TT7rnCPXlSLPsYAhwyw,893
django/contrib/sessions/locale/fa/LC_MESSAGES/django.mo,sha256=6DdJcqaYuBnhpFFHR42w-RqML0eQPFMAUEEDY0Redy8,755
django/contrib/sessions/locale/fa/LC_MESSAGES/django.po,sha256=rklhNf0UFl2bM6mt7x9lWvfzPH4XWGbrW9Gc2w-9rzg,922
django/contrib/sessions/locale/fi/LC_MESSAGES/django.mo,sha256=oAugvlTEvJmG8KsZw09WcfnifYY5oHnGo4lxcxqKeaY,721
django/contrib/sessions/locale/fi/LC_MESSAGES/django.po,sha256=BVVrjbZZtLGAuZ9HK63p769CbjZFZMlS4BewSMfNMKU,889
django/contrib/sessions/locale/fr/LC_MESSAGES/django.mo,sha256=aDGYdzx2eInF6IZ-UzPDEJkuYVPnvwVND3qVuSfJNWw,692
django/contrib/sessions/locale/fr/LC_MESSAGES/django.po,sha256=hARxGdtBOzEZ_iVyzkNvcKlgyM8fOkdXTH3upj2XFYM,893
django/contrib/sessions/locale/fy/LC_MESSAGES/django.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/sessions/locale/fy/LC_MESSAGES/django.po,sha256=U-VEY4WbmIkmrnPK4Mv-B-pbdtDzusBCVmE8iHyvzFU,751
django/contrib/sessions/locale/ga/LC_MESSAGES/django.mo,sha256=zTrydRCRDiUQwF4tQ3cN1-5w36i6KptagsdA5_SaGy0,747
django/contrib/sessions/locale/ga/LC_MESSAGES/django.po,sha256=Qpk1JaUWiHSEPdgBk-O_KfvGzwlZ4IAA6c6-nsJe400,958
django/contrib/sessions/locale/gd/LC_MESSAGES/django.mo,sha256=Yi8blY_fUD5YTlnUD6YXZvv1qjm4QDriO6CJIUe1wIk,791
django/contrib/sessions/locale/gd/LC_MESSAGES/django.po,sha256=fEa40AUqA5vh743Zqv0FO2WxSFXGYk4IzUR4BoaP-C4,890
django/contrib/sessions/locale/gl/LC_MESSAGES/django.mo,sha256=lC8uu-mKxt48DLzRvaxz-mOqR0ZfvEuaBI1Hi_nuMpo,692
django/contrib/sessions/locale/gl/LC_MESSAGES/django.po,sha256=L34leIfwmRJoqX0jfefbNHz0CmON5cSaRXeh7pmFqCY,943
django/contrib/sessions/locale/he/LC_MESSAGES/django.mo,sha256=qhgjSWfGAOgl-i7iwzSrJttx88xcj1pB0iLkEK64mJU,809
django/contrib/sessions/locale/he/LC_MESSAGES/django.po,sha256=KvQG6wOpokM-2JkhWnB2UUQacy5Ie1402K_pH2zUOu0,1066
django/contrib/sessions/locale/hi/LC_MESSAGES/django.mo,sha256=naqxOjfAnNKy3qqnUG-4LGf9arLRJpjyWWmSj5tEfao,759
django/contrib/sessions/locale/hi/LC_MESSAGES/django.po,sha256=WnTGvOz9YINMcUJg2BYCaHceZLKaTfsba_0AZtRNP38,951
django/contrib/sessions/locale/hr/LC_MESSAGES/django.mo,sha256=axyJAmXmadpFxIhu8rroVD8NsGGadQemh9-_ZDo7L1U,819
django/contrib/sessions/locale/hr/LC_MESSAGES/django.po,sha256=3G-qOYXBO-eMWWsa5LwTCW9M1oF0hlWgEz7hAK8hJqI,998
django/contrib/sessions/locale/hsb/LC_MESSAGES/django.mo,sha256=_OXpOlCt4KU0i65Iw4LMjSsyn__E9wH20l9vDNBSEzw,805
django/contrib/sessions/locale/hsb/LC_MESSAGES/django.po,sha256=yv3vX_UCDrdl07GQ79Mnytwgz2oTvySYOG9enzMpFJA,929
django/contrib/sessions/locale/hu/LC_MESSAGES/django.mo,sha256=ik40LnsWkKYEUioJB9e11EX9XZ-qWMa-S7haxGhM-iI,727
django/contrib/sessions/locale/hu/LC_MESSAGES/django.po,sha256=1-UWEEsFxRwmshP2x4pJbitWIGZ1YMeDDxnAX-XGNxc,884
django/contrib/sessions/locale/hy/LC_MESSAGES/django.mo,sha256=x6VQWGdidRJFUJme-6jf1pcitktcQHQ7fhmw2UBej1Q,815
django/contrib/sessions/locale/hy/LC_MESSAGES/django.po,sha256=eRMa3_A2Vx195mx2lvza1v-wcEcEeMrU63f0bgPPFjc,893
django/contrib/sessions/locale/ia/LC_MESSAGES/django.mo,sha256=-o4aQPNJeqSDRSLqcKuYvJuKNBbFqDJDe3IzHgSgZeQ,744
django/contrib/sessions/locale/ia/LC_MESSAGES/django.po,sha256=PULLDd3QOIU03kgradgQzT6IicoPhLPlUvFgRl-tGbA,869
django/contrib/sessions/locale/id/LC_MESSAGES/django.mo,sha256=mOaIF0NGOO0-dt-nhHL-i3cfvt9-JKTbyUkFWPqDS9Y,705
django/contrib/sessions/locale/id/LC_MESSAGES/django.po,sha256=EA6AJno3CaFOO-dEU9VQ_GEI-RAXS0v0uFqn1RJGjEs,914
django/contrib/sessions/locale/io/LC_MESSAGES/django.mo,sha256=_rqAY6reegqmxmWc-pW8_kDaG9zflZuD-PGOVFsjRHo,683
django/contrib/sessions/locale/io/LC_MESSAGES/django.po,sha256=tbKMxGuB6mh_m0ex9rO9KkTy6qyuRW2ERrQsGwmPiaw,840
django/contrib/sessions/locale/is/LC_MESSAGES/django.mo,sha256=3QeMl-MCnBie9Sc_aQ1I7BrBhkbuArpoSJP95UEs4lg,706
django/contrib/sessions/locale/is/LC_MESSAGES/django.po,sha256=LADIFJv8L5vgDJxiQUmKPSN64zzzrIKImh8wpLBEVWQ,853
django/contrib/sessions/locale/it/LC_MESSAGES/django.mo,sha256=qTY3O-0FbbpZ5-BR5xOJWP0rlnIkBZf-oSawW_YJWlk,726
django/contrib/sessions/locale/it/LC_MESSAGES/django.po,sha256=hEv0iTGLuUvEBk-lF-w7a9P3ifC0-eiodNtuSc7cXhg,869
django/contrib/sessions/locale/ja/LC_MESSAGES/django.mo,sha256=hbv9FzWzXRIGRh_Kf_FLQB34xfmPU_9RQKn9u1kJqGU,757
django/contrib/sessions/locale/ja/LC_MESSAGES/django.po,sha256=ppGx5ekOWGgDF3vzyrWsqnFUZ-sVZZhiOhvAzl_8v54,920
django/contrib/sessions/locale/ka/LC_MESSAGES/django.mo,sha256=VZ-ysrDbea_-tMV-1xtlTeW62IAy2RWR94V3Y1iSh4U,803
django/contrib/sessions/locale/ka/LC_MESSAGES/django.po,sha256=hqiWUiATlrc7qISF7ndlelIrFwc61kzhKje9l-DY6V4,955
django/contrib/sessions/locale/kab/LC_MESSAGES/django.mo,sha256=W_yE0NDPJrVznA2Qb89VuprJNwyxSg59ovvjkQe6mAs,743
django/contrib/sessions/locale/kab/LC_MESSAGES/django.po,sha256=FJeEuv4P3NT_PpWHEUsQVSWXu65nYkJ6Z2AlbSKb0ZA,821
django/contrib/sessions/locale/kk/LC_MESSAGES/django.mo,sha256=FROGz_MuIhsIU5_-EYV38cHnRZrc3-OxxkBeK0ax9Rk,810
django/contrib/sessions/locale/kk/LC_MESSAGES/django.po,sha256=P-oHO3Oi3V_RjWHjEAHdTrDfTwKP2xh3yJh7BlXL1VQ,1029
django/contrib/sessions/locale/km/LC_MESSAGES/django.mo,sha256=VOuKsIG2DEeCA5JdheuMIeJlpmAhKrI6lD4KWYqIIPk,929
django/contrib/sessions/locale/km/LC_MESSAGES/django.po,sha256=09i6Nd_rUK7UqFpJ70LMXTR6xS0NuGETRLe0CopMVBk,1073
django/contrib/sessions/locale/kn/LC_MESSAGES/django.mo,sha256=TMZ71RqNR6zI20BeozyLa9cjYrWlvfIajGDfpnHd3pQ,810
django/contrib/sessions/locale/kn/LC_MESSAGES/django.po,sha256=whdM8P74jkAAHvjgJN8Q77dYd9sIsf_135ID8KBu-a8,990
django/contrib/sessions/locale/ko/LC_MESSAGES/django.mo,sha256=EUyVQYGtiFJg01mP30a0iOqBYHvpzHAcGTZM28Ubs5Q,700
django/contrib/sessions/locale/ko/LC_MESSAGES/django.po,sha256=PjntvSzRz_Aekj9VFhGsP5yO6rAsxTMzwFj58JqToIU,855
django/contrib/sessions/locale/ky/LC_MESSAGES/django.mo,sha256=ME7YUgKOYQz9FF_IdrqHImieEONDrkcn4T3HxTZKSV0,742
django/contrib/sessions/locale/ky/LC_MESSAGES/django.po,sha256=JZHTs9wYmlWzilRMyp-jZWFSzGxWtPiQefPmLL9yhtM,915
django/contrib/sessions/locale/lb/LC_MESSAGES/django.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/sessions/locale/lb/LC_MESSAGES/django.po,sha256=3igeAnQjDg6D7ItBkQQhyBoFJOZlBxT7NoZiExwD-Fo,749
django/contrib/sessions/locale/lt/LC_MESSAGES/django.mo,sha256=L9w8-qxlDlCqR_2P0PZegfhok_I61n0mJ1koJxzufy4,786
django/contrib/sessions/locale/lt/LC_MESSAGES/django.po,sha256=dEefLGtg5flFr_v4vHS5HhK1kxx9WYWTw98cvEn132M,1023
django/contrib/sessions/locale/lv/LC_MESSAGES/django.mo,sha256=exEzDUNwNS0GLsUkKPu_SfqBxU7T6VRA_T2schIQZ88,753
django/contrib/sessions/locale/lv/LC_MESSAGES/django.po,sha256=fBgQEbsGg1ECVm1PFDrS2sfKs2eqmsqrSYzx9ELotNQ,909
django/contrib/sessions/locale/mk/LC_MESSAGES/django.mo,sha256=4oTWp8-qzUQBiqG32hNieABgT3O17q2C4iEhcFtAxLA,816
django/contrib/sessions/locale/mk/LC_MESSAGES/django.po,sha256=afApb5YRhPXUWR8yF_TTym73u0ov7lWiwRda1-uNiLY,988
django/contrib/sessions/locale/ml/LC_MESSAGES/django.mo,sha256=tff5TsHILSV1kAAB3bzHQZDB9fgMglZJTofzCunGBzc,854
django/contrib/sessions/locale/ml/LC_MESSAGES/django.po,sha256=eRkeupt42kUey_9vJmlH8USshnXPZ8M7aYHq88u-5iY,1016
django/contrib/sessions/locale/mn/LC_MESSAGES/django.mo,sha256=CcCH2ggVYrD29Q11ZMthcscBno2ePkQDbZfoYquTRPM,784
django/contrib/sessions/locale/mn/LC_MESSAGES/django.po,sha256=nvcjbJzXiDvWFXrM5CxgOQIq8XucsZEUVdYkY8LnCRE,992
django/contrib/sessions/locale/mr/LC_MESSAGES/django.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/sessions/locale/mr/LC_MESSAGES/django.po,sha256=FQRdZ-qIDuvTCrwbnWfxoxNi8rywLSebcNbxGvr-hb0,743
django/contrib/sessions/locale/ms/LC_MESSAGES/django.mo,sha256=rFi4D_ZURYUPjs5AqJ66bW70yL7AekAKWnrZRBvGPiE,649
django/contrib/sessions/locale/ms/LC_MESSAGES/django.po,sha256=nZuJ_D0JZUzmGensLa7tSgzbBo05qgQcuHmte2oU6WQ,786
django/contrib/sessions/locale/my/LC_MESSAGES/django.mo,sha256=8zzzyfJYok969YuAwDUaa6YhxaSi3wcXy3HRNXDb_70,872
django/contrib/sessions/locale/my/LC_MESSAGES/django.po,sha256=mfs0zRBI0tugyyEfXBZzZ_FMIohydq6EYPZGra678pw,997
django/contrib/sessions/locale/nb/LC_MESSAGES/django.mo,sha256=hfJ1NCFgcAAtUvNEpaZ9b31PyidHxDGicifUWANIbM8,717
django/contrib/sessions/locale/nb/LC_MESSAGES/django.po,sha256=yXr6oYuiu01oELdQKuztQFWz8x5C2zS5OzEfU9MHJsU,908
django/contrib/sessions/locale/ne/LC_MESSAGES/django.mo,sha256=slFgMrqGVtLRHdGorLGPpB09SM92_WnbnRR0rlpNlPQ,802
django/contrib/sessions/locale/ne/LC_MESSAGES/django.po,sha256=1vyoiGnnaB8f9SFz8PGfzpw6V_NoL78DQwjjnB6fS98,978
django/contrib/sessions/locale/nl/LC_MESSAGES/django.mo,sha256=84BTlTyxa409moKbQMFyJisI65w22p09qjJHBAmQe-g,692
django/contrib/sessions/locale/nl/LC_MESSAGES/django.po,sha256=smRr-QPGm6h6hdXxghggWES8b2NnL7yDQ07coUypa8g,909
django/contrib/sessions/locale/nn/LC_MESSAGES/django.mo,sha256=cytH72J3yS1PURcgyrD8R2PV5d3SbPE73IAqOMBPPVg,667
django/contrib/sessions/locale/nn/LC_MESSAGES/django.po,sha256=y9l60yy_W3qjxWzxgJg5VgEH9KAIHIQb5hv7mgnep9w,851
django/contrib/sessions/locale/os/LC_MESSAGES/django.mo,sha256=xVux1Ag45Jo9HQBbkrRzcWrNjqP09nMQl16jIh0YVlo,732
django/contrib/sessions/locale/os/LC_MESSAGES/django.po,sha256=1hG5Vsz2a2yW05_Z9cTNrBKtK9VRPZuQdx4KJ_0n98o,892
django/contrib/sessions/locale/pa/LC_MESSAGES/django.mo,sha256=qEx4r_ONwXK1-qYD5uxxXEQPqK5I6rf38QZoUSm7UVA,771
django/contrib/sessions/locale/pa/LC_MESSAGES/django.po,sha256=M7fmVGP8DtZGEuTV3iJhuWWqILVUTDZvUey_mrP4_fM,918
django/contrib/sessions/locale/pl/LC_MESSAGES/django.mo,sha256=F9CQb7gQ1ltP6B82JNKu8IAsTdHK5TNke0rtDIgNz3c,828
django/contrib/sessions/locale/pl/LC_MESSAGES/django.po,sha256=C_MJBB-vwTZbx-t4-mzun-RxHhdOVv04b6xrWdnTv8E,1084
django/contrib/sessions/locale/pt/LC_MESSAGES/django.mo,sha256=dlJF7hF4GjLmQPdAJhtf-FCKX26XsOmZlChOcxxIqPk,738
django/contrib/sessions/locale/pt/LC_MESSAGES/django.po,sha256=cOycrw3HCHjSYBadpalyrg5LdRTlqZCTyMh93GOQ8O0,896
django/contrib/sessions/locale/pt_BR/LC_MESSAGES/django.mo,sha256=XHNF5D8oXIia3e3LYwxd46a2JOgDc_ykvc8yuo21fT0,757
django/contrib/sessions/locale/pt_BR/LC_MESSAGES/django.po,sha256=K_zxKaUKngWPFpvHgXOcymJEsiONSw-OrVrroRXmUUk,924
django/contrib/sessions/locale/ro/LC_MESSAGES/django.mo,sha256=WR9I9Gum_pq7Qg2Gzhf-zAv43OwR_uDtsbhtx4Ta5gE,776
django/contrib/sessions/locale/ro/LC_MESSAGES/django.po,sha256=fEgVxL_0Llnjspu9EsXBf8AVL0DGdfF7NgV88G7WN1E,987
django/contrib/sessions/locale/ru/LC_MESSAGES/django.mo,sha256=n-8vXR5spEbdfyeWOYWC_6kBbAppNoRrWYgqKFY6gJA,913
django/contrib/sessions/locale/ru/LC_MESSAGES/django.po,sha256=sNqNGdoof6eXzFlh4YIp1O54MdDOAFDjD3GvAFsNP8k,1101
django/contrib/sessions/locale/sk/LC_MESSAGES/django.mo,sha256=Yntm624Wt410RwuNPU1c-WwQoyrRrBs69VlKMlNUHeQ,766
django/contrib/sessions/locale/sk/LC_MESSAGES/django.po,sha256=wt7BJk6RpFogJ2Wwa9Mh0mJi9YMpNYKTUSDuDuv1Ong,975
django/contrib/sessions/locale/sl/LC_MESSAGES/django.mo,sha256=EE6mB8BiYRyAxK6qzurRWcaYVs96FO_4rERYQdtIt3k,770
django/contrib/sessions/locale/sl/LC_MESSAGES/django.po,sha256=KTjBWyvaNCHbpV9K6vbnavwxxXqf2DlIqVPv7MVFcO8,928
django/contrib/sessions/locale/sq/LC_MESSAGES/django.mo,sha256=eRaTy3WOC76EYLtMSD4xtJj2h8eE4W-TS4VvCVxI5bw,683
django/contrib/sessions/locale/sq/LC_MESSAGES/django.po,sha256=9pzp7834LQKafe5fJzC4OKsAd6XfgtEQl6K6hVLaBQM,844
django/contrib/sessions/locale/sr/LC_MESSAGES/django.mo,sha256=ZDBOYmWIoSyDeT0nYIIFeMtW5jwpr257CbdTZlkVeRQ,855
django/contrib/sessions/locale/sr/LC_MESSAGES/django.po,sha256=OXQOYeac0ghuzLrwaErJGr1FczuORTu2yroFX5hvRnk,1027
django/contrib/sessions/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=f3x9f9hTOsJltghjzJMdd8ueDwzxJex6zTXsU-_Hf_Y,757
django/contrib/sessions/locale/sr_Latn/LC_MESSAGES/django.po,sha256=HKjo7hjSAvgrIvlI0SkgF3zxz8TtKWyBT51UGNhDwek,946
django/contrib/sessions/locale/sv/LC_MESSAGES/django.mo,sha256=SGbr0K_5iAMA22MfseAldMDgLSEBrI56pCtyV8tMAPc,707
django/contrib/sessions/locale/sv/LC_MESSAGES/django.po,sha256=vraY3915wBYGeYu9Ro0-TlBeLWqGZP1fbckLv8y47Ys,853
django/contrib/sessions/locale/sw/LC_MESSAGES/django.mo,sha256=Edhqp8yuBnrGtJqPO7jxobeXN4uU5wKSLrOsFO1F23k,743
django/contrib/sessions/locale/sw/LC_MESSAGES/django.po,sha256=iY4rN4T-AA2FBQA7DiWWFvrclqKiDYQefqwwVw61-f8,858
django/contrib/sessions/locale/ta/LC_MESSAGES/django.mo,sha256=qLIThhFQbJKc1_UVr7wVIm1rJfK2rO5m84BCB_oKq7s,801
django/contrib/sessions/locale/ta/LC_MESSAGES/django.po,sha256=bYqtYf9XgP9IKKFJXh0u64JhRhDvPPUliI1J-NeRpKE,945
django/contrib/sessions/locale/te/LC_MESSAGES/django.mo,sha256=kteZeivEckt4AmAeKgmgouMQo1qqSQrI8M42B16gMnQ,786
django/contrib/sessions/locale/te/LC_MESSAGES/django.po,sha256=dQgiNS52RHrL6bV9CEO7Jk9lk3YUQrUBDCg_bP2OSZc,980
django/contrib/sessions/locale/tg/LC_MESSAGES/django.mo,sha256=N6AiKfV47QTlO5Z_r4SQZXVLtouu-NVSwWkePgD17Tc,747
django/contrib/sessions/locale/tg/LC_MESSAGES/django.po,sha256=wvvDNu060yqlTxy3swM0x3v6QpvCB9DkfNm0Q-kb9Xk,910
django/contrib/sessions/locale/th/LC_MESSAGES/django.mo,sha256=D41vbkoYMdYPj3587p-c5yytLVi9pE5xvRZEYhZrxPs,814
django/contrib/sessions/locale/th/LC_MESSAGES/django.po,sha256=43704TUv4ysKhL8T5MowZwlyv1JZrPyVGrpdIyb3r40,988
django/contrib/sessions/locale/tk/LC_MESSAGES/django.mo,sha256=pT_hpKCwFT60GUXzD_4z8JOhmh1HRnkZj-QSouVEgUA,699
django/contrib/sessions/locale/tk/LC_MESSAGES/django.po,sha256=trqXxfyIbh4V4szol0pXETmEWRxAAKywPZ9EzVMVE-I,865
django/contrib/sessions/locale/tr/LC_MESSAGES/django.mo,sha256=STDnYOeO1d9nSCVf7pSkMq8R7z1aeqq-xAuIYjsofuE,685
django/contrib/sessions/locale/tr/LC_MESSAGES/django.po,sha256=XYKo0_P5xitYehvjMzEw2MTp_Nza-cIXEECV3dA6BmY,863
django/contrib/sessions/locale/tt/LC_MESSAGES/django.mo,sha256=Q-FGu_ljTsxXO_EWu7zCzGwoqFXkeoTzWSlvx85VLGc,806
django/contrib/sessions/locale/tt/LC_MESSAGES/django.po,sha256=UC85dFs_1836noZTuZEzPqAjQMFfSvj7oGmEWOGcfCA,962
django/contrib/sessions/locale/udm/LC_MESSAGES/django.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/sessions/locale/udm/LC_MESSAGES/django.po,sha256=CPml2Fn9Ax_qO5brCFDLPBoTiNdvsvJb1btQ0COwUfY,737
django/contrib/sessions/locale/uk/LC_MESSAGES/django.mo,sha256=jzNrLuFghQMCHNRQ0ihnKMCicgear0yWiTOLnvdPszw,841
django/contrib/sessions/locale/uk/LC_MESSAGES/django.po,sha256=4K2geuGjRpJCtNfGPMhYWZlGxUy5xzIoDKA2jL2iGos,1171
django/contrib/sessions/locale/ur/LC_MESSAGES/django.mo,sha256=FkGIiHegr8HR8zjVyJ9TTW1T9WYtAL5Mg77nRKnKqWk,729
django/contrib/sessions/locale/ur/LC_MESSAGES/django.po,sha256=qR4QEBTP6CH09XFCzsPSPg2Dv0LqzbRV_I67HO2OUwk,879
django/contrib/sessions/locale/uz/LC_MESSAGES/django.mo,sha256=asPu0RhMB_Ui1li-OTVL4qIXnM9XpjsYyx5yJldDYBY,744
django/contrib/sessions/locale/uz/LC_MESSAGES/django.po,sha256=KsHuLgGJt-KDH0h6ND7JLP2dDJAdLVHSlau4DkkfqA8,880
django/contrib/sessions/locale/vi/LC_MESSAGES/django.mo,sha256=KriTpT-Hgr10DMnY5Bmbd4isxmSFLmav8vg2tuL2Bb8,679
django/contrib/sessions/locale/vi/LC_MESSAGES/django.po,sha256=M7S46Q0Q961ykz_5FCAN8SXQ54w8tp4rZeZpy6bPtXs,909
django/contrib/sessions/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=zsbhIMocgB8Yn1XEBxbIIbBh8tLifvvYNlhe5U61ch8,722
django/contrib/sessions/locale/zh_Hans/LC_MESSAGES/django.po,sha256=tPshgXjEv6pME4N082ztamJhd5whHB2_IV_egdP-LlQ,889
django/contrib/sessions/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=WZzfpFKZ41Pu8Q9SuhGu3hXwp4eiq8Dt8vdiQfxvF9M,733
django/contrib/sessions/locale/zh_Hant/LC_MESSAGES/django.po,sha256=6IRDQu6-PAYh6SyEIcKdhuR172lX0buY8qqsU0QXlYU,898
django/contrib/sessions/management/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sessions/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sessions/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sessions/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sessions/management/commands/__pycache__/clearsessions.cpython-311.pyc,,
django/contrib/sessions/management/commands/clearsessions.py,sha256=pAiO5o7zgButVlYAV93bPnmiwzWP7V5N7-xPtxSkjJg,661
django/contrib/sessions/middleware.py,sha256=ziZex9xiqxBYl9SC91i4QIDYuoenz4OoKaNO7sXu8kQ,3483
django/contrib/sessions/migrations/0001_initial.py,sha256=KqQ44jk-5RNcTdqUv95l_UnoMA8cP5O-0lrjoJ8vabk,1148
django/contrib/sessions/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sessions/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/sessions/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sessions/models.py,sha256=BguwuQSDzpeTNXhteYRAcspg1rop431tjFeZUVWZNYc,1250
django/contrib/sessions/serializers.py,sha256=x8cVZhsG5RBJZaK4wKsuAcEYKv6rop9V9Y7mDySyOwM,256
django/contrib/sitemaps/__init__.py,sha256=ng5muiTD0AJ42jQK-7Fqg2dtgGM3ZBgAa8hAJWdjWfY,9317
django/contrib/sitemaps/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sitemaps/__pycache__/apps.cpython-311.pyc,,
django/contrib/sitemaps/__pycache__/views.cpython-311.pyc,,
django/contrib/sitemaps/apps.py,sha256=xYE-mAs37nL8ZAnv052LhUKVUwGYKB3xyPy4t8pwOpw,249
django/contrib/sitemaps/management/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sitemaps/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sitemaps/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sitemaps/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sitemaps/management/commands/__pycache__/ping_google.cpython-311.pyc,,
django/contrib/sitemaps/management/commands/ping_google.py,sha256=cU6bAGhDARD7ZM2R9cUZufEPiB9ZrM7Nc3EbghQJI5Y,558
django/contrib/sitemaps/templates/sitemap.xml,sha256=L092SHTtwtmNJ_Lj_jLrzHhfI0-OKKIw5fpyOfr4qRs,683
django/contrib/sitemaps/templates/sitemap_index.xml,sha256=SQf9avfFmnT8j-nLEc8lVQQcdhiy_qhnqjssIMti3oU,360
django/contrib/sitemaps/views.py,sha256=KO6YLAh1aklaw60PyEif9t5G9BNF6V2O5T2r2EmUPls,5032
django/contrib/sites/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sites/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sites/__pycache__/admin.cpython-311.pyc,,
django/contrib/sites/__pycache__/apps.cpython-311.pyc,,
django/contrib/sites/__pycache__/checks.cpython-311.pyc,,
django/contrib/sites/__pycache__/management.cpython-311.pyc,,
django/contrib/sites/__pycache__/managers.cpython-311.pyc,,
django/contrib/sites/__pycache__/middleware.cpython-311.pyc,,
django/contrib/sites/__pycache__/models.cpython-311.pyc,,
django/contrib/sites/__pycache__/requests.cpython-311.pyc,,
django/contrib/sites/__pycache__/shortcuts.cpython-311.pyc,,
django/contrib/sites/admin.py,sha256=IWvGDQUTDPEUsd-uuxfHxJq4syGtddNKUdkP0nmVUMA,214
django/contrib/sites/apps.py,sha256=uBLHUyQoSuo1Q7NwLTwlvsTuRU1MXwj4t6lRUnIBdwk,562
django/contrib/sites/checks.py,sha256=SsFycVVw6JcbMNF1tNgCen9dix-UGrMTWz8Gbb80adQ,340
django/contrib/sites/locale/af/LC_MESSAGES/django.mo,sha256=A10bZFMs-wUetVfF5UrFwmuiKnN4ZnlrR4Rx8U4Ut1A,786
django/contrib/sites/locale/af/LC_MESSAGES/django.po,sha256=O0-ZRvmXvV_34kONuqakuXV5OmYbQ569K1Puj3qQNac,907
django/contrib/sites/locale/ar/LC_MESSAGES/django.mo,sha256=kLoytp2jvhWn6p1c8kNVua2sYAMnrpS4xnbluHD22Vs,947
django/contrib/sites/locale/ar/LC_MESSAGES/django.po,sha256=HYA3pA29GktzXBP-soUEn9VP2vkZuhVIXVA8TNPCHCs,1135
django/contrib/sites/locale/ar_DZ/LC_MESSAGES/django.mo,sha256=-ltwY57Th6LNqU3bgOPPP7qWtII5c6rj8Dv8eY7PZ84,918
django/contrib/sites/locale/ar_DZ/LC_MESSAGES/django.po,sha256=KRTjZ2dFRWVPmE_hC5Hq8eDv3GQs3yQKCgV5ISFmEKk,1079
django/contrib/sites/locale/ast/LC_MESSAGES/django.mo,sha256=eEvaeiGnZFBPGzKLlRz4M9AHemgJVAb-yNpbpxRqtd0,774
django/contrib/sites/locale/ast/LC_MESSAGES/django.po,sha256=huBohKzLpdaJRFMFXXSDhDCUOqVqyWXfxb8_lLOkUd0,915
django/contrib/sites/locale/az/LC_MESSAGES/django.mo,sha256=CjAGI4qGoXN95q4LpCLXLKvaNB33Ocf5SfXdurFBkas,773
django/contrib/sites/locale/az/LC_MESSAGES/django.po,sha256=E84kNPFhgHmIfYT0uzCnTPGwPkAqKzqwFvJB7pETbVo,933
django/contrib/sites/locale/be/LC_MESSAGES/django.mo,sha256=HGh78mI50ZldBtQ8jId26SI-lSHv4ZLcveRN2J8VzH8,983
django/contrib/sites/locale/be/LC_MESSAGES/django.po,sha256=W5FhVJKcmd3WHl2Lpd5NJUsc7_sE_1Pipk3CVPoGPa4,1152
django/contrib/sites/locale/bg/LC_MESSAGES/django.mo,sha256=a2R52umIQIhnzFaFYSRhQ6nBlywE8RGMj2FUOFmyb0A,904
django/contrib/sites/locale/bg/LC_MESSAGES/django.po,sha256=awB8RMS-qByhNB6eH2f0Oyxb3SH8waLhrZ--rokGfaI,1118
django/contrib/sites/locale/bn/LC_MESSAGES/django.mo,sha256=cI3a9_L-OC7gtdyRNaGX7A5w0Za0M4ERnYB7rSNkuRU,925
django/contrib/sites/locale/bn/LC_MESSAGES/django.po,sha256=8ZxYF16bgtTZSZRZFok6IJxUV02vIztoVx2qXqwO8NM,1090
django/contrib/sites/locale/br/LC_MESSAGES/django.mo,sha256=rI_dIznbwnadZbxOPtQxZ1pGYePNwcNNXt05iiPkchU,1107
django/contrib/sites/locale/br/LC_MESSAGES/django.po,sha256=7Ein5Xw73DNGGtdd595Bx6ixfSD-dBXZNBUU44pSLuQ,1281
django/contrib/sites/locale/bs/LC_MESSAGES/django.mo,sha256=bDeqQNme586LnQRQdvOWaLGZssjOoECef3vMq_OCXno,692
django/contrib/sites/locale/bs/LC_MESSAGES/django.po,sha256=xRTWInDNiLxikjwsjgW_pYjhy24zOro90-909ns9fig,923
django/contrib/sites/locale/ca/LC_MESSAGES/django.mo,sha256=lEUuQEpgDY3bVWzRONrPzYlojRoNduT16_oYDkkbdfk,791
django/contrib/sites/locale/ca/LC_MESSAGES/django.po,sha256=aORAoVn69iG1ynmEfnkBzBO-UZOzzbkPVOU-ZvfMtZg,996
django/contrib/sites/locale/ckb/LC_MESSAGES/django.mo,sha256=Chp4sX73l_RFw4aaf9x67vEO1_cM8eh5c0URKBgMU-Q,843
django/contrib/sites/locale/ckb/LC_MESSAGES/django.po,sha256=2NPav4574kEwTS_nZTUoVbYxJFzsaC5MdQUCD9iqC6E,1007
django/contrib/sites/locale/cs/LC_MESSAGES/django.mo,sha256=mnXnpU7sLDTJ3OrIUTnGarPYsupNIUPV4ex_BPWU8fk,827
django/contrib/sites/locale/cs/LC_MESSAGES/django.po,sha256=ONzFlwzmt7p5jdp6111qQkkevckRrd7GNS0lkDPKu-4,1035
django/contrib/sites/locale/cy/LC_MESSAGES/django.mo,sha256=70pOie0K__hkmM9oBUaQfVwHjK8Cl48E26kRQL2mtew,835
django/contrib/sites/locale/cy/LC_MESSAGES/django.po,sha256=FAZrVc72x-4R1A-1qYOBwADoXngC_F6FO8nRjr5-Z6g,1013
django/contrib/sites/locale/da/LC_MESSAGES/django.mo,sha256=FTOyV1DIH9sMldyjgPw98d2HCotoO4zJ_KY_C9DCB7Y,753
django/contrib/sites/locale/da/LC_MESSAGES/django.po,sha256=Po1Z6u52CFCyz9hLfK009pMbZzZgHrBse0ViX8wCYm8,957
django/contrib/sites/locale/de/LC_MESSAGES/django.mo,sha256=5Q6X0_bDQ1ZRpkTy7UpPNzrhmQsB9Q0P1agB7koRyzs,792
django/contrib/sites/locale/de/LC_MESSAGES/django.po,sha256=aD0wBinqtDUPvBbwtHrLEhFdoVRx1nOh17cJFuWhN3U,980
django/contrib/sites/locale/dsb/LC_MESSAGES/django.mo,sha256=pPpWYsYp81MTrqCsGF0QnGktZNIll70bdBwSkuVE8go,868
django/contrib/sites/locale/dsb/LC_MESSAGES/django.po,sha256=IA3G8AKJls20gzfxnrfPzivMNpL8A0zBQBg7OyzrP6g,992
django/contrib/sites/locale/el/LC_MESSAGES/django.mo,sha256=G9o1zLGysUePGzZRicQ2aIIrc2UXMLTQmdpbrUMfWBU,878
django/contrib/sites/locale/el/LC_MESSAGES/django.po,sha256=RBi_D-_znYuV6LXfTlSOf1Mvuyl96fIyEoiZ-lgeyWs,1133
django/contrib/sites/locale/en/LC_MESSAGES/django.mo,sha256=U0OV81NfbuNL9ctF-gbGUG5al1StqN-daB-F-gFBFC8,356
django/contrib/sites/locale/en/LC_MESSAGES/django.po,sha256=tSjfrNZ_FqLHsXjm5NuTyo5-JpdlPLsPZjFqF2APhy8,817
django/contrib/sites/locale/en_AU/LC_MESSAGES/django.mo,sha256=G--2j_CR99JjRgVIX2Y_5pDfO7IgIkvK4kYHZtGzpxU,753
django/contrib/sites/locale/en_AU/LC_MESSAGES/django.po,sha256=Giw634r94MJT1Q3qgqM7gZakQCasRM9Dm7MDkb9JOc8,913
django/contrib/sites/locale/en_GB/LC_MESSAGES/django.mo,sha256=FbSh7msJdrHsXr0EtDMuODFzSANG_HJ3iBlW8ePpqFs,639
django/contrib/sites/locale/en_GB/LC_MESSAGES/django.po,sha256=Ib-DIuTWlrN3kg99kLCuqWJVtt1NWaFD4UbDFK6d4KY,862
django/contrib/sites/locale/eo/LC_MESSAGES/django.mo,sha256=N4KkH12OHxic3pp1okeBhpfDx8XxxpULk3UC219vjWU,792
django/contrib/sites/locale/eo/LC_MESSAGES/django.po,sha256=ymXSJaFJWGBO903ObqR-ows-p4T3KyUplc_p_3r1uk8,1043
django/contrib/sites/locale/es/LC_MESSAGES/django.mo,sha256=qLN1uoCdslxdYWgdjgSBi7szllP-mQZtHbuZnNOthsQ,804
django/contrib/sites/locale/es/LC_MESSAGES/django.po,sha256=QClia2zY39269VSQzkQsLwwukthN6u2JBsjbLNxA1VQ,1066
django/contrib/sites/locale/es_AR/LC_MESSAGES/django.mo,sha256=_O4rVk7IM2BBlZvjDP2SvTOo8WWqthQi5exQzt027-s,776
django/contrib/sites/locale/es_AR/LC_MESSAGES/django.po,sha256=RwyNylXbyxdSXn6qRDXd99-GaEPlmr6TicHTUW0boaQ,969
django/contrib/sites/locale/es_CO/LC_MESSAGES/django.mo,sha256=a4Xje2M26wyIx6Wlg6puHo_OXjiDEy7b0FquT9gbThA,825
django/contrib/sites/locale/es_CO/LC_MESSAGES/django.po,sha256=9bnRhVD099JzkheO80l65dufjuawsj9aSFgFu5A-lnM,949
django/contrib/sites/locale/es_MX/LC_MESSAGES/django.mo,sha256=AtGta5jBL9XNBvfSpsCcnDtDhvcb89ALl4hNjSPxibM,809
django/contrib/sites/locale/es_MX/LC_MESSAGES/django.po,sha256=TnkpQp-7swH-x9cytUJe-QJRd2n_pYMVo0ltDw9Pu8o,991
django/contrib/sites/locale/es_VE/LC_MESSAGES/django.mo,sha256=59fZBDut-htCj38ZUoqPjhXJPjZBz-xpU9__QFr3kLs,486
django/contrib/sites/locale/es_VE/LC_MESSAGES/django.po,sha256=8PWXy2L1l67wDIi98Q45j7OpVITr0Lt4zwitAnB-d_o,791
django/contrib/sites/locale/et/LC_MESSAGES/django.mo,sha256=I2E-49UQsG-F26OeAfnKlfUdA3YCkUSV8ffA-GMSkE0,788
django/contrib/sites/locale/et/LC_MESSAGES/django.po,sha256=mEfD6EyQ15PPivb5FTlkabt3Lo_XGtomI9XzHrrh34Y,992
django/contrib/sites/locale/eu/LC_MESSAGES/django.mo,sha256=1HTAFI3DvTAflLJsN7NVtSd4XOTlfoeLGFyYCOX69Ec,807
django/contrib/sites/locale/eu/LC_MESSAGES/django.po,sha256=NWxdE5-mF6Ak4nPRpCFEgAMIsVDe9YBEZl81v9kEuX8,1023
django/contrib/sites/locale/fa/LC_MESSAGES/django.mo,sha256=odtsOpZ6noNqwDb18HDc2e6nz3NMsa-wrTN-9dk7d9w,872
django/contrib/sites/locale/fa/LC_MESSAGES/django.po,sha256=-DirRvcTqcpIy90QAUiCSoNkCDRifqpWSzLriJ4cwQU,1094
django/contrib/sites/locale/fi/LC_MESSAGES/django.mo,sha256=I5DUeLk1ChUC32q5uzriABCLLJpJKNbEK4BfqylPQzg,786
django/contrib/sites/locale/fi/LC_MESSAGES/django.po,sha256=LH2sFIKM3YHPoz9zIu10z1DFv1svXphBdOhXNy4a17s,929
django/contrib/sites/locale/fr/LC_MESSAGES/django.mo,sha256=W7Ne5HqgnRcl42njzbUaDSY059jdhwvr0tgZzecVWD8,756
django/contrib/sites/locale/fr/LC_MESSAGES/django.po,sha256=u24rHDJ47AoBgcmBwI1tIescAgbjFxov6y906H_uhK0,999
django/contrib/sites/locale/fy/LC_MESSAGES/django.mo,sha256=YQQy7wpjBORD9Isd-p0lLzYrUgAqv770_56-vXa0EOc,476
django/contrib/sites/locale/fy/LC_MESSAGES/django.po,sha256=Yh6Lw0QI2Me0zCtlyXraFLjERKqklB6-IJLDTjH_jTs,781
django/contrib/sites/locale/ga/LC_MESSAGES/django.mo,sha256=g5popLirHXWn6ZWJHESQaG5MmKWZL_JNI_5Vgn5FTqU,683
django/contrib/sites/locale/ga/LC_MESSAGES/django.po,sha256=34hj3ELt7GQ7CaHL246uBDmvsVUaaN5kTrzt8j7eETM,962
django/contrib/sites/locale/gd/LC_MESSAGES/django.mo,sha256=df4XIGGD6FIyMUXsb-SoSqNfBFAsRXf4qYtolh_C964,858
django/contrib/sites/locale/gd/LC_MESSAGES/django.po,sha256=NPKp7A5-y-MR7r8r4WqtcVQJEHCIOP5mLTd0cIfUsug,957
django/contrib/sites/locale/gl/LC_MESSAGES/django.mo,sha256=tiRYDFC1_V2n1jkEQqhjjQBdZzFkhxzNfHIzG2l3PX4,728
django/contrib/sites/locale/gl/LC_MESSAGES/django.po,sha256=DNY_rv6w6VrAu3hMUwx3cgLLyH4PFfgaJ9dSKfLBrpI,979
django/contrib/sites/locale/he/LC_MESSAGES/django.mo,sha256=L3bganfG4gHqp2WXGh4rfWmmbaIxHaGc7-ypAqjSL_E,820
django/contrib/sites/locale/he/LC_MESSAGES/django.po,sha256=iO3OZwz2aiuAzugkKp5Hxonwdg3kKjBurxR685J2ZMk,1082
django/contrib/sites/locale/hi/LC_MESSAGES/django.mo,sha256=J4oIS1vJnCvdCCUD4tlTUVyTe4Xn0gKcWedfhH4C0t0,665
django/contrib/sites/locale/hi/LC_MESSAGES/django.po,sha256=INBrm37jL3okBHuzX8MSN1vMptj77a-4kwQkAyt8w_8,890
django/contrib/sites/locale/hr/LC_MESSAGES/django.mo,sha256=KjDUhEaOuYSMexcURu2UgfkatN2rrUcAbCUbcpVSInk,876
django/contrib/sites/locale/hr/LC_MESSAGES/django.po,sha256=-nFMFkVuDoKYDFV_zdNULOqQlnqtiCG57aakN5hqlmg,1055
django/contrib/sites/locale/hsb/LC_MESSAGES/django.mo,sha256=RyHVb7u9aRn5BXmWzR1gApbZlOioPDJ59ufR1Oo3e8Y,863
django/contrib/sites/locale/hsb/LC_MESSAGES/django.po,sha256=Aq54y5Gb14bIt28oDDrFltnSOk31Z2YalwaJMDMXfWc,987
django/contrib/sites/locale/hu/LC_MESSAGES/django.mo,sha256=P--LN84U2BeZAvRVR-OiWl4R02cTTBi2o8XR2yHIwIU,796
django/contrib/sites/locale/hu/LC_MESSAGES/django.po,sha256=b0VhyFdNaZZR5MH1vFsLL69FmICN8Dz-sTRk0PdK49E,953
django/contrib/sites/locale/hy/LC_MESSAGES/django.mo,sha256=Hs9XwRHRkHicLWt_NvWvr7nMocmY-Kc8XphhVSAMQRc,906
django/contrib/sites/locale/hy/LC_MESSAGES/django.po,sha256=MU4hXXGfjXKfYcjxDYzFfsEUIelz5ZzyQLkeSrUQKa0,1049
django/contrib/sites/locale/ia/LC_MESSAGES/django.mo,sha256=gRMs-W5EiY26gqzwnDXEMbeb1vs0bYZ2DC2a9VCciew,809
django/contrib/sites/locale/ia/LC_MESSAGES/django.po,sha256=HXZzn9ACIqfR2YoyvpK2FjZ7QuEq_RVZ1kSC4nxMgeg,934
django/contrib/sites/locale/id/LC_MESSAGES/django.mo,sha256=__2E_2TmVUcbf1ygxtS1lHvkhv8L0mdTAtJpBsdH24Y,791
django/contrib/sites/locale/id/LC_MESSAGES/django.po,sha256=e5teAHiMjLR8RDlg8q99qtW-K81ltcIiBIdb1MZw2sE,1000
django/contrib/sites/locale/io/LC_MESSAGES/django.mo,sha256=W-NP0b-zR1oWUZnHZ6fPu5AC2Q6o7nUNoxssgeguUBo,760
django/contrib/sites/locale/io/LC_MESSAGES/django.po,sha256=G4GUUz3rxoBjWTs-j5RFCvv52AEHiwrCBwom5hYeBSE,914
django/contrib/sites/locale/is/LC_MESSAGES/django.mo,sha256=lkJgTzDjh5PNfIJpOS2DxKmwVUs9Sl5XwFHv4YdCB30,812
django/contrib/sites/locale/is/LC_MESSAGES/django.po,sha256=1DVgAcHSZVyDd5xn483oqICIG4ooyZY8ko7A3aDogKM,976
django/contrib/sites/locale/it/LC_MESSAGES/django.mo,sha256=6NQjjtDMudnAgnDCkemOXinzX0J-eAE5gSq1F8kjusY,795
django/contrib/sites/locale/it/LC_MESSAGES/django.po,sha256=zxavlLMmp1t1rCDsgrw12kVgxiK5EyR_mOalSu8-ws8,984
django/contrib/sites/locale/ja/LC_MESSAGES/django.mo,sha256=RNuCS6wv8uK5TmXkSH_7SjsbUFkf24spZfTsvfoTKro,814
django/contrib/sites/locale/ja/LC_MESSAGES/django.po,sha256=e-cj92VOVc5ycIY6NwyFh5bO7Q9q5vp5CG4dOzd_eWQ,982
django/contrib/sites/locale/ka/LC_MESSAGES/django.mo,sha256=m8GTqr9j0ijn0YJhvnsYwlk5oYcASKbHg_5hLqZ91TI,993
django/contrib/sites/locale/ka/LC_MESSAGES/django.po,sha256=1upohcHrQH9T34b6lW09MTtFkk5WswdYOLs2vMAJIuE,1160
django/contrib/sites/locale/kab/LC_MESSAGES/django.mo,sha256=Utdj5gH5YPeaYMjeMzF-vjqYvYTCipre2qCBkEJSc-Y,808
django/contrib/sites/locale/kab/LC_MESSAGES/django.po,sha256=d78Z-YanYZkyP5tpasj8oAa5RimVEmce6dlq5vDSscA,886
django/contrib/sites/locale/kk/LC_MESSAGES/django.mo,sha256=T2dTZ83vBRfQb2dRaKOrhvO00BHQu_2bu0O0k7RsvGA,895
django/contrib/sites/locale/kk/LC_MESSAGES/django.po,sha256=HvdSFqsumyNurDJ6NKVLjtDdSIg0KZN2v29dM748GtU,1062
django/contrib/sites/locale/km/LC_MESSAGES/django.mo,sha256=Q7pn5E4qN957j20-iCHgrfI-p8sm3Tc8O2DWeuH0By8,701
django/contrib/sites/locale/km/LC_MESSAGES/django.po,sha256=TOs76vlCMYOZrdHgXPWZhQH1kTBQTpzsDJ8N4kbJQ7E,926
django/contrib/sites/locale/kn/LC_MESSAGES/django.mo,sha256=_jl_4_39oe940UMyb15NljGOd45kkCeVNpJy6JvGWTE,673
django/contrib/sites/locale/kn/LC_MESSAGES/django.po,sha256=cMPXF2DeiQuErhyFMe4i7swxMoqoz1sqtBEXf4Ghx1c,921
django/contrib/sites/locale/ko/LC_MESSAGES/django.mo,sha256=wlfoWG-vmMSCipUJVVC0Y_W7QbGNNE-oEnVwl_6-AmY,807
django/contrib/sites/locale/ko/LC_MESSAGES/django.po,sha256=TENAk9obGUxFwMnJQj_V9sZxEKJj4DyWMuGpx3Ft_pM,1049
django/contrib/sites/locale/ky/LC_MESSAGES/django.mo,sha256=IYxp8jG5iyN81h7YJqOiSQdOH7DnwOiIvelKZfzP6ZA,811
django/contrib/sites/locale/ky/LC_MESSAGES/django.po,sha256=rxPdgQoBtGQSi5diOy3MXyoM4ffpwdWCc4WE3pjIHEI,927
django/contrib/sites/locale/lb/LC_MESSAGES/django.mo,sha256=xokesKl7h7k9dXFKIJwGETgwx1Ytq6mk2erBSxkgY-o,474
django/contrib/sites/locale/lb/LC_MESSAGES/django.po,sha256=1yRdK9Zyh7kcWG7wUexuF9-zxEaKLS2gG3ggVOHbRJ8,779
django/contrib/sites/locale/lt/LC_MESSAGES/django.mo,sha256=bK6PJtd7DaOgDukkzuqos5ktgdjSF_ffL9IJTQY839s,869
django/contrib/sites/locale/lt/LC_MESSAGES/django.po,sha256=T-vdVqs9KCz9vMs9FfushgZN9z7LQOT-C86D85H2X8c,1195
django/contrib/sites/locale/lv/LC_MESSAGES/django.mo,sha256=t9bQiVqpAmXrq8QijN4Lh0n6EGUGQjnuH7hDcu21z4c,823
django/contrib/sites/locale/lv/LC_MESSAGES/django.po,sha256=vMaEtXGosD3AcTomiuctbOpjLes8TRBnumLe8DC4yq4,1023
django/contrib/sites/locale/mk/LC_MESSAGES/django.mo,sha256=_YXasRJRWjYmmiEWCrAoqnrKuHHPBG_v_EYTUe16Nfo,885
django/contrib/sites/locale/mk/LC_MESSAGES/django.po,sha256=AgdIjiSpN0P5o5rr5Ie4sFhnmS5d4doB1ffk91lmOvY,1062
django/contrib/sites/locale/ml/LC_MESSAGES/django.mo,sha256=axNQVBY0nbR7hYa5bzNtdxB17AUOs2WXhu0Rg--FA3Q,1007
django/contrib/sites/locale/ml/LC_MESSAGES/django.po,sha256=Sg7hHfK8OMs05ebtTv8gxS6_2kZv-OODwf7okP95Jtk,1169
django/contrib/sites/locale/mn/LC_MESSAGES/django.mo,sha256=w2sqJRAe0wyz_IuCZ_Ocubs_VHL6wV1BcutWPz0dseQ,867
django/contrib/sites/locale/mn/LC_MESSAGES/django.po,sha256=Zh_Eao0kLZsrQ8wkL1f-pRrsAtNJOspu45uStq5t8Mo,1127
django/contrib/sites/locale/mr/LC_MESSAGES/django.mo,sha256=2Z5jaGJzpiJTCnhCk8ulCDeAdj-WwR99scdHFPRoHoA,468
django/contrib/sites/locale/mr/LC_MESSAGES/django.po,sha256=pqnjF5oxvpMyjijy6JfI8qJbbbowZzE5tZF0DMYiCBs,773
django/contrib/sites/locale/ms/LC_MESSAGES/django.mo,sha256=GToJlS8yDNEy-D3-p7p8ZlWEZYHlSzZAcVIH5nQEkkI,727
django/contrib/sites/locale/ms/LC_MESSAGES/django.po,sha256=_4l4DCIqSWZtZZNyfzpBA0V-CbAaHe9Ckz06VLbTjFo,864
django/contrib/sites/locale/my/LC_MESSAGES/django.mo,sha256=jN59e9wRheZYx1A4t_BKc7Hx11J5LJg2wQRd21aQv08,961
django/contrib/sites/locale/my/LC_MESSAGES/django.po,sha256=EhqYIW5-rX33YjsDsBwfiFb3BK6fZKVc3CRYeJpZX1E,1086
django/contrib/sites/locale/nb/LC_MESSAGES/django.mo,sha256=AaiHGcmcciy5IMBPVAShcc1OQOETJvBCv7GYHMcIQMA,793
django/contrib/sites/locale/nb/LC_MESSAGES/django.po,sha256=936zoN1sPSiiq7GuH01umrw8W6BtymYEU3bCfOQyfWE,1000
django/contrib/sites/locale/ne/LC_MESSAGES/django.mo,sha256=n96YovpBax3T5VZSmIfGmd7Zakn9FJShJs5rvUX7Kf0,863
django/contrib/sites/locale/ne/LC_MESSAGES/django.po,sha256=B14rhDd8GAaIjxd1sYjxO2pZfS8gAwZ1C-kCdVkRXho,1078
django/contrib/sites/locale/nl/LC_MESSAGES/django.mo,sha256=ghu-tNPNZuE4sVRDWDVmmmVNPYZLWYm_UPJRqh8wmec,735
django/contrib/sites/locale/nl/LC_MESSAGES/django.po,sha256=1DCQNzMRhy4vW-KkmlPGy58UR27Np5ilmYhmjaq-8_k,1030
django/contrib/sites/locale/nn/LC_MESSAGES/django.mo,sha256=eSW8kwbzm2HsE9s9IRCsAo9juimVQjcfdd8rtl3TQJM,731
django/contrib/sites/locale/nn/LC_MESSAGES/django.po,sha256=OOyvE7iji9hwvz8Z_OxWoKw2e3ptk3dqeqlriXgilSc,915
django/contrib/sites/locale/os/LC_MESSAGES/django.mo,sha256=Su06FkWMOPzBxoung3bEju_EnyAEAXROoe33imO65uQ,806
django/contrib/sites/locale/os/LC_MESSAGES/django.po,sha256=4i4rX6aXDUKjq64T02iStqV2V2erUsSVnTivh2XtQeY,963
django/contrib/sites/locale/pa/LC_MESSAGES/django.mo,sha256=tOHiisOtZrTyIFoo4Ipn_XFH9hhu-ubJLMdOML5ZUgk,684
django/contrib/sites/locale/pa/LC_MESSAGES/django.po,sha256=ztGyuqvzxRfNjqDG0rMLCu_oQ8V3Dxdsx0WZoYUyNv8,912
django/contrib/sites/locale/pl/LC_MESSAGES/django.mo,sha256=lo5K262sZmo-hXvcHoBsEDqX8oJEPSxJY5EfRIqHZh0,903
django/contrib/sites/locale/pl/LC_MESSAGES/django.po,sha256=-kQ49UvXITMy1vjJoN_emuazV_EjNDQnZDERXWNoKvw,1181
django/contrib/sites/locale/pt/LC_MESSAGES/django.mo,sha256=PrcFQ04lFJ7mIYThXbW6acmDigEFIoLAC0PYk5hfaJs,797
django/contrib/sites/locale/pt/LC_MESSAGES/django.po,sha256=Aj8hYI9W5nk5uxKHj1oE-b9bxmmuoeXLKaJDPfI2x2o,993
django/contrib/sites/locale/pt_BR/LC_MESSAGES/django.mo,sha256=BsFfarOR6Qk67fB-tTWgGhuOReJSgjwJBkIzZsv28vo,824
django/contrib/sites/locale/pt_BR/LC_MESSAGES/django.po,sha256=jfvgelpWn2VQqYe2_CE39SLTsscCckvjuZo6dWII28c,1023
django/contrib/sites/locale/ro/LC_MESSAGES/django.mo,sha256=oGsZw4_uYpaH6adMxnAuifJgHeZ_ytRZ4rFhiNfRQkQ,857
django/contrib/sites/locale/ro/LC_MESSAGES/django.po,sha256=tWbWVbjFFELNzSXX4_5ltmzEeEJsY3pKwgEOjgV_W_8,1112
django/contrib/sites/locale/ru/LC_MESSAGES/django.mo,sha256=bIZJWMpm2O5S6RC_2cfkrp5NXaTU2GWSsMr0wHVEmcw,1016
django/contrib/sites/locale/ru/LC_MESSAGES/django.po,sha256=jHy5GR05ZSjLmAwaVNq3m0WdhO9GYxge3rDBziqesA8,1300
django/contrib/sites/locale/sk/LC_MESSAGES/django.mo,sha256=-EYdm14ZjoR8bd7Rv2b5G7UJVSKmZa1ItLsdATR3-Cg,822
django/contrib/sites/locale/sk/LC_MESSAGES/django.po,sha256=VSRlsq8uk-hP0JI94iWsGX8Al76vvGK4N1xIoFtoRQM,1070
django/contrib/sites/locale/sl/LC_MESSAGES/django.mo,sha256=JmkpTKJGWgnBM3CqOUriGvrDnvg2YWabIU2kbYAOM4s,845
django/contrib/sites/locale/sl/LC_MESSAGES/django.po,sha256=qWrWrSz5r3UOVraX08ILt3TTmfyTDGKbJKbTlN9YImU,1059
django/contrib/sites/locale/sq/LC_MESSAGES/django.mo,sha256=DMLN1ZDJeDnslavjcKloXSXn6IvangVliVP3O6U8dAY,769
django/contrib/sites/locale/sq/LC_MESSAGES/django.po,sha256=zg3ALcMNZErAS_xFxmtv6TmXZ0vxobX5AzCwOSRSwc8,930
django/contrib/sites/locale/sr/LC_MESSAGES/django.mo,sha256=8kfi9IPdB2reF8C_eC2phaP6qonboHPwes_w3UgNtzw,935
django/contrib/sites/locale/sr/LC_MESSAGES/django.po,sha256=A7xaen8H1W4uMBRAqCXT_0KQMoA2-45AUNDfGo9FydI,1107
django/contrib/sites/locale/sr_Latn/LC_MESSAGES/django.mo,sha256=jMXiq18efq0wErJAQfJR1fCnkYcEb7OYXg8sv6kzP0s,815
django/contrib/sites/locale/sr_Latn/LC_MESSAGES/django.po,sha256=9jkWYcZCTfQr2UZtyvhWDAmEHBrzunJUZcx7FlrFOis,1004
django/contrib/sites/locale/sv/LC_MESSAGES/django.mo,sha256=1AttMJ2KbQQgJVH9e9KuCKC0UqDHvWSPcKkbPkSLphQ,768
django/contrib/sites/locale/sv/LC_MESSAGES/django.po,sha256=N7wqrcFb5ZNX83q1ZCkpkP94Lb3ZIBUATDssNT8F51c,1028
django/contrib/sites/locale/sw/LC_MESSAGES/django.mo,sha256=cWjjDdFXBGmpUm03UDtgdDrREa2r75oMsXiEPT_Bx3g,781
django/contrib/sites/locale/sw/LC_MESSAGES/django.po,sha256=oOKNdztQQU0sd6XmLI-n3ONmTL7jx3Q0z1YD8673Wi8,901
django/contrib/sites/locale/ta/LC_MESSAGES/django.mo,sha256=CLO41KsSKqBrgtrHi6fmXaBk-_Y2l4KBLDJctZuZyWY,714
django/contrib/sites/locale/ta/LC_MESSAGES/django.po,sha256=YsTITHg7ikkNcsP29tDgkZrUdtO0s9PrV1XPu4mgqCw,939
django/contrib/sites/locale/te/LC_MESSAGES/django.mo,sha256=GmIWuVyIOcoQoAmr2HxCwBDE9JUYEktzYig93H_4v50,687
django/contrib/sites/locale/te/LC_MESSAGES/django.po,sha256=jbncxU9H3EjXxWPsEoCKJhKi392XXTGvWyuenqLDxps,912
django/contrib/sites/locale/tg/LC_MESSAGES/django.mo,sha256=wiWRlf3AN5zlFMNyP_rSDZS7M5rHQJ2DTUHARtXjim8,863
django/contrib/sites/locale/tg/LC_MESSAGES/django.po,sha256=VBGZfJIw40JZe15ghsk-n3qUVX0VH2nFQQhpBy_lk1Y,1026
django/contrib/sites/locale/th/LC_MESSAGES/django.mo,sha256=dQOp4JoP3gvfsxqEQ73L6F8FgH1YtAA9hYY-Uz5sv6Y,898
django/contrib/sites/locale/th/LC_MESSAGES/django.po,sha256=auZBoKKKCHZbbh0PaUr9YKiWB1TEYZoj4bE7efAonV8,1077
django/contrib/sites/locale/tk/LC_MESSAGES/django.mo,sha256=YhzSiVb_NdG1s7G1-SGGd4R3uweZQgnTs3G8Lv9r5z0,755
django/contrib/sites/locale/tk/LC_MESSAGES/django.po,sha256=sigmzH3Ni2vJwLJ7ba8EeB4wnDXsg8rQRFExZAGycF4,917
django/contrib/sites/locale/tr/LC_MESSAGES/django.mo,sha256=ryf01jcvvBMGPKkdViieDuor-Lr2KRXZeFF1gPupCOA,758
django/contrib/sites/locale/tr/LC_MESSAGES/django.po,sha256=L9tsnwxw1BEJD-Nm3m1RAS7ekgdmyC0ETs_mr7tQw1E,1043
django/contrib/sites/locale/tt/LC_MESSAGES/django.mo,sha256=gmmjXeEQUlBpfDmouhxE-qpEtv-iWdQSobYL5MWprZc,706
django/contrib/sites/locale/tt/LC_MESSAGES/django.po,sha256=yj49TjwcZ4YrGqnJrKh3neKydlTgwYduto9KsmxI_eI,930
django/contrib/sites/locale/udm/LC_MESSAGES/django.mo,sha256=CNmoKj9Uc0qEInnV5t0Nt4ZnKSZCRdIG5fyfSsqwky4,462
django/contrib/sites/locale/udm/LC_MESSAGES/django.po,sha256=vrLZ0XJF63CO3IucbQpd12lxuoM9S8tTUv6cpu3g81c,767
django/contrib/sites/locale/uk/LC_MESSAGES/django.mo,sha256=H4806mPqOoHJFm549F7drzsfkvAXWKmn1w_WVwQx9rk,960
django/contrib/sites/locale/uk/LC_MESSAGES/django.po,sha256=CJZTOaurDXwpgBiwXx3W7juaF0EctEImPhJdDn8j1xU,1341
django/contrib/sites/locale/ur/LC_MESSAGES/django.mo,sha256=s6QL8AB_Mp9haXS4n1r9b0YhEUECPxUyPrHTMI3agts,654
django/contrib/sites/locale/ur/LC_MESSAGES/django.po,sha256=R9tv3qtett8CUGackoHrc5XADeygVKAE0Fz8YzK2PZ4,885
django/contrib/sites/locale/uz/LC_MESSAGES/django.mo,sha256=OsuqnLEDl9gUAwsmM2s1KH7VD74ID-k7JXcjGhjFlEY,799
django/contrib/sites/locale/uz/LC_MESSAGES/django.po,sha256=RoaOwLDjkqqIJTuxpuY7eMLo42n6FoYAYutCfMaDk4I,935
django/contrib/sites/locale/vi/LC_MESSAGES/django.mo,sha256=YOaKcdrN1238Zdm81jUkc2cpxjInAbdnhsSqHP_jQsI,762
django/contrib/sites/locale/vi/LC_MESSAGES/django.po,sha256=AHcqR2p0fdscLvzbJO_a-CzMzaeRL4LOw4HB9K3noVQ,989
django/contrib/sites/locale/zh_Hans/LC_MESSAGES/django.mo,sha256=7D9_pDY5lBRpo1kfzIQL-PNvIg-ofCm7cBHE1-JWlMk,779
django/contrib/sites/locale/zh_Hans/LC_MESSAGES/django.po,sha256=xI_N00xhV8dWDp4fg5Mmj9ivOBBdHP79T3-JYXPyc5M,946
django/contrib/sites/locale/zh_Hant/LC_MESSAGES/django.mo,sha256=0F6Qmh1smIXlOUNDaDwDajyyGecc1azfwh8BhXrpETo,790
django/contrib/sites/locale/zh_Hant/LC_MESSAGES/django.po,sha256=ixbXNBNKNfrpI_B0O_zktTfo63sRFMOk1B1uIh4DGGg,1046
django/contrib/sites/management.py,sha256=AElGktvFhWXJtlJwOKpUlIeuv2thkNM8F6boliML84U,1646
django/contrib/sites/managers.py,sha256=uqD_Cu3P4NCp7VVdGn0NvHfhsZB05MLmiPmgot-ygz4,1994
django/contrib/sites/middleware.py,sha256=qYcVHsHOg0VxQNS4saoLHkdF503nJR-D7Z01vE0SvUM,309
django/contrib/sites/migrations/0001_initial.py,sha256=8fY63Z5DwbKQ1HtvAajKDhBLEufigRTsoRazyEf5RU4,1361
django/contrib/sites/migrations/0002_alter_domain_unique.py,sha256=llK7IKQKnFCK5viHLew2ZMdV9e1sHy0H1blszEu_NKs,549
django/contrib/sites/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/sites/migrations/__pycache__/0001_initial.cpython-311.pyc,,
django/contrib/sites/migrations/__pycache__/0002_alter_domain_unique.cpython-311.pyc,,
django/contrib/sites/migrations/__pycache__/__init__.cpython-311.pyc,,
django/contrib/sites/models.py,sha256=0DWVfDGMYqTZgs_LP6hlVxY3ztbwPzulE9Dos8z6M3Q,3695
django/contrib/sites/requests.py,sha256=baABc6fmTejNmk8M3fcoQ1cuI2qpJzF8Y47A1xSt8gY,641
django/contrib/sites/shortcuts.py,sha256=nekVQADJROFYwKCD7flmWDMQ9uLAaaKztHVKl5emuWc,573
django/contrib/staticfiles/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/staticfiles/__pycache__/__init__.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/apps.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/checks.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/finders.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/handlers.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/storage.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/testing.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/urls.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/utils.cpython-311.pyc,,
django/contrib/staticfiles/__pycache__/views.cpython-311.pyc,,
django/contrib/staticfiles/apps.py,sha256=SbeI6t0nB9pO56qpwyxRYgPvvCfAvbLTwMJDAzFfn6U,423
django/contrib/staticfiles/checks.py,sha256=rH9A8NIYtEkA_PRYXQJxndm243O6Mz6GwyqWSUe3f24,391
django/contrib/staticfiles/finders.py,sha256=VqUPjNTjHrJZL5pyMPcrRF2lmqKzjZF9nas_mnyIjaM,11008
django/contrib/staticfiles/handlers.py,sha256=ic8GzGDr3_PnHNeTWNNTWwjdow3ydnj64ncGlRbB0Eo,4029
django/contrib/staticfiles/management/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/staticfiles/management/__pycache__/__init__.cpython-311.pyc,,
django/contrib/staticfiles/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/staticfiles/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/contrib/staticfiles/management/commands/__pycache__/collectstatic.cpython-311.pyc,,
django/contrib/staticfiles/management/commands/__pycache__/findstatic.cpython-311.pyc,,
django/contrib/staticfiles/management/commands/__pycache__/runserver.cpython-311.pyc,,
django/contrib/staticfiles/management/commands/collectstatic.py,sha256=Zd65dgKD8JlXmoDb3ig6tvZka4gMV_6egbLcoRLJ1SA,15137
django/contrib/staticfiles/management/commands/findstatic.py,sha256=TMMGlbV-B1aq1b27nA6Otu6hV44pqAzeuEtTV2DPmp0,1638
django/contrib/staticfiles/management/commands/runserver.py,sha256=U_7oCY8LJX5Jn1xlMv-qF4EQoUvlT0ldB5E_0sJmRtw,1373
django/contrib/staticfiles/storage.py,sha256=k_oeHIh654Ji7z4ouXgON62WI0tzJ1UkQNzvncioFB8,20892
django/contrib/staticfiles/testing.py,sha256=4X-EtOfXnwkJAyFT8qe4H4sbVTKgM65klLUtY81KHiE,463
django/contrib/staticfiles/urls.py,sha256=owDM_hdyPeRmxYxZisSMoplwnzWrptI_W8-3K2f7ITA,498
django/contrib/staticfiles/utils.py,sha256=iPXHA0yMXu37PQwCrq9zjhSzjZf_zEBXJ-dHGsqZoX8,2279
django/contrib/staticfiles/views.py,sha256=XacxXwbhLlcmxhspeDOYvNF0OhMtSMOHGouxqQf0jlU,1261
django/contrib/syndication/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/contrib/syndication/__pycache__/__init__.cpython-311.pyc,,
django/contrib/syndication/__pycache__/apps.cpython-311.pyc,,
django/contrib/syndication/__pycache__/views.cpython-311.pyc,,
django/contrib/syndication/apps.py,sha256=7IpHoihPWtOcA6S4O6VoG0XRlqEp3jsfrNf-D-eluic,203
django/contrib/syndication/views.py,sha256=c8T8V49cyTMk6KLna8fbULOr3aMjkqye6C5lMAFofUU,9309
django/core/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/__pycache__/__init__.cpython-311.pyc,,
django/core/__pycache__/asgi.cpython-311.pyc,,
django/core/__pycache__/exceptions.cpython-311.pyc,,
django/core/__pycache__/paginator.cpython-311.pyc,,
django/core/__pycache__/signals.cpython-311.pyc,,
django/core/__pycache__/signing.cpython-311.pyc,,
django/core/__pycache__/validators.cpython-311.pyc,,
django/core/__pycache__/wsgi.cpython-311.pyc,,
django/core/asgi.py,sha256=N2L3GS6F6oL-yD9Tu2otspCi2UhbRQ90LEx3ExOP1m0,386
django/core/cache/__init__.py,sha256=-ofAjaYaEq3HsbfOjMkRnQa8-WU8UYRHeqvEot4mPiY,1928
django/core/cache/__pycache__/__init__.cpython-311.pyc,,
django/core/cache/__pycache__/utils.cpython-311.pyc,,
django/core/cache/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/cache/backends/__pycache__/__init__.cpython-311.pyc,,
django/core/cache/backends/__pycache__/base.cpython-311.pyc,,
django/core/cache/backends/__pycache__/db.cpython-311.pyc,,
django/core/cache/backends/__pycache__/dummy.cpython-311.pyc,,
django/core/cache/backends/__pycache__/filebased.cpython-311.pyc,,
django/core/cache/backends/__pycache__/locmem.cpython-311.pyc,,
django/core/cache/backends/__pycache__/memcached.cpython-311.pyc,,
django/core/cache/backends/__pycache__/redis.cpython-311.pyc,,
django/core/cache/backends/base.py,sha256=fkEigg1NJnT26lrkDuBLm0n9dmhU_rhY_oxIdSZ7vnQ,14227
django/core/cache/backends/db.py,sha256=HlTGDpZugousm1JUeT9HCdp1_leMdKihOJu8cWyIqfg,11372
django/core/cache/backends/dummy.py,sha256=fQbFiL72DnVKP9UU4WDsZYaxYKx7FlMOJhtP8aky2ic,1043
django/core/cache/backends/filebased.py,sha256=rlEb0e2IEVv4WPk-vDxzDAvybkJ1OsNn1-c7bUrAYVY,5800
django/core/cache/backends/locmem.py,sha256=cqdFgPxYrfEKDvKR2IYiFV7-MwhM0CIHPxLTBxJMDTQ,4035
django/core/cache/backends/memcached.py,sha256=RDCiTtfAFbtN3f34C2W9wnj1WpQ6SHBqlTKpfKXnnHo,6800
django/core/cache/backends/redis.py,sha256=TB1bw1JK7jmUMLlu-nzuuMhtUp0JXBxzFOX149RVeFc,7924
django/core/cache/utils.py,sha256=t9XOrfbjRrJ48gzIS8i5ustrKA5Ldd_0kjdV0-dOBHU,409
django/core/checks/__init__.py,sha256=gFG0gY0C0L-akCrk1F0Q_WmkptYDLXYdyzr3wNJVIi4,1195
django/core/checks/__pycache__/__init__.cpython-311.pyc,,
django/core/checks/__pycache__/async_checks.cpython-311.pyc,,
django/core/checks/__pycache__/caches.cpython-311.pyc,,
django/core/checks/__pycache__/database.cpython-311.pyc,,
django/core/checks/__pycache__/files.cpython-311.pyc,,
django/core/checks/__pycache__/messages.cpython-311.pyc,,
django/core/checks/__pycache__/model_checks.cpython-311.pyc,,
django/core/checks/__pycache__/registry.cpython-311.pyc,,
django/core/checks/__pycache__/templates.cpython-311.pyc,,
django/core/checks/__pycache__/translation.cpython-311.pyc,,
django/core/checks/__pycache__/urls.cpython-311.pyc,,
django/core/checks/async_checks.py,sha256=A9p_jebELrf4fiD6jJtBM6Gvm8cMb03sSuW9Ncx3-vU,403
django/core/checks/caches.py,sha256=hbcIFD_grXUQR2lGAzzlCX6qMJfkXj02ZDJElgdT5Yg,2643
django/core/checks/compatibility/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/checks/compatibility/__pycache__/__init__.cpython-311.pyc,,
django/core/checks/compatibility/__pycache__/django_4_0.cpython-311.pyc,,
django/core/checks/compatibility/django_4_0.py,sha256=2s7lm9LZ0NrhaYSrw1Y5mMkL5BC68SS-TyD-TKczbEI,657
django/core/checks/database.py,sha256=sBj-8o4DmpG5QPy1KXgXtZ0FZ0T9xdlT4XBIc70wmEQ,341
django/core/checks/files.py,sha256=W4yYHiWrqi0d_G6tDWTw79pr2dgJY41rOv7mRpbtp2Q,522
django/core/checks/messages.py,sha256=vIJtvmeafgwFzwcXaoRBWkcL_t2gLTLjstWSw5xCtjQ,2241
django/core/checks/model_checks.py,sha256=8aK5uit9yP_lDfdXBJPlz_r-46faP_gIOXLszXqLQqY,8830
django/core/checks/registry.py,sha256=FaixxLUVKtF-wNVKYXVkOVTg06lLdwOty2mfdDcEfb4,3458
django/core/checks/security/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/checks/security/__pycache__/__init__.cpython-311.pyc,,
django/core/checks/security/__pycache__/base.cpython-311.pyc,,
django/core/checks/security/__pycache__/csrf.cpython-311.pyc,,
django/core/checks/security/__pycache__/sessions.cpython-311.pyc,,
django/core/checks/security/base.py,sha256=I0Gm446twRIhbRopEmKsdsYW_NdI7_nK_ZV28msRPEo,9140
django/core/checks/security/csrf.py,sha256=hmFJ4m9oxDGwhDAWedmtpnIYQcI8Mxcge1D6CCoOBbc,2055
django/core/checks/security/sessions.py,sha256=Qyb93CJeQBM5LLhhrqor4KQJR2tSpFklS-p7WltXcHc,2554
django/core/checks/templates.py,sha256=fGX25HveO6TJCeFTqhis0rQfVcD8gif4F_iGPeJdiKI,2257
django/core/checks/translation.py,sha256=it7VjXf10-HBdCc3z55_lSxwok9qEncdojRBG74d4FA,1990
django/core/checks/urls.py,sha256=NIRbMn2r9GzdgOxhIujAICdYWC2M7SAiC5QuamENfU4,3328
django/core/exceptions.py,sha256=CCihQfXYhrWW9-r7zwESNdh7g0NsQCxK4vpsA69nZGw,6576
django/core/files/__init__.py,sha256=Rhz5Jm9BM6gy_nf5yMtswN1VsTIILYUL7Z-5edjh_HI,60
django/core/files/__pycache__/__init__.cpython-311.pyc,,
django/core/files/__pycache__/base.cpython-311.pyc,,
django/core/files/__pycache__/images.cpython-311.pyc,,
django/core/files/__pycache__/locks.cpython-311.pyc,,
django/core/files/__pycache__/move.cpython-311.pyc,,
django/core/files/__pycache__/temp.cpython-311.pyc,,
django/core/files/__pycache__/uploadedfile.cpython-311.pyc,,
django/core/files/__pycache__/uploadhandler.cpython-311.pyc,,
django/core/files/__pycache__/utils.cpython-311.pyc,,
django/core/files/base.py,sha256=UeErNSLdQMR2McOUNfgjHBadSlmVP_DDHsAwVrn1gYk,4811
django/core/files/images.py,sha256=nn_GxARZobyRZr15MtCjbcgax8L4JhNQmfBK3-TvB78,2643
django/core/files/locks.py,sha256=jDXgsIrT154uvOgid_vOzd4f-L1rVXr-GZq5z_84hmQ,3613
django/core/files/move.py,sha256=XNamwgnbncyAdlo3rEoz4xfOwdYdOHjNgajgIke667A,3250
django/core/files/storage/__init__.py,sha256=yFmurxikhsS4ocI4zB9qWP6mk3FIs8-W4_gVfWy8ZCc,1147
django/core/files/storage/__pycache__/__init__.cpython-311.pyc,,
django/core/files/storage/__pycache__/base.cpython-311.pyc,,
django/core/files/storage/__pycache__/filesystem.cpython-311.pyc,,
django/core/files/storage/__pycache__/handler.cpython-311.pyc,,
django/core/files/storage/__pycache__/memory.cpython-311.pyc,,
django/core/files/storage/__pycache__/mixins.cpython-311.pyc,,
django/core/files/storage/base.py,sha256=XCxIRrkt5Wh5V2d7aYVDCepwCEi1mF19zHj5RE9Lp8c,7424
django/core/files/storage/filesystem.py,sha256=gpE8z9XPxgPxUl2VMafQzmHM8r6CkpURQLM95hsEIUM,7792
django/core/files/storage/handler.py,sha256=vecHxIQmiFQmM_02qVI9xhWvGPz7DknAhbKnSuQuIxE,1999
django/core/files/storage/memory.py,sha256=Mz27sDPbeRXGjh77id2LHt8sErp5WAmNj89NBNRDA3I,9745
django/core/files/storage/mixins.py,sha256=j_Y3unzk9Ccmx-QQjj4AoC3MUhXIw5nFbDYF3Qn_Fh0,700
django/core/files/temp.py,sha256=iUegEgQ3UyUrDN10SgvKIrHfBPSej1lk-LAgJqMZBcU,2503
django/core/files/uploadedfile.py,sha256=6hBjxmx8P0fxmZQbtj4OTsXtUk9GdIA7IUcv_KwSI08,4189
django/core/files/uploadhandler.py,sha256=riobj6SKikjiacrhObFsW9NFRfjG5qPklsaS1pzpFvE,7179
django/core/files/utils.py,sha256=f0naLw9ovd9z1DzQHLKXPJxHmBogsg4MEFZH4K9nxvg,2659
django/core/handlers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/handlers/__pycache__/__init__.cpython-311.pyc,,
django/core/handlers/__pycache__/asgi.cpython-311.pyc,,
django/core/handlers/__pycache__/base.cpython-311.pyc,,
django/core/handlers/__pycache__/exception.cpython-311.pyc,,
django/core/handlers/__pycache__/wsgi.cpython-311.pyc,,
django/core/handlers/asgi.py,sha256=SncXXYe3DlGyiAgb2Ajved_oz3wUZlRoLjzF3_u2c-Q,12067
django/core/handlers/base.py,sha256=j7ScIbMLKYa52HqwHYhIfMWWAG749natcsBsVQsvBjc,14813
django/core/handlers/exception.py,sha256=Qa03HgQpLx7nqp5emF0bwdiemE0X7U9FfuLfoOHMf_4,5922
django/core/handlers/wsgi.py,sha256=FIhItPszZzEXhCLdDk-Xdv6oOqtFsfN_O835ti0optM,7339
django/core/mail/__init__.py,sha256=HJSPyTBz34PsIyv4jTFJvhswauZr51NpsB-gpYR73-A,4958
django/core/mail/__pycache__/__init__.cpython-311.pyc,,
django/core/mail/__pycache__/message.cpython-311.pyc,,
django/core/mail/__pycache__/utils.cpython-311.pyc,,
django/core/mail/backends/__init__.py,sha256=VJ_9dBWKA48MXBZXVUaTy9NhgfRonapA6UAjVFEPKD8,37
django/core/mail/backends/__pycache__/__init__.cpython-311.pyc,,
django/core/mail/backends/__pycache__/base.cpython-311.pyc,,
django/core/mail/backends/__pycache__/console.cpython-311.pyc,,
django/core/mail/backends/__pycache__/dummy.cpython-311.pyc,,
django/core/mail/backends/__pycache__/filebased.cpython-311.pyc,,
django/core/mail/backends/__pycache__/locmem.cpython-311.pyc,,
django/core/mail/backends/__pycache__/smtp.cpython-311.pyc,,
django/core/mail/backends/base.py,sha256=Cljbb7nil40Dfpob2R8iLmlO0Yv_wlOCBA9hF2Z6W54,1683
django/core/mail/backends/console.py,sha256=Z9damLP7VPLswrNDX9kLjL3MdWf9yAM6ZCeUv-3tRgU,1426
django/core/mail/backends/dummy.py,sha256=sI7tAa3MfG43UHARduttBvEAYYfiLasgF39jzaZPu9E,234
django/core/mail/backends/filebased.py,sha256=AbEBL9tXr6WIhuSQvm3dHoCpuMoDTSIkx6qFb4GMUe4,2353
django/core/mail/backends/locmem.py,sha256=AT8ilBy4m5OWaiyqm_k82HdkQIemn4gciIYILGZag2o,885
django/core/mail/backends/smtp.py,sha256=9BFAvBXQvAxKqWjxZ6RTro2MJk1llSspnMpQr_wtcI0,5740
django/core/mail/message.py,sha256=G8xWYN99w2MJjMEwmK_8dApNaPwkO1mwd20IQMw2CZk,17717
django/core/mail/utils.py,sha256=Wf-pdSdv0WLREYzI7EVWr59K6o7tfb3d2HSbAyE3SOE,506
django/core/management/__init__.py,sha256=tD9qoUYwl-vHtxYAkmCzc3jkymipWsxFKtJPNvL1R9A,17423
django/core/management/__pycache__/__init__.cpython-311.pyc,,
django/core/management/__pycache__/base.cpython-311.pyc,,
django/core/management/__pycache__/color.cpython-311.pyc,,
django/core/management/__pycache__/sql.cpython-311.pyc,,
django/core/management/__pycache__/templates.cpython-311.pyc,,
django/core/management/__pycache__/utils.cpython-311.pyc,,
django/core/management/base.py,sha256=hBNNQyTWWLDIeHPOSU1t0qU0GnMafGcyoCknN-S0UrU,24215
django/core/management/color.py,sha256=Efa1K67kd5dwlcs2DgnkDTtZy0FuW6nSo7oaVsLN9Bw,2878
django/core/management/commands/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/management/commands/__pycache__/__init__.cpython-311.pyc,,
django/core/management/commands/__pycache__/check.cpython-311.pyc,,
django/core/management/commands/__pycache__/compilemessages.cpython-311.pyc,,
django/core/management/commands/__pycache__/createcachetable.cpython-311.pyc,,
django/core/management/commands/__pycache__/dbshell.cpython-311.pyc,,
django/core/management/commands/__pycache__/diffsettings.cpython-311.pyc,,
django/core/management/commands/__pycache__/dumpdata.cpython-311.pyc,,
django/core/management/commands/__pycache__/flush.cpython-311.pyc,,
django/core/management/commands/__pycache__/inspectdb.cpython-311.pyc,,
django/core/management/commands/__pycache__/loaddata.cpython-311.pyc,,
django/core/management/commands/__pycache__/makemessages.cpython-311.pyc,,
django/core/management/commands/__pycache__/makemigrations.cpython-311.pyc,,
django/core/management/commands/__pycache__/migrate.cpython-311.pyc,,
django/core/management/commands/__pycache__/optimizemigration.cpython-311.pyc,,
django/core/management/commands/__pycache__/runserver.cpython-311.pyc,,
django/core/management/commands/__pycache__/sendtestemail.cpython-311.pyc,,
django/core/management/commands/__pycache__/shell.cpython-311.pyc,,
django/core/management/commands/__pycache__/showmigrations.cpython-311.pyc,,
django/core/management/commands/__pycache__/sqlflush.cpython-311.pyc,,
django/core/management/commands/__pycache__/sqlmigrate.cpython-311.pyc,,
django/core/management/commands/__pycache__/sqlsequencereset.cpython-311.pyc,,
django/core/management/commands/__pycache__/squashmigrations.cpython-311.pyc,,
django/core/management/commands/__pycache__/startapp.cpython-311.pyc,,
django/core/management/commands/__pycache__/startproject.cpython-311.pyc,,
django/core/management/commands/__pycache__/test.cpython-311.pyc,,
django/core/management/commands/__pycache__/testserver.cpython-311.pyc,,
django/core/management/commands/check.py,sha256=KPtpSfNkIPPKaBP4od_vh-kp_D439sG8T9MOU41p9DA,2652
django/core/management/commands/compilemessages.py,sha256=zb5fkLrfXSg5LQgs5m-SUBDFt7OtYmdgEmqiENv1Vrc,6992
django/core/management/commands/createcachetable.py,sha256=1gXJFZpvuCZPd1I_VlhFlCVOPmxk-LQxFB0Tf2H2eyA,4616
django/core/management/commands/dbshell.py,sha256=XWBxHQIxXzKd_o81PxmmOCV67VPcqbDr9Und6LEAt9Q,1731
django/core/management/commands/diffsettings.py,sha256=NNL_J0P3HRzAZd9XcW7Eo_iE_lNliIpKtdcarDbBRpc,3554
django/core/management/commands/dumpdata.py,sha256=9HW-j7njstiw53VOhFxegH1-ihmyNMB2eThUtSG7Zec,10960
django/core/management/commands/flush.py,sha256=9KhMxzJFqA3cOCw-0VFZ2Utb2xZ-xCnn8ZGeiVGOm8E,3611
django/core/management/commands/inspectdb.py,sha256=DE6YVRvT38iGxLhQkIYFxiAqEDoFsFeTT0uQIrFFLbc,17208
django/core/management/commands/loaddata.py,sha256=D7jivEBlS2vrvSE_26fxUVsy833VX0J73qPbYNWUW2s,15986
django/core/management/commands/makemessages.py,sha256=HDIB3HJdXrKhg_5KiM_bzvXMIpNOaR88MjmIYZ-TO54,29348
django/core/management/commands/makemigrations.py,sha256=Vv08D4sXPnhRK-BordKCRwM9NkhnB3y1Ds3PNWgSw_Q,22367
django/core/management/commands/migrate.py,sha256=Gs52PfG-w8Krv6xprAYvt4fcJDM1EJviWcWh0amlXGI,21401
django/core/management/commands/optimizemigration.py,sha256=GVWIhX94tOLHEx53w-VrUc48euVWpKCLMw-BbpiQgIg,5224
django/core/management/commands/runserver.py,sha256=0iA-mwsuZ2dzGCZ0ahjQyppHt1oB5NthDi0Kc6FyCEo,6728
django/core/management/commands/sendtestemail.py,sha256=sF5TUMbD_tlGBnUsn9t-oFVGNSyeiWRIrgyPbJE88cs,1518
django/core/management/commands/shell.py,sha256=LKmj6KYv6zpJzQ2mWtR4-u2CDSQL-_Na6TsT4JLYsi4,4613
django/core/management/commands/showmigrations.py,sha256=dHDyNji_c55LntHanNT7ZF2EOq6pN4nulP-e4WRPMwE,6807
django/core/management/commands/sqlflush.py,sha256=wivzfu_vA5XeU7fu2x1k7nEBky_vjtJgU4ruPja1pRQ,991
django/core/management/commands/sqlmigrate.py,sha256=fjC7M5-cFxPV6yiqpSwpBrvo4ygZQeqoGEAVywVhKQY,3308
django/core/management/commands/sqlsequencereset.py,sha256=Bf6HoGe5WoyAivZv1qYpklFQF9CaG4X2s1sLxT6U0Xw,1061
django/core/management/commands/squashmigrations.py,sha256=fkNbRS5D2Yu0TCY1gLQgIPNOe8YjxpRwVJOW-b5KB-s,10861
django/core/management/commands/startapp.py,sha256=Dhllhaf1q3EKVnyBLhJ9QsWf6JmjAtYnVLruHsmMlcQ,503
django/core/management/commands/startproject.py,sha256=Iv7KOco1GkzGqUEME_LCx5vGi4JfY8-lzdkazDqF7k8,789
django/core/management/commands/test.py,sha256=R0DDsSQ3rYHvA6rL0tFh-Q66JibpP6naPhirF3PeKnY,2554
django/core/management/commands/testserver.py,sha256=o0MuEiPYKbZ4w7bj3BnwDQawc5CNOp53nl4e_nretF0,2245
django/core/management/sql.py,sha256=fP6Bvq4NrQB_9Tb6XsYeCg57xs2Ck6uaCXq0ojFOSvA,1851
django/core/management/templates.py,sha256=Z-dmv7ufM6qfbr83NdVzEB785_9hMdwqXykycNg0C1A,15498
django/core/management/utils.py,sha256=aDAQ8AtEQYK4I3Eo8adRD4mGyWQLJiM3qI-wYJO_JWw,5429
django/core/paginator.py,sha256=bDXEQUZSYjVLEVKNpD_TucZyxNya_XkIVddh6t1A3sQ,7439
django/core/serializers/__init__.py,sha256=gaH58ip_2dyUFDlfOPenMkVJftQQOBvXqCcZBjAKwTA,8772
django/core/serializers/__pycache__/__init__.cpython-311.pyc,,
django/core/serializers/__pycache__/base.cpython-311.pyc,,
django/core/serializers/__pycache__/json.cpython-311.pyc,,
django/core/serializers/__pycache__/jsonl.cpython-311.pyc,,
django/core/serializers/__pycache__/python.cpython-311.pyc,,
django/core/serializers/__pycache__/pyyaml.cpython-311.pyc,,
django/core/serializers/__pycache__/xml_serializer.cpython-311.pyc,,
django/core/serializers/base.py,sha256=a-yHSUuRnHr-3VdgUlk79hLDTYVFuSGL_BqyNHqm6uE,13304
django/core/serializers/json.py,sha256=GK9Slqj1cCeQVZU-jkagTC_hRsvgf2kBmdEseBcRpn8,3446
django/core/serializers/jsonl.py,sha256=671JRbWRgOH3-oeD3auK9QCziwtrcdbyCIRDy5s4Evw,1879
django/core/serializers/python.py,sha256=kRxgs0BxNtymn5NAzOzkKy_GT2E5eZNb2MBP2IDfYnw,6787
django/core/serializers/pyyaml.py,sha256=77zu6PCfJg_75m36lX9X5018ADcux5qsDGajKNh4pI8,2955
django/core/serializers/xml_serializer.py,sha256=2Evxv3Ml2_Qpfctbi8yrh2yETC1yfQ1HSJV_odcPIuI,18249
django/core/servers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/core/servers/__pycache__/__init__.cpython-311.pyc,,
django/core/servers/__pycache__/basehttp.cpython-311.pyc,,
django/core/servers/basehttp.py,sha256=SGp7dTLRoKi7SFlOZoWFCT7ZTymA5e3xyBC6FrU4IlY,9936
django/core/signals.py,sha256=5vh1e7IgPN78WXPo7-hEMPN9tQcqJSZHu0WCibNgd-E,151
django/core/signing.py,sha256=l5Ic8e7nkzG6tDet63KF64zd2fx9471s2StvPWZKHq8,9576
django/core/validators.py,sha256=DbJMt8vKuLJlREK19mlrfgaQ2QVQrWcBbQeiaVXsBpA,20591
django/core/wsgi.py,sha256=2sYMSe3IBrENeQT7rys-04CRmf8hW2Q2CjlkBUIyjHk,388
django/db/__init__.py,sha256=8W-BApKlr4YNfaDdQ544Gyp3AYYbX2E0dyDmQTiVHr0,1483
django/db/__pycache__/__init__.cpython-311.pyc,,
django/db/__pycache__/transaction.cpython-311.pyc,,
django/db/__pycache__/utils.cpython-311.pyc,,
django/db/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/__pycache__/ddl_references.cpython-311.pyc,,
django/db/backends/__pycache__/signals.cpython-311.pyc,,
django/db/backends/__pycache__/utils.cpython-311.pyc,,
django/db/backends/base/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/base/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/base/__pycache__/base.cpython-311.pyc,,
django/db/backends/base/__pycache__/client.cpython-311.pyc,,
django/db/backends/base/__pycache__/creation.cpython-311.pyc,,
django/db/backends/base/__pycache__/features.cpython-311.pyc,,
django/db/backends/base/__pycache__/introspection.cpython-311.pyc,,
django/db/backends/base/__pycache__/operations.cpython-311.pyc,,
django/db/backends/base/__pycache__/schema.cpython-311.pyc,,
django/db/backends/base/__pycache__/validation.cpython-311.pyc,,
django/db/backends/base/base.py,sha256=GSBAQtgBqQgWxBUXIVC3TfBx3x7elKRE0pnnvL2hDpk,28652
django/db/backends/base/client.py,sha256=90Ffs6zZYCli3tJjwsPH8TItZ8tz1Pp-zhQa-EpsNqc,937
django/db/backends/base/creation.py,sha256=9EMiIEMjAi2egrOhCZP4ckl6Ss3GIhPEXhUVF5kf8FI,15668
django/db/backends/base/features.py,sha256=q6NBzD36NxAe9UEPhnDR13z_yPmgQah6jM1j3zIQMdM,14953
django/db/backends/base/introspection.py,sha256=CJG3MUmR-wJpNm-gNWuMRMNknWp3ZdZ9DRUbKxcnwuo,7900
django/db/backends/base/operations.py,sha256=T1vpHwC_gWrcZGF6NIzwXAUjIDWsM6I8CI5u-2QOapI,28959
django/db/backends/base/schema.py,sha256=b3sL2LPhgVGlv_6iHYglIJxj23t55QOs9WovhTWR1vE,73456
django/db/backends/base/validation.py,sha256=2zpI11hyUJr0I0cA1xmvoFwQVdZ-7_1T2F11TpQ0Rkk,1067
django/db/backends/ddl_references.py,sha256=eBDnxoh7_PY2H8AGuZ5FUoxsEscpnmMuYEMqzfPRFqk,8129
django/db/backends/dummy/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/dummy/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/dummy/__pycache__/base.cpython-311.pyc,,
django/db/backends/dummy/__pycache__/features.cpython-311.pyc,,
django/db/backends/dummy/base.py,sha256=im1_ubNhbY6cP8yNntqDr6Hlg5d5c_5r5IUCPCDfv28,2181
django/db/backends/dummy/features.py,sha256=Pg8_jND-aoJomTaBBXU3hJEjzpB-rLs6VwpoKkOYuQg,181
django/db/backends/mysql/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/mysql/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/base.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/client.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/compiler.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/creation.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/features.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/introspection.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/operations.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/schema.cpython-311.pyc,,
django/db/backends/mysql/__pycache__/validation.cpython-311.pyc,,
django/db/backends/mysql/base.py,sha256=VHWKbrI5DRp0s2fjHo5kbHRSSE2QuUa5N4LKcvcksw4,16910
django/db/backends/mysql/client.py,sha256=IpwdI-H5r-QUoM8ZvPXHykNxKb2wevcUx8HvxTn_otU,2988
django/db/backends/mysql/compiler.py,sha256=SPhbsHi8x_r4ZG8U7-Tnqr6F0G4rsxOyJjITKPHz3zE,3333
django/db/backends/mysql/creation.py,sha256=8BV8YHk3qEq555nH3NHukxpZZgxtvXFvkv7XvkRlhKA,3449
django/db/backends/mysql/features.py,sha256=6glar6zd7vbwJJAKvKNiV4y3vuFffhoR2xg786QQD6k,11491
django/db/backends/mysql/introspection.py,sha256=dGpSrKAS6p2VKj4mLKfTQl4rD78DUbOIMdR6K9NU9O8,14147
django/db/backends/mysql/operations.py,sha256=Z5rDicNOyT-S4qIXo0-6LeqCBn3xvG8m1E-ZPoR1L0Q,18715
django/db/backends/mysql/schema.py,sha256=xAGsmY_Agnl1tuvAA0-b-ml_ar4WuU8D5YRvQJV88v4,9654
django/db/backends/mysql/validation.py,sha256=XERj0lPEihKThPvzoVJmNpWdPOun64cRF3gHv-zmCGk,3093
django/db/backends/oracle/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/oracle/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/base.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/client.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/creation.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/features.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/functions.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/introspection.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/operations.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/schema.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/utils.cpython-311.pyc,,
django/db/backends/oracle/__pycache__/validation.cpython-311.pyc,,
django/db/backends/oracle/base.py,sha256=00KLx6RiPSfWC_TfajaJX-M-OmemzigcDKLGFXBuWlU,23154
django/db/backends/oracle/client.py,sha256=DfDURfno8Sek13M8r5S2t2T8VUutx2hBT9DZRfow9VQ,784
django/db/backends/oracle/creation.py,sha256=KVUU5EqNWeaeRMRj0Q2Z3EQ-F-FRuj25JaXdSTA_Q7I,20834
django/db/backends/oracle/features.py,sha256=pq3gVF6pWGD1hswpt5kTj0EkdcvrEFC-cv5pDQILU0k,6269
django/db/backends/oracle/functions.py,sha256=2OoBYyY1Lb4B5hYbkRHjd8YY_artr3QeGu2hlojC-vc,812
django/db/backends/oracle/introspection.py,sha256=qXkMV8KlFKDiEUtKWWSn95IAvf5b8PTdqaX4wvfsaLQ,15519
django/db/backends/oracle/operations.py,sha256=9Q48kOEAm6f8eHO4tYmEZQbs6QRF8qfxC3t9EGbPmFo,29543
django/db/backends/oracle/schema.py,sha256=f1xPvhvQO27BG2GSxNwYJDnfsjrGdionbPH7sIn2Kac,10719
django/db/backends/oracle/utils.py,sha256=y-fIivrmHabu5CBCUgEUoud7kOIH7rGCXMEkMn8gHIs,2685
django/db/backends/oracle/validation.py,sha256=cq-Bvy5C0_rmkgng0SSQ4s74FKg2yTM1N782Gfz86nY,860
django/db/backends/postgresql/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/postgresql/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/base.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/client.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/creation.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/features.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/introspection.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/operations.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/psycopg_any.cpython-311.pyc,,
django/db/backends/postgresql/__pycache__/schema.cpython-311.pyc,,
django/db/backends/postgresql/base.py,sha256=UL9QWbJo3bzoftAGBCPkVVCDYwL3RTXOw0LvZdSLuYU,18196
django/db/backends/postgresql/client.py,sha256=RLsYyqTlSlZyEB4SI0t0TsTItDcN3enyJoIoAKrqTE8,2052
django/db/backends/postgresql/creation.py,sha256=1KGFQAIdULSPWQ8dmJEgbCDY2F6yYM3BMrbRRM7xyUM,3677
django/db/backends/postgresql/features.py,sha256=0gOIC0Ax2pyYcH5l5KHDGQbUrxhy0midBljC5dwUJTk,4952
django/db/backends/postgresql/introspection.py,sha256=0j4Y5ZAuSk8iaMbDBjUF9zHTcL3C5WibIiJygOvZMP8,11604
django/db/backends/postgresql/operations.py,sha256=4qgwAjdGzcJEaTBW2jvA-xJG3EPZbt49Tdn9KVGVnnk,15436
django/db/backends/postgresql/psycopg_any.py,sha256=0-DwOvdWp5Wuu0XlRu_LPLSr1q1EjtzgZS2ZOyiTwXg,3774
django/db/backends/postgresql/schema.py,sha256=niRWG_OszLOHahPjZ6JV1pux2r-kil7VQlL4eVWfGLU,14358
django/db/backends/signals.py,sha256=Yl14KjYJijTt1ypIZirp90lS7UTJ8UogPFI_DwbcsSc,66
django/db/backends/sqlite3/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/db/backends/sqlite3/__pycache__/__init__.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/_functions.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/base.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/client.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/creation.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/features.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/introspection.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/operations.cpython-311.pyc,,
django/db/backends/sqlite3/__pycache__/schema.cpython-311.pyc,,
django/db/backends/sqlite3/_functions.py,sha256=kHGFqulvEoUyzDb6jo9-V_4FbRzYDyThk1_bC4WCBjQ,14419
django/db/backends/sqlite3/base.py,sha256=wknxTU56luqEq1ZLhEf6YOMixdktghdlIPz30gHgWmA,13884
django/db/backends/sqlite3/client.py,sha256=Eb_-P1w0aTbZGVNYkv7KA1ku5Il1N2RQov2lc3v0nho,321
django/db/backends/sqlite3/creation.py,sha256=AlRZnsKvahKTY9UekhwLgljLOT1Dp9mD7nXT9Qor9aQ,6827
django/db/backends/sqlite3/features.py,sha256=4ujMZkUTCBxUKqrqnNnZIBIYcpUccWOUYE4UtPZHSJU,6868
django/db/backends/sqlite3/introspection.py,sha256=_o2N5c_mith09LrF3Rqg45NNh2xPL9VcfCdFLSDNtNQ,17357
django/db/backends/sqlite3/operations.py,sha256=cDW7SkR1D9O7rBzHWN8iACvRNgs9y1q6mcth7vTDoKc,16961
django/db/backends/sqlite3/schema.py,sha256=sxily3BWnbo68oZV3iTG7Y7dFip9Js7m8pMwLOjhOJk,24430
django/db/backends/utils.py,sha256=JCgk54fUEyDlp1TkV4nbKC8GO-sL2uW3kE3iouNP1rA,10002
django/db/migrations/__init__.py,sha256=Oa4RvfEa6hITCqdcqwXYC66YknFKyluuy7vtNbSc-L4,97
django/db/migrations/__pycache__/__init__.cpython-311.pyc,,
django/db/migrations/__pycache__/autodetector.cpython-311.pyc,,
django/db/migrations/__pycache__/exceptions.cpython-311.pyc,,
django/db/migrations/__pycache__/executor.cpython-311.pyc,,
django/db/migrations/__pycache__/graph.cpython-311.pyc,,
django/db/migrations/__pycache__/loader.cpython-311.pyc,,
django/db/migrations/__pycache__/migration.cpython-311.pyc,,
django/db/migrations/__pycache__/optimizer.cpython-311.pyc,,
django/db/migrations/__pycache__/questioner.cpython-311.pyc,,
django/db/migrations/__pycache__/recorder.cpython-311.pyc,,
django/db/migrations/__pycache__/serializer.cpython-311.pyc,,
django/db/migrations/__pycache__/state.cpython-311.pyc,,
django/db/migrations/__pycache__/utils.cpython-311.pyc,,
django/db/migrations/__pycache__/writer.cpython-311.pyc,,
django/db/migrations/autodetector.py,sha256=2JoMMhWJ3vysMagYkX-P76JrFMU5K6ufXb0SuqeAnUo,78977
django/db/migrations/exceptions.py,sha256=SotQF7ZKgJpd9KN-gKDL8wCJAKSEgbZToM_vtUAnqHw,1204
django/db/migrations/executor.py,sha256=_XxTCSHiwAy6KqFsqS_V2fVojDdMdKnDchCdc1nU2Bo,18923
django/db/migrations/graph.py,sha256=vt7Pc45LuiXR8aRCrXP5Umm6VDCCTs2LAr5NXh-rxcE,13055
django/db/migrations/loader.py,sha256=KRHdjq7A0sHqOS0JHVNlR8MtQvbY9smjId7rngwrrOU,16863
django/db/migrations/migration.py,sha256=itZASGGepJYCY2Uv5AmLrxOgjEH1tycGV0bv3EtRjQE,9767
django/db/migrations/operations/__init__.py,sha256=qIOjQYpm3tOtj1jsJVSpzxDH_kYAWk8MOGj-R3WYvJc,964
django/db/migrations/operations/__pycache__/__init__.cpython-311.pyc,,
django/db/migrations/operations/__pycache__/base.cpython-311.pyc,,
django/db/migrations/operations/__pycache__/fields.cpython-311.pyc,,
django/db/migrations/operations/__pycache__/models.cpython-311.pyc,,
django/db/migrations/operations/__pycache__/special.cpython-311.pyc,,
django/db/migrations/operations/base.py,sha256=-wdWlbVLtUGeOeWKyuQ67R3HCx_jd0ausstbJcBT4QQ,5082
django/db/migrations/operations/fields.py,sha256=_6znw6YYwAxs_V4I05BbP_T58rkzR2dqUcLyUmul-Zc,12692
django/db/migrations/operations/models.py,sha256=AE7XCt9VnF4yhXNAKks73yhR1445NHXr6oF47kshgbM,42988
django/db/migrations/operations/special.py,sha256=3Zbya6B1nEjvIwhQLoFR8kGBZUlc26kgBxX7XS3aeFQ,7831
django/db/migrations/optimizer.py,sha256=c0JZ5FGltD_gmh20e5SR6A21q_De6rUKfkAJKwmX4Ks,3255
django/db/migrations/questioner.py,sha256=HVtcEBRxQwL9JrQO5r1bVIZIZUFBfs9L-siuDQERZh0,13330
django/db/migrations/recorder.py,sha256=36vtix99DAFnWgKQYnj4G8VQwNfOQUP2OTsC_afAPNM,3535
django/db/migrations/serializer.py,sha256=KXkB2QX-ZXka-4hjlnNGnpm0NDbBv3iNF3yOBZ3omU4,13560
django/db/migrations/state.py,sha256=QM63FXvMy3qFUF4jFAxFBiBRJDeLg5ltURQnUv-GTNU,40654
django/db/migrations/utils.py,sha256=pdrzumGDhgytc5KVWdZov7cQtBt3jRASLqbmBxSRSvg,4401
django/db/migrations/writer.py,sha256=KqsYN3bDTjGWnuvVvkAj06qk2lhFQLkaWsr9cW-oVYI,11458
django/db/models/__init__.py,sha256=CB0CfDP1McdMRNfGuDs1OaJ7Xw-br2tC_EIjTcH51X4,2774
django/db/models/__pycache__/__init__.cpython-311.pyc,,
django/db/models/__pycache__/aggregates.cpython-311.pyc,,
django/db/models/__pycache__/base.cpython-311.pyc,,
django/db/models/__pycache__/constants.cpython-311.pyc,,
django/db/models/__pycache__/constraints.cpython-311.pyc,,
django/db/models/__pycache__/deletion.cpython-311.pyc,,
django/db/models/__pycache__/enums.cpython-311.pyc,,
django/db/models/__pycache__/expressions.cpython-311.pyc,,
django/db/models/__pycache__/indexes.cpython-311.pyc,,
django/db/models/__pycache__/lookups.cpython-311.pyc,,
django/db/models/__pycache__/manager.cpython-311.pyc,,
django/db/models/__pycache__/options.cpython-311.pyc,,
django/db/models/__pycache__/query.cpython-311.pyc,,
django/db/models/__pycache__/query_utils.cpython-311.pyc,,
django/db/models/__pycache__/signals.cpython-311.pyc,,
django/db/models/__pycache__/utils.cpython-311.pyc,,
django/db/models/aggregates.py,sha256=KKYz7KzzLoqEScCBeDq7m2RmpdhNV2tSvi2PqmxxCIA,7642
django/db/models/base.py,sha256=JPqd5R9BF5yhZr9vx9Ot6WmAT96HBFDlxuduFf_Ha5o,100332
django/db/models/constants.py,sha256=yfhLjetzfpKFqd5pIIuILL3r2pmD-nhRL-4VzrZYQ4w,209
django/db/models/constraints.py,sha256=hzfeJt_g0GHQgT0Lm0kKYVbg-fhcJpobmFdK4MVKMjA,15389
django/db/models/deletion.py,sha256=SkhsZIzb0orGhZOuxZqC_RiEEQRDVJ3nZ1RrN-iUWqM,21099
django/db/models/enums.py,sha256=Erf-SMu9CD1aZfq4xct3WdoOjjMIZp_vlja6FyJQfyw,2804
django/db/models/expressions.py,sha256=V65F5EEbkEKs5KgKcjUAMlB3MALxewQ2MHztrOK0lCo,64809
django/db/models/fields/__init__.py,sha256=EwxET_Q2MExX6O4HIQx_SEJz45Q_wIg-ZISLH9i9Jcs,95674
django/db/models/fields/__pycache__/__init__.cpython-311.pyc,,
django/db/models/fields/__pycache__/files.cpython-311.pyc,,
django/db/models/fields/__pycache__/json.cpython-311.pyc,,
django/db/models/fields/__pycache__/mixins.cpython-311.pyc,,
django/db/models/fields/__pycache__/proxy.cpython-311.pyc,,
django/db/models/fields/__pycache__/related.cpython-311.pyc,,
django/db/models/fields/__pycache__/related_descriptors.cpython-311.pyc,,
django/db/models/fields/__pycache__/related_lookups.cpython-311.pyc,,
django/db/models/fields/__pycache__/reverse_related.cpython-311.pyc,,
django/db/models/fields/files.py,sha256=YWpdokC8xXj9RYndjqHSNn9pLglakRl8KyIINBPU6Wg,18842
django/db/models/fields/json.py,sha256=ydrGNRauN3xxjez6aBzot3Xl4w9dm60ot99037n0xIY,22508
django/db/models/fields/mixins.py,sha256=AfnqL5l3yXQmYh9sW35MPFy9AvKjA7SarXijXfd68J8,1823
django/db/models/fields/proxy.py,sha256=eFHyl4gRTqocjgd6nID9UlQuOIppBA57Vcr71UReTAs,515
django/db/models/fields/related.py,sha256=0KxQ1gqP5ammDjXsIC7a3FTuju2pO05GSXFke4gbMiw,75796
django/db/models/fields/related_descriptors.py,sha256=8Q-eWAPMne2M4tw7oEwiVoc55SrYvXHN8AvUDkpJG6M,61824
django/db/models/fields/related_lookups.py,sha256=5XrcMSmN7N5uqSjvF6f1RW6P6WY6j8zqdJNe17X4N7U,8151
django/db/models/fields/reverse_related.py,sha256=sxNPJ3hSgkbChcXH29AsYzN1Xpn0CbzbmJrnKYNsAHg,12480
django/db/models/functions/__init__.py,sha256=aglCm_JtzDYk2KmxubDN_78CGG3JCfRWnfJ74Oj5YJ4,2658
django/db/models/functions/__pycache__/__init__.cpython-311.pyc,,
django/db/models/functions/__pycache__/comparison.cpython-311.pyc,,
django/db/models/functions/__pycache__/datetime.cpython-311.pyc,,
django/db/models/functions/__pycache__/math.cpython-311.pyc,,
django/db/models/functions/__pycache__/mixins.cpython-311.pyc,,
django/db/models/functions/__pycache__/text.cpython-311.pyc,,
django/db/models/functions/__pycache__/window.cpython-311.pyc,,
django/db/models/functions/comparison.py,sha256=GVI-IbLj2aTFwhtuJPN4hKlNnvWXnUsefBGRz2JyJO0,8488
django/db/models/functions/datetime.py,sha256=rDDy7EAAHuqgUvOklgSqFZb6GqD7IVc2oDOknsvQ0_w,13658
django/db/models/functions/math.py,sha256=9BH1yLLP5z_-kcfe5UuSH-4YkSEeBE1Ga88102lX83Y,6092
django/db/models/functions/mixins.py,sha256=04MuLCiXw4DYDx0kRU3g_QZcOOCbttAkFEa4WtwGeao,2229
django/db/models/functions/text.py,sha256=T6VcD27lBFCuo1sivkcso_ujSB2Hg_4Qp0F9bTqY4TI,11035
django/db/models/functions/window.py,sha256=g4fryay1tLQCpZRfmPQhrTiuib4RvPqtwFdodlLbi98,2841
django/db/models/indexes.py,sha256=hEMb5h9gjVLQTKhS8yYZ3i_o17ppErOx8jlYeFYXn44,11871
django/db/models/lookups.py,sha256=SSdKF1uLlk2osAArYkhSQotwmU2MqrCvQaCyGf3cwKQ,24608
django/db/models/manager.py,sha256=n97p4q0ttwmI1XcF9dAl8Pfg5Zs8iudufhWebQ7Xau0,6866
django/db/models/options.py,sha256=oz_tM65VlITsP0Cn3NYBVzEda-Z04K3Yk6DMuM6tAXk,38977
django/db/models/query.py,sha256=OtCAai4vx4sVlkc2KeSLNIuE1PaOMQ6r6M1G5eAIhPQ,101762
django/db/models/query_utils.py,sha256=ZgLSb5T8PZnNn7P5QPxfedZnnWXdYcLtNdtMis5A-NY,15244
django/db/models/signals.py,sha256=mG6hxVWugr_m0ugTU2XAEMiqlu2FJ4CBuGa34dLJvEQ,1622
django/db/models/sql/__init__.py,sha256=BGZ1GSn03dTOO8PYx6vF1-ImE3g1keZsQ74AHJoQwmQ,241
django/db/models/sql/__pycache__/__init__.cpython-311.pyc,,
django/db/models/sql/__pycache__/compiler.cpython-311.pyc,,
django/db/models/sql/__pycache__/constants.cpython-311.pyc,,
django/db/models/sql/__pycache__/datastructures.cpython-311.pyc,,
django/db/models/sql/__pycache__/query.cpython-311.pyc,,
django/db/models/sql/__pycache__/subqueries.cpython-311.pyc,,
django/db/models/sql/__pycache__/where.cpython-311.pyc,,
django/db/models/sql/compiler.py,sha256=LzYqgfUnIgUmOVpDAmb8MoE5tHrnru4GsJ6SGH4vmdI,89132
django/db/models/sql/constants.py,sha256=usb1LSh9WNGPsurWAGppDkV0wYJJg5GEegKibQdS718,533
django/db/models/sql/datastructures.py,sha256=9YDS4rDKWxjvCDOAAgHzbJLR7vpsNhJnqYzybn1j2xU,7297
django/db/models/sql/query.py,sha256=9ie5UvMIK7_-YTrBYhw5CH8FhoC4j2HueM6L-3pbjGw,114554
django/db/models/sql/subqueries.py,sha256=eqwaqhe_A2-OVKcYu6N3Wi6jDvftnVnQ-30vFfZMB5w,5935
django/db/models/sql/where.py,sha256=08Ip3J5zs-4QwPe06P9oxO1cM9kypLtgrtFpH_rXha4,12710
django/db/models/utils.py,sha256=vzojL0uUQHuOm2KxTJ19DHGnQ1pBXbnWaTlzR0vVimI,2182
django/db/transaction.py,sha256=U9O5DF_Eg8SG1dvcn_oFimU-ONaXKoHdDsXl0ZYtjFM,12504
django/db/utils.py,sha256=RKtSSyVJmM5__SAs1pY0njX6hLVRy1WIBggYo1zP4RI,9279
django/dispatch/__init__.py,sha256=qP203zNwjaolUFnXLNZHnuBn7HNzyw9_JkODECRKZbc,286
django/dispatch/__pycache__/__init__.cpython-311.pyc,,
django/dispatch/__pycache__/dispatcher.cpython-311.pyc,,
django/dispatch/dispatcher.py,sha256=hMPMYVDCkQuUfY1D3XVyP2CqSQDhEHMgp25a-RytTMs,10793
django/dispatch/license.txt,sha256=VABMS2BpZOvBY68W0EYHwW5Cj4p4oCb-y1P3DAn0qU8,1743
django/forms/__init__.py,sha256=S6ckOMmvUX-vVST6AC-M8BzsfVQwuEUAdHWabMN-OGI,368
django/forms/__pycache__/__init__.cpython-311.pyc,,
django/forms/__pycache__/boundfield.cpython-311.pyc,,
django/forms/__pycache__/fields.cpython-311.pyc,,
django/forms/__pycache__/forms.cpython-311.pyc,,
django/forms/__pycache__/formsets.cpython-311.pyc,,
django/forms/__pycache__/models.cpython-311.pyc,,
django/forms/__pycache__/renderers.cpython-311.pyc,,
django/forms/__pycache__/utils.cpython-311.pyc,,
django/forms/__pycache__/widgets.cpython-311.pyc,,
django/forms/boundfield.py,sha256=2H-DUr1HaCRPFmF4oJdt2Z7XOeYLZ68ReTOpj4-tm9E,12344
django/forms/fields.py,sha256=x-kbHu-CpH7T1u8yNJwBCma11E_aQnHBFwITryppN9g,48253
django/forms/forms.py,sha256=7lAGne4AhOiW8TpLnGm0Nk0gHUoof4bh3v0JlvfpJUg,20512
django/forms/formsets.py,sha256=tlQZPtMLdQvie9Q5Z4p9tp6x1v5DxyAEfLKNAW2643w,21167
django/forms/jinja2/django/forms/attrs.html,sha256=TD0lNK-ohDjb_bWg1Kosdn4kU01B_M0_C19dp9kYJqo,165
django/forms/jinja2/django/forms/default.html,sha256=stPE5cj2dGb6pxqKLtgDHPr14Qr6pcr4i_s2lCZDFF8,40
django/forms/jinja2/django/forms/div.html,sha256=Fgqt-XPtBFe6qiW7_mTb7w9gf0aNUbUalhxZvNV6gP0,865
django/forms/jinja2/django/forms/errors/dict/default.html,sha256=1DLQf0Czjr5V4cghQOyJr3v34G2ClF0RAOc-H7GwXUE,49
django/forms/jinja2/django/forms/errors/dict/text.txt,sha256=E7eqEWc6q2_kLyc9k926klRe2mPp4O2VqG-2_MliYaU,113
django/forms/jinja2/django/forms/errors/dict/ul.html,sha256=65EYJOqDAn7-ca7FtjrcdbXygLE-RA_IJQTltO7qS1Q,137
django/forms/jinja2/django/forms/errors/list/default.html,sha256=q41d4u6XcxDL06gRAVdU021kM_iFLIt5BuYa-HATOWE,49
django/forms/jinja2/django/forms/errors/list/text.txt,sha256=VVbLrGMHcbs1hK9-2v2Y6SIoH9qRMtlKzM6qzLVAFyE,52
django/forms/jinja2/django/forms/errors/list/ul.html,sha256=AwXfGxnos6llX44dhxMChz6Kk6VStAJiNzUpSLN8_y4,119
django/forms/jinja2/django/forms/formsets/default.html,sha256=VS7142h_1WElYa58vKdd9vfQiwaRxrQLyatBAI22T3U,77
django/forms/jinja2/django/forms/formsets/div.html,sha256=uq10XZdQ1WSt6kJFoKxtluvnCKE4L3oYcLkPraF4ovs,86
django/forms/jinja2/django/forms/formsets/p.html,sha256=HzEX7XdSDt9owDkYJvBdFIETeU9RDbXc1e4R2YEt6ec,84
django/forms/jinja2/django/forms/formsets/table.html,sha256=L9B4E8lR0roTr7dBoMiUlekuMbO-3y4_b4NHm6Oy_Vg,88
django/forms/jinja2/django/forms/formsets/ul.html,sha256=ANvMWb6EeFAtLPDTr61IeI3-YHtAYZCT_zmm-_y-5Oc,85
django/forms/jinja2/django/forms/label.html,sha256=trXo6yF4ezDv-y-8y1yJnP7sSByw0TTppgZLcrmfR6M,147
django/forms/jinja2/django/forms/p.html,sha256=fQJWWpBV4WgggOA-KULIY6vIIPTHNVlkfj9yOngfOOY,673
django/forms/jinja2/django/forms/table.html,sha256=B6EEQIJDDpc2SHC5qJzOZylzjmLVA1IWzOQWzzvRZA8,814
django/forms/jinja2/django/forms/ul.html,sha256=U6aaYi-Wb66KcLhRGJ_GeGc5TQyeUK9LKLTw4a8utoE,712
django/forms/jinja2/django/forms/widgets/attrs.html,sha256=_J2P-AOpHFhIwaqCNcrJFxEY4s-KPdy0Wcq0KlarIG0,172
django/forms/jinja2/django/forms/widgets/checkbox.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/checkbox_option.html,sha256=U2dFtAXvOn_eK4ok0oO6BwKE-3-jozJboGah_PQFLVM,55
django/forms/jinja2/django/forms/widgets/checkbox_select.html,sha256=-ob26uqmvrEUMZPQq6kAqK4KBk2YZHTCWWCM6BnaL0w,57
django/forms/jinja2/django/forms/widgets/clearable_file_input.html,sha256=h5_tWYnKRjGTYkzOq6AfDpkffj31DdEolpdtInilitM,511
django/forms/jinja2/django/forms/widgets/date.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/datetime.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/email.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/file.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/hidden.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/input.html,sha256=u12fZde-ugkEAAkPAtAfSxwGQmYBkXkssWohOUs-xoE,172
django/forms/jinja2/django/forms/widgets/input_option.html,sha256=PyRNn9lmE9Da0-RK37zW4yJZUSiJWgIPCU9ou5oUC28,219
django/forms/jinja2/django/forms/widgets/multiple_hidden.html,sha256=T54-n1ZeUlTd-svM3C4tLF42umKM0R5A7fdfsdthwkA,54
django/forms/jinja2/django/forms/widgets/multiple_input.html,sha256=voM3dqu69R0Z202TmCgMFM6toJp7FgFPVvbWY9WKEAU,395
django/forms/jinja2/django/forms/widgets/multiwidget.html,sha256=pr-MxRyucRxn_HvBGZvbc3JbFyrAolbroxvA4zmPz2Y,86
django/forms/jinja2/django/forms/widgets/number.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/password.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/radio.html,sha256=-ob26uqmvrEUMZPQq6kAqK4KBk2YZHTCWWCM6BnaL0w,57
django/forms/jinja2/django/forms/widgets/radio_option.html,sha256=U2dFtAXvOn_eK4ok0oO6BwKE-3-jozJboGah_PQFLVM,55
django/forms/jinja2/django/forms/widgets/select.html,sha256=ESyDzbLTtM7-OG34EuSUnvxCtyP5IrQsZh0jGFrIdEA,365
django/forms/jinja2/django/forms/widgets/select_date.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/jinja2/django/forms/widgets/select_option.html,sha256=tNa1D3G8iy2ZcWeKyI-mijjDjRmMaqSo-jnAR_VS3Qc,110
django/forms/jinja2/django/forms/widgets/splitdatetime.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/jinja2/django/forms/widgets/splithiddendatetime.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/jinja2/django/forms/widgets/text.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/textarea.html,sha256=Av1Y-hpXUU2AjrhnUivgZFKNBLdwCSZSeuSmCqmCkDA,145
django/forms/jinja2/django/forms/widgets/time.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/jinja2/django/forms/widgets/url.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/models.py,sha256=6SXOKVwG3b1ITj6I6TUXiLAfWybCUucDVoqrHPJ6Q4A,60129
django/forms/renderers.py,sha256=7G1MxTkXh-MYoXcg12Bam_tukUdx_MZfkQkr-FXq8fI,3036
django/forms/templates/django/forms/attrs.html,sha256=UFPgCXXCAkbumxZE1NM-aJVE4VCe2RjCrHLNseibv3I,165
django/forms/templates/django/forms/default.html,sha256=stPE5cj2dGb6pxqKLtgDHPr14Qr6pcr4i_s2lCZDFF8,40
django/forms/templates/django/forms/div.html,sha256=UpjHVpiDG6TL-8wf7egyA2yY8S7igoIWKe-_y1dX388,874
django/forms/templates/django/forms/errors/dict/default.html,sha256=tFtwfHlkOY_XaKjoUPsWshiSWT5olxm3kDElND-GQtQ,48
django/forms/templates/django/forms/errors/dict/text.txt,sha256=E7eqEWc6q2_kLyc9k926klRe2mPp4O2VqG-2_MliYaU,113
django/forms/templates/django/forms/errors/dict/ul.html,sha256=65EYJOqDAn7-ca7FtjrcdbXygLE-RA_IJQTltO7qS1Q,137
django/forms/templates/django/forms/errors/list/default.html,sha256=Kmx1nwrzQ49MaP80Gd17GC5TQH4B7doWa3I3azXvoHA,48
django/forms/templates/django/forms/errors/list/text.txt,sha256=VVbLrGMHcbs1hK9-2v2Y6SIoH9qRMtlKzM6qzLVAFyE,52
django/forms/templates/django/forms/errors/list/ul.html,sha256=5kt2ckbr3esK0yoPzco2EB0WzS8MvGzau_rAcomB508,118
django/forms/templates/django/forms/formsets/default.html,sha256=VS7142h_1WElYa58vKdd9vfQiwaRxrQLyatBAI22T3U,77
django/forms/templates/django/forms/formsets/div.html,sha256=lmIRSTBuGczEd2lj-UfDS9zAlVv8ntpmRo-boDDRwEg,84
django/forms/templates/django/forms/formsets/p.html,sha256=qkoHKem-gb3iqvTtROBcHNJqI-RoUwLHUvJC6EoHg-I,82
django/forms/templates/django/forms/formsets/table.html,sha256=N0G9GETzJfV16wUesvdrNMDwc8Fhh6durrmkHUPeDZY,86
django/forms/templates/django/forms/formsets/ul.html,sha256=bGQpjbpKwMahyiIP4-2p3zg3yJP-pN1A48yCqhHdw7o,83
django/forms/templates/django/forms/label.html,sha256=0bJCdIj8G5e2Gaw3QUR0ZMdwVavC80YwxS5E0ShkzmE,122
django/forms/templates/django/forms/p.html,sha256=N3sx-PBlt3Trs6lfjE4oQa3owxhM3rqXTy-AQg9Hr44,684
django/forms/templates/django/forms/table.html,sha256=zuLIyEOeNzV7aeIjIqIwM4XfZP_SlEc_OZ_x87rbOhY,825
django/forms/templates/django/forms/ul.html,sha256=K8kCd5q4nD-_ChR47s3q5fkHd8BHrHAa830-5H8aXVI,723
django/forms/templates/django/forms/widgets/attrs.html,sha256=9ylIPv5EZg-rx2qPLgobRkw6Zq_WJSM8kt106PpSYa0,172
django/forms/templates/django/forms/widgets/checkbox.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/checkbox_option.html,sha256=U2dFtAXvOn_eK4ok0oO6BwKE-3-jozJboGah_PQFLVM,55
django/forms/templates/django/forms/widgets/checkbox_select.html,sha256=-ob26uqmvrEUMZPQq6kAqK4KBk2YZHTCWWCM6BnaL0w,57
django/forms/templates/django/forms/widgets/clearable_file_input.html,sha256=h5_tWYnKRjGTYkzOq6AfDpkffj31DdEolpdtInilitM,511
django/forms/templates/django/forms/widgets/date.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/datetime.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/email.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/file.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/hidden.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/input.html,sha256=dwzzrLocGLZQIaGe-_X8k7z87jV6AFtn28LilnUnUH0,189
django/forms/templates/django/forms/widgets/input_option.html,sha256=PyRNn9lmE9Da0-RK37zW4yJZUSiJWgIPCU9ou5oUC28,219
django/forms/templates/django/forms/widgets/multiple_hidden.html,sha256=T54-n1ZeUlTd-svM3C4tLF42umKM0R5A7fdfsdthwkA,54
django/forms/templates/django/forms/widgets/multiple_input.html,sha256=jxEWRqV32a73340eQ0uIn672Xz5jW9qm3V_srByLEd0,426
django/forms/templates/django/forms/widgets/multiwidget.html,sha256=slk4AgCdXnVmFvavhjVcsza0quTOP2LG50D8wna0dw0,117
django/forms/templates/django/forms/widgets/number.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/password.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/radio.html,sha256=-ob26uqmvrEUMZPQq6kAqK4KBk2YZHTCWWCM6BnaL0w,57
django/forms/templates/django/forms/widgets/radio_option.html,sha256=U2dFtAXvOn_eK4ok0oO6BwKE-3-jozJboGah_PQFLVM,55
django/forms/templates/django/forms/widgets/select.html,sha256=7U0RzjeESG87ENzQjPRUF71gvKvGjVVvXcpsW2-BTR4,384
django/forms/templates/django/forms/widgets/select_date.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/templates/django/forms/widgets/select_option.html,sha256=N_psd0JYCqNhx2eh2oyvkF2KU2dv7M9mtMw_4BLYq8A,127
django/forms/templates/django/forms/widgets/splitdatetime.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/templates/django/forms/widgets/splithiddendatetime.html,sha256=AzaPLlNLg91qkVQwwtAJxwOqDemrtt_btSkWLpboJDs,54
django/forms/templates/django/forms/widgets/text.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/textarea.html,sha256=Av1Y-hpXUU2AjrhnUivgZFKNBLdwCSZSeuSmCqmCkDA,145
django/forms/templates/django/forms/widgets/time.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/templates/django/forms/widgets/url.html,sha256=fXpbxMzAdbv_avfWC5464gD2jFng931Eq7vzbzy1-yA,48
django/forms/utils.py,sha256=cE0YGhNlmArdpQ6bS_OxFRcPlKNSkAwK1pQfw66x3rg,8161
django/forms/widgets.py,sha256=4DqalSok0BDrgqtGnRalEUlvX9nlQdJDl2sfx3FzWYo,39447
django/http/__init__.py,sha256=uVUz0ov-emc29hbD78QKKka_R1L4mpDDPhkyfkx4jzQ,1200
django/http/__pycache__/__init__.cpython-311.pyc,,
django/http/__pycache__/cookie.cpython-311.pyc,,
django/http/__pycache__/multipartparser.cpython-311.pyc,,
django/http/__pycache__/request.cpython-311.pyc,,
django/http/__pycache__/response.cpython-311.pyc,,
django/http/cookie.py,sha256=t7yGORGClUnCYVKQqyLBlEYsxQLLHn9crsMSWqK_Eic,679
django/http/multipartparser.py,sha256=VZM9Pu2NnPjhhftgdwIwxE1kLlRc-cr1eun3JiXCZOM,27333
django/http/request.py,sha256=kTikMi8KmV1vUr9MeT7RuYl6yjFcRmdkSs6NOPNa52c,25533
django/http/response.py,sha256=7UqDI04qLL1_XOjBmJfC59LhdF8sDTJYqXGADg5YfsU,25245
django/middleware/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/middleware/__pycache__/__init__.cpython-311.pyc,,
django/middleware/__pycache__/cache.cpython-311.pyc,,
django/middleware/__pycache__/clickjacking.cpython-311.pyc,,
django/middleware/__pycache__/common.cpython-311.pyc,,
django/middleware/__pycache__/csrf.cpython-311.pyc,,
django/middleware/__pycache__/gzip.cpython-311.pyc,,
django/middleware/__pycache__/http.cpython-311.pyc,,
django/middleware/__pycache__/locale.cpython-311.pyc,,
django/middleware/__pycache__/security.cpython-311.pyc,,
django/middleware/cache.py,sha256=WAfMAUktNAqHGkTwC8iB0HVcZwQTdXBCLWFng4ERGgM,7951
django/middleware/clickjacking.py,sha256=rIm2VlbblLWrMTRYJ1JBIui5xshAM-2mpyJf989xOgY,1724
django/middleware/common.py,sha256=lahRODOz_Gkk_a_toXGJe3iFZ9n0wk_dOqULkMivNyA,7648
django/middleware/csrf.py,sha256=kafupUsv55BCRSfFhoL_P41vsRAtvBdaJSsBn4E_2uw,19743
django/middleware/gzip.py,sha256=jsJeYv0-A4iD6-1Pd3Hehl2ZtshpE4WeBTei-4PwciA,2945
django/middleware/http.py,sha256=RqXN9Kp6GEh8j_ub7YXRi6W2_CKZTZEyAPpFUzeNPBs,1616
django/middleware/locale.py,sha256=CV8aerSUWmO6cJQ6IrD5BzT3YlOxYNIqFraCqr8DoY4,3442
django/middleware/security.py,sha256=yqawglqNcPrITIUvQhSpn3BD899It4fhyOyJCTImlXE,2599
django/shortcuts.py,sha256=UniuxOq4cpBYCN-spLkUCFEYmA2SSXsozeS6xM2Lx8w,5009
django/template/__init__.py,sha256=-hvAhcRO8ydLdjTJJFr6LYoBVCsJq561ebRqE9kYBJs,1845
django/template/__pycache__/__init__.cpython-311.pyc,,
django/template/__pycache__/autoreload.cpython-311.pyc,,
django/template/__pycache__/base.cpython-311.pyc,,
django/template/__pycache__/context.cpython-311.pyc,,
django/template/__pycache__/context_processors.cpython-311.pyc,,
django/template/__pycache__/defaultfilters.cpython-311.pyc,,
django/template/__pycache__/defaulttags.cpython-311.pyc,,
django/template/__pycache__/engine.cpython-311.pyc,,
django/template/__pycache__/exceptions.cpython-311.pyc,,
django/template/__pycache__/library.cpython-311.pyc,,
django/template/__pycache__/loader.cpython-311.pyc,,
django/template/__pycache__/loader_tags.cpython-311.pyc,,
django/template/__pycache__/response.cpython-311.pyc,,
django/template/__pycache__/smartif.cpython-311.pyc,,
django/template/__pycache__/utils.cpython-311.pyc,,
django/template/autoreload.py,sha256=eW35nTUXJQsEuK8DFSeoeNQ3_zhOUP5uSPUgbiayPXk,1812
django/template/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/template/backends/__pycache__/__init__.cpython-311.pyc,,
django/template/backends/__pycache__/base.cpython-311.pyc,,
django/template/backends/__pycache__/django.cpython-311.pyc,,
django/template/backends/__pycache__/dummy.cpython-311.pyc,,
django/template/backends/__pycache__/jinja2.cpython-311.pyc,,
django/template/backends/__pycache__/utils.cpython-311.pyc,,
django/template/backends/base.py,sha256=9jHA5fnVWXoUCQyMnNg7csGhXPEXvoBh4I9tzFw8TX8,2751
django/template/backends/django.py,sha256=lgz9iF-NQvkbFBf-ByAH4QUklePnSbzYkQ6_X5so9NE,4394
django/template/backends/dummy.py,sha256=M62stG_knf7AdVp42ZWWddkNv6g6ck_sc1nRR6Sc_xA,1751
django/template/backends/jinja2.py,sha256=U9WBznoElT-REbITG7DnZgR7SA_Awf1gWS9vc0yrEfs,4036
django/template/backends/utils.py,sha256=z5X_lxKa9qL4KFDVeai-FmsewU3KLgVHO8y-gHLiVts,424
django/template/base.py,sha256=3HjabVBW7fA5IhOrqHFZAMvaKHg67Md1e3tzHXI2hRg,40344
django/template/context.py,sha256=67y6QyhjnwxKx37h4vORKBSNao1tYAf95LhXszZ4O10,9004
django/template/context_processors.py,sha256=PMIuGUE1iljf5L8oXggIdvvFOhCLJpASdwd39BMdjBE,2480
django/template/defaultfilters.py,sha256=8HeGIglixCFhuvPCkmfIF6IaztzY7mn3PwXVqDHhRAI,28012
django/template/defaulttags.py,sha256=tmxH0ATHHg7hzBnvKb8kla0EYpmJf-TuB8_CAeVwjug,48460
django/template/engine.py,sha256=c4ZINgREkvys2WDKNVkuZqZKG4t1Qu02tUTnLx0WA54,7733
django/template/exceptions.py,sha256=rqG3_qZq31tUHbmtZD-MIu0StChqwaFejFFpR4u7th4,1342
django/template/library.py,sha256=BBP9JU72wrRzIHSFHqzSfi3y9A1c70hAMuyS-Fm97B0,13331
django/template/loader.py,sha256=PVFUUtC5WgiRVVTilhQ6NFZnvjly6sP9s7anFmMoKdo,2054
django/template/loader_tags.py,sha256=blVie4GNs8kGY_kh-1TLaoilIGGUJ5vc_Spcum0athA,13103
django/template/loaders/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/template/loaders/__pycache__/__init__.cpython-311.pyc,,
django/template/loaders/__pycache__/app_directories.cpython-311.pyc,,
django/template/loaders/__pycache__/base.cpython-311.pyc,,
django/template/loaders/__pycache__/cached.cpython-311.pyc,,
django/template/loaders/__pycache__/filesystem.cpython-311.pyc,,
django/template/loaders/__pycache__/locmem.cpython-311.pyc,,
django/template/loaders/app_directories.py,sha256=sQpVXKYpnKr9Rl1YStNca-bGIQHcOkSnmm1l2qRGFVE,312
django/template/loaders/base.py,sha256=Y5V4g0ly9GuNe7BQxaJSMENJnvxzXJm7XhSTxzfFM0s,1636
django/template/loaders/cached.py,sha256=bDwkWYPgbvprU_u9f9w9oNYpSW_j9b7so_mlKzp9-N4,3716
django/template/loaders/filesystem.py,sha256=f4silD7WWhv3K9QySMgW7dlGGNwwYAcHCMSTFpwiiXY,1506
django/template/loaders/locmem.py,sha256=t9p0GYF2VHf4XG6Gggp0KBmHkdIuSKuLdiVXMVb2iHs,672
django/template/response.py,sha256=UAU-aM7mn6cbGOIJuurn4EE5ITdcAqSFgKD5RXFms4w,5584
django/template/smartif.py,sha256=eTzcnzPBdbkoiP8j9q_sa_47SoLLMqYdLKC3z0TbjpA,6407
django/template/utils.py,sha256=c9cJRfmBXs-41xa8KkZiLkeqUAbd-8elKc_7WdnI3G0,3626
django/templatetags/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/templatetags/__pycache__/__init__.cpython-311.pyc,,
django/templatetags/__pycache__/cache.cpython-311.pyc,,
django/templatetags/__pycache__/i18n.cpython-311.pyc,,
django/templatetags/__pycache__/l10n.cpython-311.pyc,,
django/templatetags/__pycache__/static.cpython-311.pyc,,
django/templatetags/__pycache__/tz.cpython-311.pyc,,
django/templatetags/cache.py,sha256=OpiR0FQBsJC9p73aEcXQQamSySR2hwIx2wEiuD925pg,3545
django/templatetags/i18n.py,sha256=UrS-aE3XCEK_oX18kmH8gSgA10MGHMeMTLOAESDtufI,19961
django/templatetags/l10n.py,sha256=F6pnC2_7xNCKfNi0mcfzYQY8pzrQ9enK7_6-ZWzRu3A,1723
django/templatetags/static.py,sha256=W4Rqt3DN_YtXe6EoqO-GLy7WR7xd7z0JsoX-VT0vvjc,4730
django/templatetags/tz.py,sha256=sjPsTsOy7ndIirXowxNVno8GSNii0lC0L9u8xQfrZ_U,6095
django/test/__init__.py,sha256=X12C98lKN5JW1-wms7B6OaMTo-Li90waQpjfJE1V3AE,834
django/test/__pycache__/__init__.cpython-311.pyc,,
django/test/__pycache__/client.cpython-311.pyc,,
django/test/__pycache__/html.cpython-311.pyc,,
django/test/__pycache__/runner.cpython-311.pyc,,
django/test/__pycache__/selenium.cpython-311.pyc,,
django/test/__pycache__/signals.cpython-311.pyc,,
django/test/__pycache__/testcases.cpython-311.pyc,,
django/test/__pycache__/utils.cpython-311.pyc,,
django/test/client.py,sha256=RLga_T6za-Pz7FIdWr1G7ZWG1y5fD3dovA2FgmJokX4,43171
django/test/html.py,sha256=L4Af_qk1ukVoXnW9ffkTEg4K-JvdHEZ5mixNRXzSDN8,9209
django/test/runner.py,sha256=eb3JmDlWU2n6W2-R2UItxxsJj9dVMbGicaFg44pEi3g,41890
django/test/selenium.py,sha256=0JPzph8lyk1i9taDCgsOvLhkxSh-jR-gvM4pPhdTGzc,5129
django/test/signals.py,sha256=Mnh-6vUJtf8zhcBMpK-_FkfAZznNMeHenqgSYa5ZpYs,8099
django/test/testcases.py,sha256=sgt5vBWLgcaZigoQTCJTuVz5_FyUTFr-0aVRyhTUqYc,70663
django/test/utils.py,sha256=Wufm5_PDXggW1YniB8fPpclBePdEoHzEhIDbwfgVwgo,32887
django/urls/__init__.py,sha256=BHyBIOD3E4_3Ng27SpXnRmqO3IzUqvBLCE4TTfs4wNs,1079
django/urls/__pycache__/__init__.cpython-311.pyc,,
django/urls/__pycache__/base.cpython-311.pyc,,
django/urls/__pycache__/conf.cpython-311.pyc,,
django/urls/__pycache__/converters.cpython-311.pyc,,
django/urls/__pycache__/exceptions.cpython-311.pyc,,
django/urls/__pycache__/resolvers.cpython-311.pyc,,
django/urls/__pycache__/utils.cpython-311.pyc,,
django/urls/base.py,sha256=MDgpJtKVu7wKbWhzuo9SJUOyvIi3ndef0b_htzawIPU,5691
django/urls/conf.py,sha256=uP_G78p31DejLa638fnOysaYwxWJETK5FDpJ6T9klj4,3425
django/urls/converters.py,sha256=fVO-I8vTHL0H25GyElAYQWwSZtPMMNa9mJ1W-ZQrHyg,1216
django/urls/exceptions.py,sha256=alLNjkORtAxneC00g4qnRpG5wouOHvJvGbymdpKtG_I,115
django/urls/resolvers.py,sha256=I6D7POYEb9lha4_f-MWbwWgWOcg58fr_Odxo_zwH2Bk,31749
django/urls/utils.py,sha256=MSSGo9sAlnsDG3fDt2zayhXwYMCL4qtBzVjQv8BwemA,2197
django/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/utils/__pycache__/__init__.cpython-311.pyc,,
django/utils/__pycache__/_os.cpython-311.pyc,,
django/utils/__pycache__/archive.cpython-311.pyc,,
django/utils/__pycache__/asyncio.cpython-311.pyc,,
django/utils/__pycache__/autoreload.cpython-311.pyc,,
django/utils/__pycache__/baseconv.cpython-311.pyc,,
django/utils/__pycache__/cache.cpython-311.pyc,,
django/utils/__pycache__/connection.cpython-311.pyc,,
django/utils/__pycache__/crypto.cpython-311.pyc,,
django/utils/__pycache__/datastructures.cpython-311.pyc,,
django/utils/__pycache__/dateformat.cpython-311.pyc,,
django/utils/__pycache__/dateparse.cpython-311.pyc,,
django/utils/__pycache__/dates.cpython-311.pyc,,
django/utils/__pycache__/datetime_safe.cpython-311.pyc,,
django/utils/__pycache__/deconstruct.cpython-311.pyc,,
django/utils/__pycache__/decorators.cpython-311.pyc,,
django/utils/__pycache__/deprecation.cpython-311.pyc,,
django/utils/__pycache__/duration.cpython-311.pyc,,
django/utils/__pycache__/encoding.cpython-311.pyc,,
django/utils/__pycache__/feedgenerator.cpython-311.pyc,,
django/utils/__pycache__/formats.cpython-311.pyc,,
django/utils/__pycache__/functional.cpython-311.pyc,,
django/utils/__pycache__/hashable.cpython-311.pyc,,
django/utils/__pycache__/html.cpython-311.pyc,,
django/utils/__pycache__/http.cpython-311.pyc,,
django/utils/__pycache__/inspect.cpython-311.pyc,,
django/utils/__pycache__/ipv6.cpython-311.pyc,,
django/utils/__pycache__/itercompat.cpython-311.pyc,,
django/utils/__pycache__/jslex.cpython-311.pyc,,
django/utils/__pycache__/log.cpython-311.pyc,,
django/utils/__pycache__/lorem_ipsum.cpython-311.pyc,,
django/utils/__pycache__/module_loading.cpython-311.pyc,,
django/utils/__pycache__/numberformat.cpython-311.pyc,,
django/utils/__pycache__/regex_helper.cpython-311.pyc,,
django/utils/__pycache__/safestring.cpython-311.pyc,,
django/utils/__pycache__/termcolors.cpython-311.pyc,,
django/utils/__pycache__/text.cpython-311.pyc,,
django/utils/__pycache__/timesince.cpython-311.pyc,,
django/utils/__pycache__/timezone.cpython-311.pyc,,
django/utils/__pycache__/topological_sort.cpython-311.pyc,,
django/utils/__pycache__/tree.cpython-311.pyc,,
django/utils/__pycache__/version.cpython-311.pyc,,
django/utils/__pycache__/xmlutils.cpython-311.pyc,,
django/utils/_os.py,sha256=-_6vh_w0-c2wMUXveE45hj-QHf2HCq5KuWGUkX4_FvI,2310
django/utils/archive.py,sha256=JExZfmiqSixQ_ujY7UM6sNShVpO5CsF-0hH2qyt44Eo,8086
django/utils/asyncio.py,sha256=8vWyxUapJgxJJ9EOnpnhPHJtzfFPuyB4OPXT4YNEGPE,1894
django/utils/autoreload.py,sha256=2BvHQfyodllw6L_rtjtv7PGGSUQC8qCI4jZ7efHwZr4,24413
django/utils/baseconv.py,sha256=mnIn3_P2jqb8ytiFOiaCjrTFFujeNFT0EkympSmt7Ck,3268
django/utils/cache.py,sha256=_KXTuv9dRe5SfPArmu8QIRFCPOm-d7GyB5BMcumbAac,16594
django/utils/connection.py,sha256=2kqA6M_EObbZg6QKMXhX6p4YXG9RiPTUHwwN3mumhDY,2554
django/utils/crypto.py,sha256=iF4x5Uad3sSVkfKSK-vzjDGFojrh3E6yoPK02tnjleo,3275
django/utils/datastructures.py,sha256=ud8qmQXpo1Bfv5G4FX8JRGqPb1gLinJYuWvrA1gdJhE,10286
django/utils/dateformat.py,sha256=ceHodLgA3LcI2w460p3KwDLiiJxUp52gxoL4KeU6itA,10113
django/utils/dateparse.py,sha256=2lBci1DO1vWzXh0Wi9yShj6rD9pgh7UPsNgzvwFhyuI,5363
django/utils/dates.py,sha256=zHUHeOkxuo53rTvHG3dWMLRfVyfaMLBIt5xmA4E_Ids,2179
django/utils/datetime_safe.py,sha256=n-4BcrkI1hl0-NWVnMuwTOYiPQ_C-0dK2ZzO5_Y3hic,3094
django/utils/deconstruct.py,sha256=RaeX2YTce1I9XJsQ0_FqYTcudPM5xu_--M1tAZm7LOA,2078
django/utils/decorators.py,sha256=-4rtqDBAj4na63DrEwUZHaQQoXwe1iFw0aC6RjTLxlM,6940
django/utils/deprecation.py,sha256=dSYSmhc24pxnlY1wmj5Qd3gIF5NOLD-3SqLkiKemvD4,5229
django/utils/duration.py,sha256=HK5E36F1GGdPchCqHsmloYhrHX_ByyITvOHyuxtElSE,1230
django/utils/encoding.py,sha256=DHl64UKXdhyVWMnBdLsyxhM6xf5WVo7o8zX5IVFScOo,8766
django/utils/feedgenerator.py,sha256=ORkZCUa8aazivb_qW8XhtKpRtM36BmMtyK6Eqp_uqqc,15635
django/utils/formats.py,sha256=ms_dtWNndBjS7uiRNiuwUYerU6pEH0TS8YLSGHy0spw,10529
django/utils/functional.py,sha256=x0q0YYkKLX3mOKeGM9VVGZF5DClDK5l9ITEgNifPYQ4,15162
django/utils/hashable.py,sha256=kFbHnVOA4g-rTFI_1oHeNGA0ZEzAlY0vOeGTAeqxz7E,740
django/utils/html.py,sha256=dMtnW-cPaz-uPSkh2GBGUCWQ076OrQuKr2kOni6_5bk,14213
django/utils/http.py,sha256=Fdk2-5-BR-KOX-qlLoXL0usOWkd2wZYet7pxb0ykoLg,15368
django/utils/inspect.py,sha256=lhDEOtmSLEub5Jj__MIgW3AyWOEVkaA6doJKKwBhZ6A,2235
django/utils/ipv6.py,sha256=laDOQe_r4W-oVKLOgQ4aAJxs37n8P3LkH-eeIchJqh4,1333
django/utils/itercompat.py,sha256=lacIDjczhxbwG4ON_KfG1H6VNPOGOpbRhnVhbedo2CY,184
django/utils/jslex.py,sha256=cha8xFT5cQ0OMhKMsdsIq1THDndmKUNYNNieQ8BNa9E,8048
django/utils/log.py,sha256=qkGXBz4zCVkfOUy-3ciMNOAf53Z94LyAeYxlyD3ykE8,7952
django/utils/lorem_ipsum.py,sha256=yUtBgKhshftIpPg04pc1IrLpOBydZIf7g0isFCIJZqk,5473
django/utils/module_loading.py,sha256=-a7qOb5rpp-Lw_51vyIPSdb7R40B16Er1Zc1C_a6ibY,3820
django/utils/numberformat.py,sha256=4wbtfoxYbiQFfidhjlC37_Y060tSg1eHEFXQYbAn7WY,3792
django/utils/regex_helper.py,sha256=gv0YfkofciCI4iptv_6GEwyLyVZg1_HFaNRwn3DuH4c,12771
django/utils/safestring.py,sha256=-dKgvOyuADWC8mo0F5HH-OadkS87xF4OHzdB3_fpLUc,1876
django/utils/termcolors.py,sha256=vvQbUH7GsFofGRSiKQwx4YvgE4yZMtAGRVz9QPDfisA,7386
django/utils/text.py,sha256=Bi542DeI_UMhyBElbDrVxtX65nEtIYyiZDBEBKlEotI,14302
django/utils/timesince.py,sha256=j9B_wSnsdS3ZXn9pt9GImOJDpgO61YMr_jtnUpZDx0g,4914
django/utils/timezone.py,sha256=nlhILTMbMFZyK2iVUHRuyXhthU9tLBBKveeQH0BdPl0,10080
django/utils/topological_sort.py,sha256=W_xR8enn8cY6W4oM8M2TnoidbbiYZbThfdI6UMI4-gc,1287
django/utils/translation/__init__.py,sha256=MKFOm2b3sG8xLrR-wQFVt-RqFawI8lm8cDi14jX4OAc,8877
django/utils/translation/__pycache__/__init__.cpython-311.pyc,,
django/utils/translation/__pycache__/reloader.cpython-311.pyc,,
django/utils/translation/__pycache__/template.cpython-311.pyc,,
django/utils/translation/__pycache__/trans_null.cpython-311.pyc,,
django/utils/translation/__pycache__/trans_real.cpython-311.pyc,,
django/utils/translation/reloader.py,sha256=oVM0xenn3fraUomMEFucvwlbr5UGYUijWnUn6FL55Zc,1114
django/utils/translation/template.py,sha256=TOfPNT62RnUbUG64a_6d_VQ7tsDC1_F1TCopw_HwlcA,10549
django/utils/translation/trans_null.py,sha256=niy_g1nztS2bPsINqK7_g0HcpI_w6hL-c8_hqpC7U7s,1287
django/utils/translation/trans_real.py,sha256=AYamjmxjIyFJRB-LFJPhMTVmXyDfUsoZo9LsFhj8Bik,21758
django/utils/tree.py,sha256=v8sNUsnsG2Loi9xBIIk0GmV5yN7VWOGTzbmk8BOEs6E,4394
django/utils/version.py,sha256=M74iPaM0nPG2lboE6ftHS491jsK622bW56LuQY1eigA,3628
django/utils/xmlutils.py,sha256=LsggeI4vhln3An_YXNBk2cCwKLQgMe-O_3L--j3o3GM,1172
django/views/__init__.py,sha256=GIq6CKUBCbGpQVyK4xIoaAUDPrmRvbBPSX_KSHk0Bb4,63
django/views/__pycache__/__init__.cpython-311.pyc,,
django/views/__pycache__/csrf.cpython-311.pyc,,
django/views/__pycache__/debug.cpython-311.pyc,,
django/views/__pycache__/defaults.cpython-311.pyc,,
django/views/__pycache__/i18n.cpython-311.pyc,,
django/views/__pycache__/static.cpython-311.pyc,,
django/views/csrf.py,sha256=8brhoog4O9MiOnXk_v79uiiHENwD0TwTvQzyXexl874,6306
django/views/debug.py,sha256=FmEGRxl8uw_5xD72BOPwoGlD-0k4rYaAyCwTom1DsUM,24839
django/views/decorators/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
django/views/decorators/__pycache__/__init__.cpython-311.pyc,,
django/views/decorators/__pycache__/cache.cpython-311.pyc,,
django/views/decorators/__pycache__/clickjacking.cpython-311.pyc,,
django/views/decorators/__pycache__/common.cpython-311.pyc,,
django/views/decorators/__pycache__/csrf.cpython-311.pyc,,
django/views/decorators/__pycache__/debug.cpython-311.pyc,,
django/views/decorators/__pycache__/gzip.cpython-311.pyc,,
django/views/decorators/__pycache__/http.cpython-311.pyc,,
django/views/decorators/__pycache__/vary.cpython-311.pyc,,
django/views/decorators/cache.py,sha256=4IK-tLiIdU1iSPPgCdAO-tfh3f55GJQt4fzMUQjbCG8,2340
django/views/decorators/clickjacking.py,sha256=JH09VXGmZ5PmbL0nL7MTp16hgm6-LSFL62eUAaA_-IQ,1583
django/views/decorators/common.py,sha256=Cs2wotQzXN0k2lAqiTDbfUnlVV62246jEcd1AKZlFJ8,494
django/views/decorators/csrf.py,sha256=5mWGpfN5xTxqKJgVYWFh6rKMHH1wyNvjLsfEJGi6zoA,2079
django/views/decorators/debug.py,sha256=UvaXiiuJJaYdXzK5jsi0i3MTMeN7Mi7eMaHmUFyHj4E,3141
django/views/decorators/gzip.py,sha256=PtpSGd8BePa1utGqvKMFzpLtZJxpV2_Jej8llw5bCJY,253
django/views/decorators/http.py,sha256=KfijhsLVYXnAl3yDCaJclihMcX3T4HS58e8gV1Bq8sE,4931
django/views/decorators/vary.py,sha256=VcBaCDOEjy1CrIy0LnCt2cJdJRnqXgn3B43zmzKuZ80,1089
django/views/defaults.py,sha256=D5Pqjk0GZKXsRaA1NKouNeMEyWGoD_Tdp47U5LMKfKI,4683
django/views/generic/__init__.py,sha256=VwQKUbBFJktiq5J2fo3qRNzRc0STfcMRPChlLPYAkkE,886
django/views/generic/__pycache__/__init__.cpython-311.pyc,,
django/views/generic/__pycache__/base.cpython-311.pyc,,
django/views/generic/__pycache__/dates.cpython-311.pyc,,
django/views/generic/__pycache__/detail.cpython-311.pyc,,
django/views/generic/__pycache__/edit.cpython-311.pyc,,
django/views/generic/__pycache__/list.cpython-311.pyc,,
django/views/generic/base.py,sha256=p5HbLA01-FQSqC3hSGIg7jQk23khBMn9ssg4d9GHui4,9275
django/views/generic/dates.py,sha256=xwSEF6zsaSl1jUTePs6NPihnOJEWT-j8SST0RG4bco0,26332
django/views/generic/detail.py,sha256=zrAuhJxrFvNqJLnlvK-NSiRiiONsKKOYFantD7UztwU,6663
django/views/generic/edit.py,sha256=Gq0E2HTi9KZuIDJHC24tB4VQVRL0qLswqfyA9gRJ210,9747
django/views/generic/list.py,sha256=KWsT5UOK5jflxn5JFoJCnyJEQXa0fM4talHswzEjzXU,7941
django/views/i18n.py,sha256=AUaz74b6jHvvCmbmHEvDLbzJMqq3oXXKXEa4qyNvR4w,11454
django/views/static.py,sha256=U7QLmzVwW3oiY_lrqW_kGcUVB2ZKYq5nq0Ij-K0w8Q8,4318
django/views/templates/default_urlconf.html,sha256=iUBTjdiqkFOHDt9lG_hGl5YOfMCxoe5TMXINN8cfXaM,11117
django/views/templates/technical_404.html,sha256=dJEOimEguJg6g4IhdRPG5HmdMy8D30U-lNI8wC8wwQs,2706
django/views/templates/technical_500.html,sha256=x2Nr8PAHZfb3bVFhOxz3uSoqz_piWBVB_NCbNC87NAs,17662
django/views/templates/technical_500.txt,sha256=b0ihE_FS7YtfAFOXU_yk0-CTgUmZ4ZkWVfkFHdEQXQI,3712
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/RECORD | none | mit | 439,994 |
castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/REQUESTED | none | mit | 0 |
|
Wheel-Version: 1.0
Generator: bdist_wheel (0.40.0)
Root-Is-Purelib: true
Tag: py3-none-any
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/WHEEL | none | mit | 92 |
[console_scripts]
django-admin = django.core.management:execute_from_command_line
| castiel248/Convert | Lib/site-packages/Django-4.2.2.dist-info/entry_points.txt | Text | mit | 82 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.